file_path
stringlengths 21
202
| content
stringlengths 12
1.02M
| size
int64 12
1.02M
| lang
stringclasses 9
values | avg_line_length
float64 3.33
100
| max_line_length
int64 10
993
| alphanum_fraction
float64 0.27
0.93
|
---|---|---|---|---|---|---|
omniverse-code/kit/exts/omni.kit.menu.utils/omni/kit/menu/utils/tests/test_menu_icons.py
|
from pathlib import Path
import unittest
import carb
import omni.kit.test
import omni.ui as ui
from omni.kit import ui_test
from omni.kit.menu.utils import MenuItemDescription, MenuLayout
from omni.ui.tests.test_base import OmniUiTest
from omni.kit.test_suite.helpers import get_test_data_path
class TestMenuIcon(OmniUiTest):
async def setUp(self):
pass
async def tearDown(self):
pass
async def test_menu_icon(self):
icon_path = Path(omni.kit.app.get_app().get_extension_manager().get_extension_path_by_module(__name__)).joinpath("data/tests/icons/audio_record.svg")
golden_img_dir = Path(get_test_data_path(__name__, "golden_img"))
submenu_list = [ MenuItemDescription(name="Menu Item", glyph=str(icon_path)) ]
menu_list = [ MenuItemDescription(name="Icon Menu Test", glyph=str(icon_path), sub_menu=submenu_list) ]
omni.kit.menu.utils.add_menu_items(menu_list, "Icon Test", 99)
omni.kit.menu.utils.rebuild_menus()
await ui_test.human_delay(50)
await ui_test.menu_click("Icon Test/Icon Menu Test", human_delay_speed=4)
await ui_test.human_delay(10)
await self.finalize_test(golden_img_dir=golden_img_dir, golden_img_name="test_menu_icon.png", hide_menu_bar=False)
await ui_test.human_delay(50)
omni.kit.menu.utils.remove_menu_items(menu_list, "Icon Test")
self.assertTrue(omni.kit.menu.utils.get_merged_menus() == {})
| 1,461 |
Python
| 38.513512 | 157 | 0.689938 |
omniverse-code/kit/exts/omni.kit.menu.utils/docs/index.rst
|
omni.kit.menu.utils
###########################
Menu Utils
.. toctree::
:maxdepth: 1
CHANGELOG
| 109 |
reStructuredText
| 6.333333 | 27 | 0.458716 |
omniverse-code/kit/exts/omni.kit.search_core/config/extension.toml
|
[package]
# Semantic Versioning is used: https://semver.org/
version = "1.0.2"
# Lists people or organizations that are considered the "authors" of the package.
authors = ["NVIDIA"]
# The title and description fields are primarly for displaying extension info in UI
title = "Search Core Classes"
description="The extension provides the base classes for search and registering search engines."
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# Keywords for the extension
keywords = ["search", "filepicker", "content"]
# Location of change log file in target (final) folder of extension, relative to the root.
# More info on writing changelog: https://keepachangelog.com/en/1.0.0/
changelog="docs/CHANGELOG.md"
# Preview image. Folder named "data" automatically goes in git lfs (see .gitattributes file).
preview_image = "data/preview.png"
# Main python module this extension provides, it will be publicly available as "import omni.example.hello".
[[python.module]]
name = "omni.kit.search_core"
| 1,112 |
TOML
| 34.903225 | 107 | 0.754496 |
omniverse-code/kit/exts/omni.kit.search_core/omni/kit/search_core/search_engine_registry.py
|
# Copyright (c) 2018-2020, NVIDIA CORPORATION. All rights reserved.
#
# NVIDIA CORPORATION and its licensors retain all intellectual property
# and proprietary rights in and to this software, related documentation
# and any modifications thereto. Any use, reproduction, disclosure or
# distribution of this software and related documentation without an express
# license agreement from NVIDIA CORPORATION is strictly prohibited.
#
from .singleton import Singleton
from omni.kit.widget.nucleus_info import get_instance as get_nucleus
@Singleton
class SearchEngineRegistry:
"""
Singleton that keeps all the search engines. It's used to put custom
search engine to the content browser.
"""
class _Event(set):
"""
A list of callable objects. Calling an instance of this will cause a
call to each item in the list in ascending order by index.
"""
def __call__(self, *args, **kwargs):
"""Called when the instance is “called” as a function"""
# Call all the saved functions
for f in self:
f(*args, **kwargs)
def __repr__(self):
"""
Called by the repr() built-in function to compute the “official”
string representation of an object.
"""
return f"Event({set.__repr__(self)})"
class _EventSubscription:
"""
Event subscription.
_Event has callback while this object exists.
"""
def __init__(self, event, fn):
"""
Save the function, the event, and add the function to the event.
"""
self._fn = fn
self._event = event
event.add(self._fn)
def __del__(self):
"""Called by GC."""
self._event.remove(self._fn)
class _EngineSubscription:
"""
Event subscription.
_Event has callback while this object exists.
"""
def __init__(self, name, model_type):
"""
Save name and type to the list.
"""
self._name = name
SearchEngineRegistry()._engines[self._name] = model_type
SearchEngineRegistry()._on_engines_changed()
def __del__(self):
"""Called by GC."""
del SearchEngineRegistry()._engines[self._name]
SearchEngineRegistry()._on_engines_changed()
def __init__(self):
self._engines = {}
self._on_engines_changed = self._Event()
def register_search_model(self, name, model_type):
"""
Add a new engine to the registry.
name: the name of the engine as it appears in the menu.
model_type: the type derived from AbstractSearchModel. Content
browser will create an object of this type when it needs
a new search.
"""
if name in self._engines:
# TODO: Warning
return
return self._EngineSubscription(name, model_type)
def get_search_names(self):
"""Returns all the search names"""
return list(sorted(self._engines.keys()))
def get_available_search_names(self, server: str):
"""Returns available search names in given server"""
search_names = list(sorted(self._engines.keys()))
available_search_names = []
for name in search_names:
if "Service" not in name or get_nucleus().is_service_available(name, server):
available_search_names.append(name)
return available_search_names
def get_search_model(self, name):
"""Returns the type of derived from AbstractSearchModel for the given name"""
return self._engines.get(name, None)
def subscribe_engines_changed(self, fn):
"""
Add the provided function to engines changed event subscription callbacks.
Return the object that will automatically unsubscribe when destroyed.
"""
return self._EventSubscription(self._on_engines_changed, fn)
| 4,059 |
Python
| 32.833333 | 89 | 0.598423 |
omniverse-code/kit/exts/omni.kit.search_core/omni/kit/search_core/abstract_search_model.py
|
# Copyright (c) 2018-2020, NVIDIA CORPORATION. All rights reserved.
#
# NVIDIA CORPORATION and its licensors retain all intellectual property
# and proprietary rights in and to this software, related documentation
# and any modifications thereto. Any use, reproduction, disclosure or
# distribution of this software and related documentation without an express
# license agreement from NVIDIA CORPORATION is strictly prohibited.
#
from datetime import datetime
import abc
class AbstractSearchItem:
"""AbstractSearchItem represents a single file in the file browser."""
@property
def path(self):
"""The full path that goes to usd when Drag and Drop"""
return ""
@property
def name(self):
"""The name as it appears in the widget"""
return ""
@property
def date(self):
# TODO: Grid View needs datatime, but Tree View needs a string. We need to make them the same.
return datetime.now()
@property
def size(self):
# TODO: Grid View needs int, but Tree View needs a string. We need to make them the same.
return 0
@property
def icon(self):
pass
@property
def is_folder(self):
pass
def __getitem__(self, key):
"""Access to methods by text for _RedirectModel"""
return getattr(self, key)
class SearchLifetimeObject(metaclass=abc.ABCMeta):
"""
SearchLifetimeObject encapsulates a callback to be called when a search is finished.
It is the responsibility of the implementers of AbstractSearchModel to get the object
argument and keep it alive until the search is completed if the search runs long.
"""
def __init__(self, callback):
self._callback = callback
def __del__(self):
self.destroy()
def destroy(self):
if self._callback:
self._callback()
self._callback = None
class AbstractSearchModel(metaclass=abc.ABCMeta):
"""
AbstractSearchModel represents the search results. It supports async
mode. If the search engine needs some time to process the request, it can
return an empty list and do a search in async mode. As soon as a result
is ready, the model should call `self._item_changed()`. It will make the
view reload the model. It's also possible to return the search result
with portions.
__init__ is usually called with the named arguments search_text and
current_dir, and optionally a search_lifetime object.
"""
class _Event(set):
"""
A list of callable objects. Calling an instance of this will cause a
call to each item in the list in ascending order by index.
"""
def __call__(self, *args, **kwargs):
"""Called when the instance is “called” as a function"""
# Call all the saved functions
for f in self:
f(*args, **kwargs)
def __repr__(self):
"""
Called by the repr() built-in function to compute the “official”
string representation of an object.
"""
return f"Event({set.__repr__(self)})"
class _EventSubscription:
"""
Event subscription.
_Event has callback while this object exists.
"""
def __init__(self, event, fn):
"""
Save the function, the event, and add the function to the event.
"""
self._fn = fn
self._event = event
event.add(self._fn)
def __del__(self):
"""Called by GC."""
self._event.remove(self._fn)
def __init__(self):
# TODO: begin_edit/end_edit
self.__on_item_changed = self._Event()
@property
@abc.abstractmethod
def items(self):
"""Should be implemented"""
pass
def destroy(self):
"""Called to cancel current search"""
pass
def _item_changed(self, item=None):
"""Call the event object that has the list of functions"""
self.__on_item_changed(item)
def subscribe_item_changed(self, fn):
"""
Return the object that will automatically unsubscribe when destroyed.
"""
return self._EventSubscription(self.__on_item_changed, fn)
| 4,281 |
Python
| 29.368794 | 102 | 0.619248 |
omniverse-code/kit/exts/omni.kit.search_core/omni/kit/search_core/tests/search_core_test.py
|
## Copyright (c) 2021, NVIDIA CORPORATION. All rights reserved.
##
## NVIDIA CORPORATION and its licensors retain all intellectual property
## and proprietary rights in and to this software, related documentation
## and any modifications thereto. Any use, reproduction, disclosure or
## distribution of this software and related documentation without an express
## license agreement from NVIDIA CORPORATION is strictly prohibited.
##
from ..search_engine_registry import SearchEngineRegistry
from ..abstract_search_model import AbstractSearchItem
from ..abstract_search_model import AbstractSearchModel
import omni.kit.test
from unittest.mock import Mock
class TestSearchItem(AbstractSearchItem):
pass
class TestSearchModel(AbstractSearchModel):
running_search = None
def __init__(self, **kwargs):
super().__init__()
self.__items = [TestSearchItem()]
def destroy(self):
self.__items = []
@property
def items(self):
return self.__items
class TestSearchCore(omni.kit.test.AsyncTestCase):
async def test_registry(self):
test_name = "TEST_SEARCH"
self._subscription = SearchEngineRegistry().register_search_model(test_name, TestSearchModel)
self.assertIn(test_name, SearchEngineRegistry().get_search_names())
self.assertIn(test_name, SearchEngineRegistry().get_available_search_names("DummyServer"))
self.assertIs(TestSearchModel, SearchEngineRegistry().get_search_model(test_name))
self._subscription = None
self.assertNotIn(test_name, SearchEngineRegistry().get_search_names())
async def test_event_subscription(self):
mock_callback = Mock()
self._sub = SearchEngineRegistry().subscribe_engines_changed(mock_callback)
self._added_model = SearchEngineRegistry().register_search_model("dummy", TestSearchModel)
mock_callback.assert_called_once()
mock_callback.reset_mock()
self._added_model = None
mock_callback.assert_called_once()
async def test_item_changed_subscription(self):
mock_callback = Mock()
model = TestSearchModel()
self._sub = model.subscribe_item_changed(mock_callback)
model._item_changed()
mock_callback.assert_called_once()
| 2,280 |
Python
| 32.544117 | 101 | 0.709211 |
omniverse-code/kit/exts/omni.kit.search_core/docs/CHANGELOG.md
|
# Changelog
This document records all notable changes to ``omni.kit.search_core`` extension.
## [1.0.2] - 2022-11-10
### Removed
- Removed dependency on omni.kit.test
## [1.0.1] - 2022-03-07
### Added
- Added a search lifetime object that can be used for callbacks after search is done to indicate progress.
## [1.0.0] - 2020-10-05
### Added
- Initial model and registry
| 375 |
Markdown
| 22.499999 | 106 | 0.698667 |
omniverse-code/kit/exts/omni.kit.search_core/docs/README.md
|
# omni.kit.search_example
## Python Search Core
The example provides search model AbstractSearchModel and search registry
SearchEngineRegistry.
`AbstractSearchModel` represents the search results. It supports async mode. If
the search engine needs some time to process the request, it can return an
empty list and do a search in async mode. As soon as a result is ready, the
model should call `self._item_changed()`. It will make the view reload the
model. It's also possible to return the search result with portions.
`AbstractSearchModel.__init__` is usually called with the named arguments
search_text and current_dir.
`SearchEngineRegistry` keeps all the search engines. It's used to put custom
search engine to the content browser. It provides fast access to search
engines. Any extension that can use the objects derived from
`AbstractSearchModel` can use the search.
| 879 |
Markdown
| 40.90476 | 79 | 0.798635 |
omniverse-code/kit/exts/omni.graph.bundle.action/config/extension.toml
|
[package]
# Semantic Versioning is used: https://semver.org/
version = "1.3.0"
# Lists people or organizations that are considered the "authors" of the package.
authors = ["NVIDIA"]
# The title description fields are primarly for displaying extension info in UI
title = "Action Graph Bundle"
description="Load all extensions necessary for using OmniGraph action graphs"
category = "Graph"
feature = true
# URL of the extension source repository.
repository = ""
# Keywords for the extension
keywords = ["kit", "omnigraph", "action"]
# Preview image. Folder named "data" automatically goes in git lfs (see .gitattributes file).
preview_image = "data/preview.png"
# Icon is shown in Extensions window, it is recommended to be square, of size 256x256.
icon = "data/icon.svg"
# Location of change log file in target (final) folder of extension, relative to the root.
changelog="docs/CHANGELOG.md"
# Path (relative to the root) of the main documentation file.
readme = "docs/index.rst"
[dependencies]
"omni.graph" = {}
"omni.graph.action" = {}
"omni.graph.nodes" = {}
"omni.graph.ui" = {}
[[test]]
unreliable = true # OM-51994
waiver = "Empty extension that bundles other extensions"
args = [
"--/app/extensions/registryEnabled=1" # needs to be fixed and removed: OM-49578
]
[documentation]
pages = [
"docs/Overview.md",
"docs/CHANGELOG.md",
]
| 1,365 |
TOML
| 25.26923 | 93 | 0.721612 |
omniverse-code/kit/exts/omni.graph.bundle.action/docs/CHANGELOG.md
|
# Changelog
The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/).
## [1.3.0] - 2022-08-11
### Removed
- omni.graph.window.action dependency
## [1.2.0] - 2022-08-04
### Removed
- omni.graph.instancing dependency
## [1.1.1] - 2022-06-21
### Fixed
- Put docs in the README for the extension manager
## [1.1.0] - 2022-05-05
### Removed
- omni.graph.tutorials dependency
## [1.0.0] - 2021-11-18
### Changes
- Created with initial required set of extensions
| 486 |
Markdown
| 19.291666 | 80 | 0.668724 |
omniverse-code/kit/exts/omni.graph.bundle.action/docs/README.md
|
# OmniGraph Action Bundle [omni.graph.bundle.action]
Action Graphs are a subset of OmniGraph that control execution flow through event triggers.
Loading this bundled extension is a convenient way to load all of the extensions required for OmniGraph action graphs to run.
For visual editing of Action graphs, see `omni.graph.window.action`.
| 342 |
Markdown
| 47.999993 | 125 | 0.809942 |
omniverse-code/kit/exts/omni.graph.bundle.action/docs/index.rst
|
OmniGraph Action Graph Bundle
#############################
.. tabularcolumns:: |L|R|
.. csv-table::
:width: 100%
**Extension**: omni.graph.bundle.action,**Documentation Generated**: |today|
Action Graphs are a subset of OmniGraph that control execution flow through event triggers.
Loading this bundled extension is a convenient way to load all of the extensions required to use the OmniGraph
action graphs.
Extensions Loaded
=================
- omni.graph
- omni.graph.action
- omni.graph.nodes
- omni.graph.ui
- omni.graph.window.action
.. toctree::
:maxdepth: 1
CHANGELOG
| 596 |
reStructuredText
| 20.321428 | 110 | 0.682886 |
omniverse-code/kit/exts/omni.graph.bundle.action/docs/Overview.md
|
# OmniGraph Action Graph Bundle
```{csv-table}
**Extension**: omni.graph.bundle.action,**Documentation Generated**: {sub-ref}`today`
```
Action Graphs are a subset of OmniGraph that control execution flow through event triggers.
Loading this bundled extension is a convenient way to load all of the extensions required to use the OmniGraph
action graphs.
## Extensions Loaded
- omni.graph
- omni.graph.action
- omni.graph.nodes
- omni.graph.ui
- omni.graph.window.action
| 474 |
Markdown
| 26.941175 | 110 | 0.767932 |
omniverse-code/kit/exts/omni.graph.test/config/extension.toml
|
[package]
version = "0.18.0"
title = "OmniGraph Regression Testing"
category = "Graph"
readme = "docs/README.md"
changelog = "docs/CHANGELOG.md"
description = "Contains test scripts and files used to test the OmniGraph extensions where the tests cannot live in a single extension."
repository = ""
keywords = ["kit", "omnigraph", "tests"]
# Main module for the Python interface
[[python.module]]
name = "omni.graph.test"
[[native.plugin]]
path = "bin/*.plugin"
recursive = false
# Watch the .ogn files for hot reloading (only works for Python files)
[fswatcher.patterns]
include = ["*.ogn", "*.py"]
exclude = ["Ogn*Database.py"]
# Python array data uses numpy as its format
[python.pipapi]
requirements = ["numpy"]
# Other extensions that need to load in order for this one to work
[dependencies]
"omni.graph" = {}
"omni.graph.tools" = {}
"omni.kit.pipapi" = {}
"omni.graph.examples.cpp" = {}
"omni.graph.examples.python" = {}
"omni.graph.nodes" = {}
"omni.graph.tutorials" = {}
"omni.graph.action" = {}
"omni.graph.scriptnode" = {}
"omni.inspect" = {}
"omni.usd" = {}
[[test]]
timeout = 600
stdoutFailPatterns.exclude = [
# Exclude carb.events leak that only shows up locally
"*[Error] [carb.events.plugin]*PooledAllocator*",
# Exclude messages which say they should be ignored
"*Ignore this error/warning*",
]
pythonTests.unreliable = [
# "*test_graph_load", # OM-53608
# "*test_hashability", # OM-53608
# "*test_rename_deformer", # OM-53608
"*test_import_time_sampled_data", # OM-58596
# "*test_import_time_samples", # OM-61324
"*test_reparent_graph", # OM-58852
"*test_simple_rename", # OM-58852
"*test_copy_on_write", # OM-58586
"*test_reparent_fabric", # OM-63175
]
[documentation]
pages = [
"docs/Overview.md",
"docs/CHANGELOG.md",
]
| 1,809 |
TOML
| 25.617647 | 136 | 0.671089 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/__init__.py
|
"""There is no public API to this module."""
__all__ = []
from ._impl.extension import _PublicExtension # noqa: F401
| 119 |
Python
| 22.999995 | 59 | 0.663866 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestDataModelDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TestDataModel
Helper node that allows to test that core features of datamodel are working as expected (CoW, DataStealing, ...)
"""
import carb
import numpy
import carb
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnTestDataModelDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TestDataModel
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.arrayShouldMatch
inputs.attrib
inputs.bundleArraysThatShouldDiffer
inputs.bundleShouldMatch
inputs.mutArray
inputs.mutBundle
inputs.mutateArray
inputs.refArray
inputs.refBundle
Outputs:
outputs.array
outputs.bundle
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:arrayShouldMatch', 'bool', 0, 'Array should match', 'Whether or not the input arrays should be the same one one', {ogn.MetadataKeys.DEFAULT: 'true'}, True, True, False, ''),
('inputs:attrib', 'token', 0, 'Attrib to mutate', 'Attribute to mutate in the bundle', {}, True, "", False, ''),
('inputs:bundleArraysThatShouldDiffer', 'int', 0, 'Number of != arrays in bundles', 'The number of arrays attribute in the input bundles that should differs', {ogn.MetadataKeys.DEFAULT: '0'}, True, 0, False, ''),
('inputs:bundleShouldMatch', 'bool', 0, 'Bundles should match', 'Whether or not the input bundles should be the same one', {ogn.MetadataKeys.DEFAULT: 'true'}, True, True, False, ''),
('inputs:mutArray', 'point3f[]', 0, 'In array', 'Array meant to be mutated', {}, True, [], False, ''),
('inputs:mutBundle', 'bundle', 0, 'In bundle', 'Bundle meant to be mutated (or not)', {}, True, None, False, ''),
('inputs:mutateArray', 'bool', 0, 'Mutate array', 'Whether or not to mutate the array or just passthrough', {ogn.MetadataKeys.DEFAULT: 'false'}, True, False, False, ''),
('inputs:refArray', 'point3f[]', 0, 'Ref array', 'A reference array used as a point of comparaison', {}, True, [], False, ''),
('inputs:refBundle', 'bundle', 0, 'Ref bundle', 'Reference Bundle used as a point of comparaison', {}, True, None, False, ''),
('outputs:array', 'point3f[]', 0, 'Output array', 'The outputed array', {}, True, None, False, ''),
('outputs:bundle', 'bundle', 0, 'Output bundle', 'The outputed bundle', {}, True, None, False, ''),
])
@classmethod
def _populate_role_data(cls):
"""Populate a role structure with the non-default roles on this node type"""
role_data = super()._populate_role_data()
role_data.inputs.mutArray = og.AttributeRole.POSITION
role_data.inputs.mutBundle = og.AttributeRole.BUNDLE
role_data.inputs.refArray = og.AttributeRole.POSITION
role_data.inputs.refBundle = og.AttributeRole.BUNDLE
role_data.outputs.array = og.AttributeRole.POSITION
role_data.outputs.bundle = og.AttributeRole.BUNDLE
return role_data
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.__bundles = og.BundleContainer(context, node, attributes, [], read_only=True, gpu_ptr_kinds={})
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def arrayShouldMatch(self):
data_view = og.AttributeValueHelper(self._attributes.arrayShouldMatch)
return data_view.get()
@arrayShouldMatch.setter
def arrayShouldMatch(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.arrayShouldMatch)
data_view = og.AttributeValueHelper(self._attributes.arrayShouldMatch)
data_view.set(value)
@property
def attrib(self):
data_view = og.AttributeValueHelper(self._attributes.attrib)
return data_view.get()
@attrib.setter
def attrib(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.attrib)
data_view = og.AttributeValueHelper(self._attributes.attrib)
data_view.set(value)
@property
def bundleArraysThatShouldDiffer(self):
data_view = og.AttributeValueHelper(self._attributes.bundleArraysThatShouldDiffer)
return data_view.get()
@bundleArraysThatShouldDiffer.setter
def bundleArraysThatShouldDiffer(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.bundleArraysThatShouldDiffer)
data_view = og.AttributeValueHelper(self._attributes.bundleArraysThatShouldDiffer)
data_view.set(value)
@property
def bundleShouldMatch(self):
data_view = og.AttributeValueHelper(self._attributes.bundleShouldMatch)
return data_view.get()
@bundleShouldMatch.setter
def bundleShouldMatch(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.bundleShouldMatch)
data_view = og.AttributeValueHelper(self._attributes.bundleShouldMatch)
data_view.set(value)
@property
def mutArray(self):
data_view = og.AttributeValueHelper(self._attributes.mutArray)
return data_view.get()
@mutArray.setter
def mutArray(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.mutArray)
data_view = og.AttributeValueHelper(self._attributes.mutArray)
data_view.set(value)
self.mutArray_size = data_view.get_array_size()
@property
def mutBundle(self) -> og.BundleContents:
"""Get the bundle wrapper class for the attribute inputs.mutBundle"""
return self.__bundles.mutBundle
@property
def mutateArray(self):
data_view = og.AttributeValueHelper(self._attributes.mutateArray)
return data_view.get()
@mutateArray.setter
def mutateArray(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.mutateArray)
data_view = og.AttributeValueHelper(self._attributes.mutateArray)
data_view.set(value)
@property
def refArray(self):
data_view = og.AttributeValueHelper(self._attributes.refArray)
return data_view.get()
@refArray.setter
def refArray(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.refArray)
data_view = og.AttributeValueHelper(self._attributes.refArray)
data_view.set(value)
self.refArray_size = data_view.get_array_size()
@property
def refBundle(self) -> og.BundleContents:
"""Get the bundle wrapper class for the attribute inputs.refBundle"""
return self.__bundles.refBundle
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.__bundles = og.BundleContainer(context, node, attributes, [], read_only=False, gpu_ptr_kinds={})
self.array_size = None
self._batchedWriteValues = { }
@property
def array(self):
data_view = og.AttributeValueHelper(self._attributes.array)
return data_view.get(reserved_element_count=self.array_size)
@array.setter
def array(self, value):
data_view = og.AttributeValueHelper(self._attributes.array)
data_view.set(value)
self.array_size = data_view.get_array_size()
@property
def bundle(self) -> og.BundleContents:
"""Get the bundle wrapper class for the attribute outputs.bundle"""
return self.__bundles.bundle
@bundle.setter
def bundle(self, bundle: og.BundleContents):
"""Overwrite the bundle attribute outputs.bundle with a new bundle"""
if not isinstance(bundle, og.BundleContents):
carb.log_error("Only bundle attributes can be assigned to another bundle attribute")
self.__bundles.bundle.bundle = bundle
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestDataModelDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestDataModelDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestDataModelDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 11,607 |
Python
| 46.966942 | 220 | 0.649091 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestGatherDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TestGather
Test node to test out the effects of vectorization.
"""
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
import carb
import numpy
class OgnTestGatherDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TestGather
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.base_name
inputs.num_instances
Outputs:
outputs.gathered_paths
outputs.rotations
"""
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:base_name', 'token', 0, None, 'The base name of the pattern to match', {ogn.MetadataKeys.DEFAULT: '""'}, True, '', False, ''),
('inputs:num_instances', 'int', 0, None, 'How many instances are involved', {ogn.MetadataKeys.DEFAULT: '1'}, True, 1, False, ''),
('outputs:gathered_paths', 'token[]', 0, None, 'The paths of the gathered objects', {ogn.MetadataKeys.DEFAULT: '[]'}, True, [], False, ''),
('outputs:rotations', 'double3[]', 0, None, 'The rotations of the gathered points', {ogn.MetadataKeys.DEFAULT: '[]'}, True, [], False, ''),
])
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = {"base_name", "num_instances", "_setting_locked", "_batchedReadAttributes", "_batchedReadValues"}
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = [self._attributes.base_name, self._attributes.num_instances]
self._batchedReadValues = ["", 1]
@property
def base_name(self):
return self._batchedReadValues[0]
@base_name.setter
def base_name(self, value):
self._batchedReadValues[0] = value
@property
def num_instances(self):
return self._batchedReadValues[1]
@num_instances.setter
def num_instances(self, value):
self._batchedReadValues[1] = value
def __getattr__(self, item: str):
if item in self.LOCAL_PROPERTY_NAMES:
return object.__getattribute__(self, item)
else:
return super().__getattr__(item)
def __setattr__(self, item: str, new_value):
if item in self.LOCAL_PROPERTY_NAMES:
object.__setattr__(self, item, new_value)
else:
super().__setattr__(item, new_value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.gathered_paths_size = 0
self.rotations_size = 0
self._batchedWriteValues = { }
@property
def gathered_paths(self):
data_view = og.AttributeValueHelper(self._attributes.gathered_paths)
return data_view.get(reserved_element_count=self.gathered_paths_size)
@gathered_paths.setter
def gathered_paths(self, value):
data_view = og.AttributeValueHelper(self._attributes.gathered_paths)
data_view.set(value)
self.gathered_paths_size = data_view.get_array_size()
@property
def rotations(self):
data_view = og.AttributeValueHelper(self._attributes.rotations)
return data_view.get(reserved_element_count=self.rotations_size)
@rotations.setter
def rotations(self, value):
data_view = og.AttributeValueHelper(self._attributes.rotations)
data_view.set(value)
self.rotations_size = data_view.get_array_size()
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestGatherDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestGatherDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestGatherDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 6,560 |
Python
| 49.083969 | 147 | 0.653506 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnDecomposeDouble3CDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.DecomposeDouble3C
Example node that takes in a double[3] and outputs scalars that are its components
"""
import carb
import numpy
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnDecomposeDouble3CDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.DecomposeDouble3C
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.double3
Outputs:
outputs.x
outputs.y
outputs.z
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:double3', 'double3', 0, None, 'Input to decompose', {ogn.MetadataKeys.DEFAULT: '[0, 0, 0]'}, True, [0, 0, 0], False, ''),
('outputs:x', 'double', 0, None, 'The x component of the input', {}, True, None, False, ''),
('outputs:y', 'double', 0, None, 'The y component of the input', {}, True, None, False, ''),
('outputs:z', 'double', 0, None, 'The z component of the input', {}, True, None, False, ''),
])
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def double3(self):
data_view = og.AttributeValueHelper(self._attributes.double3)
return data_view.get()
@double3.setter
def double3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.double3)
data_view = og.AttributeValueHelper(self._attributes.double3)
data_view.set(value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedWriteValues = { }
@property
def x(self):
data_view = og.AttributeValueHelper(self._attributes.x)
return data_view.get()
@x.setter
def x(self, value):
data_view = og.AttributeValueHelper(self._attributes.x)
data_view.set(value)
@property
def y(self):
data_view = og.AttributeValueHelper(self._attributes.y)
return data_view.get()
@y.setter
def y(self, value):
data_view = og.AttributeValueHelper(self._attributes.y)
data_view.set(value)
@property
def z(self):
data_view = og.AttributeValueHelper(self._attributes.z)
return data_view.get()
@z.setter
def z(self, value):
data_view = og.AttributeValueHelper(self._attributes.z)
data_view.set(value)
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnDecomposeDouble3CDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnDecomposeDouble3CDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnDecomposeDouble3CDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 5,913 |
Python
| 42.807407 | 138 | 0.651108 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnComputeErrorCppDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.ComputeErrorCpp
Generates a customizable error during its compute(), for testing purposes. C++ version.
"""
import carb
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnComputeErrorCppDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.ComputeErrorCpp
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.deprecatedInInit
inputs.deprecatedInOgn
inputs.dummyIn
inputs.failCompute
inputs.message
inputs.severity
Outputs:
outputs.dummyOut
Predefined Tokens:
tokens.none
tokens.warning
tokens.error
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:deprecatedInInit', 'float', 0, None, "Attribute which has been deprecated in the node's initialization code.", {}, True, 0.0, False, ''),
('inputs:deprecatedInOgn', 'float', 0, None, 'Attribute which has been deprecated here in the .ogn file.', {}, True, 0.0, True, "Use 'dummyIn' instead."),
('inputs:dummyIn', 'int', 0, None, 'Dummy value to be copied to the output.', {ogn.MetadataKeys.DEFAULT: '0'}, True, 0, False, ''),
('inputs:failCompute', 'bool', 0, None, 'If true, the compute() call will return failure to the evaluator.', {ogn.MetadataKeys.DEFAULT: 'false'}, True, False, False, ''),
('inputs:message', 'string', 0, None, 'Text of the error message.', {}, True, "", False, ''),
('inputs:severity', 'token', 0, None, "Severity of the error. 'none' disables the error.", {ogn.MetadataKeys.ALLOWED_TOKENS: 'none,warning,error', ogn.MetadataKeys.ALLOWED_TOKENS_RAW: '["none", "warning", "error"]', ogn.MetadataKeys.DEFAULT: '"none"'}, True, "none", False, ''),
('outputs:dummyOut', 'int', 0, None, "Value copied from 'dummyIn'", {ogn.MetadataKeys.DEFAULT: '0'}, True, 0, False, ''),
])
class tokens:
none = "none"
warning = "warning"
error = "error"
@classmethod
def _populate_role_data(cls):
"""Populate a role structure with the non-default roles on this node type"""
role_data = super()._populate_role_data()
role_data.inputs.message = og.AttributeRole.TEXT
return role_data
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def deprecatedInInit(self):
data_view = og.AttributeValueHelper(self._attributes.deprecatedInInit)
return data_view.get()
@deprecatedInInit.setter
def deprecatedInInit(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.deprecatedInInit)
data_view = og.AttributeValueHelper(self._attributes.deprecatedInInit)
data_view.set(value)
@property
def deprecatedInOgn(self):
data_view = og.AttributeValueHelper(self._attributes.deprecatedInOgn)
return data_view.get()
@deprecatedInOgn.setter
def deprecatedInOgn(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.deprecatedInOgn)
data_view = og.AttributeValueHelper(self._attributes.deprecatedInOgn)
data_view.set(value)
@property
def dummyIn(self):
data_view = og.AttributeValueHelper(self._attributes.dummyIn)
return data_view.get()
@dummyIn.setter
def dummyIn(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.dummyIn)
data_view = og.AttributeValueHelper(self._attributes.dummyIn)
data_view.set(value)
@property
def failCompute(self):
data_view = og.AttributeValueHelper(self._attributes.failCompute)
return data_view.get()
@failCompute.setter
def failCompute(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.failCompute)
data_view = og.AttributeValueHelper(self._attributes.failCompute)
data_view.set(value)
@property
def message(self):
data_view = og.AttributeValueHelper(self._attributes.message)
return data_view.get()
@message.setter
def message(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.message)
data_view = og.AttributeValueHelper(self._attributes.message)
data_view.set(value)
self.message_size = data_view.get_array_size()
@property
def severity(self):
data_view = og.AttributeValueHelper(self._attributes.severity)
return data_view.get()
@severity.setter
def severity(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.severity)
data_view = og.AttributeValueHelper(self._attributes.severity)
data_view.set(value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedWriteValues = { }
@property
def dummyOut(self):
data_view = og.AttributeValueHelper(self._attributes.dummyOut)
return data_view.get()
@dummyOut.setter
def dummyOut(self, value):
data_view = og.AttributeValueHelper(self._attributes.dummyOut)
data_view.set(value)
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnComputeErrorCppDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnComputeErrorCppDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnComputeErrorCppDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 8,936 |
Python
| 44.136363 | 286 | 0.648389 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestGatherRandomRotationsDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TestGatherRandomRotations
A sample node that gathers (vectorizes) a bunch of translations and rotations for OmniHydra. It lays out the objects in
a grid and assigns a random value for the rotation
"""
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
import carb
class OgnTestGatherRandomRotationsDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TestGatherRandomRotations
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.bucketIds
"""
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:bucketIds', 'uint64', 0, None, 'bucketIds of the buckets involved in the gather', {ogn.MetadataKeys.DEFAULT: '0'}, True, 0, False, ''),
])
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = {"bucketIds", "_setting_locked", "_batchedReadAttributes", "_batchedReadValues"}
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = [self._attributes.bucketIds]
self._batchedReadValues = [0]
@property
def bucketIds(self):
return self._batchedReadValues[0]
@bucketIds.setter
def bucketIds(self, value):
self._batchedReadValues[0] = value
def __getattr__(self, item: str):
if item in self.LOCAL_PROPERTY_NAMES:
return object.__getattribute__(self, item)
else:
return super().__getattr__(item)
def __setattr__(self, item: str, new_value):
if item in self.LOCAL_PROPERTY_NAMES:
object.__setattr__(self, item, new_value)
else:
super().__setattr__(item, new_value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedWriteValues = { }
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestGatherRandomRotationsDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestGatherRandomRotationsDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestGatherRandomRotationsDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 4,969 |
Python
| 53.021739 | 152 | 0.680217 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestAllDataTypesDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TestAllDataTypes
This node is meant to exercise data access for all available data types, including all legal combinations of tuples, arrays,
and bundle members. This node definition is a duplicate of OgnTestAllDataTypesPy.ogn, except the implementation language
is C++.
"""
import carb
import numpy
import usdrt
import carb
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnTestAllDataTypesDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TestAllDataTypes
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.a_bool
inputs.a_bool_array
inputs.a_bundle
inputs.a_colord_3
inputs.a_colord_3_array
inputs.a_colord_4
inputs.a_colord_4_array
inputs.a_colorf_3
inputs.a_colorf_3_array
inputs.a_colorf_4
inputs.a_colorf_4_array
inputs.a_colorh_3
inputs.a_colorh_3_array
inputs.a_colorh_4
inputs.a_colorh_4_array
inputs.a_double
inputs.a_double_2
inputs.a_double_2_array
inputs.a_double_3
inputs.a_double_3_array
inputs.a_double_4
inputs.a_double_4_array
inputs.a_double_array
inputs.a_execution
inputs.a_float
inputs.a_float_2
inputs.a_float_2_array
inputs.a_float_3
inputs.a_float_3_array
inputs.a_float_4
inputs.a_float_4_array
inputs.a_float_array
inputs.a_frame_4
inputs.a_frame_4_array
inputs.a_half
inputs.a_half_2
inputs.a_half_2_array
inputs.a_half_3
inputs.a_half_3_array
inputs.a_half_4
inputs.a_half_4_array
inputs.a_half_array
inputs.a_int
inputs.a_int64
inputs.a_int64_array
inputs.a_int_2
inputs.a_int_2_array
inputs.a_int_3
inputs.a_int_3_array
inputs.a_int_4
inputs.a_int_4_array
inputs.a_int_array
inputs.a_matrixd_2
inputs.a_matrixd_2_array
inputs.a_matrixd_3
inputs.a_matrixd_3_array
inputs.a_matrixd_4
inputs.a_matrixd_4_array
inputs.a_normald_3
inputs.a_normald_3_array
inputs.a_normalf_3
inputs.a_normalf_3_array
inputs.a_normalh_3
inputs.a_normalh_3_array
inputs.a_objectId
inputs.a_objectId_array
inputs.a_path
inputs.a_pointd_3
inputs.a_pointd_3_array
inputs.a_pointf_3
inputs.a_pointf_3_array
inputs.a_pointh_3
inputs.a_pointh_3_array
inputs.a_quatd_4
inputs.a_quatd_4_array
inputs.a_quatf_4
inputs.a_quatf_4_array
inputs.a_quath_4
inputs.a_quath_4_array
inputs.a_string
inputs.a_target
inputs.a_texcoordd_2
inputs.a_texcoordd_2_array
inputs.a_texcoordd_3
inputs.a_texcoordd_3_array
inputs.a_texcoordf_2
inputs.a_texcoordf_2_array
inputs.a_texcoordf_3
inputs.a_texcoordf_3_array
inputs.a_texcoordh_2
inputs.a_texcoordh_2_array
inputs.a_texcoordh_3
inputs.a_texcoordh_3_array
inputs.a_timecode
inputs.a_timecode_array
inputs.a_token
inputs.a_token_array
inputs.a_uchar
inputs.a_uchar_array
inputs.a_uint
inputs.a_uint64
inputs.a_uint64_array
inputs.a_uint_array
inputs.a_vectord_3
inputs.a_vectord_3_array
inputs.a_vectorf_3
inputs.a_vectorf_3_array
inputs.a_vectorh_3
inputs.a_vectorh_3_array
inputs.doNotCompute
Outputs:
outputs.a_bool
outputs.a_bool_array
outputs.a_bundle
outputs.a_colord_3
outputs.a_colord_3_array
outputs.a_colord_4
outputs.a_colord_4_array
outputs.a_colorf_3
outputs.a_colorf_3_array
outputs.a_colorf_4
outputs.a_colorf_4_array
outputs.a_colorh_3
outputs.a_colorh_3_array
outputs.a_colorh_4
outputs.a_colorh_4_array
outputs.a_double
outputs.a_double_2
outputs.a_double_2_array
outputs.a_double_3
outputs.a_double_3_array
outputs.a_double_4
outputs.a_double_4_array
outputs.a_double_array
outputs.a_execution
outputs.a_float
outputs.a_float_2
outputs.a_float_2_array
outputs.a_float_3
outputs.a_float_3_array
outputs.a_float_4
outputs.a_float_4_array
outputs.a_float_array
outputs.a_frame_4
outputs.a_frame_4_array
outputs.a_half
outputs.a_half_2
outputs.a_half_2_array
outputs.a_half_3
outputs.a_half_3_array
outputs.a_half_4
outputs.a_half_4_array
outputs.a_half_array
outputs.a_int
outputs.a_int64
outputs.a_int64_array
outputs.a_int_2
outputs.a_int_2_array
outputs.a_int_3
outputs.a_int_3_array
outputs.a_int_4
outputs.a_int_4_array
outputs.a_int_array
outputs.a_matrixd_2
outputs.a_matrixd_2_array
outputs.a_matrixd_3
outputs.a_matrixd_3_array
outputs.a_matrixd_4
outputs.a_matrixd_4_array
outputs.a_normald_3
outputs.a_normald_3_array
outputs.a_normalf_3
outputs.a_normalf_3_array
outputs.a_normalh_3
outputs.a_normalh_3_array
outputs.a_objectId
outputs.a_objectId_array
outputs.a_path
outputs.a_pointd_3
outputs.a_pointd_3_array
outputs.a_pointf_3
outputs.a_pointf_3_array
outputs.a_pointh_3
outputs.a_pointh_3_array
outputs.a_quatd_4
outputs.a_quatd_4_array
outputs.a_quatf_4
outputs.a_quatf_4_array
outputs.a_quath_4
outputs.a_quath_4_array
outputs.a_string
outputs.a_target
outputs.a_texcoordd_2
outputs.a_texcoordd_2_array
outputs.a_texcoordd_3
outputs.a_texcoordd_3_array
outputs.a_texcoordf_2
outputs.a_texcoordf_2_array
outputs.a_texcoordf_3
outputs.a_texcoordf_3_array
outputs.a_texcoordh_2
outputs.a_texcoordh_2_array
outputs.a_texcoordh_3
outputs.a_texcoordh_3_array
outputs.a_timecode
outputs.a_timecode_array
outputs.a_token
outputs.a_token_array
outputs.a_uchar
outputs.a_uchar_array
outputs.a_uint
outputs.a_uint64
outputs.a_uint64_array
outputs.a_uint_array
outputs.a_vectord_3
outputs.a_vectord_3_array
outputs.a_vectorf_3
outputs.a_vectorf_3_array
outputs.a_vectorh_3
outputs.a_vectorh_3_array
State:
state.a_bool
state.a_bool_array
state.a_bundle
state.a_colord_3
state.a_colord_3_array
state.a_colord_4
state.a_colord_4_array
state.a_colorf_3
state.a_colorf_3_array
state.a_colorf_4
state.a_colorf_4_array
state.a_colorh_3
state.a_colorh_3_array
state.a_colorh_4
state.a_colorh_4_array
state.a_double
state.a_double_2
state.a_double_2_array
state.a_double_3
state.a_double_3_array
state.a_double_4
state.a_double_4_array
state.a_double_array
state.a_execution
state.a_firstEvaluation
state.a_float
state.a_float_2
state.a_float_2_array
state.a_float_3
state.a_float_3_array
state.a_float_4
state.a_float_4_array
state.a_float_array
state.a_frame_4
state.a_frame_4_array
state.a_half
state.a_half_2
state.a_half_2_array
state.a_half_3
state.a_half_3_array
state.a_half_4
state.a_half_4_array
state.a_half_array
state.a_int
state.a_int64
state.a_int64_array
state.a_int_2
state.a_int_2_array
state.a_int_3
state.a_int_3_array
state.a_int_4
state.a_int_4_array
state.a_int_array
state.a_matrixd_2
state.a_matrixd_2_array
state.a_matrixd_3
state.a_matrixd_3_array
state.a_matrixd_4
state.a_matrixd_4_array
state.a_normald_3
state.a_normald_3_array
state.a_normalf_3
state.a_normalf_3_array
state.a_normalh_3
state.a_normalh_3_array
state.a_objectId
state.a_objectId_array
state.a_path
state.a_pointd_3
state.a_pointd_3_array
state.a_pointf_3
state.a_pointf_3_array
state.a_pointh_3
state.a_pointh_3_array
state.a_quatd_4
state.a_quatd_4_array
state.a_quatf_4
state.a_quatf_4_array
state.a_quath_4
state.a_quath_4_array
state.a_string
state.a_stringEmpty
state.a_target
state.a_texcoordd_2
state.a_texcoordd_2_array
state.a_texcoordd_3
state.a_texcoordd_3_array
state.a_texcoordf_2
state.a_texcoordf_2_array
state.a_texcoordf_3
state.a_texcoordf_3_array
state.a_texcoordh_2
state.a_texcoordh_2_array
state.a_texcoordh_3
state.a_texcoordh_3_array
state.a_timecode
state.a_timecode_array
state.a_token
state.a_token_array
state.a_uchar
state.a_uchar_array
state.a_uint
state.a_uint64
state.a_uint64_array
state.a_uint_array
state.a_vectord_3
state.a_vectord_3_array
state.a_vectorf_3
state.a_vectorf_3_array
state.a_vectorh_3
state.a_vectorh_3_array
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:a_bool', 'bool', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: 'false'}, True, False, False, ''),
('inputs:a_bool_array', 'bool[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[false, true]'}, True, [False, True], False, ''),
('inputs:a_bundle', 'bundle', 0, None, 'Input Attribute', {}, False, None, False, ''),
('inputs:a_colord_3', 'color3d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_colord_3_array', 'color3d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_colord_4', 'color4d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0, 4.0]'}, True, [1.0, 2.0, 3.0, 4.0], False, ''),
('inputs:a_colord_4_array', 'color4d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False, ''),
('inputs:a_colorf_3', 'color3f', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_colorf_3_array', 'color3f[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_colorf_4', 'color4f', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0, 4.0]'}, True, [1.0, 2.0, 3.0, 4.0], False, ''),
('inputs:a_colorf_4_array', 'color4f[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False, ''),
('inputs:a_colorh_3', 'color3h', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_colorh_3_array', 'color3h[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_colorh_4', 'color4h', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0, 4.0]'}, True, [1.0, 2.0, 3.0, 4.0], False, ''),
('inputs:a_colorh_4_array', 'color4h[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False, ''),
('inputs:a_double', 'double', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1.0'}, True, 1.0, False, ''),
('inputs:a_double_2', 'double2', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_double_2_array', 'double2[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0], [11.0, 12.0]]'}, True, [[1.0, 2.0], [11.0, 12.0]], False, ''),
('inputs:a_double_3', 'double3', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_double_3_array', 'double3[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_double_4', 'double4', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0, 4.0]'}, True, [1.0, 2.0, 3.0, 4.0], False, ''),
('inputs:a_double_4_array', 'double4[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False, ''),
('inputs:a_double_array', 'double[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_execution', 'execution', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1'}, True, 1, False, ''),
('inputs:a_float', 'float', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1.0'}, True, 1.0, False, ''),
('inputs:a_float_2', 'float2', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_float_2_array', 'float2[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0], [11.0, 12.0]]'}, True, [[1.0, 2.0], [11.0, 12.0]], False, ''),
('inputs:a_float_3', 'float3', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_float_3_array', 'float3[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_float_4', 'float4', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0, 4.0]'}, True, [1.0, 2.0, 3.0, 4.0], False, ''),
('inputs:a_float_4_array', 'float4[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False, ''),
('inputs:a_float_array', 'float[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_frame_4', 'frame4d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], False, ''),
('inputs:a_frame_4_array', 'frame4d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], [[11.0, 12.0, 13.0, 14.0], [15.0, 16.0, 17.0, 18.0], [19.0, 20.0, 21.0, 22.0], [23.0, 24.0, 25.0, 26.0]]]'}, True, [[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], [[11.0, 12.0, 13.0, 14.0], [15.0, 16.0, 17.0, 18.0], [19.0, 20.0, 21.0, 22.0], [23.0, 24.0, 25.0, 26.0]]], False, ''),
('inputs:a_half', 'half', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1.0'}, True, 1.0, False, ''),
('inputs:a_half_2', 'half2', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_half_2_array', 'half2[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0], [11.0, 12.0]]'}, True, [[1.0, 2.0], [11.0, 12.0]], False, ''),
('inputs:a_half_3', 'half3', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_half_3_array', 'half3[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_half_4', 'half4', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0, 4.0]'}, True, [1.0, 2.0, 3.0, 4.0], False, ''),
('inputs:a_half_4_array', 'half4[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False, ''),
('inputs:a_half_array', 'half[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_int', 'int', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1'}, True, 1, False, ''),
('inputs:a_int64', 'int64', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '12345'}, True, 12345, False, ''),
('inputs:a_int64_array', 'int64[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[12345, 23456]'}, True, [12345, 23456], False, ''),
('inputs:a_int_2', 'int2', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('inputs:a_int_2_array', 'int2[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1, 2], [3, 4]]'}, True, [[1, 2], [3, 4]], False, ''),
('inputs:a_int_3', 'int3', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2, 3]'}, True, [1, 2, 3], False, ''),
('inputs:a_int_3_array', 'int3[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1, 2, 3], [4, 5, 6]]'}, True, [[1, 2, 3], [4, 5, 6]], False, ''),
('inputs:a_int_4', 'int4', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2, 3, 4]'}, True, [1, 2, 3, 4], False, ''),
('inputs:a_int_4_array', 'int4[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1, 2, 3, 4], [5, 6, 7, 8]]'}, True, [[1, 2, 3, 4], [5, 6, 7, 8]], False, ''),
('inputs:a_int_array', 'int[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('inputs:a_matrixd_2', 'matrix2d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0], [3.0, 4.0]]'}, True, [[1.0, 2.0], [3.0, 4.0]], False, ''),
('inputs:a_matrixd_2_array', 'matrix2d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.0, 2.0], [3.0, 4.0]], [[11.0, 12.0], [13.0, 14.0]]]'}, True, [[[1.0, 2.0], [3.0, 4.0]], [[11.0, 12.0], [13.0, 14.0]]], False, ''),
('inputs:a_matrixd_3', 'matrix3d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [4.0, 5.0, 6.0], [7.0, 8.0, 9.0]]'}, True, [[1.0, 2.0, 3.0], [4.0, 5.0, 6.0], [7.0, 8.0, 9.0]], False, ''),
('inputs:a_matrixd_3_array', 'matrix3d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.0, 2.0, 3.0], [4.0, 5.0, 6.0], [7.0, 8.0, 9.0]], [[11.0, 12.0, 13.0], [14.0, 15.0, 16.0], [17.0, 18.0, 19.0]]]'}, True, [[[1.0, 2.0, 3.0], [4.0, 5.0, 6.0], [7.0, 8.0, 9.0]], [[11.0, 12.0, 13.0], [14.0, 15.0, 16.0], [17.0, 18.0, 19.0]]], False, ''),
('inputs:a_matrixd_4', 'matrix4d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], False, ''),
('inputs:a_matrixd_4_array', 'matrix4d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], [[11.0, 12.0, 13.0, 14.0], [15.0, 16.0, 17.0, 18.0], [19.0, 20.0, 21.0, 22.0], [23.0, 24.0, 25.0, 26.0]]]'}, True, [[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], [[11.0, 12.0, 13.0, 14.0], [15.0, 16.0, 17.0, 18.0], [19.0, 20.0, 21.0, 22.0], [23.0, 24.0, 25.0, 26.0]]], False, ''),
('inputs:a_normald_3', 'normal3d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_normald_3_array', 'normal3d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_normalf_3', 'normal3f', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_normalf_3_array', 'normal3f[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_normalh_3', 'normal3h', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_normalh_3_array', 'normal3h[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_objectId', 'objectId', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1'}, True, 1, False, ''),
('inputs:a_objectId_array', 'objectId[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('inputs:a_path', 'path', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '"/Input"'}, True, "/Input", False, ''),
('inputs:a_pointd_3', 'point3d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_pointd_3_array', 'point3d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_pointf_3', 'point3f', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_pointf_3_array', 'point3f[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_pointh_3', 'point3h', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_pointh_3_array', 'point3h[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_quatd_4', 'quatd', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0, 4.0]'}, True, [1.0, 2.0, 3.0, 4.0], False, ''),
('inputs:a_quatd_4_array', 'quatd[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False, ''),
('inputs:a_quatf_4', 'quatf', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0, 4.0]'}, True, [1.0, 2.0, 3.0, 4.0], False, ''),
('inputs:a_quatf_4_array', 'quatf[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False, ''),
('inputs:a_quath_4', 'quath', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0, 4.0]'}, True, [1.0, 2.0, 3.0, 4.0], False, ''),
('inputs:a_quath_4_array', 'quath[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]'}, True, [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False, ''),
('inputs:a_string', 'string', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '"Rey\\n\\"Palpatine\\" Skywalker"'}, True, "Rey\n\"Palpatine\" Skywalker", False, ''),
('inputs:a_target', 'target', 0, None, 'Input Attribute', {ogn.MetadataKeys.ALLOW_MULTI_INPUTS: '1'}, True, [], False, ''),
('inputs:a_texcoordd_2', 'texCoord2d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_texcoordd_2_array', 'texCoord2d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0], [11.0, 12.0]]'}, True, [[1.0, 2.0], [11.0, 12.0]], False, ''),
('inputs:a_texcoordd_3', 'texCoord3d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_texcoordd_3_array', 'texCoord3d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_texcoordf_2', 'texCoord2f', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_texcoordf_2_array', 'texCoord2f[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0], [11.0, 12.0]]'}, True, [[1.0, 2.0], [11.0, 12.0]], False, ''),
('inputs:a_texcoordf_3', 'texCoord3f', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_texcoordf_3_array', 'texCoord3f[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_texcoordh_2', 'texCoord2h', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_texcoordh_2_array', 'texCoord2h[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0], [11.0, 12.0]]'}, True, [[1.0, 2.0], [11.0, 12.0]], False, ''),
('inputs:a_texcoordh_3', 'texCoord3h', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_texcoordh_3_array', 'texCoord3h[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_timecode', 'timecode', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1.0'}, True, 1.0, False, ''),
('inputs:a_timecode_array', 'timecode[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0]'}, True, [1.0, 2.0], False, ''),
('inputs:a_token', 'token', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '"Sith\\nLord"'}, True, "Sith\nLord", False, ''),
('inputs:a_token_array', 'token[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '["Kylo\\n\\"The Putz\\"", "Ren"]'}, True, ['Kylo\n"The Putz"', 'Ren'], False, ''),
('inputs:a_uchar', 'uchar', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1'}, True, 1, False, ''),
('inputs:a_uchar_array', 'uchar[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('inputs:a_uint', 'uint', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1'}, True, 1, False, ''),
('inputs:a_uint64', 'uint64', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '1'}, True, 1, False, ''),
('inputs:a_uint64_array', 'uint64[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('inputs:a_uint_array', 'uint[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('inputs:a_vectord_3', 'vector3d', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_vectord_3_array', 'vector3d[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_vectorf_3', 'vector3f', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_vectorf_3_array', 'vector3f[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:a_vectorh_3', 'vector3h', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[1.0, 2.0, 3.0]'}, True, [1.0, 2.0, 3.0], False, ''),
('inputs:a_vectorh_3_array', 'vector3h[]', 0, None, 'Input Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]'}, True, [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False, ''),
('inputs:doNotCompute', 'bool', 0, None, 'Prevent the compute from running', {ogn.MetadataKeys.DEFAULT: 'true'}, True, True, False, ''),
('outputs:a_bool', 'bool', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: 'true'}, True, True, False, ''),
('outputs:a_bool_array', 'bool[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[true, false]'}, True, [True, False], False, ''),
('outputs:a_bundle', 'bundle', 0, None, 'Computed Attribute', {}, True, None, False, ''),
('outputs:a_colord_3', 'color3d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_colord_3_array', 'color3d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_colord_4', 'color4d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('outputs:a_colord_4_array', 'color4d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('outputs:a_colorf_3', 'color3f', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_colorf_3_array', 'color3f[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_colorf_4', 'color4f', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('outputs:a_colorf_4_array', 'color4f[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('outputs:a_colorh_3', 'color3h', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_colorh_3_array', 'color3h[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_colorh_4', 'color4h', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('outputs:a_colorh_4_array', 'color4h[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('outputs:a_double', 'double', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '1.5'}, True, 1.5, False, ''),
('outputs:a_double_2', 'double2', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('outputs:a_double_2_array', 'double2[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('outputs:a_double_3', 'double3', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_double_3_array', 'double3[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_double_4', 'double4', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('outputs:a_double_4_array', 'double4[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('outputs:a_double_array', 'double[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('outputs:a_execution', 'execution', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('outputs:a_float', 'float', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '1.5'}, True, 1.5, False, ''),
('outputs:a_float_2', 'float2', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('outputs:a_float_2_array', 'float2[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('outputs:a_float_3', 'float3', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_float_3_array', 'float3[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_float_4', 'float4', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('outputs:a_float_4_array', 'float4[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('outputs:a_float_array', 'float[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('outputs:a_frame_4', 'frame4d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], False, ''),
('outputs:a_frame_4_array', 'frame4d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], [[11.5, 12.5, 13.5, 14.5], [15.5, 16.5, 17.5, 18.5], [19.5, 20.5, 21.5, 22.5], [23.5, 24.5, 25.5, 26.5]]]'}, True, [[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], [[11.5, 12.5, 13.5, 14.5], [15.5, 16.5, 17.5, 18.5], [19.5, 20.5, 21.5, 22.5], [23.5, 24.5, 25.5, 26.5]]], False, ''),
('outputs:a_half', 'half', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '1.5'}, True, 1.5, False, ''),
('outputs:a_half_2', 'half2', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('outputs:a_half_2_array', 'half2[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('outputs:a_half_3', 'half3', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_half_3_array', 'half3[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_half_4', 'half4', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('outputs:a_half_4_array', 'half4[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('outputs:a_half_array', 'half[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('outputs:a_int', 'int', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '1'}, True, 1, False, ''),
('outputs:a_int64', 'int64', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '12345'}, True, 12345, False, ''),
('outputs:a_int64_array', 'int64[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[12345, 23456]'}, True, [12345, 23456], False, ''),
('outputs:a_int_2', 'int2', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('outputs:a_int_2_array', 'int2[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1, 2], [3, 4]]'}, True, [[1, 2], [3, 4]], False, ''),
('outputs:a_int_3', 'int3', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2, 3]'}, True, [1, 2, 3], False, ''),
('outputs:a_int_3_array', 'int3[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1, 2, 3], [4, 5, 6]]'}, True, [[1, 2, 3], [4, 5, 6]], False, ''),
('outputs:a_int_4', 'int4', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2, 3, 4]'}, True, [1, 2, 3, 4], False, ''),
('outputs:a_int_4_array', 'int4[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1, 2, 3, 4], [5, 6, 7, 8]]'}, True, [[1, 2, 3, 4], [5, 6, 7, 8]], False, ''),
('outputs:a_int_array', 'int[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('outputs:a_matrixd_2', 'matrix2d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [3.5, 4.5]]'}, True, [[1.5, 2.5], [3.5, 4.5]], False, ''),
('outputs:a_matrixd_2_array', 'matrix2d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.5, 2.5], [3.5, 4.5]], [[11.5, 12.5], [13.5, 14.5]]]'}, True, [[[1.5, 2.5], [3.5, 4.5]], [[11.5, 12.5], [13.5, 14.5]]], False, ''),
('outputs:a_matrixd_3', 'matrix3d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [4.5, 5.5, 6.5], [7.5, 8.5, 9.5]]'}, True, [[1.5, 2.5, 3.5], [4.5, 5.5, 6.5], [7.5, 8.5, 9.5]], False, ''),
('outputs:a_matrixd_3_array', 'matrix3d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.5, 2.5, 3.5], [4.5, 5.5, 6.5], [7.5, 8.5, 9.5]], [[11.5, 12.5, 13.5], [14.5, 15.5, 16.5], [17.5, 18.5, 19.5]]]'}, True, [[[1.5, 2.5, 3.5], [4.5, 5.5, 6.5], [7.5, 8.5, 9.5]], [[11.5, 12.5, 13.5], [14.5, 15.5, 16.5], [17.5, 18.5, 19.5]]], False, ''),
('outputs:a_matrixd_4', 'matrix4d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], False, ''),
('outputs:a_matrixd_4_array', 'matrix4d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], [[11.5, 12.5, 13.5, 14.5], [15.5, 16.5, 17.5, 18.5], [19.5, 20.5, 21.5, 22.5], [23.5, 24.5, 25.5, 26.5]]]'}, True, [[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], [[11.5, 12.5, 13.5, 14.5], [15.5, 16.5, 17.5, 18.5], [19.5, 20.5, 21.5, 22.5], [23.5, 24.5, 25.5, 26.5]]], False, ''),
('outputs:a_normald_3', 'normal3d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_normald_3_array', 'normal3d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_normalf_3', 'normal3f', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_normalf_3_array', 'normal3f[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_normalh_3', 'normal3h', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_normalh_3_array', 'normal3h[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_objectId', 'objectId', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('outputs:a_objectId_array', 'objectId[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[2, 3]'}, True, [2, 3], False, ''),
('outputs:a_path', 'path', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '"/Output"'}, True, "/Output", False, ''),
('outputs:a_pointd_3', 'point3d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_pointd_3_array', 'point3d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_pointf_3', 'point3f', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_pointf_3_array', 'point3f[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_pointh_3', 'point3h', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_pointh_3_array', 'point3h[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_quatd_4', 'quatd', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('outputs:a_quatd_4_array', 'quatd[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('outputs:a_quatf_4', 'quatf', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('outputs:a_quatf_4_array', 'quatf[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('outputs:a_quath_4', 'quath', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('outputs:a_quath_4_array', 'quath[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('outputs:a_string', 'string', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '"Emperor\\n\\"Half\\" Snoke"'}, True, "Emperor\n\"Half\" Snoke", False, ''),
('outputs:a_target', 'target', 0, None, 'Computed Attribute', {}, True, [], False, ''),
('outputs:a_texcoordd_2', 'texCoord2d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('outputs:a_texcoordd_2_array', 'texCoord2d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('outputs:a_texcoordd_3', 'texCoord3d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_texcoordd_3_array', 'texCoord3d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_texcoordf_2', 'texCoord2f', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('outputs:a_texcoordf_2_array', 'texCoord2f[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('outputs:a_texcoordf_3', 'texCoord3f', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_texcoordf_3_array', 'texCoord3f[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_texcoordh_2', 'texCoord2h', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('outputs:a_texcoordh_2_array', 'texCoord2h[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('outputs:a_texcoordh_3', 'texCoord3h', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_texcoordh_3_array', 'texCoord3h[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_timecode', 'timecode', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '2.5'}, True, 2.5, False, ''),
('outputs:a_timecode_array', 'timecode[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[2.5, 3.5]'}, True, [2.5, 3.5], False, ''),
('outputs:a_token', 'token', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '"Jedi\\nMaster"'}, True, "Jedi\nMaster", False, ''),
('outputs:a_token_array', 'token[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '["Luke\\n\\"Whiner\\"", "Skywalker"]'}, True, ['Luke\n"Whiner"', 'Skywalker'], False, ''),
('outputs:a_uchar', 'uchar', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('outputs:a_uchar_array', 'uchar[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[2, 3]'}, True, [2, 3], False, ''),
('outputs:a_uint', 'uint', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('outputs:a_uint64', 'uint64', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('outputs:a_uint64_array', 'uint64[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[2, 3]'}, True, [2, 3], False, ''),
('outputs:a_uint_array', 'uint[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[2, 3]'}, True, [2, 3], False, ''),
('outputs:a_vectord_3', 'vector3d', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_vectord_3_array', 'vector3d[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_vectorf_3', 'vector3f', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_vectorf_3_array', 'vector3f[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('outputs:a_vectorh_3', 'vector3h', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('outputs:a_vectorh_3_array', 'vector3h[]', 0, None, 'Computed Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_bool', 'bool', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: 'true'}, True, True, False, ''),
('state:a_bool_array', 'bool[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[true, false]'}, True, [True, False], False, ''),
('state:a_bundle', 'bundle', 0, None, 'State Attribute', {}, True, None, False, ''),
('state:a_colord_3', 'color3d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_colord_3_array', 'color3d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_colord_4', 'color4d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('state:a_colord_4_array', 'color4d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('state:a_colorf_3', 'color3f', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_colorf_3_array', 'color3f[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_colorf_4', 'color4f', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('state:a_colorf_4_array', 'color4f[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('state:a_colorh_3', 'color3h', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_colorh_3_array', 'color3h[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_colorh_4', 'color4h', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('state:a_colorh_4_array', 'color4h[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('state:a_double', 'double', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '1.5'}, True, 1.5, False, ''),
('state:a_double_2', 'double2', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('state:a_double_2_array', 'double2[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('state:a_double_3', 'double3', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_double_3_array', 'double3[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_double_4', 'double4', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('state:a_double_4_array', 'double4[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('state:a_double_array', 'double[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('state:a_execution', 'execution', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('state:a_firstEvaluation', 'bool', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: 'true'}, True, True, False, ''),
('state:a_float', 'float', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '1.5'}, True, 1.5, False, ''),
('state:a_float_2', 'float2', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('state:a_float_2_array', 'float2[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('state:a_float_3', 'float3', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_float_3_array', 'float3[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_float_4', 'float4', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('state:a_float_4_array', 'float4[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('state:a_float_array', 'float[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('state:a_frame_4', 'frame4d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], False, ''),
('state:a_frame_4_array', 'frame4d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], [[11.5, 12.5, 13.5, 14.5], [15.5, 16.5, 17.5, 18.5], [19.5, 20.5, 21.5, 22.5], [23.5, 24.5, 25.5, 26.5]]]'}, True, [[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], [[11.5, 12.5, 13.5, 14.5], [15.5, 16.5, 17.5, 18.5], [19.5, 20.5, 21.5, 22.5], [23.5, 24.5, 25.5, 26.5]]], False, ''),
('state:a_half', 'half', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '1.5'}, True, 1.5, False, ''),
('state:a_half_2', 'half2', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('state:a_half_2_array', 'half2[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('state:a_half_3', 'half3', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_half_3_array', 'half3[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_half_4', 'half4', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('state:a_half_4_array', 'half4[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('state:a_half_array', 'half[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('state:a_int', 'int', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '1'}, True, 1, False, ''),
('state:a_int64', 'int64', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '12345'}, True, 12345, False, ''),
('state:a_int64_array', 'int64[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[12345, 23456]'}, True, [12345, 23456], False, ''),
('state:a_int_2', 'int2', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('state:a_int_2_array', 'int2[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1, 2], [3, 4]]'}, True, [[1, 2], [3, 4]], False, ''),
('state:a_int_3', 'int3', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2, 3]'}, True, [1, 2, 3], False, ''),
('state:a_int_3_array', 'int3[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1, 2, 3], [4, 5, 6]]'}, True, [[1, 2, 3], [4, 5, 6]], False, ''),
('state:a_int_4', 'int4', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2, 3, 4]'}, True, [1, 2, 3, 4], False, ''),
('state:a_int_4_array', 'int4[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1, 2, 3, 4], [5, 6, 7, 8]]'}, True, [[1, 2, 3, 4], [5, 6, 7, 8]], False, ''),
('state:a_int_array', 'int[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1, 2]'}, True, [1, 2], False, ''),
('state:a_matrixd_2', 'matrix2d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [3.5, 4.5]]'}, True, [[1.5, 2.5], [3.5, 4.5]], False, ''),
('state:a_matrixd_2_array', 'matrix2d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.5, 2.5], [3.5, 4.5]], [[11.5, 12.5], [13.5, 14.5]]]'}, True, [[[1.5, 2.5], [3.5, 4.5]], [[11.5, 12.5], [13.5, 14.5]]], False, ''),
('state:a_matrixd_3', 'matrix3d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [4.5, 5.5, 6.5], [7.5, 8.5, 9.5]]'}, True, [[1.5, 2.5, 3.5], [4.5, 5.5, 6.5], [7.5, 8.5, 9.5]], False, ''),
('state:a_matrixd_3_array', 'matrix3d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.5, 2.5, 3.5], [4.5, 5.5, 6.5], [7.5, 8.5, 9.5]], [[11.5, 12.5, 13.5], [14.5, 15.5, 16.5], [17.5, 18.5, 19.5]]]'}, True, [[[1.5, 2.5, 3.5], [4.5, 5.5, 6.5], [7.5, 8.5, 9.5]], [[11.5, 12.5, 13.5], [14.5, 15.5, 16.5], [17.5, 18.5, 19.5]]], False, ''),
('state:a_matrixd_4', 'matrix4d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], False, ''),
('state:a_matrixd_4_array', 'matrix4d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], [[11.5, 12.5, 13.5, 14.5], [15.5, 16.5, 17.5, 18.5], [19.5, 20.5, 21.5, 22.5], [23.5, 24.5, 25.5, 26.5]]]'}, True, [[[1.5, 2.5, 3.5, 4.5], [5.5, 6.5, 7.5, 8.5], [9.5, 10.5, 11.5, 12.5], [13.5, 14.5, 15.5, 16.5]], [[11.5, 12.5, 13.5, 14.5], [15.5, 16.5, 17.5, 18.5], [19.5, 20.5, 21.5, 22.5], [23.5, 24.5, 25.5, 26.5]]], False, ''),
('state:a_normald_3', 'normal3d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_normald_3_array', 'normal3d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_normalf_3', 'normal3f', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_normalf_3_array', 'normal3f[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_normalh_3', 'normal3h', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_normalh_3_array', 'normal3h[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_objectId', 'objectId', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('state:a_objectId_array', 'objectId[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[2, 3]'}, True, [2, 3], False, ''),
('state:a_path', 'path', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '"/State"'}, True, "/State", False, ''),
('state:a_pointd_3', 'point3d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_pointd_3_array', 'point3d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_pointf_3', 'point3f', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_pointf_3_array', 'point3f[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_pointh_3', 'point3h', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_pointh_3_array', 'point3h[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_quatd_4', 'quatd', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('state:a_quatd_4_array', 'quatd[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('state:a_quatf_4', 'quatf', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('state:a_quatf_4_array', 'quatf[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('state:a_quath_4', 'quath', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5, 4.5]'}, True, [1.5, 2.5, 3.5, 4.5], False, ''),
('state:a_quath_4_array', 'quath[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]]'}, True, [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False, ''),
('state:a_string', 'string', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '"Emperor\\n\\"Half\\" Snoke"'}, True, "Emperor\n\"Half\" Snoke", False, ''),
('state:a_stringEmpty', 'string', 0, None, 'State Attribute', {}, True, None, False, ''),
('state:a_target', 'target', 0, None, 'State Attribute', {}, True, [], False, ''),
('state:a_texcoordd_2', 'texCoord2d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('state:a_texcoordd_2_array', 'texCoord2d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('state:a_texcoordd_3', 'texCoord3d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_texcoordd_3_array', 'texCoord3d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_texcoordf_2', 'texCoord2f', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('state:a_texcoordf_2_array', 'texCoord2f[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('state:a_texcoordf_3', 'texCoord3f', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_texcoordf_3_array', 'texCoord3f[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_texcoordh_2', 'texCoord2h', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5]'}, True, [1.5, 2.5], False, ''),
('state:a_texcoordh_2_array', 'texCoord2h[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5], [11.5, 12.5]]'}, True, [[1.5, 2.5], [11.5, 12.5]], False, ''),
('state:a_texcoordh_3', 'texCoord3h', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_texcoordh_3_array', 'texCoord3h[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_timecode', 'timecode', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '2.5'}, True, 2.5, False, ''),
('state:a_timecode_array', 'timecode[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[2.5, 3.5]'}, True, [2.5, 3.5], False, ''),
('state:a_token', 'token', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '"Jedi\\nMaster"'}, True, "Jedi\nMaster", False, ''),
('state:a_token_array', 'token[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '["Luke\\n\\"Whiner\\"", "Skywalker"]'}, True, ['Luke\n"Whiner"', 'Skywalker'], False, ''),
('state:a_uchar', 'uchar', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('state:a_uchar_array', 'uchar[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[2, 3]'}, True, [2, 3], False, ''),
('state:a_uint', 'uint', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('state:a_uint64', 'uint64', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '2'}, True, 2, False, ''),
('state:a_uint64_array', 'uint64[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[2, 3]'}, True, [2, 3], False, ''),
('state:a_uint_array', 'uint[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[2, 3]'}, True, [2, 3], False, ''),
('state:a_vectord_3', 'vector3d', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_vectord_3_array', 'vector3d[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_vectorf_3', 'vector3f', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_vectorf_3_array', 'vector3f[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
('state:a_vectorh_3', 'vector3h', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[1.5, 2.5, 3.5]'}, True, [1.5, 2.5, 3.5], False, ''),
('state:a_vectorh_3_array', 'vector3h[]', 0, None, 'State Attribute', {ogn.MetadataKeys.DEFAULT: '[[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]]'}, True, [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False, ''),
])
@classmethod
def _populate_role_data(cls):
"""Populate a role structure with the non-default roles on this node type"""
role_data = super()._populate_role_data()
role_data.inputs.a_bundle = og.AttributeRole.BUNDLE
role_data.inputs.a_colord_3 = og.AttributeRole.COLOR
role_data.inputs.a_colord_3_array = og.AttributeRole.COLOR
role_data.inputs.a_colord_4 = og.AttributeRole.COLOR
role_data.inputs.a_colord_4_array = og.AttributeRole.COLOR
role_data.inputs.a_colorf_3 = og.AttributeRole.COLOR
role_data.inputs.a_colorf_3_array = og.AttributeRole.COLOR
role_data.inputs.a_colorf_4 = og.AttributeRole.COLOR
role_data.inputs.a_colorf_4_array = og.AttributeRole.COLOR
role_data.inputs.a_colorh_3 = og.AttributeRole.COLOR
role_data.inputs.a_colorh_3_array = og.AttributeRole.COLOR
role_data.inputs.a_colorh_4 = og.AttributeRole.COLOR
role_data.inputs.a_colorh_4_array = og.AttributeRole.COLOR
role_data.inputs.a_execution = og.AttributeRole.EXECUTION
role_data.inputs.a_frame_4 = og.AttributeRole.FRAME
role_data.inputs.a_frame_4_array = og.AttributeRole.FRAME
role_data.inputs.a_matrixd_2 = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd_2_array = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd_3 = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd_3_array = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd_4 = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd_4_array = og.AttributeRole.MATRIX
role_data.inputs.a_normald_3 = og.AttributeRole.NORMAL
role_data.inputs.a_normald_3_array = og.AttributeRole.NORMAL
role_data.inputs.a_normalf_3 = og.AttributeRole.NORMAL
role_data.inputs.a_normalf_3_array = og.AttributeRole.NORMAL
role_data.inputs.a_normalh_3 = og.AttributeRole.NORMAL
role_data.inputs.a_normalh_3_array = og.AttributeRole.NORMAL
role_data.inputs.a_objectId = og.AttributeRole.OBJECT_ID
role_data.inputs.a_objectId_array = og.AttributeRole.OBJECT_ID
role_data.inputs.a_path = og.AttributeRole.PATH
role_data.inputs.a_pointd_3 = og.AttributeRole.POSITION
role_data.inputs.a_pointd_3_array = og.AttributeRole.POSITION
role_data.inputs.a_pointf_3 = og.AttributeRole.POSITION
role_data.inputs.a_pointf_3_array = og.AttributeRole.POSITION
role_data.inputs.a_pointh_3 = og.AttributeRole.POSITION
role_data.inputs.a_pointh_3_array = og.AttributeRole.POSITION
role_data.inputs.a_quatd_4 = og.AttributeRole.QUATERNION
role_data.inputs.a_quatd_4_array = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf_4 = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf_4_array = og.AttributeRole.QUATERNION
role_data.inputs.a_quath_4 = og.AttributeRole.QUATERNION
role_data.inputs.a_quath_4_array = og.AttributeRole.QUATERNION
role_data.inputs.a_string = og.AttributeRole.TEXT
role_data.inputs.a_target = og.AttributeRole.TARGET
role_data.inputs.a_texcoordd_2 = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd_2_array = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd_3 = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd_3_array = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf_2 = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf_2_array = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf_3 = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf_3_array = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh_2 = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh_2_array = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh_3 = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh_3_array = og.AttributeRole.TEXCOORD
role_data.inputs.a_timecode = og.AttributeRole.TIMECODE
role_data.inputs.a_timecode_array = og.AttributeRole.TIMECODE
role_data.inputs.a_vectord_3 = og.AttributeRole.VECTOR
role_data.inputs.a_vectord_3_array = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf_3 = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf_3_array = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh_3 = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh_3_array = og.AttributeRole.VECTOR
role_data.outputs.a_bundle = og.AttributeRole.BUNDLE
role_data.outputs.a_colord_3 = og.AttributeRole.COLOR
role_data.outputs.a_colord_3_array = og.AttributeRole.COLOR
role_data.outputs.a_colord_4 = og.AttributeRole.COLOR
role_data.outputs.a_colord_4_array = og.AttributeRole.COLOR
role_data.outputs.a_colorf_3 = og.AttributeRole.COLOR
role_data.outputs.a_colorf_3_array = og.AttributeRole.COLOR
role_data.outputs.a_colorf_4 = og.AttributeRole.COLOR
role_data.outputs.a_colorf_4_array = og.AttributeRole.COLOR
role_data.outputs.a_colorh_3 = og.AttributeRole.COLOR
role_data.outputs.a_colorh_3_array = og.AttributeRole.COLOR
role_data.outputs.a_colorh_4 = og.AttributeRole.COLOR
role_data.outputs.a_colorh_4_array = og.AttributeRole.COLOR
role_data.outputs.a_execution = og.AttributeRole.EXECUTION
role_data.outputs.a_frame_4 = og.AttributeRole.FRAME
role_data.outputs.a_frame_4_array = og.AttributeRole.FRAME
role_data.outputs.a_matrixd_2 = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd_2_array = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd_3 = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd_3_array = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd_4 = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd_4_array = og.AttributeRole.MATRIX
role_data.outputs.a_normald_3 = og.AttributeRole.NORMAL
role_data.outputs.a_normald_3_array = og.AttributeRole.NORMAL
role_data.outputs.a_normalf_3 = og.AttributeRole.NORMAL
role_data.outputs.a_normalf_3_array = og.AttributeRole.NORMAL
role_data.outputs.a_normalh_3 = og.AttributeRole.NORMAL
role_data.outputs.a_normalh_3_array = og.AttributeRole.NORMAL
role_data.outputs.a_objectId = og.AttributeRole.OBJECT_ID
role_data.outputs.a_objectId_array = og.AttributeRole.OBJECT_ID
role_data.outputs.a_path = og.AttributeRole.PATH
role_data.outputs.a_pointd_3 = og.AttributeRole.POSITION
role_data.outputs.a_pointd_3_array = og.AttributeRole.POSITION
role_data.outputs.a_pointf_3 = og.AttributeRole.POSITION
role_data.outputs.a_pointf_3_array = og.AttributeRole.POSITION
role_data.outputs.a_pointh_3 = og.AttributeRole.POSITION
role_data.outputs.a_pointh_3_array = og.AttributeRole.POSITION
role_data.outputs.a_quatd_4 = og.AttributeRole.QUATERNION
role_data.outputs.a_quatd_4_array = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf_4 = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf_4_array = og.AttributeRole.QUATERNION
role_data.outputs.a_quath_4 = og.AttributeRole.QUATERNION
role_data.outputs.a_quath_4_array = og.AttributeRole.QUATERNION
role_data.outputs.a_string = og.AttributeRole.TEXT
role_data.outputs.a_target = og.AttributeRole.TARGET
role_data.outputs.a_texcoordd_2 = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd_2_array = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd_3 = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd_3_array = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf_2 = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf_2_array = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf_3 = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf_3_array = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh_2 = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh_2_array = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh_3 = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh_3_array = og.AttributeRole.TEXCOORD
role_data.outputs.a_timecode = og.AttributeRole.TIMECODE
role_data.outputs.a_timecode_array = og.AttributeRole.TIMECODE
role_data.outputs.a_vectord_3 = og.AttributeRole.VECTOR
role_data.outputs.a_vectord_3_array = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf_3 = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf_3_array = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh_3 = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh_3_array = og.AttributeRole.VECTOR
role_data.state.a_bundle = og.AttributeRole.BUNDLE
role_data.state.a_colord_3 = og.AttributeRole.COLOR
role_data.state.a_colord_3_array = og.AttributeRole.COLOR
role_data.state.a_colord_4 = og.AttributeRole.COLOR
role_data.state.a_colord_4_array = og.AttributeRole.COLOR
role_data.state.a_colorf_3 = og.AttributeRole.COLOR
role_data.state.a_colorf_3_array = og.AttributeRole.COLOR
role_data.state.a_colorf_4 = og.AttributeRole.COLOR
role_data.state.a_colorf_4_array = og.AttributeRole.COLOR
role_data.state.a_colorh_3 = og.AttributeRole.COLOR
role_data.state.a_colorh_3_array = og.AttributeRole.COLOR
role_data.state.a_colorh_4 = og.AttributeRole.COLOR
role_data.state.a_colorh_4_array = og.AttributeRole.COLOR
role_data.state.a_execution = og.AttributeRole.EXECUTION
role_data.state.a_frame_4 = og.AttributeRole.FRAME
role_data.state.a_frame_4_array = og.AttributeRole.FRAME
role_data.state.a_matrixd_2 = og.AttributeRole.MATRIX
role_data.state.a_matrixd_2_array = og.AttributeRole.MATRIX
role_data.state.a_matrixd_3 = og.AttributeRole.MATRIX
role_data.state.a_matrixd_3_array = og.AttributeRole.MATRIX
role_data.state.a_matrixd_4 = og.AttributeRole.MATRIX
role_data.state.a_matrixd_4_array = og.AttributeRole.MATRIX
role_data.state.a_normald_3 = og.AttributeRole.NORMAL
role_data.state.a_normald_3_array = og.AttributeRole.NORMAL
role_data.state.a_normalf_3 = og.AttributeRole.NORMAL
role_data.state.a_normalf_3_array = og.AttributeRole.NORMAL
role_data.state.a_normalh_3 = og.AttributeRole.NORMAL
role_data.state.a_normalh_3_array = og.AttributeRole.NORMAL
role_data.state.a_objectId = og.AttributeRole.OBJECT_ID
role_data.state.a_objectId_array = og.AttributeRole.OBJECT_ID
role_data.state.a_path = og.AttributeRole.PATH
role_data.state.a_pointd_3 = og.AttributeRole.POSITION
role_data.state.a_pointd_3_array = og.AttributeRole.POSITION
role_data.state.a_pointf_3 = og.AttributeRole.POSITION
role_data.state.a_pointf_3_array = og.AttributeRole.POSITION
role_data.state.a_pointh_3 = og.AttributeRole.POSITION
role_data.state.a_pointh_3_array = og.AttributeRole.POSITION
role_data.state.a_quatd_4 = og.AttributeRole.QUATERNION
role_data.state.a_quatd_4_array = og.AttributeRole.QUATERNION
role_data.state.a_quatf_4 = og.AttributeRole.QUATERNION
role_data.state.a_quatf_4_array = og.AttributeRole.QUATERNION
role_data.state.a_quath_4 = og.AttributeRole.QUATERNION
role_data.state.a_quath_4_array = og.AttributeRole.QUATERNION
role_data.state.a_string = og.AttributeRole.TEXT
role_data.state.a_stringEmpty = og.AttributeRole.TEXT
role_data.state.a_target = og.AttributeRole.TARGET
role_data.state.a_texcoordd_2 = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordd_2_array = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordd_3 = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordd_3_array = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordf_2 = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordf_2_array = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordf_3 = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordf_3_array = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordh_2 = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordh_2_array = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordh_3 = og.AttributeRole.TEXCOORD
role_data.state.a_texcoordh_3_array = og.AttributeRole.TEXCOORD
role_data.state.a_timecode = og.AttributeRole.TIMECODE
role_data.state.a_timecode_array = og.AttributeRole.TIMECODE
role_data.state.a_vectord_3 = og.AttributeRole.VECTOR
role_data.state.a_vectord_3_array = og.AttributeRole.VECTOR
role_data.state.a_vectorf_3 = og.AttributeRole.VECTOR
role_data.state.a_vectorf_3_array = og.AttributeRole.VECTOR
role_data.state.a_vectorh_3 = og.AttributeRole.VECTOR
role_data.state.a_vectorh_3_array = og.AttributeRole.VECTOR
return role_data
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.__bundles = og.BundleContainer(context, node, attributes, [], read_only=True, gpu_ptr_kinds={})
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def a_bool(self):
data_view = og.AttributeValueHelper(self._attributes.a_bool)
return data_view.get()
@a_bool.setter
def a_bool(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_bool)
data_view = og.AttributeValueHelper(self._attributes.a_bool)
data_view.set(value)
@property
def a_bool_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_bool_array)
return data_view.get()
@a_bool_array.setter
def a_bool_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_bool_array)
data_view = og.AttributeValueHelper(self._attributes.a_bool_array)
data_view.set(value)
self.a_bool_array_size = data_view.get_array_size()
@property
def a_bundle(self) -> og.BundleContents:
"""Get the bundle wrapper class for the attribute inputs.a_bundle"""
return self.__bundles.a_bundle
@property
def a_colord_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3)
return data_view.get()
@a_colord_3.setter
def a_colord_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord_3)
data_view = og.AttributeValueHelper(self._attributes.a_colord_3)
data_view.set(value)
@property
def a_colord_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3_array)
return data_view.get()
@a_colord_3_array.setter
def a_colord_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_colord_3_array)
data_view.set(value)
self.a_colord_3_array_size = data_view.get_array_size()
@property
def a_colord_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4)
return data_view.get()
@a_colord_4.setter
def a_colord_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord_4)
data_view = og.AttributeValueHelper(self._attributes.a_colord_4)
data_view.set(value)
@property
def a_colord_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4_array)
return data_view.get()
@a_colord_4_array.setter
def a_colord_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_colord_4_array)
data_view.set(value)
self.a_colord_4_array_size = data_view.get_array_size()
@property
def a_colorf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3)
return data_view.get()
@a_colorf_3.setter
def a_colorf_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf_3)
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3)
data_view.set(value)
@property
def a_colorf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3_array)
return data_view.get()
@a_colorf_3_array.setter
def a_colorf_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3_array)
data_view.set(value)
self.a_colorf_3_array_size = data_view.get_array_size()
@property
def a_colorf_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4)
return data_view.get()
@a_colorf_4.setter
def a_colorf_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf_4)
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4)
data_view.set(value)
@property
def a_colorf_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4_array)
return data_view.get()
@a_colorf_4_array.setter
def a_colorf_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4_array)
data_view.set(value)
self.a_colorf_4_array_size = data_view.get_array_size()
@property
def a_colorh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3)
return data_view.get()
@a_colorh_3.setter
def a_colorh_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh_3)
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3)
data_view.set(value)
@property
def a_colorh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3_array)
return data_view.get()
@a_colorh_3_array.setter
def a_colorh_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3_array)
data_view.set(value)
self.a_colorh_3_array_size = data_view.get_array_size()
@property
def a_colorh_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4)
return data_view.get()
@a_colorh_4.setter
def a_colorh_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh_4)
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4)
data_view.set(value)
@property
def a_colorh_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4_array)
return data_view.get()
@a_colorh_4_array.setter
def a_colorh_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4_array)
data_view.set(value)
self.a_colorh_4_array_size = data_view.get_array_size()
@property
def a_double(self):
data_view = og.AttributeValueHelper(self._attributes.a_double)
return data_view.get()
@a_double.setter
def a_double(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double)
data_view = og.AttributeValueHelper(self._attributes.a_double)
data_view.set(value)
@property
def a_double_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_2)
return data_view.get()
@a_double_2.setter
def a_double_2(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_2)
data_view = og.AttributeValueHelper(self._attributes.a_double_2)
data_view.set(value)
@property
def a_double_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_2_array)
return data_view.get()
@a_double_2_array.setter
def a_double_2_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_2_array)
data_view = og.AttributeValueHelper(self._attributes.a_double_2_array)
data_view.set(value)
self.a_double_2_array_size = data_view.get_array_size()
@property
def a_double_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_3)
return data_view.get()
@a_double_3.setter
def a_double_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_3)
data_view = og.AttributeValueHelper(self._attributes.a_double_3)
data_view.set(value)
@property
def a_double_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_3_array)
return data_view.get()
@a_double_3_array.setter
def a_double_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_double_3_array)
data_view.set(value)
self.a_double_3_array_size = data_view.get_array_size()
@property
def a_double_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_4)
return data_view.get()
@a_double_4.setter
def a_double_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_4)
data_view = og.AttributeValueHelper(self._attributes.a_double_4)
data_view.set(value)
@property
def a_double_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_4_array)
return data_view.get()
@a_double_4_array.setter
def a_double_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_double_4_array)
data_view.set(value)
self.a_double_4_array_size = data_view.get_array_size()
@property
def a_double_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array)
return data_view.get()
@a_double_array.setter
def a_double_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_array)
data_view = og.AttributeValueHelper(self._attributes.a_double_array)
data_view.set(value)
self.a_double_array_size = data_view.get_array_size()
@property
def a_execution(self):
data_view = og.AttributeValueHelper(self._attributes.a_execution)
return data_view.get()
@a_execution.setter
def a_execution(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_execution)
data_view = og.AttributeValueHelper(self._attributes.a_execution)
data_view.set(value)
@property
def a_float(self):
data_view = og.AttributeValueHelper(self._attributes.a_float)
return data_view.get()
@a_float.setter
def a_float(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float)
data_view = og.AttributeValueHelper(self._attributes.a_float)
data_view.set(value)
@property
def a_float_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_2)
return data_view.get()
@a_float_2.setter
def a_float_2(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_2)
data_view = og.AttributeValueHelper(self._attributes.a_float_2)
data_view.set(value)
@property
def a_float_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_2_array)
return data_view.get()
@a_float_2_array.setter
def a_float_2_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_2_array)
data_view = og.AttributeValueHelper(self._attributes.a_float_2_array)
data_view.set(value)
self.a_float_2_array_size = data_view.get_array_size()
@property
def a_float_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_3)
return data_view.get()
@a_float_3.setter
def a_float_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_3)
data_view = og.AttributeValueHelper(self._attributes.a_float_3)
data_view.set(value)
@property
def a_float_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_3_array)
return data_view.get()
@a_float_3_array.setter
def a_float_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_float_3_array)
data_view.set(value)
self.a_float_3_array_size = data_view.get_array_size()
@property
def a_float_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_4)
return data_view.get()
@a_float_4.setter
def a_float_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_4)
data_view = og.AttributeValueHelper(self._attributes.a_float_4)
data_view.set(value)
@property
def a_float_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_4_array)
return data_view.get()
@a_float_4_array.setter
def a_float_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_float_4_array)
data_view.set(value)
self.a_float_4_array_size = data_view.get_array_size()
@property
def a_float_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array)
return data_view.get()
@a_float_array.setter
def a_float_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_array)
data_view = og.AttributeValueHelper(self._attributes.a_float_array)
data_view.set(value)
self.a_float_array_size = data_view.get_array_size()
@property
def a_frame_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4)
return data_view.get()
@a_frame_4.setter
def a_frame_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame_4)
data_view = og.AttributeValueHelper(self._attributes.a_frame_4)
data_view.set(value)
@property
def a_frame_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4_array)
return data_view.get()
@a_frame_4_array.setter
def a_frame_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_frame_4_array)
data_view.set(value)
self.a_frame_4_array_size = data_view.get_array_size()
@property
def a_half(self):
data_view = og.AttributeValueHelper(self._attributes.a_half)
return data_view.get()
@a_half.setter
def a_half(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half)
data_view = og.AttributeValueHelper(self._attributes.a_half)
data_view.set(value)
@property
def a_half_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_2)
return data_view.get()
@a_half_2.setter
def a_half_2(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_2)
data_view = og.AttributeValueHelper(self._attributes.a_half_2)
data_view.set(value)
@property
def a_half_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_2_array)
return data_view.get()
@a_half_2_array.setter
def a_half_2_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_2_array)
data_view = og.AttributeValueHelper(self._attributes.a_half_2_array)
data_view.set(value)
self.a_half_2_array_size = data_view.get_array_size()
@property
def a_half_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_3)
return data_view.get()
@a_half_3.setter
def a_half_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_3)
data_view = og.AttributeValueHelper(self._attributes.a_half_3)
data_view.set(value)
@property
def a_half_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_3_array)
return data_view.get()
@a_half_3_array.setter
def a_half_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_half_3_array)
data_view.set(value)
self.a_half_3_array_size = data_view.get_array_size()
@property
def a_half_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_4)
return data_view.get()
@a_half_4.setter
def a_half_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_4)
data_view = og.AttributeValueHelper(self._attributes.a_half_4)
data_view.set(value)
@property
def a_half_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_4_array)
return data_view.get()
@a_half_4_array.setter
def a_half_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_half_4_array)
data_view.set(value)
self.a_half_4_array_size = data_view.get_array_size()
@property
def a_half_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array)
return data_view.get()
@a_half_array.setter
def a_half_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_array)
data_view = og.AttributeValueHelper(self._attributes.a_half_array)
data_view.set(value)
self.a_half_array_size = data_view.get_array_size()
@property
def a_int(self):
data_view = og.AttributeValueHelper(self._attributes.a_int)
return data_view.get()
@a_int.setter
def a_int(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int)
data_view = og.AttributeValueHelper(self._attributes.a_int)
data_view.set(value)
@property
def a_int64(self):
data_view = og.AttributeValueHelper(self._attributes.a_int64)
return data_view.get()
@a_int64.setter
def a_int64(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int64)
data_view = og.AttributeValueHelper(self._attributes.a_int64)
data_view.set(value)
@property
def a_int64_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int64_array)
return data_view.get()
@a_int64_array.setter
def a_int64_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int64_array)
data_view = og.AttributeValueHelper(self._attributes.a_int64_array)
data_view.set(value)
self.a_int64_array_size = data_view.get_array_size()
@property
def a_int_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_2)
return data_view.get()
@a_int_2.setter
def a_int_2(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int_2)
data_view = og.AttributeValueHelper(self._attributes.a_int_2)
data_view.set(value)
@property
def a_int_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_2_array)
return data_view.get()
@a_int_2_array.setter
def a_int_2_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int_2_array)
data_view = og.AttributeValueHelper(self._attributes.a_int_2_array)
data_view.set(value)
self.a_int_2_array_size = data_view.get_array_size()
@property
def a_int_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_3)
return data_view.get()
@a_int_3.setter
def a_int_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int_3)
data_view = og.AttributeValueHelper(self._attributes.a_int_3)
data_view.set(value)
@property
def a_int_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_3_array)
return data_view.get()
@a_int_3_array.setter
def a_int_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_int_3_array)
data_view.set(value)
self.a_int_3_array_size = data_view.get_array_size()
@property
def a_int_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_4)
return data_view.get()
@a_int_4.setter
def a_int_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int_4)
data_view = og.AttributeValueHelper(self._attributes.a_int_4)
data_view.set(value)
@property
def a_int_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_4_array)
return data_view.get()
@a_int_4_array.setter
def a_int_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_int_4_array)
data_view.set(value)
self.a_int_4_array_size = data_view.get_array_size()
@property
def a_int_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_array)
return data_view.get()
@a_int_array.setter
def a_int_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_int_array)
data_view = og.AttributeValueHelper(self._attributes.a_int_array)
data_view.set(value)
self.a_int_array_size = data_view.get_array_size()
@property
def a_matrixd_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2)
return data_view.get()
@a_matrixd_2.setter
def a_matrixd_2(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd_2)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2)
data_view.set(value)
@property
def a_matrixd_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2_array)
return data_view.get()
@a_matrixd_2_array.setter
def a_matrixd_2_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd_2_array)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2_array)
data_view.set(value)
self.a_matrixd_2_array_size = data_view.get_array_size()
@property
def a_matrixd_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3)
return data_view.get()
@a_matrixd_3.setter
def a_matrixd_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd_3)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3)
data_view.set(value)
@property
def a_matrixd_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3_array)
return data_view.get()
@a_matrixd_3_array.setter
def a_matrixd_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3_array)
data_view.set(value)
self.a_matrixd_3_array_size = data_view.get_array_size()
@property
def a_matrixd_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4)
return data_view.get()
@a_matrixd_4.setter
def a_matrixd_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd_4)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4)
data_view.set(value)
@property
def a_matrixd_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4_array)
return data_view.get()
@a_matrixd_4_array.setter
def a_matrixd_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4_array)
data_view.set(value)
self.a_matrixd_4_array_size = data_view.get_array_size()
@property
def a_normald_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3)
return data_view.get()
@a_normald_3.setter
def a_normald_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald_3)
data_view = og.AttributeValueHelper(self._attributes.a_normald_3)
data_view.set(value)
@property
def a_normald_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3_array)
return data_view.get()
@a_normald_3_array.setter
def a_normald_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_normald_3_array)
data_view.set(value)
self.a_normald_3_array_size = data_view.get_array_size()
@property
def a_normalf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3)
return data_view.get()
@a_normalf_3.setter
def a_normalf_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf_3)
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3)
data_view.set(value)
@property
def a_normalf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3_array)
return data_view.get()
@a_normalf_3_array.setter
def a_normalf_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3_array)
data_view.set(value)
self.a_normalf_3_array_size = data_view.get_array_size()
@property
def a_normalh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3)
return data_view.get()
@a_normalh_3.setter
def a_normalh_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh_3)
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3)
data_view.set(value)
@property
def a_normalh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3_array)
return data_view.get()
@a_normalh_3_array.setter
def a_normalh_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3_array)
data_view.set(value)
self.a_normalh_3_array_size = data_view.get_array_size()
@property
def a_objectId(self):
data_view = og.AttributeValueHelper(self._attributes.a_objectId)
return data_view.get()
@a_objectId.setter
def a_objectId(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_objectId)
data_view = og.AttributeValueHelper(self._attributes.a_objectId)
data_view.set(value)
@property
def a_objectId_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_objectId_array)
return data_view.get()
@a_objectId_array.setter
def a_objectId_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_objectId_array)
data_view = og.AttributeValueHelper(self._attributes.a_objectId_array)
data_view.set(value)
self.a_objectId_array_size = data_view.get_array_size()
@property
def a_path(self):
data_view = og.AttributeValueHelper(self._attributes.a_path)
return data_view.get()
@a_path.setter
def a_path(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_path)
data_view = og.AttributeValueHelper(self._attributes.a_path)
data_view.set(value)
self.a_path_size = data_view.get_array_size()
@property
def a_pointd_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3)
return data_view.get()
@a_pointd_3.setter
def a_pointd_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd_3)
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3)
data_view.set(value)
@property
def a_pointd_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3_array)
return data_view.get()
@a_pointd_3_array.setter
def a_pointd_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3_array)
data_view.set(value)
self.a_pointd_3_array_size = data_view.get_array_size()
@property
def a_pointf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3)
return data_view.get()
@a_pointf_3.setter
def a_pointf_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf_3)
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3)
data_view.set(value)
@property
def a_pointf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3_array)
return data_view.get()
@a_pointf_3_array.setter
def a_pointf_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3_array)
data_view.set(value)
self.a_pointf_3_array_size = data_view.get_array_size()
@property
def a_pointh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3)
return data_view.get()
@a_pointh_3.setter
def a_pointh_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh_3)
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3)
data_view.set(value)
@property
def a_pointh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3_array)
return data_view.get()
@a_pointh_3_array.setter
def a_pointh_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3_array)
data_view.set(value)
self.a_pointh_3_array_size = data_view.get_array_size()
@property
def a_quatd_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4)
return data_view.get()
@a_quatd_4.setter
def a_quatd_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd_4)
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4)
data_view.set(value)
@property
def a_quatd_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4_array)
return data_view.get()
@a_quatd_4_array.setter
def a_quatd_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4_array)
data_view.set(value)
self.a_quatd_4_array_size = data_view.get_array_size()
@property
def a_quatf_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4)
return data_view.get()
@a_quatf_4.setter
def a_quatf_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf_4)
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4)
data_view.set(value)
@property
def a_quatf_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4_array)
return data_view.get()
@a_quatf_4_array.setter
def a_quatf_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4_array)
data_view.set(value)
self.a_quatf_4_array_size = data_view.get_array_size()
@property
def a_quath_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4)
return data_view.get()
@a_quath_4.setter
def a_quath_4(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath_4)
data_view = og.AttributeValueHelper(self._attributes.a_quath_4)
data_view.set(value)
@property
def a_quath_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4_array)
return data_view.get()
@a_quath_4_array.setter
def a_quath_4_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath_4_array)
data_view = og.AttributeValueHelper(self._attributes.a_quath_4_array)
data_view.set(value)
self.a_quath_4_array_size = data_view.get_array_size()
@property
def a_string(self):
data_view = og.AttributeValueHelper(self._attributes.a_string)
return data_view.get()
@a_string.setter
def a_string(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_string)
data_view = og.AttributeValueHelper(self._attributes.a_string)
data_view.set(value)
self.a_string_size = data_view.get_array_size()
@property
def a_target(self):
data_view = og.AttributeValueHelper(self._attributes.a_target)
return data_view.get()
@a_target.setter
def a_target(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_target)
data_view = og.AttributeValueHelper(self._attributes.a_target)
data_view.set(value)
self.a_target_size = data_view.get_array_size()
@property
def a_texcoordd_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2)
return data_view.get()
@a_texcoordd_2.setter
def a_texcoordd_2(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd_2)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2)
data_view.set(value)
@property
def a_texcoordd_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2_array)
return data_view.get()
@a_texcoordd_2_array.setter
def a_texcoordd_2_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd_2_array)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2_array)
data_view.set(value)
self.a_texcoordd_2_array_size = data_view.get_array_size()
@property
def a_texcoordd_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3)
return data_view.get()
@a_texcoordd_3.setter
def a_texcoordd_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd_3)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3)
data_view.set(value)
@property
def a_texcoordd_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3_array)
return data_view.get()
@a_texcoordd_3_array.setter
def a_texcoordd_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3_array)
data_view.set(value)
self.a_texcoordd_3_array_size = data_view.get_array_size()
@property
def a_texcoordf_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2)
return data_view.get()
@a_texcoordf_2.setter
def a_texcoordf_2(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf_2)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2)
data_view.set(value)
@property
def a_texcoordf_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2_array)
return data_view.get()
@a_texcoordf_2_array.setter
def a_texcoordf_2_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf_2_array)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2_array)
data_view.set(value)
self.a_texcoordf_2_array_size = data_view.get_array_size()
@property
def a_texcoordf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3)
return data_view.get()
@a_texcoordf_3.setter
def a_texcoordf_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf_3)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3)
data_view.set(value)
@property
def a_texcoordf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3_array)
return data_view.get()
@a_texcoordf_3_array.setter
def a_texcoordf_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3_array)
data_view.set(value)
self.a_texcoordf_3_array_size = data_view.get_array_size()
@property
def a_texcoordh_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2)
return data_view.get()
@a_texcoordh_2.setter
def a_texcoordh_2(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh_2)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2)
data_view.set(value)
@property
def a_texcoordh_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2_array)
return data_view.get()
@a_texcoordh_2_array.setter
def a_texcoordh_2_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh_2_array)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2_array)
data_view.set(value)
self.a_texcoordh_2_array_size = data_view.get_array_size()
@property
def a_texcoordh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3)
return data_view.get()
@a_texcoordh_3.setter
def a_texcoordh_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh_3)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3)
data_view.set(value)
@property
def a_texcoordh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3_array)
return data_view.get()
@a_texcoordh_3_array.setter
def a_texcoordh_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3_array)
data_view.set(value)
self.a_texcoordh_3_array_size = data_view.get_array_size()
@property
def a_timecode(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode)
return data_view.get()
@a_timecode.setter
def a_timecode(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode)
data_view = og.AttributeValueHelper(self._attributes.a_timecode)
data_view.set(value)
@property
def a_timecode_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array)
return data_view.get()
@a_timecode_array.setter
def a_timecode_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode_array)
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array)
data_view.set(value)
self.a_timecode_array_size = data_view.get_array_size()
@property
def a_token(self):
data_view = og.AttributeValueHelper(self._attributes.a_token)
return data_view.get()
@a_token.setter
def a_token(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_token)
data_view = og.AttributeValueHelper(self._attributes.a_token)
data_view.set(value)
@property
def a_token_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_token_array)
return data_view.get()
@a_token_array.setter
def a_token_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_token_array)
data_view = og.AttributeValueHelper(self._attributes.a_token_array)
data_view.set(value)
self.a_token_array_size = data_view.get_array_size()
@property
def a_uchar(self):
data_view = og.AttributeValueHelper(self._attributes.a_uchar)
return data_view.get()
@a_uchar.setter
def a_uchar(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_uchar)
data_view = og.AttributeValueHelper(self._attributes.a_uchar)
data_view.set(value)
@property
def a_uchar_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_uchar_array)
return data_view.get()
@a_uchar_array.setter
def a_uchar_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_uchar_array)
data_view = og.AttributeValueHelper(self._attributes.a_uchar_array)
data_view.set(value)
self.a_uchar_array_size = data_view.get_array_size()
@property
def a_uint(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint)
return data_view.get()
@a_uint.setter
def a_uint(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_uint)
data_view = og.AttributeValueHelper(self._attributes.a_uint)
data_view.set(value)
@property
def a_uint64(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint64)
return data_view.get()
@a_uint64.setter
def a_uint64(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_uint64)
data_view = og.AttributeValueHelper(self._attributes.a_uint64)
data_view.set(value)
@property
def a_uint64_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint64_array)
return data_view.get()
@a_uint64_array.setter
def a_uint64_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_uint64_array)
data_view = og.AttributeValueHelper(self._attributes.a_uint64_array)
data_view.set(value)
self.a_uint64_array_size = data_view.get_array_size()
@property
def a_uint_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint_array)
return data_view.get()
@a_uint_array.setter
def a_uint_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_uint_array)
data_view = og.AttributeValueHelper(self._attributes.a_uint_array)
data_view.set(value)
self.a_uint_array_size = data_view.get_array_size()
@property
def a_vectord_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3)
return data_view.get()
@a_vectord_3.setter
def a_vectord_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord_3)
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3)
data_view.set(value)
@property
def a_vectord_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3_array)
return data_view.get()
@a_vectord_3_array.setter
def a_vectord_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3_array)
data_view.set(value)
self.a_vectord_3_array_size = data_view.get_array_size()
@property
def a_vectorf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3)
return data_view.get()
@a_vectorf_3.setter
def a_vectorf_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf_3)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3)
data_view.set(value)
@property
def a_vectorf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3_array)
return data_view.get()
@a_vectorf_3_array.setter
def a_vectorf_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3_array)
data_view.set(value)
self.a_vectorf_3_array_size = data_view.get_array_size()
@property
def a_vectorh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3)
return data_view.get()
@a_vectorh_3.setter
def a_vectorh_3(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh_3)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3)
data_view.set(value)
@property
def a_vectorh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3_array)
return data_view.get()
@a_vectorh_3_array.setter
def a_vectorh_3_array(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh_3_array)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3_array)
data_view.set(value)
self.a_vectorh_3_array_size = data_view.get_array_size()
@property
def doNotCompute(self):
data_view = og.AttributeValueHelper(self._attributes.doNotCompute)
return data_view.get()
@doNotCompute.setter
def doNotCompute(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.doNotCompute)
data_view = og.AttributeValueHelper(self._attributes.doNotCompute)
data_view.set(value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.__bundles = og.BundleContainer(context, node, attributes, [], read_only=False, gpu_ptr_kinds={})
self.a_bool_array_size = 2
self.a_colord_3_array_size = 2
self.a_colord_4_array_size = 2
self.a_colorf_3_array_size = 2
self.a_colorf_4_array_size = 2
self.a_colorh_3_array_size = 2
self.a_colorh_4_array_size = 2
self.a_double_2_array_size = 2
self.a_double_3_array_size = 2
self.a_double_4_array_size = 2
self.a_double_array_size = 2
self.a_float_2_array_size = 2
self.a_float_3_array_size = 2
self.a_float_4_array_size = 2
self.a_float_array_size = 2
self.a_frame_4_array_size = 2
self.a_half_2_array_size = 2
self.a_half_3_array_size = 2
self.a_half_4_array_size = 2
self.a_half_array_size = 2
self.a_int64_array_size = 2
self.a_int_2_array_size = 2
self.a_int_3_array_size = 2
self.a_int_4_array_size = 2
self.a_int_array_size = 2
self.a_matrixd_2_array_size = 2
self.a_matrixd_3_array_size = 2
self.a_matrixd_4_array_size = 2
self.a_normald_3_array_size = 2
self.a_normalf_3_array_size = 2
self.a_normalh_3_array_size = 2
self.a_objectId_array_size = 2
self.a_path_size = 7
self.a_pointd_3_array_size = 2
self.a_pointf_3_array_size = 2
self.a_pointh_3_array_size = 2
self.a_quatd_4_array_size = 2
self.a_quatf_4_array_size = 2
self.a_quath_4_array_size = 2
self.a_string_size = 20
self.a_target_size = None
self.a_texcoordd_2_array_size = 2
self.a_texcoordd_3_array_size = 2
self.a_texcoordf_2_array_size = 2
self.a_texcoordf_3_array_size = 2
self.a_texcoordh_2_array_size = 2
self.a_texcoordh_3_array_size = 2
self.a_timecode_array_size = 2
self.a_token_array_size = 2
self.a_uchar_array_size = 2
self.a_uint64_array_size = 2
self.a_uint_array_size = 2
self.a_vectord_3_array_size = 2
self.a_vectorf_3_array_size = 2
self.a_vectorh_3_array_size = 2
self._batchedWriteValues = { }
@property
def a_bool(self):
data_view = og.AttributeValueHelper(self._attributes.a_bool)
return data_view.get()
@a_bool.setter
def a_bool(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_bool)
data_view.set(value)
@property
def a_bool_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_bool_array)
return data_view.get(reserved_element_count=self.a_bool_array_size)
@a_bool_array.setter
def a_bool_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_bool_array)
data_view.set(value)
self.a_bool_array_size = data_view.get_array_size()
@property
def a_bundle(self) -> og.BundleContents:
"""Get the bundle wrapper class for the attribute outputs.a_bundle"""
return self.__bundles.a_bundle
@a_bundle.setter
def a_bundle(self, bundle: og.BundleContents):
"""Overwrite the bundle attribute outputs.a_bundle with a new bundle"""
if not isinstance(bundle, og.BundleContents):
carb.log_error("Only bundle attributes can be assigned to another bundle attribute")
self.__bundles.a_bundle.bundle = bundle
@property
def a_colord_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3)
return data_view.get()
@a_colord_3.setter
def a_colord_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3)
data_view.set(value)
@property
def a_colord_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3_array)
return data_view.get(reserved_element_count=self.a_colord_3_array_size)
@a_colord_3_array.setter
def a_colord_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3_array)
data_view.set(value)
self.a_colord_3_array_size = data_view.get_array_size()
@property
def a_colord_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4)
return data_view.get()
@a_colord_4.setter
def a_colord_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4)
data_view.set(value)
@property
def a_colord_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4_array)
return data_view.get(reserved_element_count=self.a_colord_4_array_size)
@a_colord_4_array.setter
def a_colord_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4_array)
data_view.set(value)
self.a_colord_4_array_size = data_view.get_array_size()
@property
def a_colorf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3)
return data_view.get()
@a_colorf_3.setter
def a_colorf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3)
data_view.set(value)
@property
def a_colorf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3_array)
return data_view.get(reserved_element_count=self.a_colorf_3_array_size)
@a_colorf_3_array.setter
def a_colorf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3_array)
data_view.set(value)
self.a_colorf_3_array_size = data_view.get_array_size()
@property
def a_colorf_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4)
return data_view.get()
@a_colorf_4.setter
def a_colorf_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4)
data_view.set(value)
@property
def a_colorf_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4_array)
return data_view.get(reserved_element_count=self.a_colorf_4_array_size)
@a_colorf_4_array.setter
def a_colorf_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4_array)
data_view.set(value)
self.a_colorf_4_array_size = data_view.get_array_size()
@property
def a_colorh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3)
return data_view.get()
@a_colorh_3.setter
def a_colorh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3)
data_view.set(value)
@property
def a_colorh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3_array)
return data_view.get(reserved_element_count=self.a_colorh_3_array_size)
@a_colorh_3_array.setter
def a_colorh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3_array)
data_view.set(value)
self.a_colorh_3_array_size = data_view.get_array_size()
@property
def a_colorh_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4)
return data_view.get()
@a_colorh_4.setter
def a_colorh_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4)
data_view.set(value)
@property
def a_colorh_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4_array)
return data_view.get(reserved_element_count=self.a_colorh_4_array_size)
@a_colorh_4_array.setter
def a_colorh_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4_array)
data_view.set(value)
self.a_colorh_4_array_size = data_view.get_array_size()
@property
def a_double(self):
data_view = og.AttributeValueHelper(self._attributes.a_double)
return data_view.get()
@a_double.setter
def a_double(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double)
data_view.set(value)
@property
def a_double_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_2)
return data_view.get()
@a_double_2.setter
def a_double_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_2)
data_view.set(value)
@property
def a_double_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_2_array)
return data_view.get(reserved_element_count=self.a_double_2_array_size)
@a_double_2_array.setter
def a_double_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_2_array)
data_view.set(value)
self.a_double_2_array_size = data_view.get_array_size()
@property
def a_double_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_3)
return data_view.get()
@a_double_3.setter
def a_double_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_3)
data_view.set(value)
@property
def a_double_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_3_array)
return data_view.get(reserved_element_count=self.a_double_3_array_size)
@a_double_3_array.setter
def a_double_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_3_array)
data_view.set(value)
self.a_double_3_array_size = data_view.get_array_size()
@property
def a_double_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_4)
return data_view.get()
@a_double_4.setter
def a_double_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_4)
data_view.set(value)
@property
def a_double_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_4_array)
return data_view.get(reserved_element_count=self.a_double_4_array_size)
@a_double_4_array.setter
def a_double_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_4_array)
data_view.set(value)
self.a_double_4_array_size = data_view.get_array_size()
@property
def a_double_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array)
return data_view.get(reserved_element_count=self.a_double_array_size)
@a_double_array.setter
def a_double_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_array)
data_view.set(value)
self.a_double_array_size = data_view.get_array_size()
@property
def a_execution(self):
data_view = og.AttributeValueHelper(self._attributes.a_execution)
return data_view.get()
@a_execution.setter
def a_execution(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_execution)
data_view.set(value)
@property
def a_float(self):
data_view = og.AttributeValueHelper(self._attributes.a_float)
return data_view.get()
@a_float.setter
def a_float(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float)
data_view.set(value)
@property
def a_float_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_2)
return data_view.get()
@a_float_2.setter
def a_float_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_2)
data_view.set(value)
@property
def a_float_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_2_array)
return data_view.get(reserved_element_count=self.a_float_2_array_size)
@a_float_2_array.setter
def a_float_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_2_array)
data_view.set(value)
self.a_float_2_array_size = data_view.get_array_size()
@property
def a_float_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_3)
return data_view.get()
@a_float_3.setter
def a_float_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_3)
data_view.set(value)
@property
def a_float_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_3_array)
return data_view.get(reserved_element_count=self.a_float_3_array_size)
@a_float_3_array.setter
def a_float_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_3_array)
data_view.set(value)
self.a_float_3_array_size = data_view.get_array_size()
@property
def a_float_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_4)
return data_view.get()
@a_float_4.setter
def a_float_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_4)
data_view.set(value)
@property
def a_float_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_4_array)
return data_view.get(reserved_element_count=self.a_float_4_array_size)
@a_float_4_array.setter
def a_float_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_4_array)
data_view.set(value)
self.a_float_4_array_size = data_view.get_array_size()
@property
def a_float_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array)
return data_view.get(reserved_element_count=self.a_float_array_size)
@a_float_array.setter
def a_float_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_array)
data_view.set(value)
self.a_float_array_size = data_view.get_array_size()
@property
def a_frame_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4)
return data_view.get()
@a_frame_4.setter
def a_frame_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4)
data_view.set(value)
@property
def a_frame_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4_array)
return data_view.get(reserved_element_count=self.a_frame_4_array_size)
@a_frame_4_array.setter
def a_frame_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4_array)
data_view.set(value)
self.a_frame_4_array_size = data_view.get_array_size()
@property
def a_half(self):
data_view = og.AttributeValueHelper(self._attributes.a_half)
return data_view.get()
@a_half.setter
def a_half(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half)
data_view.set(value)
@property
def a_half_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_2)
return data_view.get()
@a_half_2.setter
def a_half_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_2)
data_view.set(value)
@property
def a_half_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_2_array)
return data_view.get(reserved_element_count=self.a_half_2_array_size)
@a_half_2_array.setter
def a_half_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_2_array)
data_view.set(value)
self.a_half_2_array_size = data_view.get_array_size()
@property
def a_half_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_3)
return data_view.get()
@a_half_3.setter
def a_half_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_3)
data_view.set(value)
@property
def a_half_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_3_array)
return data_view.get(reserved_element_count=self.a_half_3_array_size)
@a_half_3_array.setter
def a_half_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_3_array)
data_view.set(value)
self.a_half_3_array_size = data_view.get_array_size()
@property
def a_half_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_4)
return data_view.get()
@a_half_4.setter
def a_half_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_4)
data_view.set(value)
@property
def a_half_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_4_array)
return data_view.get(reserved_element_count=self.a_half_4_array_size)
@a_half_4_array.setter
def a_half_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_4_array)
data_view.set(value)
self.a_half_4_array_size = data_view.get_array_size()
@property
def a_half_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array)
return data_view.get(reserved_element_count=self.a_half_array_size)
@a_half_array.setter
def a_half_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_array)
data_view.set(value)
self.a_half_array_size = data_view.get_array_size()
@property
def a_int(self):
data_view = og.AttributeValueHelper(self._attributes.a_int)
return data_view.get()
@a_int.setter
def a_int(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int)
data_view.set(value)
@property
def a_int64(self):
data_view = og.AttributeValueHelper(self._attributes.a_int64)
return data_view.get()
@a_int64.setter
def a_int64(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int64)
data_view.set(value)
@property
def a_int64_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int64_array)
return data_view.get(reserved_element_count=self.a_int64_array_size)
@a_int64_array.setter
def a_int64_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int64_array)
data_view.set(value)
self.a_int64_array_size = data_view.get_array_size()
@property
def a_int_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_2)
return data_view.get()
@a_int_2.setter
def a_int_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_2)
data_view.set(value)
@property
def a_int_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_2_array)
return data_view.get(reserved_element_count=self.a_int_2_array_size)
@a_int_2_array.setter
def a_int_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_2_array)
data_view.set(value)
self.a_int_2_array_size = data_view.get_array_size()
@property
def a_int_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_3)
return data_view.get()
@a_int_3.setter
def a_int_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_3)
data_view.set(value)
@property
def a_int_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_3_array)
return data_view.get(reserved_element_count=self.a_int_3_array_size)
@a_int_3_array.setter
def a_int_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_3_array)
data_view.set(value)
self.a_int_3_array_size = data_view.get_array_size()
@property
def a_int_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_4)
return data_view.get()
@a_int_4.setter
def a_int_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_4)
data_view.set(value)
@property
def a_int_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_4_array)
return data_view.get(reserved_element_count=self.a_int_4_array_size)
@a_int_4_array.setter
def a_int_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_4_array)
data_view.set(value)
self.a_int_4_array_size = data_view.get_array_size()
@property
def a_int_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_array)
return data_view.get(reserved_element_count=self.a_int_array_size)
@a_int_array.setter
def a_int_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_array)
data_view.set(value)
self.a_int_array_size = data_view.get_array_size()
@property
def a_matrixd_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2)
return data_view.get()
@a_matrixd_2.setter
def a_matrixd_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2)
data_view.set(value)
@property
def a_matrixd_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2_array)
return data_view.get(reserved_element_count=self.a_matrixd_2_array_size)
@a_matrixd_2_array.setter
def a_matrixd_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2_array)
data_view.set(value)
self.a_matrixd_2_array_size = data_view.get_array_size()
@property
def a_matrixd_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3)
return data_view.get()
@a_matrixd_3.setter
def a_matrixd_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3)
data_view.set(value)
@property
def a_matrixd_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3_array)
return data_view.get(reserved_element_count=self.a_matrixd_3_array_size)
@a_matrixd_3_array.setter
def a_matrixd_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3_array)
data_view.set(value)
self.a_matrixd_3_array_size = data_view.get_array_size()
@property
def a_matrixd_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4)
return data_view.get()
@a_matrixd_4.setter
def a_matrixd_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4)
data_view.set(value)
@property
def a_matrixd_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4_array)
return data_view.get(reserved_element_count=self.a_matrixd_4_array_size)
@a_matrixd_4_array.setter
def a_matrixd_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4_array)
data_view.set(value)
self.a_matrixd_4_array_size = data_view.get_array_size()
@property
def a_normald_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3)
return data_view.get()
@a_normald_3.setter
def a_normald_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3)
data_view.set(value)
@property
def a_normald_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3_array)
return data_view.get(reserved_element_count=self.a_normald_3_array_size)
@a_normald_3_array.setter
def a_normald_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3_array)
data_view.set(value)
self.a_normald_3_array_size = data_view.get_array_size()
@property
def a_normalf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3)
return data_view.get()
@a_normalf_3.setter
def a_normalf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3)
data_view.set(value)
@property
def a_normalf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3_array)
return data_view.get(reserved_element_count=self.a_normalf_3_array_size)
@a_normalf_3_array.setter
def a_normalf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3_array)
data_view.set(value)
self.a_normalf_3_array_size = data_view.get_array_size()
@property
def a_normalh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3)
return data_view.get()
@a_normalh_3.setter
def a_normalh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3)
data_view.set(value)
@property
def a_normalh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3_array)
return data_view.get(reserved_element_count=self.a_normalh_3_array_size)
@a_normalh_3_array.setter
def a_normalh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3_array)
data_view.set(value)
self.a_normalh_3_array_size = data_view.get_array_size()
@property
def a_objectId(self):
data_view = og.AttributeValueHelper(self._attributes.a_objectId)
return data_view.get()
@a_objectId.setter
def a_objectId(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_objectId)
data_view.set(value)
@property
def a_objectId_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_objectId_array)
return data_view.get(reserved_element_count=self.a_objectId_array_size)
@a_objectId_array.setter
def a_objectId_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_objectId_array)
data_view.set(value)
self.a_objectId_array_size = data_view.get_array_size()
@property
def a_path(self):
data_view = og.AttributeValueHelper(self._attributes.a_path)
return data_view.get(reserved_element_count=self.a_path_size)
@a_path.setter
def a_path(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_path)
data_view.set(value)
self.a_path_size = data_view.get_array_size()
@property
def a_pointd_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3)
return data_view.get()
@a_pointd_3.setter
def a_pointd_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3)
data_view.set(value)
@property
def a_pointd_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3_array)
return data_view.get(reserved_element_count=self.a_pointd_3_array_size)
@a_pointd_3_array.setter
def a_pointd_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3_array)
data_view.set(value)
self.a_pointd_3_array_size = data_view.get_array_size()
@property
def a_pointf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3)
return data_view.get()
@a_pointf_3.setter
def a_pointf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3)
data_view.set(value)
@property
def a_pointf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3_array)
return data_view.get(reserved_element_count=self.a_pointf_3_array_size)
@a_pointf_3_array.setter
def a_pointf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3_array)
data_view.set(value)
self.a_pointf_3_array_size = data_view.get_array_size()
@property
def a_pointh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3)
return data_view.get()
@a_pointh_3.setter
def a_pointh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3)
data_view.set(value)
@property
def a_pointh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3_array)
return data_view.get(reserved_element_count=self.a_pointh_3_array_size)
@a_pointh_3_array.setter
def a_pointh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3_array)
data_view.set(value)
self.a_pointh_3_array_size = data_view.get_array_size()
@property
def a_quatd_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4)
return data_view.get()
@a_quatd_4.setter
def a_quatd_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4)
data_view.set(value)
@property
def a_quatd_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4_array)
return data_view.get(reserved_element_count=self.a_quatd_4_array_size)
@a_quatd_4_array.setter
def a_quatd_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4_array)
data_view.set(value)
self.a_quatd_4_array_size = data_view.get_array_size()
@property
def a_quatf_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4)
return data_view.get()
@a_quatf_4.setter
def a_quatf_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4)
data_view.set(value)
@property
def a_quatf_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4_array)
return data_view.get(reserved_element_count=self.a_quatf_4_array_size)
@a_quatf_4_array.setter
def a_quatf_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4_array)
data_view.set(value)
self.a_quatf_4_array_size = data_view.get_array_size()
@property
def a_quath_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4)
return data_view.get()
@a_quath_4.setter
def a_quath_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4)
data_view.set(value)
@property
def a_quath_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4_array)
return data_view.get(reserved_element_count=self.a_quath_4_array_size)
@a_quath_4_array.setter
def a_quath_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4_array)
data_view.set(value)
self.a_quath_4_array_size = data_view.get_array_size()
@property
def a_string(self):
data_view = og.AttributeValueHelper(self._attributes.a_string)
return data_view.get(reserved_element_count=self.a_string_size)
@a_string.setter
def a_string(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_string)
data_view.set(value)
self.a_string_size = data_view.get_array_size()
@property
def a_target(self):
data_view = og.AttributeValueHelper(self._attributes.a_target)
return data_view.get(reserved_element_count=self.a_target_size)
@a_target.setter
def a_target(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_target)
data_view.set(value)
self.a_target_size = data_view.get_array_size()
@property
def a_texcoordd_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2)
return data_view.get()
@a_texcoordd_2.setter
def a_texcoordd_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2)
data_view.set(value)
@property
def a_texcoordd_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2_array)
return data_view.get(reserved_element_count=self.a_texcoordd_2_array_size)
@a_texcoordd_2_array.setter
def a_texcoordd_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2_array)
data_view.set(value)
self.a_texcoordd_2_array_size = data_view.get_array_size()
@property
def a_texcoordd_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3)
return data_view.get()
@a_texcoordd_3.setter
def a_texcoordd_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3)
data_view.set(value)
@property
def a_texcoordd_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3_array)
return data_view.get(reserved_element_count=self.a_texcoordd_3_array_size)
@a_texcoordd_3_array.setter
def a_texcoordd_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3_array)
data_view.set(value)
self.a_texcoordd_3_array_size = data_view.get_array_size()
@property
def a_texcoordf_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2)
return data_view.get()
@a_texcoordf_2.setter
def a_texcoordf_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2)
data_view.set(value)
@property
def a_texcoordf_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2_array)
return data_view.get(reserved_element_count=self.a_texcoordf_2_array_size)
@a_texcoordf_2_array.setter
def a_texcoordf_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2_array)
data_view.set(value)
self.a_texcoordf_2_array_size = data_view.get_array_size()
@property
def a_texcoordf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3)
return data_view.get()
@a_texcoordf_3.setter
def a_texcoordf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3)
data_view.set(value)
@property
def a_texcoordf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3_array)
return data_view.get(reserved_element_count=self.a_texcoordf_3_array_size)
@a_texcoordf_3_array.setter
def a_texcoordf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3_array)
data_view.set(value)
self.a_texcoordf_3_array_size = data_view.get_array_size()
@property
def a_texcoordh_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2)
return data_view.get()
@a_texcoordh_2.setter
def a_texcoordh_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2)
data_view.set(value)
@property
def a_texcoordh_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2_array)
return data_view.get(reserved_element_count=self.a_texcoordh_2_array_size)
@a_texcoordh_2_array.setter
def a_texcoordh_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2_array)
data_view.set(value)
self.a_texcoordh_2_array_size = data_view.get_array_size()
@property
def a_texcoordh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3)
return data_view.get()
@a_texcoordh_3.setter
def a_texcoordh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3)
data_view.set(value)
@property
def a_texcoordh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3_array)
return data_view.get(reserved_element_count=self.a_texcoordh_3_array_size)
@a_texcoordh_3_array.setter
def a_texcoordh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3_array)
data_view.set(value)
self.a_texcoordh_3_array_size = data_view.get_array_size()
@property
def a_timecode(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode)
return data_view.get()
@a_timecode.setter
def a_timecode(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode)
data_view.set(value)
@property
def a_timecode_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array)
return data_view.get(reserved_element_count=self.a_timecode_array_size)
@a_timecode_array.setter
def a_timecode_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array)
data_view.set(value)
self.a_timecode_array_size = data_view.get_array_size()
@property
def a_token(self):
data_view = og.AttributeValueHelper(self._attributes.a_token)
return data_view.get()
@a_token.setter
def a_token(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_token)
data_view.set(value)
@property
def a_token_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_token_array)
return data_view.get(reserved_element_count=self.a_token_array_size)
@a_token_array.setter
def a_token_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_token_array)
data_view.set(value)
self.a_token_array_size = data_view.get_array_size()
@property
def a_uchar(self):
data_view = og.AttributeValueHelper(self._attributes.a_uchar)
return data_view.get()
@a_uchar.setter
def a_uchar(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uchar)
data_view.set(value)
@property
def a_uchar_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_uchar_array)
return data_view.get(reserved_element_count=self.a_uchar_array_size)
@a_uchar_array.setter
def a_uchar_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uchar_array)
data_view.set(value)
self.a_uchar_array_size = data_view.get_array_size()
@property
def a_uint(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint)
return data_view.get()
@a_uint.setter
def a_uint(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uint)
data_view.set(value)
@property
def a_uint64(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint64)
return data_view.get()
@a_uint64.setter
def a_uint64(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uint64)
data_view.set(value)
@property
def a_uint64_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint64_array)
return data_view.get(reserved_element_count=self.a_uint64_array_size)
@a_uint64_array.setter
def a_uint64_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uint64_array)
data_view.set(value)
self.a_uint64_array_size = data_view.get_array_size()
@property
def a_uint_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint_array)
return data_view.get(reserved_element_count=self.a_uint_array_size)
@a_uint_array.setter
def a_uint_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uint_array)
data_view.set(value)
self.a_uint_array_size = data_view.get_array_size()
@property
def a_vectord_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3)
return data_view.get()
@a_vectord_3.setter
def a_vectord_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3)
data_view.set(value)
@property
def a_vectord_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3_array)
return data_view.get(reserved_element_count=self.a_vectord_3_array_size)
@a_vectord_3_array.setter
def a_vectord_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3_array)
data_view.set(value)
self.a_vectord_3_array_size = data_view.get_array_size()
@property
def a_vectorf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3)
return data_view.get()
@a_vectorf_3.setter
def a_vectorf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3)
data_view.set(value)
@property
def a_vectorf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3_array)
return data_view.get(reserved_element_count=self.a_vectorf_3_array_size)
@a_vectorf_3_array.setter
def a_vectorf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3_array)
data_view.set(value)
self.a_vectorf_3_array_size = data_view.get_array_size()
@property
def a_vectorh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3)
return data_view.get()
@a_vectorh_3.setter
def a_vectorh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3)
data_view.set(value)
@property
def a_vectorh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3_array)
return data_view.get(reserved_element_count=self.a_vectorh_3_array_size)
@a_vectorh_3_array.setter
def a_vectorh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3_array)
data_view.set(value)
self.a_vectorh_3_array_size = data_view.get_array_size()
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.__bundles = og.BundleContainer(context, node, attributes, [], read_only=False, gpu_ptr_kinds={})
self.a_bool_array_size = 2
self.a_colord_3_array_size = 2
self.a_colord_4_array_size = 2
self.a_colorf_3_array_size = 2
self.a_colorf_4_array_size = 2
self.a_colorh_3_array_size = 2
self.a_colorh_4_array_size = 2
self.a_double_2_array_size = 2
self.a_double_3_array_size = 2
self.a_double_4_array_size = 2
self.a_double_array_size = 2
self.a_float_2_array_size = 2
self.a_float_3_array_size = 2
self.a_float_4_array_size = 2
self.a_float_array_size = 2
self.a_frame_4_array_size = 2
self.a_half_2_array_size = 2
self.a_half_3_array_size = 2
self.a_half_4_array_size = 2
self.a_half_array_size = 2
self.a_int64_array_size = 2
self.a_int_2_array_size = 2
self.a_int_3_array_size = 2
self.a_int_4_array_size = 2
self.a_int_array_size = 2
self.a_matrixd_2_array_size = 2
self.a_matrixd_3_array_size = 2
self.a_matrixd_4_array_size = 2
self.a_normald_3_array_size = 2
self.a_normalf_3_array_size = 2
self.a_normalh_3_array_size = 2
self.a_objectId_array_size = 2
self.a_path_size = 6
self.a_pointd_3_array_size = 2
self.a_pointf_3_array_size = 2
self.a_pointh_3_array_size = 2
self.a_quatd_4_array_size = 2
self.a_quatf_4_array_size = 2
self.a_quath_4_array_size = 2
self.a_string_size = 20
self.a_stringEmpty_size = None
self.a_target_size = None
self.a_texcoordd_2_array_size = 2
self.a_texcoordd_3_array_size = 2
self.a_texcoordf_2_array_size = 2
self.a_texcoordf_3_array_size = 2
self.a_texcoordh_2_array_size = 2
self.a_texcoordh_3_array_size = 2
self.a_timecode_array_size = 2
self.a_token_array_size = 2
self.a_uchar_array_size = 2
self.a_uint64_array_size = 2
self.a_uint_array_size = 2
self.a_vectord_3_array_size = 2
self.a_vectorf_3_array_size = 2
self.a_vectorh_3_array_size = 2
@property
def a_bool(self):
data_view = og.AttributeValueHelper(self._attributes.a_bool)
return data_view.get()
@a_bool.setter
def a_bool(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_bool)
data_view.set(value)
@property
def a_bool_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_bool_array)
self.a_bool_array_size = data_view.get_array_size()
return data_view.get()
@a_bool_array.setter
def a_bool_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_bool_array)
data_view.set(value)
self.a_bool_array_size = data_view.get_array_size()
@property
def a_bundle(self) -> og.BundleContents:
"""Get the bundle wrapper class for the attribute state.a_bundle"""
return self.__bundles.a_bundle
@a_bundle.setter
def a_bundle(self, bundle: og.BundleContents):
"""Overwrite the bundle attribute state.a_bundle with a new bundle"""
if not isinstance(bundle, og.BundleContents):
carb.log_error("Only bundle attributes can be assigned to another bundle attribute")
self.__bundles.a_bundle.bundle = bundle
@property
def a_colord_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3)
return data_view.get()
@a_colord_3.setter
def a_colord_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3)
data_view.set(value)
@property
def a_colord_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3_array)
self.a_colord_3_array_size = data_view.get_array_size()
return data_view.get()
@a_colord_3_array.setter
def a_colord_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord_3_array)
data_view.set(value)
self.a_colord_3_array_size = data_view.get_array_size()
@property
def a_colord_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4)
return data_view.get()
@a_colord_4.setter
def a_colord_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4)
data_view.set(value)
@property
def a_colord_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4_array)
self.a_colord_4_array_size = data_view.get_array_size()
return data_view.get()
@a_colord_4_array.setter
def a_colord_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord_4_array)
data_view.set(value)
self.a_colord_4_array_size = data_view.get_array_size()
@property
def a_colorf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3)
return data_view.get()
@a_colorf_3.setter
def a_colorf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3)
data_view.set(value)
@property
def a_colorf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3_array)
self.a_colorf_3_array_size = data_view.get_array_size()
return data_view.get()
@a_colorf_3_array.setter
def a_colorf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_3_array)
data_view.set(value)
self.a_colorf_3_array_size = data_view.get_array_size()
@property
def a_colorf_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4)
return data_view.get()
@a_colorf_4.setter
def a_colorf_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4)
data_view.set(value)
@property
def a_colorf_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4_array)
self.a_colorf_4_array_size = data_view.get_array_size()
return data_view.get()
@a_colorf_4_array.setter
def a_colorf_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf_4_array)
data_view.set(value)
self.a_colorf_4_array_size = data_view.get_array_size()
@property
def a_colorh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3)
return data_view.get()
@a_colorh_3.setter
def a_colorh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3)
data_view.set(value)
@property
def a_colorh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3_array)
self.a_colorh_3_array_size = data_view.get_array_size()
return data_view.get()
@a_colorh_3_array.setter
def a_colorh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_3_array)
data_view.set(value)
self.a_colorh_3_array_size = data_view.get_array_size()
@property
def a_colorh_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4)
return data_view.get()
@a_colorh_4.setter
def a_colorh_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4)
data_view.set(value)
@property
def a_colorh_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4_array)
self.a_colorh_4_array_size = data_view.get_array_size()
return data_view.get()
@a_colorh_4_array.setter
def a_colorh_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh_4_array)
data_view.set(value)
self.a_colorh_4_array_size = data_view.get_array_size()
@property
def a_double(self):
data_view = og.AttributeValueHelper(self._attributes.a_double)
return data_view.get()
@a_double.setter
def a_double(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double)
data_view.set(value)
@property
def a_double_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_2)
return data_view.get()
@a_double_2.setter
def a_double_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_2)
data_view.set(value)
@property
def a_double_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_2_array)
self.a_double_2_array_size = data_view.get_array_size()
return data_view.get()
@a_double_2_array.setter
def a_double_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_2_array)
data_view.set(value)
self.a_double_2_array_size = data_view.get_array_size()
@property
def a_double_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_3)
return data_view.get()
@a_double_3.setter
def a_double_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_3)
data_view.set(value)
@property
def a_double_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_3_array)
self.a_double_3_array_size = data_view.get_array_size()
return data_view.get()
@a_double_3_array.setter
def a_double_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_3_array)
data_view.set(value)
self.a_double_3_array_size = data_view.get_array_size()
@property
def a_double_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_4)
return data_view.get()
@a_double_4.setter
def a_double_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_4)
data_view.set(value)
@property
def a_double_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_4_array)
self.a_double_4_array_size = data_view.get_array_size()
return data_view.get()
@a_double_4_array.setter
def a_double_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_4_array)
data_view.set(value)
self.a_double_4_array_size = data_view.get_array_size()
@property
def a_double_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array)
self.a_double_array_size = data_view.get_array_size()
return data_view.get()
@a_double_array.setter
def a_double_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_array)
data_view.set(value)
self.a_double_array_size = data_view.get_array_size()
@property
def a_execution(self):
data_view = og.AttributeValueHelper(self._attributes.a_execution)
return data_view.get()
@a_execution.setter
def a_execution(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_execution)
data_view.set(value)
@property
def a_firstEvaluation(self):
data_view = og.AttributeValueHelper(self._attributes.a_firstEvaluation)
return data_view.get()
@a_firstEvaluation.setter
def a_firstEvaluation(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_firstEvaluation)
data_view.set(value)
@property
def a_float(self):
data_view = og.AttributeValueHelper(self._attributes.a_float)
return data_view.get()
@a_float.setter
def a_float(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float)
data_view.set(value)
@property
def a_float_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_2)
return data_view.get()
@a_float_2.setter
def a_float_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_2)
data_view.set(value)
@property
def a_float_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_2_array)
self.a_float_2_array_size = data_view.get_array_size()
return data_view.get()
@a_float_2_array.setter
def a_float_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_2_array)
data_view.set(value)
self.a_float_2_array_size = data_view.get_array_size()
@property
def a_float_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_3)
return data_view.get()
@a_float_3.setter
def a_float_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_3)
data_view.set(value)
@property
def a_float_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_3_array)
self.a_float_3_array_size = data_view.get_array_size()
return data_view.get()
@a_float_3_array.setter
def a_float_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_3_array)
data_view.set(value)
self.a_float_3_array_size = data_view.get_array_size()
@property
def a_float_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_4)
return data_view.get()
@a_float_4.setter
def a_float_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_4)
data_view.set(value)
@property
def a_float_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_4_array)
self.a_float_4_array_size = data_view.get_array_size()
return data_view.get()
@a_float_4_array.setter
def a_float_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_4_array)
data_view.set(value)
self.a_float_4_array_size = data_view.get_array_size()
@property
def a_float_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array)
self.a_float_array_size = data_view.get_array_size()
return data_view.get()
@a_float_array.setter
def a_float_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_array)
data_view.set(value)
self.a_float_array_size = data_view.get_array_size()
@property
def a_frame_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4)
return data_view.get()
@a_frame_4.setter
def a_frame_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4)
data_view.set(value)
@property
def a_frame_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4_array)
self.a_frame_4_array_size = data_view.get_array_size()
return data_view.get()
@a_frame_4_array.setter
def a_frame_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame_4_array)
data_view.set(value)
self.a_frame_4_array_size = data_view.get_array_size()
@property
def a_half(self):
data_view = og.AttributeValueHelper(self._attributes.a_half)
return data_view.get()
@a_half.setter
def a_half(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half)
data_view.set(value)
@property
def a_half_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_2)
return data_view.get()
@a_half_2.setter
def a_half_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_2)
data_view.set(value)
@property
def a_half_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_2_array)
self.a_half_2_array_size = data_view.get_array_size()
return data_view.get()
@a_half_2_array.setter
def a_half_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_2_array)
data_view.set(value)
self.a_half_2_array_size = data_view.get_array_size()
@property
def a_half_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_3)
return data_view.get()
@a_half_3.setter
def a_half_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_3)
data_view.set(value)
@property
def a_half_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_3_array)
self.a_half_3_array_size = data_view.get_array_size()
return data_view.get()
@a_half_3_array.setter
def a_half_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_3_array)
data_view.set(value)
self.a_half_3_array_size = data_view.get_array_size()
@property
def a_half_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_4)
return data_view.get()
@a_half_4.setter
def a_half_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_4)
data_view.set(value)
@property
def a_half_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_4_array)
self.a_half_4_array_size = data_view.get_array_size()
return data_view.get()
@a_half_4_array.setter
def a_half_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_4_array)
data_view.set(value)
self.a_half_4_array_size = data_view.get_array_size()
@property
def a_half_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array)
self.a_half_array_size = data_view.get_array_size()
return data_view.get()
@a_half_array.setter
def a_half_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_array)
data_view.set(value)
self.a_half_array_size = data_view.get_array_size()
@property
def a_int(self):
data_view = og.AttributeValueHelper(self._attributes.a_int)
return data_view.get()
@a_int.setter
def a_int(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int)
data_view.set(value)
@property
def a_int64(self):
data_view = og.AttributeValueHelper(self._attributes.a_int64)
return data_view.get()
@a_int64.setter
def a_int64(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int64)
data_view.set(value)
@property
def a_int64_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int64_array)
self.a_int64_array_size = data_view.get_array_size()
return data_view.get()
@a_int64_array.setter
def a_int64_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int64_array)
data_view.set(value)
self.a_int64_array_size = data_view.get_array_size()
@property
def a_int_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_2)
return data_view.get()
@a_int_2.setter
def a_int_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_2)
data_view.set(value)
@property
def a_int_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_2_array)
self.a_int_2_array_size = data_view.get_array_size()
return data_view.get()
@a_int_2_array.setter
def a_int_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_2_array)
data_view.set(value)
self.a_int_2_array_size = data_view.get_array_size()
@property
def a_int_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_3)
return data_view.get()
@a_int_3.setter
def a_int_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_3)
data_view.set(value)
@property
def a_int_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_3_array)
self.a_int_3_array_size = data_view.get_array_size()
return data_view.get()
@a_int_3_array.setter
def a_int_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_3_array)
data_view.set(value)
self.a_int_3_array_size = data_view.get_array_size()
@property
def a_int_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_4)
return data_view.get()
@a_int_4.setter
def a_int_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_4)
data_view.set(value)
@property
def a_int_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_4_array)
self.a_int_4_array_size = data_view.get_array_size()
return data_view.get()
@a_int_4_array.setter
def a_int_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_4_array)
data_view.set(value)
self.a_int_4_array_size = data_view.get_array_size()
@property
def a_int_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_int_array)
self.a_int_array_size = data_view.get_array_size()
return data_view.get()
@a_int_array.setter
def a_int_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_int_array)
data_view.set(value)
self.a_int_array_size = data_view.get_array_size()
@property
def a_matrixd_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2)
return data_view.get()
@a_matrixd_2.setter
def a_matrixd_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2)
data_view.set(value)
@property
def a_matrixd_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2_array)
self.a_matrixd_2_array_size = data_view.get_array_size()
return data_view.get()
@a_matrixd_2_array.setter
def a_matrixd_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_2_array)
data_view.set(value)
self.a_matrixd_2_array_size = data_view.get_array_size()
@property
def a_matrixd_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3)
return data_view.get()
@a_matrixd_3.setter
def a_matrixd_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3)
data_view.set(value)
@property
def a_matrixd_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3_array)
self.a_matrixd_3_array_size = data_view.get_array_size()
return data_view.get()
@a_matrixd_3_array.setter
def a_matrixd_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_3_array)
data_view.set(value)
self.a_matrixd_3_array_size = data_view.get_array_size()
@property
def a_matrixd_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4)
return data_view.get()
@a_matrixd_4.setter
def a_matrixd_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4)
data_view.set(value)
@property
def a_matrixd_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4_array)
self.a_matrixd_4_array_size = data_view.get_array_size()
return data_view.get()
@a_matrixd_4_array.setter
def a_matrixd_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd_4_array)
data_view.set(value)
self.a_matrixd_4_array_size = data_view.get_array_size()
@property
def a_normald_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3)
return data_view.get()
@a_normald_3.setter
def a_normald_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3)
data_view.set(value)
@property
def a_normald_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3_array)
self.a_normald_3_array_size = data_view.get_array_size()
return data_view.get()
@a_normald_3_array.setter
def a_normald_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald_3_array)
data_view.set(value)
self.a_normald_3_array_size = data_view.get_array_size()
@property
def a_normalf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3)
return data_view.get()
@a_normalf_3.setter
def a_normalf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3)
data_view.set(value)
@property
def a_normalf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3_array)
self.a_normalf_3_array_size = data_view.get_array_size()
return data_view.get()
@a_normalf_3_array.setter
def a_normalf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf_3_array)
data_view.set(value)
self.a_normalf_3_array_size = data_view.get_array_size()
@property
def a_normalh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3)
return data_view.get()
@a_normalh_3.setter
def a_normalh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3)
data_view.set(value)
@property
def a_normalh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3_array)
self.a_normalh_3_array_size = data_view.get_array_size()
return data_view.get()
@a_normalh_3_array.setter
def a_normalh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh_3_array)
data_view.set(value)
self.a_normalh_3_array_size = data_view.get_array_size()
@property
def a_objectId(self):
data_view = og.AttributeValueHelper(self._attributes.a_objectId)
return data_view.get()
@a_objectId.setter
def a_objectId(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_objectId)
data_view.set(value)
@property
def a_objectId_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_objectId_array)
self.a_objectId_array_size = data_view.get_array_size()
return data_view.get()
@a_objectId_array.setter
def a_objectId_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_objectId_array)
data_view.set(value)
self.a_objectId_array_size = data_view.get_array_size()
@property
def a_path(self):
data_view = og.AttributeValueHelper(self._attributes.a_path)
self.a_path_size = data_view.get_array_size()
return data_view.get()
@a_path.setter
def a_path(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_path)
data_view.set(value)
self.a_path_size = data_view.get_array_size()
@property
def a_pointd_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3)
return data_view.get()
@a_pointd_3.setter
def a_pointd_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3)
data_view.set(value)
@property
def a_pointd_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3_array)
self.a_pointd_3_array_size = data_view.get_array_size()
return data_view.get()
@a_pointd_3_array.setter
def a_pointd_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd_3_array)
data_view.set(value)
self.a_pointd_3_array_size = data_view.get_array_size()
@property
def a_pointf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3)
return data_view.get()
@a_pointf_3.setter
def a_pointf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3)
data_view.set(value)
@property
def a_pointf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3_array)
self.a_pointf_3_array_size = data_view.get_array_size()
return data_view.get()
@a_pointf_3_array.setter
def a_pointf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf_3_array)
data_view.set(value)
self.a_pointf_3_array_size = data_view.get_array_size()
@property
def a_pointh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3)
return data_view.get()
@a_pointh_3.setter
def a_pointh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3)
data_view.set(value)
@property
def a_pointh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3_array)
self.a_pointh_3_array_size = data_view.get_array_size()
return data_view.get()
@a_pointh_3_array.setter
def a_pointh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh_3_array)
data_view.set(value)
self.a_pointh_3_array_size = data_view.get_array_size()
@property
def a_quatd_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4)
return data_view.get()
@a_quatd_4.setter
def a_quatd_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4)
data_view.set(value)
@property
def a_quatd_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4_array)
self.a_quatd_4_array_size = data_view.get_array_size()
return data_view.get()
@a_quatd_4_array.setter
def a_quatd_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd_4_array)
data_view.set(value)
self.a_quatd_4_array_size = data_view.get_array_size()
@property
def a_quatf_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4)
return data_view.get()
@a_quatf_4.setter
def a_quatf_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4)
data_view.set(value)
@property
def a_quatf_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4_array)
self.a_quatf_4_array_size = data_view.get_array_size()
return data_view.get()
@a_quatf_4_array.setter
def a_quatf_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf_4_array)
data_view.set(value)
self.a_quatf_4_array_size = data_view.get_array_size()
@property
def a_quath_4(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4)
return data_view.get()
@a_quath_4.setter
def a_quath_4(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4)
data_view.set(value)
@property
def a_quath_4_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4_array)
self.a_quath_4_array_size = data_view.get_array_size()
return data_view.get()
@a_quath_4_array.setter
def a_quath_4_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath_4_array)
data_view.set(value)
self.a_quath_4_array_size = data_view.get_array_size()
@property
def a_string(self):
data_view = og.AttributeValueHelper(self._attributes.a_string)
self.a_string_size = data_view.get_array_size()
return data_view.get()
@a_string.setter
def a_string(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_string)
data_view.set(value)
self.a_string_size = data_view.get_array_size()
@property
def a_stringEmpty(self):
data_view = og.AttributeValueHelper(self._attributes.a_stringEmpty)
self.a_stringEmpty_size = data_view.get_array_size()
return data_view.get()
@a_stringEmpty.setter
def a_stringEmpty(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_stringEmpty)
data_view.set(value)
self.a_stringEmpty_size = data_view.get_array_size()
@property
def a_target(self):
data_view = og.AttributeValueHelper(self._attributes.a_target)
self.a_target_size = data_view.get_array_size()
return data_view.get()
@a_target.setter
def a_target(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_target)
data_view.set(value)
self.a_target_size = data_view.get_array_size()
@property
def a_texcoordd_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2)
return data_view.get()
@a_texcoordd_2.setter
def a_texcoordd_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2)
data_view.set(value)
@property
def a_texcoordd_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2_array)
self.a_texcoordd_2_array_size = data_view.get_array_size()
return data_view.get()
@a_texcoordd_2_array.setter
def a_texcoordd_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_2_array)
data_view.set(value)
self.a_texcoordd_2_array_size = data_view.get_array_size()
@property
def a_texcoordd_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3)
return data_view.get()
@a_texcoordd_3.setter
def a_texcoordd_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3)
data_view.set(value)
@property
def a_texcoordd_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3_array)
self.a_texcoordd_3_array_size = data_view.get_array_size()
return data_view.get()
@a_texcoordd_3_array.setter
def a_texcoordd_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd_3_array)
data_view.set(value)
self.a_texcoordd_3_array_size = data_view.get_array_size()
@property
def a_texcoordf_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2)
return data_view.get()
@a_texcoordf_2.setter
def a_texcoordf_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2)
data_view.set(value)
@property
def a_texcoordf_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2_array)
self.a_texcoordf_2_array_size = data_view.get_array_size()
return data_view.get()
@a_texcoordf_2_array.setter
def a_texcoordf_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_2_array)
data_view.set(value)
self.a_texcoordf_2_array_size = data_view.get_array_size()
@property
def a_texcoordf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3)
return data_view.get()
@a_texcoordf_3.setter
def a_texcoordf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3)
data_view.set(value)
@property
def a_texcoordf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3_array)
self.a_texcoordf_3_array_size = data_view.get_array_size()
return data_view.get()
@a_texcoordf_3_array.setter
def a_texcoordf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf_3_array)
data_view.set(value)
self.a_texcoordf_3_array_size = data_view.get_array_size()
@property
def a_texcoordh_2(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2)
return data_view.get()
@a_texcoordh_2.setter
def a_texcoordh_2(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2)
data_view.set(value)
@property
def a_texcoordh_2_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2_array)
self.a_texcoordh_2_array_size = data_view.get_array_size()
return data_view.get()
@a_texcoordh_2_array.setter
def a_texcoordh_2_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_2_array)
data_view.set(value)
self.a_texcoordh_2_array_size = data_view.get_array_size()
@property
def a_texcoordh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3)
return data_view.get()
@a_texcoordh_3.setter
def a_texcoordh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3)
data_view.set(value)
@property
def a_texcoordh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3_array)
self.a_texcoordh_3_array_size = data_view.get_array_size()
return data_view.get()
@a_texcoordh_3_array.setter
def a_texcoordh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh_3_array)
data_view.set(value)
self.a_texcoordh_3_array_size = data_view.get_array_size()
@property
def a_timecode(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode)
return data_view.get()
@a_timecode.setter
def a_timecode(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode)
data_view.set(value)
@property
def a_timecode_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array)
self.a_timecode_array_size = data_view.get_array_size()
return data_view.get()
@a_timecode_array.setter
def a_timecode_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array)
data_view.set(value)
self.a_timecode_array_size = data_view.get_array_size()
@property
def a_token(self):
data_view = og.AttributeValueHelper(self._attributes.a_token)
return data_view.get()
@a_token.setter
def a_token(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_token)
data_view.set(value)
@property
def a_token_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_token_array)
self.a_token_array_size = data_view.get_array_size()
return data_view.get()
@a_token_array.setter
def a_token_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_token_array)
data_view.set(value)
self.a_token_array_size = data_view.get_array_size()
@property
def a_uchar(self):
data_view = og.AttributeValueHelper(self._attributes.a_uchar)
return data_view.get()
@a_uchar.setter
def a_uchar(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uchar)
data_view.set(value)
@property
def a_uchar_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_uchar_array)
self.a_uchar_array_size = data_view.get_array_size()
return data_view.get()
@a_uchar_array.setter
def a_uchar_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uchar_array)
data_view.set(value)
self.a_uchar_array_size = data_view.get_array_size()
@property
def a_uint(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint)
return data_view.get()
@a_uint.setter
def a_uint(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uint)
data_view.set(value)
@property
def a_uint64(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint64)
return data_view.get()
@a_uint64.setter
def a_uint64(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uint64)
data_view.set(value)
@property
def a_uint64_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint64_array)
self.a_uint64_array_size = data_view.get_array_size()
return data_view.get()
@a_uint64_array.setter
def a_uint64_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uint64_array)
data_view.set(value)
self.a_uint64_array_size = data_view.get_array_size()
@property
def a_uint_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_uint_array)
self.a_uint_array_size = data_view.get_array_size()
return data_view.get()
@a_uint_array.setter
def a_uint_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_uint_array)
data_view.set(value)
self.a_uint_array_size = data_view.get_array_size()
@property
def a_vectord_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3)
return data_view.get()
@a_vectord_3.setter
def a_vectord_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3)
data_view.set(value)
@property
def a_vectord_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3_array)
self.a_vectord_3_array_size = data_view.get_array_size()
return data_view.get()
@a_vectord_3_array.setter
def a_vectord_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord_3_array)
data_view.set(value)
self.a_vectord_3_array_size = data_view.get_array_size()
@property
def a_vectorf_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3)
return data_view.get()
@a_vectorf_3.setter
def a_vectorf_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3)
data_view.set(value)
@property
def a_vectorf_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3_array)
self.a_vectorf_3_array_size = data_view.get_array_size()
return data_view.get()
@a_vectorf_3_array.setter
def a_vectorf_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf_3_array)
data_view.set(value)
self.a_vectorf_3_array_size = data_view.get_array_size()
@property
def a_vectorh_3(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3)
return data_view.get()
@a_vectorh_3.setter
def a_vectorh_3(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3)
data_view.set(value)
@property
def a_vectorh_3_array(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3_array)
self.a_vectorh_3_array_size = data_view.get_array_size()
return data_view.get()
@a_vectorh_3_array.setter
def a_vectorh_3_array(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh_3_array)
data_view.set(value)
self.a_vectorh_3_array_size = data_view.get_array_size()
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestAllDataTypesDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestAllDataTypesDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestAllDataTypesDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 235,864 |
Python
| 48.087409 | 540 | 0.582777 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestNanInfDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TestNanInf
Test node that exercises specification of NaN and Inf numbers, tuples, and arrays
"""
import carb
import numpy
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnTestNanInfDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TestNanInf
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.a_colord3_array_inf
inputs.a_colord3_array_nan
inputs.a_colord3_array_ninf
inputs.a_colord3_array_snan
inputs.a_colord3_inf
inputs.a_colord3_nan
inputs.a_colord3_ninf
inputs.a_colord3_snan
inputs.a_colord4_array_inf
inputs.a_colord4_array_nan
inputs.a_colord4_array_ninf
inputs.a_colord4_array_snan
inputs.a_colord4_inf
inputs.a_colord4_nan
inputs.a_colord4_ninf
inputs.a_colord4_snan
inputs.a_colorf3_array_inf
inputs.a_colorf3_array_nan
inputs.a_colorf3_array_ninf
inputs.a_colorf3_array_snan
inputs.a_colorf3_inf
inputs.a_colorf3_nan
inputs.a_colorf3_ninf
inputs.a_colorf3_snan
inputs.a_colorf4_array_inf
inputs.a_colorf4_array_nan
inputs.a_colorf4_array_ninf
inputs.a_colorf4_array_snan
inputs.a_colorf4_inf
inputs.a_colorf4_nan
inputs.a_colorf4_ninf
inputs.a_colorf4_snan
inputs.a_colorh3_array_inf
inputs.a_colorh3_array_nan
inputs.a_colorh3_array_ninf
inputs.a_colorh3_array_snan
inputs.a_colorh3_inf
inputs.a_colorh3_nan
inputs.a_colorh3_ninf
inputs.a_colorh3_snan
inputs.a_colorh4_array_inf
inputs.a_colorh4_array_nan
inputs.a_colorh4_array_ninf
inputs.a_colorh4_array_snan
inputs.a_colorh4_inf
inputs.a_colorh4_nan
inputs.a_colorh4_ninf
inputs.a_colorh4_snan
inputs.a_double2_array_inf
inputs.a_double2_array_nan
inputs.a_double2_array_ninf
inputs.a_double2_array_snan
inputs.a_double2_inf
inputs.a_double2_nan
inputs.a_double2_ninf
inputs.a_double2_snan
inputs.a_double3_array_inf
inputs.a_double3_array_nan
inputs.a_double3_array_ninf
inputs.a_double3_array_snan
inputs.a_double3_inf
inputs.a_double3_nan
inputs.a_double3_ninf
inputs.a_double3_snan
inputs.a_double4_array_inf
inputs.a_double4_array_nan
inputs.a_double4_array_ninf
inputs.a_double4_array_snan
inputs.a_double4_inf
inputs.a_double4_nan
inputs.a_double4_ninf
inputs.a_double4_snan
inputs.a_double_array_inf
inputs.a_double_array_nan
inputs.a_double_array_ninf
inputs.a_double_array_snan
inputs.a_double_inf
inputs.a_double_nan
inputs.a_double_ninf
inputs.a_double_snan
inputs.a_float2_array_inf
inputs.a_float2_array_nan
inputs.a_float2_array_ninf
inputs.a_float2_array_snan
inputs.a_float2_inf
inputs.a_float2_nan
inputs.a_float2_ninf
inputs.a_float2_snan
inputs.a_float3_array_inf
inputs.a_float3_array_nan
inputs.a_float3_array_ninf
inputs.a_float3_array_snan
inputs.a_float3_inf
inputs.a_float3_nan
inputs.a_float3_ninf
inputs.a_float3_snan
inputs.a_float4_array_inf
inputs.a_float4_array_nan
inputs.a_float4_array_ninf
inputs.a_float4_array_snan
inputs.a_float4_inf
inputs.a_float4_nan
inputs.a_float4_ninf
inputs.a_float4_snan
inputs.a_float_array_inf
inputs.a_float_array_nan
inputs.a_float_array_ninf
inputs.a_float_array_snan
inputs.a_float_inf
inputs.a_float_nan
inputs.a_float_ninf
inputs.a_float_snan
inputs.a_frame4_array_inf
inputs.a_frame4_array_nan
inputs.a_frame4_array_ninf
inputs.a_frame4_array_snan
inputs.a_frame4_inf
inputs.a_frame4_nan
inputs.a_frame4_ninf
inputs.a_frame4_snan
inputs.a_half2_array_inf
inputs.a_half2_array_nan
inputs.a_half2_array_ninf
inputs.a_half2_array_snan
inputs.a_half2_inf
inputs.a_half2_nan
inputs.a_half2_ninf
inputs.a_half2_snan
inputs.a_half3_array_inf
inputs.a_half3_array_nan
inputs.a_half3_array_ninf
inputs.a_half3_array_snan
inputs.a_half3_inf
inputs.a_half3_nan
inputs.a_half3_ninf
inputs.a_half3_snan
inputs.a_half4_array_inf
inputs.a_half4_array_nan
inputs.a_half4_array_ninf
inputs.a_half4_array_snan
inputs.a_half4_inf
inputs.a_half4_nan
inputs.a_half4_ninf
inputs.a_half4_snan
inputs.a_half_array_inf
inputs.a_half_array_nan
inputs.a_half_array_ninf
inputs.a_half_array_snan
inputs.a_half_inf
inputs.a_half_nan
inputs.a_half_ninf
inputs.a_half_snan
inputs.a_matrixd2_array_inf
inputs.a_matrixd2_array_nan
inputs.a_matrixd2_array_ninf
inputs.a_matrixd2_array_snan
inputs.a_matrixd2_inf
inputs.a_matrixd2_nan
inputs.a_matrixd2_ninf
inputs.a_matrixd2_snan
inputs.a_matrixd3_array_inf
inputs.a_matrixd3_array_nan
inputs.a_matrixd3_array_ninf
inputs.a_matrixd3_array_snan
inputs.a_matrixd3_inf
inputs.a_matrixd3_nan
inputs.a_matrixd3_ninf
inputs.a_matrixd3_snan
inputs.a_matrixd4_array_inf
inputs.a_matrixd4_array_nan
inputs.a_matrixd4_array_ninf
inputs.a_matrixd4_array_snan
inputs.a_matrixd4_inf
inputs.a_matrixd4_nan
inputs.a_matrixd4_ninf
inputs.a_matrixd4_snan
inputs.a_normald3_array_inf
inputs.a_normald3_array_nan
inputs.a_normald3_array_ninf
inputs.a_normald3_array_snan
inputs.a_normald3_inf
inputs.a_normald3_nan
inputs.a_normald3_ninf
inputs.a_normald3_snan
inputs.a_normalf3_array_inf
inputs.a_normalf3_array_nan
inputs.a_normalf3_array_ninf
inputs.a_normalf3_array_snan
inputs.a_normalf3_inf
inputs.a_normalf3_nan
inputs.a_normalf3_ninf
inputs.a_normalf3_snan
inputs.a_normalh3_array_inf
inputs.a_normalh3_array_nan
inputs.a_normalh3_array_ninf
inputs.a_normalh3_array_snan
inputs.a_normalh3_inf
inputs.a_normalh3_nan
inputs.a_normalh3_ninf
inputs.a_normalh3_snan
inputs.a_pointd3_array_inf
inputs.a_pointd3_array_nan
inputs.a_pointd3_array_ninf
inputs.a_pointd3_array_snan
inputs.a_pointd3_inf
inputs.a_pointd3_nan
inputs.a_pointd3_ninf
inputs.a_pointd3_snan
inputs.a_pointf3_array_inf
inputs.a_pointf3_array_nan
inputs.a_pointf3_array_ninf
inputs.a_pointf3_array_snan
inputs.a_pointf3_inf
inputs.a_pointf3_nan
inputs.a_pointf3_ninf
inputs.a_pointf3_snan
inputs.a_pointh3_array_inf
inputs.a_pointh3_array_nan
inputs.a_pointh3_array_ninf
inputs.a_pointh3_array_snan
inputs.a_pointh3_inf
inputs.a_pointh3_nan
inputs.a_pointh3_ninf
inputs.a_pointh3_snan
inputs.a_quatd4_array_inf
inputs.a_quatd4_array_nan
inputs.a_quatd4_array_ninf
inputs.a_quatd4_array_snan
inputs.a_quatd4_inf
inputs.a_quatd4_nan
inputs.a_quatd4_ninf
inputs.a_quatd4_snan
inputs.a_quatf4_array_inf
inputs.a_quatf4_array_nan
inputs.a_quatf4_array_ninf
inputs.a_quatf4_array_snan
inputs.a_quatf4_inf
inputs.a_quatf4_nan
inputs.a_quatf4_ninf
inputs.a_quatf4_snan
inputs.a_quath4_array_inf
inputs.a_quath4_array_nan
inputs.a_quath4_array_ninf
inputs.a_quath4_array_snan
inputs.a_quath4_inf
inputs.a_quath4_nan
inputs.a_quath4_ninf
inputs.a_quath4_snan
inputs.a_texcoordd2_array_inf
inputs.a_texcoordd2_array_nan
inputs.a_texcoordd2_array_ninf
inputs.a_texcoordd2_array_snan
inputs.a_texcoordd2_inf
inputs.a_texcoordd2_nan
inputs.a_texcoordd2_ninf
inputs.a_texcoordd2_snan
inputs.a_texcoordd3_array_inf
inputs.a_texcoordd3_array_nan
inputs.a_texcoordd3_array_ninf
inputs.a_texcoordd3_array_snan
inputs.a_texcoordd3_inf
inputs.a_texcoordd3_nan
inputs.a_texcoordd3_ninf
inputs.a_texcoordd3_snan
inputs.a_texcoordf2_array_inf
inputs.a_texcoordf2_array_nan
inputs.a_texcoordf2_array_ninf
inputs.a_texcoordf2_array_snan
inputs.a_texcoordf2_inf
inputs.a_texcoordf2_nan
inputs.a_texcoordf2_ninf
inputs.a_texcoordf2_snan
inputs.a_texcoordf3_array_inf
inputs.a_texcoordf3_array_nan
inputs.a_texcoordf3_array_ninf
inputs.a_texcoordf3_array_snan
inputs.a_texcoordf3_inf
inputs.a_texcoordf3_nan
inputs.a_texcoordf3_ninf
inputs.a_texcoordf3_snan
inputs.a_texcoordh2_array_inf
inputs.a_texcoordh2_array_nan
inputs.a_texcoordh2_array_ninf
inputs.a_texcoordh2_array_snan
inputs.a_texcoordh2_inf
inputs.a_texcoordh2_nan
inputs.a_texcoordh2_ninf
inputs.a_texcoordh2_snan
inputs.a_texcoordh3_array_inf
inputs.a_texcoordh3_array_nan
inputs.a_texcoordh3_array_ninf
inputs.a_texcoordh3_array_snan
inputs.a_texcoordh3_inf
inputs.a_texcoordh3_nan
inputs.a_texcoordh3_ninf
inputs.a_texcoordh3_snan
inputs.a_timecode_array_inf
inputs.a_timecode_array_nan
inputs.a_timecode_array_ninf
inputs.a_timecode_array_snan
inputs.a_timecode_inf
inputs.a_timecode_nan
inputs.a_timecode_ninf
inputs.a_timecode_snan
inputs.a_vectord3_array_inf
inputs.a_vectord3_array_nan
inputs.a_vectord3_array_ninf
inputs.a_vectord3_array_snan
inputs.a_vectord3_inf
inputs.a_vectord3_nan
inputs.a_vectord3_ninf
inputs.a_vectord3_snan
inputs.a_vectorf3_array_inf
inputs.a_vectorf3_array_nan
inputs.a_vectorf3_array_ninf
inputs.a_vectorf3_array_snan
inputs.a_vectorf3_inf
inputs.a_vectorf3_nan
inputs.a_vectorf3_ninf
inputs.a_vectorf3_snan
inputs.a_vectorh3_array_inf
inputs.a_vectorh3_array_nan
inputs.a_vectorh3_array_ninf
inputs.a_vectorh3_array_snan
inputs.a_vectorh3_inf
inputs.a_vectorh3_nan
inputs.a_vectorh3_ninf
inputs.a_vectorh3_snan
Outputs:
outputs.a_colord3_array_inf
outputs.a_colord3_array_nan
outputs.a_colord3_array_ninf
outputs.a_colord3_array_snan
outputs.a_colord3_inf
outputs.a_colord3_nan
outputs.a_colord3_ninf
outputs.a_colord3_snan
outputs.a_colord4_array_inf
outputs.a_colord4_array_nan
outputs.a_colord4_array_ninf
outputs.a_colord4_array_snan
outputs.a_colord4_inf
outputs.a_colord4_nan
outputs.a_colord4_ninf
outputs.a_colord4_snan
outputs.a_colorf3_array_inf
outputs.a_colorf3_array_nan
outputs.a_colorf3_array_ninf
outputs.a_colorf3_array_snan
outputs.a_colorf3_inf
outputs.a_colorf3_nan
outputs.a_colorf3_ninf
outputs.a_colorf3_snan
outputs.a_colorf4_array_inf
outputs.a_colorf4_array_nan
outputs.a_colorf4_array_ninf
outputs.a_colorf4_array_snan
outputs.a_colorf4_inf
outputs.a_colorf4_nan
outputs.a_colorf4_ninf
outputs.a_colorf4_snan
outputs.a_colorh3_array_inf
outputs.a_colorh3_array_nan
outputs.a_colorh3_array_ninf
outputs.a_colorh3_array_snan
outputs.a_colorh3_inf
outputs.a_colorh3_nan
outputs.a_colorh3_ninf
outputs.a_colorh3_snan
outputs.a_colorh4_array_inf
outputs.a_colorh4_array_nan
outputs.a_colorh4_array_ninf
outputs.a_colorh4_array_snan
outputs.a_colorh4_inf
outputs.a_colorh4_nan
outputs.a_colorh4_ninf
outputs.a_colorh4_snan
outputs.a_double2_array_inf
outputs.a_double2_array_nan
outputs.a_double2_array_ninf
outputs.a_double2_array_snan
outputs.a_double2_inf
outputs.a_double2_nan
outputs.a_double2_ninf
outputs.a_double2_snan
outputs.a_double3_array_inf
outputs.a_double3_array_nan
outputs.a_double3_array_ninf
outputs.a_double3_array_snan
outputs.a_double3_inf
outputs.a_double3_nan
outputs.a_double3_ninf
outputs.a_double3_snan
outputs.a_double4_array_inf
outputs.a_double4_array_nan
outputs.a_double4_array_ninf
outputs.a_double4_array_snan
outputs.a_double4_inf
outputs.a_double4_nan
outputs.a_double4_ninf
outputs.a_double4_snan
outputs.a_double_array_inf
outputs.a_double_array_nan
outputs.a_double_array_ninf
outputs.a_double_array_snan
outputs.a_double_inf
outputs.a_double_nan
outputs.a_double_ninf
outputs.a_double_snan
outputs.a_float2_array_inf
outputs.a_float2_array_nan
outputs.a_float2_array_ninf
outputs.a_float2_array_snan
outputs.a_float2_inf
outputs.a_float2_nan
outputs.a_float2_ninf
outputs.a_float2_snan
outputs.a_float3_array_inf
outputs.a_float3_array_nan
outputs.a_float3_array_ninf
outputs.a_float3_array_snan
outputs.a_float3_inf
outputs.a_float3_nan
outputs.a_float3_ninf
outputs.a_float3_snan
outputs.a_float4_array_inf
outputs.a_float4_array_nan
outputs.a_float4_array_ninf
outputs.a_float4_array_snan
outputs.a_float4_inf
outputs.a_float4_nan
outputs.a_float4_ninf
outputs.a_float4_snan
outputs.a_float_array_inf
outputs.a_float_array_nan
outputs.a_float_array_ninf
outputs.a_float_array_snan
outputs.a_float_inf
outputs.a_float_nan
outputs.a_float_ninf
outputs.a_float_snan
outputs.a_frame4_array_inf
outputs.a_frame4_array_nan
outputs.a_frame4_array_ninf
outputs.a_frame4_array_snan
outputs.a_frame4_inf
outputs.a_frame4_nan
outputs.a_frame4_ninf
outputs.a_frame4_snan
outputs.a_half2_array_inf
outputs.a_half2_array_nan
outputs.a_half2_array_ninf
outputs.a_half2_array_snan
outputs.a_half2_inf
outputs.a_half2_nan
outputs.a_half2_ninf
outputs.a_half2_snan
outputs.a_half3_array_inf
outputs.a_half3_array_nan
outputs.a_half3_array_ninf
outputs.a_half3_array_snan
outputs.a_half3_inf
outputs.a_half3_nan
outputs.a_half3_ninf
outputs.a_half3_snan
outputs.a_half4_array_inf
outputs.a_half4_array_nan
outputs.a_half4_array_ninf
outputs.a_half4_array_snan
outputs.a_half4_inf
outputs.a_half4_nan
outputs.a_half4_ninf
outputs.a_half4_snan
outputs.a_half_array_inf
outputs.a_half_array_nan
outputs.a_half_array_ninf
outputs.a_half_array_snan
outputs.a_half_inf
outputs.a_half_nan
outputs.a_half_ninf
outputs.a_half_snan
outputs.a_matrixd2_array_inf
outputs.a_matrixd2_array_nan
outputs.a_matrixd2_array_ninf
outputs.a_matrixd2_array_snan
outputs.a_matrixd2_inf
outputs.a_matrixd2_nan
outputs.a_matrixd2_ninf
outputs.a_matrixd2_snan
outputs.a_matrixd3_array_inf
outputs.a_matrixd3_array_nan
outputs.a_matrixd3_array_ninf
outputs.a_matrixd3_array_snan
outputs.a_matrixd3_inf
outputs.a_matrixd3_nan
outputs.a_matrixd3_ninf
outputs.a_matrixd3_snan
outputs.a_matrixd4_array_inf
outputs.a_matrixd4_array_nan
outputs.a_matrixd4_array_ninf
outputs.a_matrixd4_array_snan
outputs.a_matrixd4_inf
outputs.a_matrixd4_nan
outputs.a_matrixd4_ninf
outputs.a_matrixd4_snan
outputs.a_normald3_array_inf
outputs.a_normald3_array_nan
outputs.a_normald3_array_ninf
outputs.a_normald3_array_snan
outputs.a_normald3_inf
outputs.a_normald3_nan
outputs.a_normald3_ninf
outputs.a_normald3_snan
outputs.a_normalf3_array_inf
outputs.a_normalf3_array_nan
outputs.a_normalf3_array_ninf
outputs.a_normalf3_array_snan
outputs.a_normalf3_inf
outputs.a_normalf3_nan
outputs.a_normalf3_ninf
outputs.a_normalf3_snan
outputs.a_normalh3_array_inf
outputs.a_normalh3_array_nan
outputs.a_normalh3_array_ninf
outputs.a_normalh3_array_snan
outputs.a_normalh3_inf
outputs.a_normalh3_nan
outputs.a_normalh3_ninf
outputs.a_normalh3_snan
outputs.a_pointd3_array_inf
outputs.a_pointd3_array_nan
outputs.a_pointd3_array_ninf
outputs.a_pointd3_array_snan
outputs.a_pointd3_inf
outputs.a_pointd3_nan
outputs.a_pointd3_ninf
outputs.a_pointd3_snan
outputs.a_pointf3_array_inf
outputs.a_pointf3_array_nan
outputs.a_pointf3_array_ninf
outputs.a_pointf3_array_snan
outputs.a_pointf3_inf
outputs.a_pointf3_nan
outputs.a_pointf3_ninf
outputs.a_pointf3_snan
outputs.a_pointh3_array_inf
outputs.a_pointh3_array_nan
outputs.a_pointh3_array_ninf
outputs.a_pointh3_array_snan
outputs.a_pointh3_inf
outputs.a_pointh3_nan
outputs.a_pointh3_ninf
outputs.a_pointh3_snan
outputs.a_quatd4_array_inf
outputs.a_quatd4_array_nan
outputs.a_quatd4_array_ninf
outputs.a_quatd4_array_snan
outputs.a_quatd4_inf
outputs.a_quatd4_nan
outputs.a_quatd4_ninf
outputs.a_quatd4_snan
outputs.a_quatf4_array_inf
outputs.a_quatf4_array_nan
outputs.a_quatf4_array_ninf
outputs.a_quatf4_array_snan
outputs.a_quatf4_inf
outputs.a_quatf4_nan
outputs.a_quatf4_ninf
outputs.a_quatf4_snan
outputs.a_quath4_array_inf
outputs.a_quath4_array_nan
outputs.a_quath4_array_ninf
outputs.a_quath4_array_snan
outputs.a_quath4_inf
outputs.a_quath4_nan
outputs.a_quath4_ninf
outputs.a_quath4_snan
outputs.a_texcoordd2_array_inf
outputs.a_texcoordd2_array_nan
outputs.a_texcoordd2_array_ninf
outputs.a_texcoordd2_array_snan
outputs.a_texcoordd2_inf
outputs.a_texcoordd2_nan
outputs.a_texcoordd2_ninf
outputs.a_texcoordd2_snan
outputs.a_texcoordd3_array_inf
outputs.a_texcoordd3_array_nan
outputs.a_texcoordd3_array_ninf
outputs.a_texcoordd3_array_snan
outputs.a_texcoordd3_inf
outputs.a_texcoordd3_nan
outputs.a_texcoordd3_ninf
outputs.a_texcoordd3_snan
outputs.a_texcoordf2_array_inf
outputs.a_texcoordf2_array_nan
outputs.a_texcoordf2_array_ninf
outputs.a_texcoordf2_array_snan
outputs.a_texcoordf2_inf
outputs.a_texcoordf2_nan
outputs.a_texcoordf2_ninf
outputs.a_texcoordf2_snan
outputs.a_texcoordf3_array_inf
outputs.a_texcoordf3_array_nan
outputs.a_texcoordf3_array_ninf
outputs.a_texcoordf3_array_snan
outputs.a_texcoordf3_inf
outputs.a_texcoordf3_nan
outputs.a_texcoordf3_ninf
outputs.a_texcoordf3_snan
outputs.a_texcoordh2_array_inf
outputs.a_texcoordh2_array_nan
outputs.a_texcoordh2_array_ninf
outputs.a_texcoordh2_array_snan
outputs.a_texcoordh2_inf
outputs.a_texcoordh2_nan
outputs.a_texcoordh2_ninf
outputs.a_texcoordh2_snan
outputs.a_texcoordh3_array_inf
outputs.a_texcoordh3_array_nan
outputs.a_texcoordh3_array_ninf
outputs.a_texcoordh3_array_snan
outputs.a_texcoordh3_inf
outputs.a_texcoordh3_nan
outputs.a_texcoordh3_ninf
outputs.a_texcoordh3_snan
outputs.a_timecode_array_inf
outputs.a_timecode_array_nan
outputs.a_timecode_array_ninf
outputs.a_timecode_array_snan
outputs.a_timecode_inf
outputs.a_timecode_nan
outputs.a_timecode_ninf
outputs.a_timecode_snan
outputs.a_vectord3_array_inf
outputs.a_vectord3_array_nan
outputs.a_vectord3_array_ninf
outputs.a_vectord3_array_snan
outputs.a_vectord3_inf
outputs.a_vectord3_nan
outputs.a_vectord3_ninf
outputs.a_vectord3_snan
outputs.a_vectorf3_array_inf
outputs.a_vectorf3_array_nan
outputs.a_vectorf3_array_ninf
outputs.a_vectorf3_array_snan
outputs.a_vectorf3_inf
outputs.a_vectorf3_nan
outputs.a_vectorf3_ninf
outputs.a_vectorf3_snan
outputs.a_vectorh3_array_inf
outputs.a_vectorh3_array_nan
outputs.a_vectorh3_array_ninf
outputs.a_vectorh3_array_snan
outputs.a_vectorh3_inf
outputs.a_vectorh3_nan
outputs.a_vectorh3_ninf
outputs.a_vectorh3_snan
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:a_colord3_array_inf', 'color3d[]', 0, None, 'colord3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_colord3_array_nan', 'color3d[]', 0, None, 'colord3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colord3_array_ninf', 'color3d[]', 0, None, 'colord3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_colord3_array_snan', 'color3d[]', 0, None, 'colord3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colord3_inf', 'color3d', 0, None, 'colord3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_colord3_nan', 'color3d', 0, None, 'colord3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colord3_ninf', 'color3d', 0, None, 'colord3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_colord3_snan', 'color3d', 0, None, 'colord3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colord4_array_inf', 'color4d[]', 0, None, 'colord4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_colord4_array_nan', 'color4d[]', 0, None, 'colord4_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colord4_array_ninf', 'color4d[]', 0, None, 'colord4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_colord4_array_snan', 'color4d[]', 0, None, 'colord4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colord4_inf', 'color4d', 0, None, 'colord4 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_colord4_nan', 'color4d', 0, None, 'colord4 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colord4_ninf', 'color4d', 0, None, 'colord4 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_colord4_snan', 'color4d', 0, None, 'colord4 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colorf3_array_inf', 'color3f[]', 0, None, 'colorf3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_colorf3_array_nan', 'color3f[]', 0, None, 'colorf3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colorf3_array_ninf', 'color3f[]', 0, None, 'colorf3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_colorf3_array_snan', 'color3f[]', 0, None, 'colorf3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colorf3_inf', 'color3f', 0, None, 'colorf3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_colorf3_nan', 'color3f', 0, None, 'colorf3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colorf3_ninf', 'color3f', 0, None, 'colorf3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_colorf3_snan', 'color3f', 0, None, 'colorf3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colorf4_array_inf', 'color4f[]', 0, None, 'colorf4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_colorf4_array_nan', 'color4f[]', 0, None, 'colorf4_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colorf4_array_ninf', 'color4f[]', 0, None, 'colorf4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_colorf4_array_snan', 'color4f[]', 0, None, 'colorf4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colorf4_inf', 'color4f', 0, None, 'colorf4 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_colorf4_nan', 'color4f', 0, None, 'colorf4 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colorf4_ninf', 'color4f', 0, None, 'colorf4 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_colorf4_snan', 'color4f', 0, None, 'colorf4 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colorh3_array_inf', 'color3h[]', 0, None, 'colorh3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_colorh3_array_nan', 'color3h[]', 0, None, 'colorh3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colorh3_array_ninf', 'color3h[]', 0, None, 'colorh3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_colorh3_array_snan', 'color3h[]', 0, None, 'colorh3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colorh3_inf', 'color3h', 0, None, 'colorh3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_colorh3_nan', 'color3h', 0, None, 'colorh3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colorh3_ninf', 'color3h', 0, None, 'colorh3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_colorh3_snan', 'color3h', 0, None, 'colorh3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colorh4_array_inf', 'color4h[]', 0, None, 'colorh4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_colorh4_array_nan', 'color4h[]', 0, None, 'colorh4_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colorh4_array_ninf', 'color4h[]', 0, None, 'colorh4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_colorh4_array_snan', 'color4h[]', 0, None, 'colorh4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_colorh4_inf', 'color4h', 0, None, 'colorh4 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_colorh4_nan', 'color4h', 0, None, 'colorh4 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_colorh4_ninf', 'color4h', 0, None, 'colorh4 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_colorh4_snan', 'color4h', 0, None, 'colorh4 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_double2_array_inf', 'double2[]', 0, None, 'double2_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf"], ["inf", "inf"]]'}, True, [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False, ''),
('inputs:a_double2_array_nan', 'double2[]', 0, None, 'double2_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan"], ["nan", "nan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_double2_array_ninf', 'double2[]', 0, None, 'double2_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf"], ["-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_double2_array_snan', 'double2[]', 0, None, 'double2_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan"], ["snan", "snan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_double2_inf', 'double2', 0, None, 'double2 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_double2_nan', 'double2', 0, None, 'double2 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_double2_ninf', 'double2', 0, None, 'double2 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_double2_snan', 'double2', 0, None, 'double2 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_double3_array_inf', 'double3[]', 0, None, 'double3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_double3_array_nan', 'double3[]', 0, None, 'double3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_double3_array_ninf', 'double3[]', 0, None, 'double3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_double3_array_snan', 'double3[]', 0, None, 'double3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_double3_inf', 'double3', 0, None, 'double3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_double3_nan', 'double3', 0, None, 'double3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_double3_ninf', 'double3', 0, None, 'double3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_double3_snan', 'double3', 0, None, 'double3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_double4_array_inf', 'double4[]', 0, None, 'double4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_double4_array_nan', 'double4[]', 0, None, 'double4_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_double4_array_ninf', 'double4[]', 0, None, 'double4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_double4_array_snan', 'double4[]', 0, None, 'double4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_double4_inf', 'double4', 0, None, 'double4 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_double4_nan', 'double4', 0, None, 'double4 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_double4_ninf', 'double4', 0, None, 'double4 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_double4_snan', 'double4', 0, None, 'double4 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_double_array_inf', 'double[]', 0, None, 'double_array Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_double_array_nan', 'double[]', 0, None, 'double_array NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_double_array_ninf', 'double[]', 0, None, 'double_array -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_double_array_snan', 'double[]', 0, None, 'double_array sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_double_inf', 'double', 0, None, 'double Infinity', {ogn.MetadataKeys.DEFAULT: '"inf"'}, True, float("Inf"), False, ''),
('inputs:a_double_nan', 'double', 0, None, 'double NaN', {ogn.MetadataKeys.DEFAULT: '"nan"'}, True, float("NaN"), False, ''),
('inputs:a_double_ninf', 'double', 0, None, 'double -Infinity', {ogn.MetadataKeys.DEFAULT: '"-inf"'}, True, float("-Inf"), False, ''),
('inputs:a_double_snan', 'double', 0, None, 'double sNaN', {ogn.MetadataKeys.DEFAULT: '"snan"'}, True, float("NaN"), False, ''),
('inputs:a_float2_array_inf', 'float2[]', 0, None, 'float2_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf"], ["inf", "inf"]]'}, True, [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False, ''),
('inputs:a_float2_array_nan', 'float2[]', 0, None, 'float2_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan"], ["nan", "nan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_float2_array_ninf', 'float2[]', 0, None, 'float2_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf"], ["-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_float2_array_snan', 'float2[]', 0, None, 'float2_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan"], ["snan", "snan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_float2_inf', 'float2', 0, None, 'float2 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_float2_nan', 'float2', 0, None, 'float2 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_float2_ninf', 'float2', 0, None, 'float2 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_float2_snan', 'float2', 0, None, 'float2 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_float3_array_inf', 'float3[]', 0, None, 'float3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_float3_array_nan', 'float3[]', 0, None, 'float3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_float3_array_ninf', 'float3[]', 0, None, 'float3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_float3_array_snan', 'float3[]', 0, None, 'float3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_float3_inf', 'float3', 0, None, 'float3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_float3_nan', 'float3', 0, None, 'float3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_float3_ninf', 'float3', 0, None, 'float3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_float3_snan', 'float3', 0, None, 'float3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_float4_array_inf', 'float4[]', 0, None, 'float4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_float4_array_nan', 'float4[]', 0, None, 'float4_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_float4_array_ninf', 'float4[]', 0, None, 'float4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_float4_array_snan', 'float4[]', 0, None, 'float4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_float4_inf', 'float4', 0, None, 'float4 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_float4_nan', 'float4', 0, None, 'float4 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_float4_ninf', 'float4', 0, None, 'float4 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_float4_snan', 'float4', 0, None, 'float4 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_float_array_inf', 'float[]', 0, None, 'float_array Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_float_array_nan', 'float[]', 0, None, 'float_array NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_float_array_ninf', 'float[]', 0, None, 'float_array -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_float_array_snan', 'float[]', 0, None, 'float_array sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_float_inf', 'float', 0, None, 'float Infinity', {ogn.MetadataKeys.DEFAULT: '"inf"'}, True, float("Inf"), False, ''),
('inputs:a_float_nan', 'float', 0, None, 'float NaN', {ogn.MetadataKeys.DEFAULT: '"nan"'}, True, float("NaN"), False, ''),
('inputs:a_float_ninf', 'float', 0, None, 'float -Infinity', {ogn.MetadataKeys.DEFAULT: '"-inf"'}, True, float("-Inf"), False, ''),
('inputs:a_float_snan', 'float', 0, None, 'float sNaN', {ogn.MetadataKeys.DEFAULT: '"snan"'}, True, float("NaN"), False, ''),
('inputs:a_frame4_array_inf', 'frame4d[]', 0, None, 'frame4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]], [["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]]'}, True, [[[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]], False, ''),
('inputs:a_frame4_array_nan', 'frame4d[]', 0, None, 'frame4_array NaN', {ogn.MetadataKeys.DEFAULT: '[[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]], [["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]]'}, True, [[[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]], False, ''),
('inputs:a_frame4_array_ninf', 'frame4d[]', 0, None, 'frame4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]], [["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]]'}, True, [[[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]], False, ''),
('inputs:a_frame4_array_snan', 'frame4d[]', 0, None, 'frame4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]], [["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]]'}, True, [[[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]], False, ''),
('inputs:a_frame4_inf', 'frame4d', 0, None, 'frame4 Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_frame4_nan', 'frame4d', 0, None, 'frame4 NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_frame4_ninf', 'frame4d', 0, None, 'frame4 -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_frame4_snan', 'frame4d', 0, None, 'frame4 sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_half2_array_inf', 'half2[]', 0, None, 'half2_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf"], ["inf", "inf"]]'}, True, [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False, ''),
('inputs:a_half2_array_nan', 'half2[]', 0, None, 'half2_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan"], ["nan", "nan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_half2_array_ninf', 'half2[]', 0, None, 'half2_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf"], ["-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_half2_array_snan', 'half2[]', 0, None, 'half2_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan"], ["snan", "snan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_half2_inf', 'half2', 0, None, 'half2 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_half2_nan', 'half2', 0, None, 'half2 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_half2_ninf', 'half2', 0, None, 'half2 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_half2_snan', 'half2', 0, None, 'half2 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_half3_array_inf', 'half3[]', 0, None, 'half3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_half3_array_nan', 'half3[]', 0, None, 'half3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_half3_array_ninf', 'half3[]', 0, None, 'half3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_half3_array_snan', 'half3[]', 0, None, 'half3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_half3_inf', 'half3', 0, None, 'half3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_half3_nan', 'half3', 0, None, 'half3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_half3_ninf', 'half3', 0, None, 'half3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_half3_snan', 'half3', 0, None, 'half3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_half4_array_inf', 'half4[]', 0, None, 'half4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_half4_array_nan', 'half4[]', 0, None, 'half4_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_half4_array_ninf', 'half4[]', 0, None, 'half4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_half4_array_snan', 'half4[]', 0, None, 'half4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_half4_inf', 'half4', 0, None, 'half4 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_half4_nan', 'half4', 0, None, 'half4 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_half4_ninf', 'half4', 0, None, 'half4 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_half4_snan', 'half4', 0, None, 'half4 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_half_array_inf', 'half[]', 0, None, 'half_array Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_half_array_nan', 'half[]', 0, None, 'half_array NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_half_array_ninf', 'half[]', 0, None, 'half_array -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_half_array_snan', 'half[]', 0, None, 'half_array sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_half_inf', 'half', 0, None, 'half Infinity', {ogn.MetadataKeys.DEFAULT: '"inf"'}, True, float("Inf"), False, ''),
('inputs:a_half_nan', 'half', 0, None, 'half NaN', {ogn.MetadataKeys.DEFAULT: '"nan"'}, True, float("NaN"), False, ''),
('inputs:a_half_ninf', 'half', 0, None, 'half -Infinity', {ogn.MetadataKeys.DEFAULT: '"-inf"'}, True, float("-Inf"), False, ''),
('inputs:a_half_snan', 'half', 0, None, 'half sNaN', {ogn.MetadataKeys.DEFAULT: '"snan"'}, True, float("NaN"), False, ''),
('inputs:a_matrixd2_array_inf', 'matrix2d[]', 0, None, 'matrixd2_array Infinity', {ogn.MetadataKeys.DEFAULT: '[[["inf", "inf"], ["inf", "inf"]], [["inf", "inf"], ["inf", "inf"]]]'}, True, [[[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]]], False, ''),
('inputs:a_matrixd2_array_nan', 'matrix2d[]', 0, None, 'matrixd2_array NaN', {ogn.MetadataKeys.DEFAULT: '[[["nan", "nan"], ["nan", "nan"]], [["nan", "nan"], ["nan", "nan"]]]'}, True, [[[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]], False, ''),
('inputs:a_matrixd2_array_ninf', 'matrix2d[]', 0, None, 'matrixd2_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[[["-inf", "-inf"], ["-inf", "-inf"]], [["-inf", "-inf"], ["-inf", "-inf"]]]'}, True, [[[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]]], False, ''),
('inputs:a_matrixd2_array_snan', 'matrix2d[]', 0, None, 'matrixd2_array sNaN', {ogn.MetadataKeys.DEFAULT: '[[["snan", "snan"], ["snan", "snan"]], [["snan", "snan"], ["snan", "snan"]]]'}, True, [[[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]], False, ''),
('inputs:a_matrixd2_inf', 'matrix2d', 0, None, 'matrixd2 Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf"], ["inf", "inf"]]'}, True, [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False, ''),
('inputs:a_matrixd2_nan', 'matrix2d', 0, None, 'matrixd2 NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan"], ["nan", "nan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_matrixd2_ninf', 'matrix2d', 0, None, 'matrixd2 -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf"], ["-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_matrixd2_snan', 'matrix2d', 0, None, 'matrixd2 sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan"], ["snan", "snan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_matrixd3_array_inf', 'matrix3d[]', 0, None, 'matrixd3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[[["inf", "inf", "inf"], ["inf", "inf", "inf"], ["inf", "inf", "inf"]], [["inf", "inf", "inf"], ["inf", "inf", "inf"], ["inf", "inf", "inf"]]]'}, True, [[[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]], False, ''),
('inputs:a_matrixd3_array_nan', 'matrix3d[]', 0, None, 'matrixd3_array NaN', {ogn.MetadataKeys.DEFAULT: '[[["nan", "nan", "nan"], ["nan", "nan", "nan"], ["nan", "nan", "nan"]], [["nan", "nan", "nan"], ["nan", "nan", "nan"], ["nan", "nan", "nan"]]]'}, True, [[[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]], False, ''),
('inputs:a_matrixd3_array_ninf', 'matrix3d[]', 0, None, 'matrixd3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]], [["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]]'}, True, [[[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]], False, ''),
('inputs:a_matrixd3_array_snan', 'matrix3d[]', 0, None, 'matrixd3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[[["snan", "snan", "snan"], ["snan", "snan", "snan"], ["snan", "snan", "snan"]], [["snan", "snan", "snan"], ["snan", "snan", "snan"], ["snan", "snan", "snan"]]]'}, True, [[[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]], False, ''),
('inputs:a_matrixd3_inf', 'matrix3d', 0, None, 'matrixd3 Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_matrixd3_nan', 'matrix3d', 0, None, 'matrixd3 NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_matrixd3_ninf', 'matrix3d', 0, None, 'matrixd3 -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_matrixd3_snan', 'matrix3d', 0, None, 'matrixd3 sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_matrixd4_array_inf', 'matrix4d[]', 0, None, 'matrixd4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]], [["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]]'}, True, [[[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]], False, ''),
('inputs:a_matrixd4_array_nan', 'matrix4d[]', 0, None, 'matrixd4_array NaN', {ogn.MetadataKeys.DEFAULT: '[[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]], [["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]]'}, True, [[[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]], False, ''),
('inputs:a_matrixd4_array_ninf', 'matrix4d[]', 0, None, 'matrixd4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]], [["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]]'}, True, [[[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]], False, ''),
('inputs:a_matrixd4_array_snan', 'matrix4d[]', 0, None, 'matrixd4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]], [["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]]'}, True, [[[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]], False, ''),
('inputs:a_matrixd4_inf', 'matrix4d', 0, None, 'matrixd4 Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_matrixd4_nan', 'matrix4d', 0, None, 'matrixd4 NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_matrixd4_ninf', 'matrix4d', 0, None, 'matrixd4 -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_matrixd4_snan', 'matrix4d', 0, None, 'matrixd4 sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_normald3_array_inf', 'normal3d[]', 0, None, 'normald3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_normald3_array_nan', 'normal3d[]', 0, None, 'normald3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_normald3_array_ninf', 'normal3d[]', 0, None, 'normald3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_normald3_array_snan', 'normal3d[]', 0, None, 'normald3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_normald3_inf', 'normal3d', 0, None, 'normald3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_normald3_nan', 'normal3d', 0, None, 'normald3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_normald3_ninf', 'normal3d', 0, None, 'normald3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_normald3_snan', 'normal3d', 0, None, 'normald3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_normalf3_array_inf', 'normal3f[]', 0, None, 'normalf3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_normalf3_array_nan', 'normal3f[]', 0, None, 'normalf3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_normalf3_array_ninf', 'normal3f[]', 0, None, 'normalf3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_normalf3_array_snan', 'normal3f[]', 0, None, 'normalf3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_normalf3_inf', 'normal3f', 0, None, 'normalf3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_normalf3_nan', 'normal3f', 0, None, 'normalf3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_normalf3_ninf', 'normal3f', 0, None, 'normalf3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_normalf3_snan', 'normal3f', 0, None, 'normalf3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_normalh3_array_inf', 'normal3h[]', 0, None, 'normalh3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_normalh3_array_nan', 'normal3h[]', 0, None, 'normalh3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_normalh3_array_ninf', 'normal3h[]', 0, None, 'normalh3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_normalh3_array_snan', 'normal3h[]', 0, None, 'normalh3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_normalh3_inf', 'normal3h', 0, None, 'normalh3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_normalh3_nan', 'normal3h', 0, None, 'normalh3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_normalh3_ninf', 'normal3h', 0, None, 'normalh3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_normalh3_snan', 'normal3h', 0, None, 'normalh3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_pointd3_array_inf', 'point3d[]', 0, None, 'pointd3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_pointd3_array_nan', 'point3d[]', 0, None, 'pointd3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_pointd3_array_ninf', 'point3d[]', 0, None, 'pointd3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_pointd3_array_snan', 'point3d[]', 0, None, 'pointd3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_pointd3_inf', 'point3d', 0, None, 'pointd3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_pointd3_nan', 'point3d', 0, None, 'pointd3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_pointd3_ninf', 'point3d', 0, None, 'pointd3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_pointd3_snan', 'point3d', 0, None, 'pointd3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_pointf3_array_inf', 'point3f[]', 0, None, 'pointf3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_pointf3_array_nan', 'point3f[]', 0, None, 'pointf3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_pointf3_array_ninf', 'point3f[]', 0, None, 'pointf3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_pointf3_array_snan', 'point3f[]', 0, None, 'pointf3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_pointf3_inf', 'point3f', 0, None, 'pointf3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_pointf3_nan', 'point3f', 0, None, 'pointf3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_pointf3_ninf', 'point3f', 0, None, 'pointf3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_pointf3_snan', 'point3f', 0, None, 'pointf3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_pointh3_array_inf', 'point3h[]', 0, None, 'pointh3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_pointh3_array_nan', 'point3h[]', 0, None, 'pointh3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_pointh3_array_ninf', 'point3h[]', 0, None, 'pointh3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_pointh3_array_snan', 'point3h[]', 0, None, 'pointh3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_pointh3_inf', 'point3h', 0, None, 'pointh3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_pointh3_nan', 'point3h', 0, None, 'pointh3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_pointh3_ninf', 'point3h', 0, None, 'pointh3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_pointh3_snan', 'point3h', 0, None, 'pointh3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_quatd4_array_inf', 'quatd[]', 0, None, 'quatd4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_quatd4_array_nan', 'quatd[]', 0, None, 'quatd4_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_quatd4_array_ninf', 'quatd[]', 0, None, 'quatd4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_quatd4_array_snan', 'quatd[]', 0, None, 'quatd4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_quatd4_inf', 'quatd', 0, None, 'quatd4 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_quatd4_nan', 'quatd', 0, None, 'quatd4 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_quatd4_ninf', 'quatd', 0, None, 'quatd4 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_quatd4_snan', 'quatd', 0, None, 'quatd4 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_quatf4_array_inf', 'quatf[]', 0, None, 'quatf4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_quatf4_array_nan', 'quatf[]', 0, None, 'quatf4_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_quatf4_array_ninf', 'quatf[]', 0, None, 'quatf4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_quatf4_array_snan', 'quatf[]', 0, None, 'quatf4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_quatf4_inf', 'quatf', 0, None, 'quatf4 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_quatf4_nan', 'quatf', 0, None, 'quatf4 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_quatf4_ninf', 'quatf', 0, None, 'quatf4 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_quatf4_snan', 'quatf', 0, None, 'quatf4 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_quath4_array_inf', 'quath[]', 0, None, 'quath4_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf", "inf"], ["inf", "inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_quath4_array_nan', 'quath[]', 0, None, 'quath4_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan", "nan"], ["nan", "nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_quath4_array_ninf', 'quath[]', 0, None, 'quath4_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_quath4_array_snan', 'quath[]', 0, None, 'quath4_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan", "snan"], ["snan", "snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_quath4_inf', 'quath', 0, None, 'quath4 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_quath4_nan', 'quath', 0, None, 'quath4 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_quath4_ninf', 'quath', 0, None, 'quath4 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_quath4_snan', 'quath', 0, None, 'quath4 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordd2_array_inf', 'texCoord2d[]', 0, None, 'texcoordd2_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf"], ["inf", "inf"]]'}, True, [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False, ''),
('inputs:a_texcoordd2_array_nan', 'texCoord2d[]', 0, None, 'texcoordd2_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan"], ["nan", "nan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordd2_array_ninf', 'texCoord2d[]', 0, None, 'texcoordd2_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf"], ["-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_texcoordd2_array_snan', 'texCoord2d[]', 0, None, 'texcoordd2_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan"], ["snan", "snan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordd2_inf', 'texCoord2d', 0, None, 'texcoordd2 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_texcoordd2_nan', 'texCoord2d', 0, None, 'texcoordd2 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordd2_ninf', 'texCoord2d', 0, None, 'texcoordd2 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_texcoordd2_snan', 'texCoord2d', 0, None, 'texcoordd2 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordd3_array_inf', 'texCoord3d[]', 0, None, 'texcoordd3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_texcoordd3_array_nan', 'texCoord3d[]', 0, None, 'texcoordd3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordd3_array_ninf', 'texCoord3d[]', 0, None, 'texcoordd3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_texcoordd3_array_snan', 'texCoord3d[]', 0, None, 'texcoordd3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordd3_inf', 'texCoord3d', 0, None, 'texcoordd3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_texcoordd3_nan', 'texCoord3d', 0, None, 'texcoordd3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordd3_ninf', 'texCoord3d', 0, None, 'texcoordd3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_texcoordd3_snan', 'texCoord3d', 0, None, 'texcoordd3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordf2_array_inf', 'texCoord2f[]', 0, None, 'texcoordf2_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf"], ["inf", "inf"]]'}, True, [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False, ''),
('inputs:a_texcoordf2_array_nan', 'texCoord2f[]', 0, None, 'texcoordf2_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan"], ["nan", "nan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordf2_array_ninf', 'texCoord2f[]', 0, None, 'texcoordf2_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf"], ["-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_texcoordf2_array_snan', 'texCoord2f[]', 0, None, 'texcoordf2_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan"], ["snan", "snan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordf2_inf', 'texCoord2f', 0, None, 'texcoordf2 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_texcoordf2_nan', 'texCoord2f', 0, None, 'texcoordf2 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordf2_ninf', 'texCoord2f', 0, None, 'texcoordf2 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_texcoordf2_snan', 'texCoord2f', 0, None, 'texcoordf2 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordf3_array_inf', 'texCoord3f[]', 0, None, 'texcoordf3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_texcoordf3_array_nan', 'texCoord3f[]', 0, None, 'texcoordf3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordf3_array_ninf', 'texCoord3f[]', 0, None, 'texcoordf3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_texcoordf3_array_snan', 'texCoord3f[]', 0, None, 'texcoordf3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordf3_inf', 'texCoord3f', 0, None, 'texcoordf3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_texcoordf3_nan', 'texCoord3f', 0, None, 'texcoordf3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordf3_ninf', 'texCoord3f', 0, None, 'texcoordf3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_texcoordf3_snan', 'texCoord3f', 0, None, 'texcoordf3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordh2_array_inf', 'texCoord2h[]', 0, None, 'texcoordh2_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf"], ["inf", "inf"]]'}, True, [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False, ''),
('inputs:a_texcoordh2_array_nan', 'texCoord2h[]', 0, None, 'texcoordh2_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan"], ["nan", "nan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordh2_array_ninf', 'texCoord2h[]', 0, None, 'texcoordh2_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf"], ["-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_texcoordh2_array_snan', 'texCoord2h[]', 0, None, 'texcoordh2_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan"], ["snan", "snan"]]'}, True, [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordh2_inf', 'texCoord2h', 0, None, 'texcoordh2 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_texcoordh2_nan', 'texCoord2h', 0, None, 'texcoordh2 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordh2_ninf', 'texCoord2h', 0, None, 'texcoordh2 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_texcoordh2_snan', 'texCoord2h', 0, None, 'texcoordh2 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordh3_array_inf', 'texCoord3h[]', 0, None, 'texcoordh3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_texcoordh3_array_nan', 'texCoord3h[]', 0, None, 'texcoordh3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordh3_array_ninf', 'texCoord3h[]', 0, None, 'texcoordh3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_texcoordh3_array_snan', 'texCoord3h[]', 0, None, 'texcoordh3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_texcoordh3_inf', 'texCoord3h', 0, None, 'texcoordh3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_texcoordh3_nan', 'texCoord3h', 0, None, 'texcoordh3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_texcoordh3_ninf', 'texCoord3h', 0, None, 'texcoordh3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_texcoordh3_snan', 'texCoord3h', 0, None, 'texcoordh3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_timecode_array_inf', 'timecode[]', 0, None, 'timecode_array Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf"]'}, True, [float("Inf"), float("Inf")], False, ''),
('inputs:a_timecode_array_nan', 'timecode[]', 0, None, 'timecode_array NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_timecode_array_ninf', 'timecode[]', 0, None, 'timecode_array -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf")], False, ''),
('inputs:a_timecode_array_snan', 'timecode[]', 0, None, 'timecode_array sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan"]'}, True, [float("NaN"), float("NaN")], False, ''),
('inputs:a_timecode_inf', 'timecode', 0, None, 'timecode Infinity', {ogn.MetadataKeys.DEFAULT: '"inf"'}, True, float("Inf"), False, ''),
('inputs:a_timecode_nan', 'timecode', 0, None, 'timecode NaN', {ogn.MetadataKeys.DEFAULT: '"nan"'}, True, float("NaN"), False, ''),
('inputs:a_timecode_ninf', 'timecode', 0, None, 'timecode -Infinity', {ogn.MetadataKeys.DEFAULT: '"-inf"'}, True, float("-Inf"), False, ''),
('inputs:a_timecode_snan', 'timecode', 0, None, 'timecode sNaN', {ogn.MetadataKeys.DEFAULT: '"snan"'}, True, float("NaN"), False, ''),
('inputs:a_vectord3_array_inf', 'vector3d[]', 0, None, 'vectord3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_vectord3_array_nan', 'vector3d[]', 0, None, 'vectord3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_vectord3_array_ninf', 'vector3d[]', 0, None, 'vectord3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_vectord3_array_snan', 'vector3d[]', 0, None, 'vectord3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_vectord3_inf', 'vector3d', 0, None, 'vectord3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_vectord3_nan', 'vector3d', 0, None, 'vectord3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_vectord3_ninf', 'vector3d', 0, None, 'vectord3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_vectord3_snan', 'vector3d', 0, None, 'vectord3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_vectorf3_array_inf', 'vector3f[]', 0, None, 'vectorf3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_vectorf3_array_nan', 'vector3f[]', 0, None, 'vectorf3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_vectorf3_array_ninf', 'vector3f[]', 0, None, 'vectorf3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_vectorf3_array_snan', 'vector3f[]', 0, None, 'vectorf3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_vectorf3_inf', 'vector3f', 0, None, 'vectorf3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_vectorf3_nan', 'vector3f', 0, None, 'vectorf3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_vectorf3_ninf', 'vector3f', 0, None, 'vectorf3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_vectorf3_snan', 'vector3f', 0, None, 'vectorf3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_vectorh3_array_inf', 'vector3h[]', 0, None, 'vectorh3_array Infinity', {ogn.MetadataKeys.DEFAULT: '[["inf", "inf", "inf"], ["inf", "inf", "inf"]]'}, True, [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False, ''),
('inputs:a_vectorh3_array_nan', 'vector3h[]', 0, None, 'vectorh3_array NaN', {ogn.MetadataKeys.DEFAULT: '[["nan", "nan", "nan"], ["nan", "nan", "nan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_vectorh3_array_ninf', 'vector3h[]', 0, None, 'vectorh3_array -Infinity', {ogn.MetadataKeys.DEFAULT: '[["-inf", "-inf", "-inf"], ["-inf", "-inf", "-inf"]]'}, True, [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False, ''),
('inputs:a_vectorh3_array_snan', 'vector3h[]', 0, None, 'vectorh3_array sNaN', {ogn.MetadataKeys.DEFAULT: '[["snan", "snan", "snan"], ["snan", "snan", "snan"]]'}, True, [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], False, ''),
('inputs:a_vectorh3_inf', 'vector3h', 0, None, 'vectorh3 Infinity', {ogn.MetadataKeys.DEFAULT: '["inf", "inf", "inf"]'}, True, [float("Inf"), float("Inf"), float("Inf")], False, ''),
('inputs:a_vectorh3_nan', 'vector3h', 0, None, 'vectorh3 NaN', {ogn.MetadataKeys.DEFAULT: '["nan", "nan", "nan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('inputs:a_vectorh3_ninf', 'vector3h', 0, None, 'vectorh3 -Infinity', {ogn.MetadataKeys.DEFAULT: '["-inf", "-inf", "-inf"]'}, True, [float("-Inf"), float("-Inf"), float("-Inf")], False, ''),
('inputs:a_vectorh3_snan', 'vector3h', 0, None, 'vectorh3 sNaN', {ogn.MetadataKeys.DEFAULT: '["snan", "snan", "snan"]'}, True, [float("NaN"), float("NaN"), float("NaN")], False, ''),
('outputs:a_colord3_array_inf', 'color3d[]', 0, None, 'colord3_array Infinity', {}, True, None, False, ''),
('outputs:a_colord3_array_nan', 'color3d[]', 0, None, 'colord3_array NaN', {}, True, None, False, ''),
('outputs:a_colord3_array_ninf', 'color3d[]', 0, None, 'colord3_array -Infinity', {}, True, None, False, ''),
('outputs:a_colord3_array_snan', 'color3d[]', 0, None, 'colord3_array sNaN', {}, True, None, False, ''),
('outputs:a_colord3_inf', 'color3d', 0, None, 'colord3 Infinity', {}, True, None, False, ''),
('outputs:a_colord3_nan', 'color3d', 0, None, 'colord3 NaN', {}, True, None, False, ''),
('outputs:a_colord3_ninf', 'color3d', 0, None, 'colord3 -Infinity', {}, True, None, False, ''),
('outputs:a_colord3_snan', 'color3d', 0, None, 'colord3 sNaN', {}, True, None, False, ''),
('outputs:a_colord4_array_inf', 'color4d[]', 0, None, 'colord4_array Infinity', {}, True, None, False, ''),
('outputs:a_colord4_array_nan', 'color4d[]', 0, None, 'colord4_array NaN', {}, True, None, False, ''),
('outputs:a_colord4_array_ninf', 'color4d[]', 0, None, 'colord4_array -Infinity', {}, True, None, False, ''),
('outputs:a_colord4_array_snan', 'color4d[]', 0, None, 'colord4_array sNaN', {}, True, None, False, ''),
('outputs:a_colord4_inf', 'color4d', 0, None, 'colord4 Infinity', {}, True, None, False, ''),
('outputs:a_colord4_nan', 'color4d', 0, None, 'colord4 NaN', {}, True, None, False, ''),
('outputs:a_colord4_ninf', 'color4d', 0, None, 'colord4 -Infinity', {}, True, None, False, ''),
('outputs:a_colord4_snan', 'color4d', 0, None, 'colord4 sNaN', {}, True, None, False, ''),
('outputs:a_colorf3_array_inf', 'color3f[]', 0, None, 'colorf3_array Infinity', {}, True, None, False, ''),
('outputs:a_colorf3_array_nan', 'color3f[]', 0, None, 'colorf3_array NaN', {}, True, None, False, ''),
('outputs:a_colorf3_array_ninf', 'color3f[]', 0, None, 'colorf3_array -Infinity', {}, True, None, False, ''),
('outputs:a_colorf3_array_snan', 'color3f[]', 0, None, 'colorf3_array sNaN', {}, True, None, False, ''),
('outputs:a_colorf3_inf', 'color3f', 0, None, 'colorf3 Infinity', {}, True, None, False, ''),
('outputs:a_colorf3_nan', 'color3f', 0, None, 'colorf3 NaN', {}, True, None, False, ''),
('outputs:a_colorf3_ninf', 'color3f', 0, None, 'colorf3 -Infinity', {}, True, None, False, ''),
('outputs:a_colorf3_snan', 'color3f', 0, None, 'colorf3 sNaN', {}, True, None, False, ''),
('outputs:a_colorf4_array_inf', 'color4f[]', 0, None, 'colorf4_array Infinity', {}, True, None, False, ''),
('outputs:a_colorf4_array_nan', 'color4f[]', 0, None, 'colorf4_array NaN', {}, True, None, False, ''),
('outputs:a_colorf4_array_ninf', 'color4f[]', 0, None, 'colorf4_array -Infinity', {}, True, None, False, ''),
('outputs:a_colorf4_array_snan', 'color4f[]', 0, None, 'colorf4_array sNaN', {}, True, None, False, ''),
('outputs:a_colorf4_inf', 'color4f', 0, None, 'colorf4 Infinity', {}, True, None, False, ''),
('outputs:a_colorf4_nan', 'color4f', 0, None, 'colorf4 NaN', {}, True, None, False, ''),
('outputs:a_colorf4_ninf', 'color4f', 0, None, 'colorf4 -Infinity', {}, True, None, False, ''),
('outputs:a_colorf4_snan', 'color4f', 0, None, 'colorf4 sNaN', {}, True, None, False, ''),
('outputs:a_colorh3_array_inf', 'color3h[]', 0, None, 'colorh3_array Infinity', {}, True, None, False, ''),
('outputs:a_colorh3_array_nan', 'color3h[]', 0, None, 'colorh3_array NaN', {}, True, None, False, ''),
('outputs:a_colorh3_array_ninf', 'color3h[]', 0, None, 'colorh3_array -Infinity', {}, True, None, False, ''),
('outputs:a_colorh3_array_snan', 'color3h[]', 0, None, 'colorh3_array sNaN', {}, True, None, False, ''),
('outputs:a_colorh3_inf', 'color3h', 0, None, 'colorh3 Infinity', {}, True, None, False, ''),
('outputs:a_colorh3_nan', 'color3h', 0, None, 'colorh3 NaN', {}, True, None, False, ''),
('outputs:a_colorh3_ninf', 'color3h', 0, None, 'colorh3 -Infinity', {}, True, None, False, ''),
('outputs:a_colorh3_snan', 'color3h', 0, None, 'colorh3 sNaN', {}, True, None, False, ''),
('outputs:a_colorh4_array_inf', 'color4h[]', 0, None, 'colorh4_array Infinity', {}, True, None, False, ''),
('outputs:a_colorh4_array_nan', 'color4h[]', 0, None, 'colorh4_array NaN', {}, True, None, False, ''),
('outputs:a_colorh4_array_ninf', 'color4h[]', 0, None, 'colorh4_array -Infinity', {}, True, None, False, ''),
('outputs:a_colorh4_array_snan', 'color4h[]', 0, None, 'colorh4_array sNaN', {}, True, None, False, ''),
('outputs:a_colorh4_inf', 'color4h', 0, None, 'colorh4 Infinity', {}, True, None, False, ''),
('outputs:a_colorh4_nan', 'color4h', 0, None, 'colorh4 NaN', {}, True, None, False, ''),
('outputs:a_colorh4_ninf', 'color4h', 0, None, 'colorh4 -Infinity', {}, True, None, False, ''),
('outputs:a_colorh4_snan', 'color4h', 0, None, 'colorh4 sNaN', {}, True, None, False, ''),
('outputs:a_double2_array_inf', 'double2[]', 0, None, 'double2_array Infinity', {}, True, None, False, ''),
('outputs:a_double2_array_nan', 'double2[]', 0, None, 'double2_array NaN', {}, True, None, False, ''),
('outputs:a_double2_array_ninf', 'double2[]', 0, None, 'double2_array -Infinity', {}, True, None, False, ''),
('outputs:a_double2_array_snan', 'double2[]', 0, None, 'double2_array sNaN', {}, True, None, False, ''),
('outputs:a_double2_inf', 'double2', 0, None, 'double2 Infinity', {}, True, None, False, ''),
('outputs:a_double2_nan', 'double2', 0, None, 'double2 NaN', {}, True, None, False, ''),
('outputs:a_double2_ninf', 'double2', 0, None, 'double2 -Infinity', {}, True, None, False, ''),
('outputs:a_double2_snan', 'double2', 0, None, 'double2 sNaN', {}, True, None, False, ''),
('outputs:a_double3_array_inf', 'double3[]', 0, None, 'double3_array Infinity', {}, True, None, False, ''),
('outputs:a_double3_array_nan', 'double3[]', 0, None, 'double3_array NaN', {}, True, None, False, ''),
('outputs:a_double3_array_ninf', 'double3[]', 0, None, 'double3_array -Infinity', {}, True, None, False, ''),
('outputs:a_double3_array_snan', 'double3[]', 0, None, 'double3_array sNaN', {}, True, None, False, ''),
('outputs:a_double3_inf', 'double3', 0, None, 'double3 Infinity', {}, True, None, False, ''),
('outputs:a_double3_nan', 'double3', 0, None, 'double3 NaN', {}, True, None, False, ''),
('outputs:a_double3_ninf', 'double3', 0, None, 'double3 -Infinity', {}, True, None, False, ''),
('outputs:a_double3_snan', 'double3', 0, None, 'double3 sNaN', {}, True, None, False, ''),
('outputs:a_double4_array_inf', 'double4[]', 0, None, 'double4_array Infinity', {}, True, None, False, ''),
('outputs:a_double4_array_nan', 'double4[]', 0, None, 'double4_array NaN', {}, True, None, False, ''),
('outputs:a_double4_array_ninf', 'double4[]', 0, None, 'double4_array -Infinity', {}, True, None, False, ''),
('outputs:a_double4_array_snan', 'double4[]', 0, None, 'double4_array sNaN', {}, True, None, False, ''),
('outputs:a_double4_inf', 'double4', 0, None, 'double4 Infinity', {}, True, None, False, ''),
('outputs:a_double4_nan', 'double4', 0, None, 'double4 NaN', {}, True, None, False, ''),
('outputs:a_double4_ninf', 'double4', 0, None, 'double4 -Infinity', {}, True, None, False, ''),
('outputs:a_double4_snan', 'double4', 0, None, 'double4 sNaN', {}, True, None, False, ''),
('outputs:a_double_array_inf', 'double[]', 0, None, 'double_array Infinity', {}, True, None, False, ''),
('outputs:a_double_array_nan', 'double[]', 0, None, 'double_array NaN', {}, True, None, False, ''),
('outputs:a_double_array_ninf', 'double[]', 0, None, 'double_array -Infinity', {}, True, None, False, ''),
('outputs:a_double_array_snan', 'double[]', 0, None, 'double_array sNaN', {}, True, None, False, ''),
('outputs:a_double_inf', 'double', 0, None, 'double Infinity', {}, True, None, False, ''),
('outputs:a_double_nan', 'double', 0, None, 'double NaN', {}, True, None, False, ''),
('outputs:a_double_ninf', 'double', 0, None, 'double -Infinity', {}, True, None, False, ''),
('outputs:a_double_snan', 'double', 0, None, 'double sNaN', {}, True, None, False, ''),
('outputs:a_float2_array_inf', 'float2[]', 0, None, 'float2_array Infinity', {}, True, None, False, ''),
('outputs:a_float2_array_nan', 'float2[]', 0, None, 'float2_array NaN', {}, True, None, False, ''),
('outputs:a_float2_array_ninf', 'float2[]', 0, None, 'float2_array -Infinity', {}, True, None, False, ''),
('outputs:a_float2_array_snan', 'float2[]', 0, None, 'float2_array sNaN', {}, True, None, False, ''),
('outputs:a_float2_inf', 'float2', 0, None, 'float2 Infinity', {}, True, None, False, ''),
('outputs:a_float2_nan', 'float2', 0, None, 'float2 NaN', {}, True, None, False, ''),
('outputs:a_float2_ninf', 'float2', 0, None, 'float2 -Infinity', {}, True, None, False, ''),
('outputs:a_float2_snan', 'float2', 0, None, 'float2 sNaN', {}, True, None, False, ''),
('outputs:a_float3_array_inf', 'float3[]', 0, None, 'float3_array Infinity', {}, True, None, False, ''),
('outputs:a_float3_array_nan', 'float3[]', 0, None, 'float3_array NaN', {}, True, None, False, ''),
('outputs:a_float3_array_ninf', 'float3[]', 0, None, 'float3_array -Infinity', {}, True, None, False, ''),
('outputs:a_float3_array_snan', 'float3[]', 0, None, 'float3_array sNaN', {}, True, None, False, ''),
('outputs:a_float3_inf', 'float3', 0, None, 'float3 Infinity', {}, True, None, False, ''),
('outputs:a_float3_nan', 'float3', 0, None, 'float3 NaN', {}, True, None, False, ''),
('outputs:a_float3_ninf', 'float3', 0, None, 'float3 -Infinity', {}, True, None, False, ''),
('outputs:a_float3_snan', 'float3', 0, None, 'float3 sNaN', {}, True, None, False, ''),
('outputs:a_float4_array_inf', 'float4[]', 0, None, 'float4_array Infinity', {}, True, None, False, ''),
('outputs:a_float4_array_nan', 'float4[]', 0, None, 'float4_array NaN', {}, True, None, False, ''),
('outputs:a_float4_array_ninf', 'float4[]', 0, None, 'float4_array -Infinity', {}, True, None, False, ''),
('outputs:a_float4_array_snan', 'float4[]', 0, None, 'float4_array sNaN', {}, True, None, False, ''),
('outputs:a_float4_inf', 'float4', 0, None, 'float4 Infinity', {}, True, None, False, ''),
('outputs:a_float4_nan', 'float4', 0, None, 'float4 NaN', {}, True, None, False, ''),
('outputs:a_float4_ninf', 'float4', 0, None, 'float4 -Infinity', {}, True, None, False, ''),
('outputs:a_float4_snan', 'float4', 0, None, 'float4 sNaN', {}, True, None, False, ''),
('outputs:a_float_array_inf', 'float[]', 0, None, 'float_array Infinity', {}, True, None, False, ''),
('outputs:a_float_array_nan', 'float[]', 0, None, 'float_array NaN', {}, True, None, False, ''),
('outputs:a_float_array_ninf', 'float[]', 0, None, 'float_array -Infinity', {}, True, None, False, ''),
('outputs:a_float_array_snan', 'float[]', 0, None, 'float_array sNaN', {}, True, None, False, ''),
('outputs:a_float_inf', 'float', 0, None, 'float Infinity', {}, True, None, False, ''),
('outputs:a_float_nan', 'float', 0, None, 'float NaN', {}, True, None, False, ''),
('outputs:a_float_ninf', 'float', 0, None, 'float -Infinity', {}, True, None, False, ''),
('outputs:a_float_snan', 'float', 0, None, 'float sNaN', {}, True, None, False, ''),
('outputs:a_frame4_array_inf', 'frame4d[]', 0, None, 'frame4_array Infinity', {}, True, None, False, ''),
('outputs:a_frame4_array_nan', 'frame4d[]', 0, None, 'frame4_array NaN', {}, True, None, False, ''),
('outputs:a_frame4_array_ninf', 'frame4d[]', 0, None, 'frame4_array -Infinity', {}, True, None, False, ''),
('outputs:a_frame4_array_snan', 'frame4d[]', 0, None, 'frame4_array sNaN', {}, True, None, False, ''),
('outputs:a_frame4_inf', 'frame4d', 0, None, 'frame4 Infinity', {}, True, None, False, ''),
('outputs:a_frame4_nan', 'frame4d', 0, None, 'frame4 NaN', {}, True, None, False, ''),
('outputs:a_frame4_ninf', 'frame4d', 0, None, 'frame4 -Infinity', {}, True, None, False, ''),
('outputs:a_frame4_snan', 'frame4d', 0, None, 'frame4 sNaN', {}, True, None, False, ''),
('outputs:a_half2_array_inf', 'half2[]', 0, None, 'half2_array Infinity', {}, True, None, False, ''),
('outputs:a_half2_array_nan', 'half2[]', 0, None, 'half2_array NaN', {}, True, None, False, ''),
('outputs:a_half2_array_ninf', 'half2[]', 0, None, 'half2_array -Infinity', {}, True, None, False, ''),
('outputs:a_half2_array_snan', 'half2[]', 0, None, 'half2_array sNaN', {}, True, None, False, ''),
('outputs:a_half2_inf', 'half2', 0, None, 'half2 Infinity', {}, True, None, False, ''),
('outputs:a_half2_nan', 'half2', 0, None, 'half2 NaN', {}, True, None, False, ''),
('outputs:a_half2_ninf', 'half2', 0, None, 'half2 -Infinity', {}, True, None, False, ''),
('outputs:a_half2_snan', 'half2', 0, None, 'half2 sNaN', {}, True, None, False, ''),
('outputs:a_half3_array_inf', 'half3[]', 0, None, 'half3_array Infinity', {}, True, None, False, ''),
('outputs:a_half3_array_nan', 'half3[]', 0, None, 'half3_array NaN', {}, True, None, False, ''),
('outputs:a_half3_array_ninf', 'half3[]', 0, None, 'half3_array -Infinity', {}, True, None, False, ''),
('outputs:a_half3_array_snan', 'half3[]', 0, None, 'half3_array sNaN', {}, True, None, False, ''),
('outputs:a_half3_inf', 'half3', 0, None, 'half3 Infinity', {}, True, None, False, ''),
('outputs:a_half3_nan', 'half3', 0, None, 'half3 NaN', {}, True, None, False, ''),
('outputs:a_half3_ninf', 'half3', 0, None, 'half3 -Infinity', {}, True, None, False, ''),
('outputs:a_half3_snan', 'half3', 0, None, 'half3 sNaN', {}, True, None, False, ''),
('outputs:a_half4_array_inf', 'half4[]', 0, None, 'half4_array Infinity', {}, True, None, False, ''),
('outputs:a_half4_array_nan', 'half4[]', 0, None, 'half4_array NaN', {}, True, None, False, ''),
('outputs:a_half4_array_ninf', 'half4[]', 0, None, 'half4_array -Infinity', {}, True, None, False, ''),
('outputs:a_half4_array_snan', 'half4[]', 0, None, 'half4_array sNaN', {}, True, None, False, ''),
('outputs:a_half4_inf', 'half4', 0, None, 'half4 Infinity', {}, True, None, False, ''),
('outputs:a_half4_nan', 'half4', 0, None, 'half4 NaN', {}, True, None, False, ''),
('outputs:a_half4_ninf', 'half4', 0, None, 'half4 -Infinity', {}, True, None, False, ''),
('outputs:a_half4_snan', 'half4', 0, None, 'half4 sNaN', {}, True, None, False, ''),
('outputs:a_half_array_inf', 'half[]', 0, None, 'half_array Infinity', {}, True, None, False, ''),
('outputs:a_half_array_nan', 'half[]', 0, None, 'half_array NaN', {}, True, None, False, ''),
('outputs:a_half_array_ninf', 'half[]', 0, None, 'half_array -Infinity', {}, True, None, False, ''),
('outputs:a_half_array_snan', 'half[]', 0, None, 'half_array sNaN', {}, True, None, False, ''),
('outputs:a_half_inf', 'half', 0, None, 'half Infinity', {}, True, None, False, ''),
('outputs:a_half_nan', 'half', 0, None, 'half NaN', {}, True, None, False, ''),
('outputs:a_half_ninf', 'half', 0, None, 'half -Infinity', {}, True, None, False, ''),
('outputs:a_half_snan', 'half', 0, None, 'half sNaN', {}, True, None, False, ''),
('outputs:a_matrixd2_array_inf', 'matrix2d[]', 0, None, 'matrixd2_array Infinity', {}, True, None, False, ''),
('outputs:a_matrixd2_array_nan', 'matrix2d[]', 0, None, 'matrixd2_array NaN', {}, True, None, False, ''),
('outputs:a_matrixd2_array_ninf', 'matrix2d[]', 0, None, 'matrixd2_array -Infinity', {}, True, None, False, ''),
('outputs:a_matrixd2_array_snan', 'matrix2d[]', 0, None, 'matrixd2_array sNaN', {}, True, None, False, ''),
('outputs:a_matrixd2_inf', 'matrix2d', 0, None, 'matrixd2 Infinity', {}, True, None, False, ''),
('outputs:a_matrixd2_nan', 'matrix2d', 0, None, 'matrixd2 NaN', {}, True, None, False, ''),
('outputs:a_matrixd2_ninf', 'matrix2d', 0, None, 'matrixd2 -Infinity', {}, True, None, False, ''),
('outputs:a_matrixd2_snan', 'matrix2d', 0, None, 'matrixd2 sNaN', {}, True, None, False, ''),
('outputs:a_matrixd3_array_inf', 'matrix3d[]', 0, None, 'matrixd3_array Infinity', {}, True, None, False, ''),
('outputs:a_matrixd3_array_nan', 'matrix3d[]', 0, None, 'matrixd3_array NaN', {}, True, None, False, ''),
('outputs:a_matrixd3_array_ninf', 'matrix3d[]', 0, None, 'matrixd3_array -Infinity', {}, True, None, False, ''),
('outputs:a_matrixd3_array_snan', 'matrix3d[]', 0, None, 'matrixd3_array sNaN', {}, True, None, False, ''),
('outputs:a_matrixd3_inf', 'matrix3d', 0, None, 'matrixd3 Infinity', {}, True, None, False, ''),
('outputs:a_matrixd3_nan', 'matrix3d', 0, None, 'matrixd3 NaN', {}, True, None, False, ''),
('outputs:a_matrixd3_ninf', 'matrix3d', 0, None, 'matrixd3 -Infinity', {}, True, None, False, ''),
('outputs:a_matrixd3_snan', 'matrix3d', 0, None, 'matrixd3 sNaN', {}, True, None, False, ''),
('outputs:a_matrixd4_array_inf', 'matrix4d[]', 0, None, 'matrixd4_array Infinity', {}, True, None, False, ''),
('outputs:a_matrixd4_array_nan', 'matrix4d[]', 0, None, 'matrixd4_array NaN', {}, True, None, False, ''),
('outputs:a_matrixd4_array_ninf', 'matrix4d[]', 0, None, 'matrixd4_array -Infinity', {}, True, None, False, ''),
('outputs:a_matrixd4_array_snan', 'matrix4d[]', 0, None, 'matrixd4_array sNaN', {}, True, None, False, ''),
('outputs:a_matrixd4_inf', 'matrix4d', 0, None, 'matrixd4 Infinity', {}, True, None, False, ''),
('outputs:a_matrixd4_nan', 'matrix4d', 0, None, 'matrixd4 NaN', {}, True, None, False, ''),
('outputs:a_matrixd4_ninf', 'matrix4d', 0, None, 'matrixd4 -Infinity', {}, True, None, False, ''),
('outputs:a_matrixd4_snan', 'matrix4d', 0, None, 'matrixd4 sNaN', {}, True, None, False, ''),
('outputs:a_normald3_array_inf', 'normal3d[]', 0, None, 'normald3_array Infinity', {}, True, None, False, ''),
('outputs:a_normald3_array_nan', 'normal3d[]', 0, None, 'normald3_array NaN', {}, True, None, False, ''),
('outputs:a_normald3_array_ninf', 'normal3d[]', 0, None, 'normald3_array -Infinity', {}, True, None, False, ''),
('outputs:a_normald3_array_snan', 'normal3d[]', 0, None, 'normald3_array sNaN', {}, True, None, False, ''),
('outputs:a_normald3_inf', 'normal3d', 0, None, 'normald3 Infinity', {}, True, None, False, ''),
('outputs:a_normald3_nan', 'normal3d', 0, None, 'normald3 NaN', {}, True, None, False, ''),
('outputs:a_normald3_ninf', 'normal3d', 0, None, 'normald3 -Infinity', {}, True, None, False, ''),
('outputs:a_normald3_snan', 'normal3d', 0, None, 'normald3 sNaN', {}, True, None, False, ''),
('outputs:a_normalf3_array_inf', 'normal3f[]', 0, None, 'normalf3_array Infinity', {}, True, None, False, ''),
('outputs:a_normalf3_array_nan', 'normal3f[]', 0, None, 'normalf3_array NaN', {}, True, None, False, ''),
('outputs:a_normalf3_array_ninf', 'normal3f[]', 0, None, 'normalf3_array -Infinity', {}, True, None, False, ''),
('outputs:a_normalf3_array_snan', 'normal3f[]', 0, None, 'normalf3_array sNaN', {}, True, None, False, ''),
('outputs:a_normalf3_inf', 'normal3f', 0, None, 'normalf3 Infinity', {}, True, None, False, ''),
('outputs:a_normalf3_nan', 'normal3f', 0, None, 'normalf3 NaN', {}, True, None, False, ''),
('outputs:a_normalf3_ninf', 'normal3f', 0, None, 'normalf3 -Infinity', {}, True, None, False, ''),
('outputs:a_normalf3_snan', 'normal3f', 0, None, 'normalf3 sNaN', {}, True, None, False, ''),
('outputs:a_normalh3_array_inf', 'normal3h[]', 0, None, 'normalh3_array Infinity', {}, True, None, False, ''),
('outputs:a_normalh3_array_nan', 'normal3h[]', 0, None, 'normalh3_array NaN', {}, True, None, False, ''),
('outputs:a_normalh3_array_ninf', 'normal3h[]', 0, None, 'normalh3_array -Infinity', {}, True, None, False, ''),
('outputs:a_normalh3_array_snan', 'normal3h[]', 0, None, 'normalh3_array sNaN', {}, True, None, False, ''),
('outputs:a_normalh3_inf', 'normal3h', 0, None, 'normalh3 Infinity', {}, True, None, False, ''),
('outputs:a_normalh3_nan', 'normal3h', 0, None, 'normalh3 NaN', {}, True, None, False, ''),
('outputs:a_normalh3_ninf', 'normal3h', 0, None, 'normalh3 -Infinity', {}, True, None, False, ''),
('outputs:a_normalh3_snan', 'normal3h', 0, None, 'normalh3 sNaN', {}, True, None, False, ''),
('outputs:a_pointd3_array_inf', 'point3d[]', 0, None, 'pointd3_array Infinity', {}, True, None, False, ''),
('outputs:a_pointd3_array_nan', 'point3d[]', 0, None, 'pointd3_array NaN', {}, True, None, False, ''),
('outputs:a_pointd3_array_ninf', 'point3d[]', 0, None, 'pointd3_array -Infinity', {}, True, None, False, ''),
('outputs:a_pointd3_array_snan', 'point3d[]', 0, None, 'pointd3_array sNaN', {}, True, None, False, ''),
('outputs:a_pointd3_inf', 'point3d', 0, None, 'pointd3 Infinity', {}, True, None, False, ''),
('outputs:a_pointd3_nan', 'point3d', 0, None, 'pointd3 NaN', {}, True, None, False, ''),
('outputs:a_pointd3_ninf', 'point3d', 0, None, 'pointd3 -Infinity', {}, True, None, False, ''),
('outputs:a_pointd3_snan', 'point3d', 0, None, 'pointd3 sNaN', {}, True, None, False, ''),
('outputs:a_pointf3_array_inf', 'point3f[]', 0, None, 'pointf3_array Infinity', {}, True, None, False, ''),
('outputs:a_pointf3_array_nan', 'point3f[]', 0, None, 'pointf3_array NaN', {}, True, None, False, ''),
('outputs:a_pointf3_array_ninf', 'point3f[]', 0, None, 'pointf3_array -Infinity', {}, True, None, False, ''),
('outputs:a_pointf3_array_snan', 'point3f[]', 0, None, 'pointf3_array sNaN', {}, True, None, False, ''),
('outputs:a_pointf3_inf', 'point3f', 0, None, 'pointf3 Infinity', {}, True, None, False, ''),
('outputs:a_pointf3_nan', 'point3f', 0, None, 'pointf3 NaN', {}, True, None, False, ''),
('outputs:a_pointf3_ninf', 'point3f', 0, None, 'pointf3 -Infinity', {}, True, None, False, ''),
('outputs:a_pointf3_snan', 'point3f', 0, None, 'pointf3 sNaN', {}, True, None, False, ''),
('outputs:a_pointh3_array_inf', 'point3h[]', 0, None, 'pointh3_array Infinity', {}, True, None, False, ''),
('outputs:a_pointh3_array_nan', 'point3h[]', 0, None, 'pointh3_array NaN', {}, True, None, False, ''),
('outputs:a_pointh3_array_ninf', 'point3h[]', 0, None, 'pointh3_array -Infinity', {}, True, None, False, ''),
('outputs:a_pointh3_array_snan', 'point3h[]', 0, None, 'pointh3_array sNaN', {}, True, None, False, ''),
('outputs:a_pointh3_inf', 'point3h', 0, None, 'pointh3 Infinity', {}, True, None, False, ''),
('outputs:a_pointh3_nan', 'point3h', 0, None, 'pointh3 NaN', {}, True, None, False, ''),
('outputs:a_pointh3_ninf', 'point3h', 0, None, 'pointh3 -Infinity', {}, True, None, False, ''),
('outputs:a_pointh3_snan', 'point3h', 0, None, 'pointh3 sNaN', {}, True, None, False, ''),
('outputs:a_quatd4_array_inf', 'quatd[]', 0, None, 'quatd4_array Infinity', {}, True, None, False, ''),
('outputs:a_quatd4_array_nan', 'quatd[]', 0, None, 'quatd4_array NaN', {}, True, None, False, ''),
('outputs:a_quatd4_array_ninf', 'quatd[]', 0, None, 'quatd4_array -Infinity', {}, True, None, False, ''),
('outputs:a_quatd4_array_snan', 'quatd[]', 0, None, 'quatd4_array sNaN', {}, True, None, False, ''),
('outputs:a_quatd4_inf', 'quatd', 0, None, 'quatd4 Infinity', {}, True, None, False, ''),
('outputs:a_quatd4_nan', 'quatd', 0, None, 'quatd4 NaN', {}, True, None, False, ''),
('outputs:a_quatd4_ninf', 'quatd', 0, None, 'quatd4 -Infinity', {}, True, None, False, ''),
('outputs:a_quatd4_snan', 'quatd', 0, None, 'quatd4 sNaN', {}, True, None, False, ''),
('outputs:a_quatf4_array_inf', 'quatf[]', 0, None, 'quatf4_array Infinity', {}, True, None, False, ''),
('outputs:a_quatf4_array_nan', 'quatf[]', 0, None, 'quatf4_array NaN', {}, True, None, False, ''),
('outputs:a_quatf4_array_ninf', 'quatf[]', 0, None, 'quatf4_array -Infinity', {}, True, None, False, ''),
('outputs:a_quatf4_array_snan', 'quatf[]', 0, None, 'quatf4_array sNaN', {}, True, None, False, ''),
('outputs:a_quatf4_inf', 'quatf', 0, None, 'quatf4 Infinity', {}, True, None, False, ''),
('outputs:a_quatf4_nan', 'quatf', 0, None, 'quatf4 NaN', {}, True, None, False, ''),
('outputs:a_quatf4_ninf', 'quatf', 0, None, 'quatf4 -Infinity', {}, True, None, False, ''),
('outputs:a_quatf4_snan', 'quatf', 0, None, 'quatf4 sNaN', {}, True, None, False, ''),
('outputs:a_quath4_array_inf', 'quath[]', 0, None, 'quath4_array Infinity', {}, True, None, False, ''),
('outputs:a_quath4_array_nan', 'quath[]', 0, None, 'quath4_array NaN', {}, True, None, False, ''),
('outputs:a_quath4_array_ninf', 'quath[]', 0, None, 'quath4_array -Infinity', {}, True, None, False, ''),
('outputs:a_quath4_array_snan', 'quath[]', 0, None, 'quath4_array sNaN', {}, True, None, False, ''),
('outputs:a_quath4_inf', 'quath', 0, None, 'quath4 Infinity', {}, True, None, False, ''),
('outputs:a_quath4_nan', 'quath', 0, None, 'quath4 NaN', {}, True, None, False, ''),
('outputs:a_quath4_ninf', 'quath', 0, None, 'quath4 -Infinity', {}, True, None, False, ''),
('outputs:a_quath4_snan', 'quath', 0, None, 'quath4 sNaN', {}, True, None, False, ''),
('outputs:a_texcoordd2_array_inf', 'texCoord2d[]', 0, None, 'texcoordd2_array Infinity', {}, True, None, False, ''),
('outputs:a_texcoordd2_array_nan', 'texCoord2d[]', 0, None, 'texcoordd2_array NaN', {}, True, None, False, ''),
('outputs:a_texcoordd2_array_ninf', 'texCoord2d[]', 0, None, 'texcoordd2_array -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordd2_array_snan', 'texCoord2d[]', 0, None, 'texcoordd2_array sNaN', {}, True, None, False, ''),
('outputs:a_texcoordd2_inf', 'texCoord2d', 0, None, 'texcoordd2 Infinity', {}, True, None, False, ''),
('outputs:a_texcoordd2_nan', 'texCoord2d', 0, None, 'texcoordd2 NaN', {}, True, None, False, ''),
('outputs:a_texcoordd2_ninf', 'texCoord2d', 0, None, 'texcoordd2 -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordd2_snan', 'texCoord2d', 0, None, 'texcoordd2 sNaN', {}, True, None, False, ''),
('outputs:a_texcoordd3_array_inf', 'texCoord3d[]', 0, None, 'texcoordd3_array Infinity', {}, True, None, False, ''),
('outputs:a_texcoordd3_array_nan', 'texCoord3d[]', 0, None, 'texcoordd3_array NaN', {}, True, None, False, ''),
('outputs:a_texcoordd3_array_ninf', 'texCoord3d[]', 0, None, 'texcoordd3_array -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordd3_array_snan', 'texCoord3d[]', 0, None, 'texcoordd3_array sNaN', {}, True, None, False, ''),
('outputs:a_texcoordd3_inf', 'texCoord3d', 0, None, 'texcoordd3 Infinity', {}, True, None, False, ''),
('outputs:a_texcoordd3_nan', 'texCoord3d', 0, None, 'texcoordd3 NaN', {}, True, None, False, ''),
('outputs:a_texcoordd3_ninf', 'texCoord3d', 0, None, 'texcoordd3 -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordd3_snan', 'texCoord3d', 0, None, 'texcoordd3 sNaN', {}, True, None, False, ''),
('outputs:a_texcoordf2_array_inf', 'texCoord2f[]', 0, None, 'texcoordf2_array Infinity', {}, True, None, False, ''),
('outputs:a_texcoordf2_array_nan', 'texCoord2f[]', 0, None, 'texcoordf2_array NaN', {}, True, None, False, ''),
('outputs:a_texcoordf2_array_ninf', 'texCoord2f[]', 0, None, 'texcoordf2_array -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordf2_array_snan', 'texCoord2f[]', 0, None, 'texcoordf2_array sNaN', {}, True, None, False, ''),
('outputs:a_texcoordf2_inf', 'texCoord2f', 0, None, 'texcoordf2 Infinity', {}, True, None, False, ''),
('outputs:a_texcoordf2_nan', 'texCoord2f', 0, None, 'texcoordf2 NaN', {}, True, None, False, ''),
('outputs:a_texcoordf2_ninf', 'texCoord2f', 0, None, 'texcoordf2 -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordf2_snan', 'texCoord2f', 0, None, 'texcoordf2 sNaN', {}, True, None, False, ''),
('outputs:a_texcoordf3_array_inf', 'texCoord3f[]', 0, None, 'texcoordf3_array Infinity', {}, True, None, False, ''),
('outputs:a_texcoordf3_array_nan', 'texCoord3f[]', 0, None, 'texcoordf3_array NaN', {}, True, None, False, ''),
('outputs:a_texcoordf3_array_ninf', 'texCoord3f[]', 0, None, 'texcoordf3_array -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordf3_array_snan', 'texCoord3f[]', 0, None, 'texcoordf3_array sNaN', {}, True, None, False, ''),
('outputs:a_texcoordf3_inf', 'texCoord3f', 0, None, 'texcoordf3 Infinity', {}, True, None, False, ''),
('outputs:a_texcoordf3_nan', 'texCoord3f', 0, None, 'texcoordf3 NaN', {}, True, None, False, ''),
('outputs:a_texcoordf3_ninf', 'texCoord3f', 0, None, 'texcoordf3 -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordf3_snan', 'texCoord3f', 0, None, 'texcoordf3 sNaN', {}, True, None, False, ''),
('outputs:a_texcoordh2_array_inf', 'texCoord2h[]', 0, None, 'texcoordh2_array Infinity', {}, True, None, False, ''),
('outputs:a_texcoordh2_array_nan', 'texCoord2h[]', 0, None, 'texcoordh2_array NaN', {}, True, None, False, ''),
('outputs:a_texcoordh2_array_ninf', 'texCoord2h[]', 0, None, 'texcoordh2_array -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordh2_array_snan', 'texCoord2h[]', 0, None, 'texcoordh2_array sNaN', {}, True, None, False, ''),
('outputs:a_texcoordh2_inf', 'texCoord2h', 0, None, 'texcoordh2 Infinity', {}, True, None, False, ''),
('outputs:a_texcoordh2_nan', 'texCoord2h', 0, None, 'texcoordh2 NaN', {}, True, None, False, ''),
('outputs:a_texcoordh2_ninf', 'texCoord2h', 0, None, 'texcoordh2 -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordh2_snan', 'texCoord2h', 0, None, 'texcoordh2 sNaN', {}, True, None, False, ''),
('outputs:a_texcoordh3_array_inf', 'texCoord3h[]', 0, None, 'texcoordh3_array Infinity', {}, True, None, False, ''),
('outputs:a_texcoordh3_array_nan', 'texCoord3h[]', 0, None, 'texcoordh3_array NaN', {}, True, None, False, ''),
('outputs:a_texcoordh3_array_ninf', 'texCoord3h[]', 0, None, 'texcoordh3_array -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordh3_array_snan', 'texCoord3h[]', 0, None, 'texcoordh3_array sNaN', {}, True, None, False, ''),
('outputs:a_texcoordh3_inf', 'texCoord3h', 0, None, 'texcoordh3 Infinity', {}, True, None, False, ''),
('outputs:a_texcoordh3_nan', 'texCoord3h', 0, None, 'texcoordh3 NaN', {}, True, None, False, ''),
('outputs:a_texcoordh3_ninf', 'texCoord3h', 0, None, 'texcoordh3 -Infinity', {}, True, None, False, ''),
('outputs:a_texcoordh3_snan', 'texCoord3h', 0, None, 'texcoordh3 sNaN', {}, True, None, False, ''),
('outputs:a_timecode_array_inf', 'timecode[]', 0, None, 'timecode_array Infinity', {}, True, None, False, ''),
('outputs:a_timecode_array_nan', 'timecode[]', 0, None, 'timecode_array NaN', {}, True, None, False, ''),
('outputs:a_timecode_array_ninf', 'timecode[]', 0, None, 'timecode_array -Infinity', {}, True, None, False, ''),
('outputs:a_timecode_array_snan', 'timecode[]', 0, None, 'timecode_array sNaN', {}, True, None, False, ''),
('outputs:a_timecode_inf', 'timecode', 0, None, 'timecode Infinity', {}, True, None, False, ''),
('outputs:a_timecode_nan', 'timecode', 0, None, 'timecode NaN', {}, True, None, False, ''),
('outputs:a_timecode_ninf', 'timecode', 0, None, 'timecode -Infinity', {}, True, None, False, ''),
('outputs:a_timecode_snan', 'timecode', 0, None, 'timecode sNaN', {}, True, None, False, ''),
('outputs:a_vectord3_array_inf', 'vector3d[]', 0, None, 'vectord3_array Infinity', {}, True, None, False, ''),
('outputs:a_vectord3_array_nan', 'vector3d[]', 0, None, 'vectord3_array NaN', {}, True, None, False, ''),
('outputs:a_vectord3_array_ninf', 'vector3d[]', 0, None, 'vectord3_array -Infinity', {}, True, None, False, ''),
('outputs:a_vectord3_array_snan', 'vector3d[]', 0, None, 'vectord3_array sNaN', {}, True, None, False, ''),
('outputs:a_vectord3_inf', 'vector3d', 0, None, 'vectord3 Infinity', {}, True, None, False, ''),
('outputs:a_vectord3_nan', 'vector3d', 0, None, 'vectord3 NaN', {}, True, None, False, ''),
('outputs:a_vectord3_ninf', 'vector3d', 0, None, 'vectord3 -Infinity', {}, True, None, False, ''),
('outputs:a_vectord3_snan', 'vector3d', 0, None, 'vectord3 sNaN', {}, True, None, False, ''),
('outputs:a_vectorf3_array_inf', 'vector3f[]', 0, None, 'vectorf3_array Infinity', {}, True, None, False, ''),
('outputs:a_vectorf3_array_nan', 'vector3f[]', 0, None, 'vectorf3_array NaN', {}, True, None, False, ''),
('outputs:a_vectorf3_array_ninf', 'vector3f[]', 0, None, 'vectorf3_array -Infinity', {}, True, None, False, ''),
('outputs:a_vectorf3_array_snan', 'vector3f[]', 0, None, 'vectorf3_array sNaN', {}, True, None, False, ''),
('outputs:a_vectorf3_inf', 'vector3f', 0, None, 'vectorf3 Infinity', {}, True, None, False, ''),
('outputs:a_vectorf3_nan', 'vector3f', 0, None, 'vectorf3 NaN', {}, True, None, False, ''),
('outputs:a_vectorf3_ninf', 'vector3f', 0, None, 'vectorf3 -Infinity', {}, True, None, False, ''),
('outputs:a_vectorf3_snan', 'vector3f', 0, None, 'vectorf3 sNaN', {}, True, None, False, ''),
('outputs:a_vectorh3_array_inf', 'vector3h[]', 0, None, 'vectorh3_array Infinity', {}, True, None, False, ''),
('outputs:a_vectorh3_array_nan', 'vector3h[]', 0, None, 'vectorh3_array NaN', {}, True, None, False, ''),
('outputs:a_vectorh3_array_ninf', 'vector3h[]', 0, None, 'vectorh3_array -Infinity', {}, True, None, False, ''),
('outputs:a_vectorh3_array_snan', 'vector3h[]', 0, None, 'vectorh3_array sNaN', {}, True, None, False, ''),
('outputs:a_vectorh3_inf', 'vector3h', 0, None, 'vectorh3 Infinity', {}, True, None, False, ''),
('outputs:a_vectorh3_nan', 'vector3h', 0, None, 'vectorh3 NaN', {}, True, None, False, ''),
('outputs:a_vectorh3_ninf', 'vector3h', 0, None, 'vectorh3 -Infinity', {}, True, None, False, ''),
('outputs:a_vectorh3_snan', 'vector3h', 0, None, 'vectorh3 sNaN', {}, True, None, False, ''),
])
@classmethod
def _populate_role_data(cls):
"""Populate a role structure with the non-default roles on this node type"""
role_data = super()._populate_role_data()
role_data.inputs.a_colord3_array_inf = og.AttributeRole.COLOR
role_data.inputs.a_colord3_array_nan = og.AttributeRole.COLOR
role_data.inputs.a_colord3_array_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colord3_array_snan = og.AttributeRole.COLOR
role_data.inputs.a_colord3_inf = og.AttributeRole.COLOR
role_data.inputs.a_colord3_nan = og.AttributeRole.COLOR
role_data.inputs.a_colord3_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colord3_snan = og.AttributeRole.COLOR
role_data.inputs.a_colord4_array_inf = og.AttributeRole.COLOR
role_data.inputs.a_colord4_array_nan = og.AttributeRole.COLOR
role_data.inputs.a_colord4_array_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colord4_array_snan = og.AttributeRole.COLOR
role_data.inputs.a_colord4_inf = og.AttributeRole.COLOR
role_data.inputs.a_colord4_nan = og.AttributeRole.COLOR
role_data.inputs.a_colord4_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colord4_snan = og.AttributeRole.COLOR
role_data.inputs.a_colorf3_array_inf = og.AttributeRole.COLOR
role_data.inputs.a_colorf3_array_nan = og.AttributeRole.COLOR
role_data.inputs.a_colorf3_array_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colorf3_array_snan = og.AttributeRole.COLOR
role_data.inputs.a_colorf3_inf = og.AttributeRole.COLOR
role_data.inputs.a_colorf3_nan = og.AttributeRole.COLOR
role_data.inputs.a_colorf3_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colorf3_snan = og.AttributeRole.COLOR
role_data.inputs.a_colorf4_array_inf = og.AttributeRole.COLOR
role_data.inputs.a_colorf4_array_nan = og.AttributeRole.COLOR
role_data.inputs.a_colorf4_array_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colorf4_array_snan = og.AttributeRole.COLOR
role_data.inputs.a_colorf4_inf = og.AttributeRole.COLOR
role_data.inputs.a_colorf4_nan = og.AttributeRole.COLOR
role_data.inputs.a_colorf4_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colorf4_snan = og.AttributeRole.COLOR
role_data.inputs.a_colorh3_array_inf = og.AttributeRole.COLOR
role_data.inputs.a_colorh3_array_nan = og.AttributeRole.COLOR
role_data.inputs.a_colorh3_array_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colorh3_array_snan = og.AttributeRole.COLOR
role_data.inputs.a_colorh3_inf = og.AttributeRole.COLOR
role_data.inputs.a_colorh3_nan = og.AttributeRole.COLOR
role_data.inputs.a_colorh3_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colorh3_snan = og.AttributeRole.COLOR
role_data.inputs.a_colorh4_array_inf = og.AttributeRole.COLOR
role_data.inputs.a_colorh4_array_nan = og.AttributeRole.COLOR
role_data.inputs.a_colorh4_array_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colorh4_array_snan = og.AttributeRole.COLOR
role_data.inputs.a_colorh4_inf = og.AttributeRole.COLOR
role_data.inputs.a_colorh4_nan = og.AttributeRole.COLOR
role_data.inputs.a_colorh4_ninf = og.AttributeRole.COLOR
role_data.inputs.a_colorh4_snan = og.AttributeRole.COLOR
role_data.inputs.a_frame4_array_inf = og.AttributeRole.FRAME
role_data.inputs.a_frame4_array_nan = og.AttributeRole.FRAME
role_data.inputs.a_frame4_array_ninf = og.AttributeRole.FRAME
role_data.inputs.a_frame4_array_snan = og.AttributeRole.FRAME
role_data.inputs.a_frame4_inf = og.AttributeRole.FRAME
role_data.inputs.a_frame4_nan = og.AttributeRole.FRAME
role_data.inputs.a_frame4_ninf = og.AttributeRole.FRAME
role_data.inputs.a_frame4_snan = og.AttributeRole.FRAME
role_data.inputs.a_matrixd2_array_inf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd2_array_nan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd2_array_ninf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd2_array_snan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd2_inf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd2_nan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd2_ninf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd2_snan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd3_array_inf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd3_array_nan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd3_array_ninf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd3_array_snan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd3_inf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd3_nan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd3_ninf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd3_snan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd4_array_inf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd4_array_nan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd4_array_ninf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd4_array_snan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd4_inf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd4_nan = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd4_ninf = og.AttributeRole.MATRIX
role_data.inputs.a_matrixd4_snan = og.AttributeRole.MATRIX
role_data.inputs.a_normald3_array_inf = og.AttributeRole.NORMAL
role_data.inputs.a_normald3_array_nan = og.AttributeRole.NORMAL
role_data.inputs.a_normald3_array_ninf = og.AttributeRole.NORMAL
role_data.inputs.a_normald3_array_snan = og.AttributeRole.NORMAL
role_data.inputs.a_normald3_inf = og.AttributeRole.NORMAL
role_data.inputs.a_normald3_nan = og.AttributeRole.NORMAL
role_data.inputs.a_normald3_ninf = og.AttributeRole.NORMAL
role_data.inputs.a_normald3_snan = og.AttributeRole.NORMAL
role_data.inputs.a_normalf3_array_inf = og.AttributeRole.NORMAL
role_data.inputs.a_normalf3_array_nan = og.AttributeRole.NORMAL
role_data.inputs.a_normalf3_array_ninf = og.AttributeRole.NORMAL
role_data.inputs.a_normalf3_array_snan = og.AttributeRole.NORMAL
role_data.inputs.a_normalf3_inf = og.AttributeRole.NORMAL
role_data.inputs.a_normalf3_nan = og.AttributeRole.NORMAL
role_data.inputs.a_normalf3_ninf = og.AttributeRole.NORMAL
role_data.inputs.a_normalf3_snan = og.AttributeRole.NORMAL
role_data.inputs.a_normalh3_array_inf = og.AttributeRole.NORMAL
role_data.inputs.a_normalh3_array_nan = og.AttributeRole.NORMAL
role_data.inputs.a_normalh3_array_ninf = og.AttributeRole.NORMAL
role_data.inputs.a_normalh3_array_snan = og.AttributeRole.NORMAL
role_data.inputs.a_normalh3_inf = og.AttributeRole.NORMAL
role_data.inputs.a_normalh3_nan = og.AttributeRole.NORMAL
role_data.inputs.a_normalh3_ninf = og.AttributeRole.NORMAL
role_data.inputs.a_normalh3_snan = og.AttributeRole.NORMAL
role_data.inputs.a_pointd3_array_inf = og.AttributeRole.POSITION
role_data.inputs.a_pointd3_array_nan = og.AttributeRole.POSITION
role_data.inputs.a_pointd3_array_ninf = og.AttributeRole.POSITION
role_data.inputs.a_pointd3_array_snan = og.AttributeRole.POSITION
role_data.inputs.a_pointd3_inf = og.AttributeRole.POSITION
role_data.inputs.a_pointd3_nan = og.AttributeRole.POSITION
role_data.inputs.a_pointd3_ninf = og.AttributeRole.POSITION
role_data.inputs.a_pointd3_snan = og.AttributeRole.POSITION
role_data.inputs.a_pointf3_array_inf = og.AttributeRole.POSITION
role_data.inputs.a_pointf3_array_nan = og.AttributeRole.POSITION
role_data.inputs.a_pointf3_array_ninf = og.AttributeRole.POSITION
role_data.inputs.a_pointf3_array_snan = og.AttributeRole.POSITION
role_data.inputs.a_pointf3_inf = og.AttributeRole.POSITION
role_data.inputs.a_pointf3_nan = og.AttributeRole.POSITION
role_data.inputs.a_pointf3_ninf = og.AttributeRole.POSITION
role_data.inputs.a_pointf3_snan = og.AttributeRole.POSITION
role_data.inputs.a_pointh3_array_inf = og.AttributeRole.POSITION
role_data.inputs.a_pointh3_array_nan = og.AttributeRole.POSITION
role_data.inputs.a_pointh3_array_ninf = og.AttributeRole.POSITION
role_data.inputs.a_pointh3_array_snan = og.AttributeRole.POSITION
role_data.inputs.a_pointh3_inf = og.AttributeRole.POSITION
role_data.inputs.a_pointh3_nan = og.AttributeRole.POSITION
role_data.inputs.a_pointh3_ninf = og.AttributeRole.POSITION
role_data.inputs.a_pointh3_snan = og.AttributeRole.POSITION
role_data.inputs.a_quatd4_array_inf = og.AttributeRole.QUATERNION
role_data.inputs.a_quatd4_array_nan = og.AttributeRole.QUATERNION
role_data.inputs.a_quatd4_array_ninf = og.AttributeRole.QUATERNION
role_data.inputs.a_quatd4_array_snan = og.AttributeRole.QUATERNION
role_data.inputs.a_quatd4_inf = og.AttributeRole.QUATERNION
role_data.inputs.a_quatd4_nan = og.AttributeRole.QUATERNION
role_data.inputs.a_quatd4_ninf = og.AttributeRole.QUATERNION
role_data.inputs.a_quatd4_snan = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf4_array_inf = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf4_array_nan = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf4_array_ninf = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf4_array_snan = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf4_inf = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf4_nan = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf4_ninf = og.AttributeRole.QUATERNION
role_data.inputs.a_quatf4_snan = og.AttributeRole.QUATERNION
role_data.inputs.a_quath4_array_inf = og.AttributeRole.QUATERNION
role_data.inputs.a_quath4_array_nan = og.AttributeRole.QUATERNION
role_data.inputs.a_quath4_array_ninf = og.AttributeRole.QUATERNION
role_data.inputs.a_quath4_array_snan = og.AttributeRole.QUATERNION
role_data.inputs.a_quath4_inf = og.AttributeRole.QUATERNION
role_data.inputs.a_quath4_nan = og.AttributeRole.QUATERNION
role_data.inputs.a_quath4_ninf = og.AttributeRole.QUATERNION
role_data.inputs.a_quath4_snan = og.AttributeRole.QUATERNION
role_data.inputs.a_texcoordd2_array_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd2_array_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd2_array_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd2_array_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd2_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd2_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd2_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd2_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd3_array_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd3_array_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd3_array_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd3_array_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd3_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd3_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd3_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordd3_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf2_array_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf2_array_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf2_array_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf2_array_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf2_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf2_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf2_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf2_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf3_array_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf3_array_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf3_array_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf3_array_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf3_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf3_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf3_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordf3_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh2_array_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh2_array_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh2_array_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh2_array_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh2_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh2_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh2_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh2_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh3_array_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh3_array_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh3_array_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh3_array_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh3_inf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh3_nan = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh3_ninf = og.AttributeRole.TEXCOORD
role_data.inputs.a_texcoordh3_snan = og.AttributeRole.TEXCOORD
role_data.inputs.a_timecode_array_inf = og.AttributeRole.TIMECODE
role_data.inputs.a_timecode_array_nan = og.AttributeRole.TIMECODE
role_data.inputs.a_timecode_array_ninf = og.AttributeRole.TIMECODE
role_data.inputs.a_timecode_array_snan = og.AttributeRole.TIMECODE
role_data.inputs.a_timecode_inf = og.AttributeRole.TIMECODE
role_data.inputs.a_timecode_nan = og.AttributeRole.TIMECODE
role_data.inputs.a_timecode_ninf = og.AttributeRole.TIMECODE
role_data.inputs.a_timecode_snan = og.AttributeRole.TIMECODE
role_data.inputs.a_vectord3_array_inf = og.AttributeRole.VECTOR
role_data.inputs.a_vectord3_array_nan = og.AttributeRole.VECTOR
role_data.inputs.a_vectord3_array_ninf = og.AttributeRole.VECTOR
role_data.inputs.a_vectord3_array_snan = og.AttributeRole.VECTOR
role_data.inputs.a_vectord3_inf = og.AttributeRole.VECTOR
role_data.inputs.a_vectord3_nan = og.AttributeRole.VECTOR
role_data.inputs.a_vectord3_ninf = og.AttributeRole.VECTOR
role_data.inputs.a_vectord3_snan = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf3_array_inf = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf3_array_nan = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf3_array_ninf = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf3_array_snan = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf3_inf = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf3_nan = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf3_ninf = og.AttributeRole.VECTOR
role_data.inputs.a_vectorf3_snan = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh3_array_inf = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh3_array_nan = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh3_array_ninf = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh3_array_snan = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh3_inf = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh3_nan = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh3_ninf = og.AttributeRole.VECTOR
role_data.inputs.a_vectorh3_snan = og.AttributeRole.VECTOR
role_data.outputs.a_colord3_array_inf = og.AttributeRole.COLOR
role_data.outputs.a_colord3_array_nan = og.AttributeRole.COLOR
role_data.outputs.a_colord3_array_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colord3_array_snan = og.AttributeRole.COLOR
role_data.outputs.a_colord3_inf = og.AttributeRole.COLOR
role_data.outputs.a_colord3_nan = og.AttributeRole.COLOR
role_data.outputs.a_colord3_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colord3_snan = og.AttributeRole.COLOR
role_data.outputs.a_colord4_array_inf = og.AttributeRole.COLOR
role_data.outputs.a_colord4_array_nan = og.AttributeRole.COLOR
role_data.outputs.a_colord4_array_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colord4_array_snan = og.AttributeRole.COLOR
role_data.outputs.a_colord4_inf = og.AttributeRole.COLOR
role_data.outputs.a_colord4_nan = og.AttributeRole.COLOR
role_data.outputs.a_colord4_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colord4_snan = og.AttributeRole.COLOR
role_data.outputs.a_colorf3_array_inf = og.AttributeRole.COLOR
role_data.outputs.a_colorf3_array_nan = og.AttributeRole.COLOR
role_data.outputs.a_colorf3_array_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colorf3_array_snan = og.AttributeRole.COLOR
role_data.outputs.a_colorf3_inf = og.AttributeRole.COLOR
role_data.outputs.a_colorf3_nan = og.AttributeRole.COLOR
role_data.outputs.a_colorf3_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colorf3_snan = og.AttributeRole.COLOR
role_data.outputs.a_colorf4_array_inf = og.AttributeRole.COLOR
role_data.outputs.a_colorf4_array_nan = og.AttributeRole.COLOR
role_data.outputs.a_colorf4_array_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colorf4_array_snan = og.AttributeRole.COLOR
role_data.outputs.a_colorf4_inf = og.AttributeRole.COLOR
role_data.outputs.a_colorf4_nan = og.AttributeRole.COLOR
role_data.outputs.a_colorf4_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colorf4_snan = og.AttributeRole.COLOR
role_data.outputs.a_colorh3_array_inf = og.AttributeRole.COLOR
role_data.outputs.a_colorh3_array_nan = og.AttributeRole.COLOR
role_data.outputs.a_colorh3_array_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colorh3_array_snan = og.AttributeRole.COLOR
role_data.outputs.a_colorh3_inf = og.AttributeRole.COLOR
role_data.outputs.a_colorh3_nan = og.AttributeRole.COLOR
role_data.outputs.a_colorh3_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colorh3_snan = og.AttributeRole.COLOR
role_data.outputs.a_colorh4_array_inf = og.AttributeRole.COLOR
role_data.outputs.a_colorh4_array_nan = og.AttributeRole.COLOR
role_data.outputs.a_colorh4_array_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colorh4_array_snan = og.AttributeRole.COLOR
role_data.outputs.a_colorh4_inf = og.AttributeRole.COLOR
role_data.outputs.a_colorh4_nan = og.AttributeRole.COLOR
role_data.outputs.a_colorh4_ninf = og.AttributeRole.COLOR
role_data.outputs.a_colorh4_snan = og.AttributeRole.COLOR
role_data.outputs.a_frame4_array_inf = og.AttributeRole.FRAME
role_data.outputs.a_frame4_array_nan = og.AttributeRole.FRAME
role_data.outputs.a_frame4_array_ninf = og.AttributeRole.FRAME
role_data.outputs.a_frame4_array_snan = og.AttributeRole.FRAME
role_data.outputs.a_frame4_inf = og.AttributeRole.FRAME
role_data.outputs.a_frame4_nan = og.AttributeRole.FRAME
role_data.outputs.a_frame4_ninf = og.AttributeRole.FRAME
role_data.outputs.a_frame4_snan = og.AttributeRole.FRAME
role_data.outputs.a_matrixd2_array_inf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd2_array_nan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd2_array_ninf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd2_array_snan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd2_inf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd2_nan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd2_ninf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd2_snan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd3_array_inf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd3_array_nan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd3_array_ninf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd3_array_snan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd3_inf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd3_nan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd3_ninf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd3_snan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd4_array_inf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd4_array_nan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd4_array_ninf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd4_array_snan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd4_inf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd4_nan = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd4_ninf = og.AttributeRole.MATRIX
role_data.outputs.a_matrixd4_snan = og.AttributeRole.MATRIX
role_data.outputs.a_normald3_array_inf = og.AttributeRole.NORMAL
role_data.outputs.a_normald3_array_nan = og.AttributeRole.NORMAL
role_data.outputs.a_normald3_array_ninf = og.AttributeRole.NORMAL
role_data.outputs.a_normald3_array_snan = og.AttributeRole.NORMAL
role_data.outputs.a_normald3_inf = og.AttributeRole.NORMAL
role_data.outputs.a_normald3_nan = og.AttributeRole.NORMAL
role_data.outputs.a_normald3_ninf = og.AttributeRole.NORMAL
role_data.outputs.a_normald3_snan = og.AttributeRole.NORMAL
role_data.outputs.a_normalf3_array_inf = og.AttributeRole.NORMAL
role_data.outputs.a_normalf3_array_nan = og.AttributeRole.NORMAL
role_data.outputs.a_normalf3_array_ninf = og.AttributeRole.NORMAL
role_data.outputs.a_normalf3_array_snan = og.AttributeRole.NORMAL
role_data.outputs.a_normalf3_inf = og.AttributeRole.NORMAL
role_data.outputs.a_normalf3_nan = og.AttributeRole.NORMAL
role_data.outputs.a_normalf3_ninf = og.AttributeRole.NORMAL
role_data.outputs.a_normalf3_snan = og.AttributeRole.NORMAL
role_data.outputs.a_normalh3_array_inf = og.AttributeRole.NORMAL
role_data.outputs.a_normalh3_array_nan = og.AttributeRole.NORMAL
role_data.outputs.a_normalh3_array_ninf = og.AttributeRole.NORMAL
role_data.outputs.a_normalh3_array_snan = og.AttributeRole.NORMAL
role_data.outputs.a_normalh3_inf = og.AttributeRole.NORMAL
role_data.outputs.a_normalh3_nan = og.AttributeRole.NORMAL
role_data.outputs.a_normalh3_ninf = og.AttributeRole.NORMAL
role_data.outputs.a_normalh3_snan = og.AttributeRole.NORMAL
role_data.outputs.a_pointd3_array_inf = og.AttributeRole.POSITION
role_data.outputs.a_pointd3_array_nan = og.AttributeRole.POSITION
role_data.outputs.a_pointd3_array_ninf = og.AttributeRole.POSITION
role_data.outputs.a_pointd3_array_snan = og.AttributeRole.POSITION
role_data.outputs.a_pointd3_inf = og.AttributeRole.POSITION
role_data.outputs.a_pointd3_nan = og.AttributeRole.POSITION
role_data.outputs.a_pointd3_ninf = og.AttributeRole.POSITION
role_data.outputs.a_pointd3_snan = og.AttributeRole.POSITION
role_data.outputs.a_pointf3_array_inf = og.AttributeRole.POSITION
role_data.outputs.a_pointf3_array_nan = og.AttributeRole.POSITION
role_data.outputs.a_pointf3_array_ninf = og.AttributeRole.POSITION
role_data.outputs.a_pointf3_array_snan = og.AttributeRole.POSITION
role_data.outputs.a_pointf3_inf = og.AttributeRole.POSITION
role_data.outputs.a_pointf3_nan = og.AttributeRole.POSITION
role_data.outputs.a_pointf3_ninf = og.AttributeRole.POSITION
role_data.outputs.a_pointf3_snan = og.AttributeRole.POSITION
role_data.outputs.a_pointh3_array_inf = og.AttributeRole.POSITION
role_data.outputs.a_pointh3_array_nan = og.AttributeRole.POSITION
role_data.outputs.a_pointh3_array_ninf = og.AttributeRole.POSITION
role_data.outputs.a_pointh3_array_snan = og.AttributeRole.POSITION
role_data.outputs.a_pointh3_inf = og.AttributeRole.POSITION
role_data.outputs.a_pointh3_nan = og.AttributeRole.POSITION
role_data.outputs.a_pointh3_ninf = og.AttributeRole.POSITION
role_data.outputs.a_pointh3_snan = og.AttributeRole.POSITION
role_data.outputs.a_quatd4_array_inf = og.AttributeRole.QUATERNION
role_data.outputs.a_quatd4_array_nan = og.AttributeRole.QUATERNION
role_data.outputs.a_quatd4_array_ninf = og.AttributeRole.QUATERNION
role_data.outputs.a_quatd4_array_snan = og.AttributeRole.QUATERNION
role_data.outputs.a_quatd4_inf = og.AttributeRole.QUATERNION
role_data.outputs.a_quatd4_nan = og.AttributeRole.QUATERNION
role_data.outputs.a_quatd4_ninf = og.AttributeRole.QUATERNION
role_data.outputs.a_quatd4_snan = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf4_array_inf = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf4_array_nan = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf4_array_ninf = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf4_array_snan = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf4_inf = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf4_nan = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf4_ninf = og.AttributeRole.QUATERNION
role_data.outputs.a_quatf4_snan = og.AttributeRole.QUATERNION
role_data.outputs.a_quath4_array_inf = og.AttributeRole.QUATERNION
role_data.outputs.a_quath4_array_nan = og.AttributeRole.QUATERNION
role_data.outputs.a_quath4_array_ninf = og.AttributeRole.QUATERNION
role_data.outputs.a_quath4_array_snan = og.AttributeRole.QUATERNION
role_data.outputs.a_quath4_inf = og.AttributeRole.QUATERNION
role_data.outputs.a_quath4_nan = og.AttributeRole.QUATERNION
role_data.outputs.a_quath4_ninf = og.AttributeRole.QUATERNION
role_data.outputs.a_quath4_snan = og.AttributeRole.QUATERNION
role_data.outputs.a_texcoordd2_array_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd2_array_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd2_array_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd2_array_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd2_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd2_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd2_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd2_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd3_array_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd3_array_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd3_array_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd3_array_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd3_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd3_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd3_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordd3_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf2_array_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf2_array_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf2_array_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf2_array_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf2_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf2_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf2_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf2_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf3_array_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf3_array_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf3_array_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf3_array_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf3_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf3_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf3_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordf3_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh2_array_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh2_array_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh2_array_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh2_array_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh2_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh2_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh2_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh2_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh3_array_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh3_array_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh3_array_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh3_array_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh3_inf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh3_nan = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh3_ninf = og.AttributeRole.TEXCOORD
role_data.outputs.a_texcoordh3_snan = og.AttributeRole.TEXCOORD
role_data.outputs.a_timecode_array_inf = og.AttributeRole.TIMECODE
role_data.outputs.a_timecode_array_nan = og.AttributeRole.TIMECODE
role_data.outputs.a_timecode_array_ninf = og.AttributeRole.TIMECODE
role_data.outputs.a_timecode_array_snan = og.AttributeRole.TIMECODE
role_data.outputs.a_timecode_inf = og.AttributeRole.TIMECODE
role_data.outputs.a_timecode_nan = og.AttributeRole.TIMECODE
role_data.outputs.a_timecode_ninf = og.AttributeRole.TIMECODE
role_data.outputs.a_timecode_snan = og.AttributeRole.TIMECODE
role_data.outputs.a_vectord3_array_inf = og.AttributeRole.VECTOR
role_data.outputs.a_vectord3_array_nan = og.AttributeRole.VECTOR
role_data.outputs.a_vectord3_array_ninf = og.AttributeRole.VECTOR
role_data.outputs.a_vectord3_array_snan = og.AttributeRole.VECTOR
role_data.outputs.a_vectord3_inf = og.AttributeRole.VECTOR
role_data.outputs.a_vectord3_nan = og.AttributeRole.VECTOR
role_data.outputs.a_vectord3_ninf = og.AttributeRole.VECTOR
role_data.outputs.a_vectord3_snan = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf3_array_inf = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf3_array_nan = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf3_array_ninf = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf3_array_snan = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf3_inf = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf3_nan = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf3_ninf = og.AttributeRole.VECTOR
role_data.outputs.a_vectorf3_snan = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh3_array_inf = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh3_array_nan = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh3_array_ninf = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh3_array_snan = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh3_inf = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh3_nan = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh3_ninf = og.AttributeRole.VECTOR
role_data.outputs.a_vectorh3_snan = og.AttributeRole.VECTOR
return role_data
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def a_colord3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_inf)
return data_view.get()
@a_colord3_array_inf.setter
def a_colord3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_inf)
data_view.set(value)
self.a_colord3_array_inf_size = data_view.get_array_size()
@property
def a_colord3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_nan)
return data_view.get()
@a_colord3_array_nan.setter
def a_colord3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_nan)
data_view.set(value)
self.a_colord3_array_nan_size = data_view.get_array_size()
@property
def a_colord3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_ninf)
return data_view.get()
@a_colord3_array_ninf.setter
def a_colord3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_ninf)
data_view.set(value)
self.a_colord3_array_ninf_size = data_view.get_array_size()
@property
def a_colord3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_snan)
return data_view.get()
@a_colord3_array_snan.setter
def a_colord3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_snan)
data_view.set(value)
self.a_colord3_array_snan_size = data_view.get_array_size()
@property
def a_colord3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_inf)
return data_view.get()
@a_colord3_inf.setter
def a_colord3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colord3_inf)
data_view.set(value)
@property
def a_colord3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_nan)
return data_view.get()
@a_colord3_nan.setter
def a_colord3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colord3_nan)
data_view.set(value)
@property
def a_colord3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_ninf)
return data_view.get()
@a_colord3_ninf.setter
def a_colord3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colord3_ninf)
data_view.set(value)
@property
def a_colord3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_snan)
return data_view.get()
@a_colord3_snan.setter
def a_colord3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colord3_snan)
data_view.set(value)
@property
def a_colord4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_inf)
return data_view.get()
@a_colord4_array_inf.setter
def a_colord4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_inf)
data_view.set(value)
self.a_colord4_array_inf_size = data_view.get_array_size()
@property
def a_colord4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_nan)
return data_view.get()
@a_colord4_array_nan.setter
def a_colord4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_nan)
data_view.set(value)
self.a_colord4_array_nan_size = data_view.get_array_size()
@property
def a_colord4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_ninf)
return data_view.get()
@a_colord4_array_ninf.setter
def a_colord4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_ninf)
data_view.set(value)
self.a_colord4_array_ninf_size = data_view.get_array_size()
@property
def a_colord4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_snan)
return data_view.get()
@a_colord4_array_snan.setter
def a_colord4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_snan)
data_view.set(value)
self.a_colord4_array_snan_size = data_view.get_array_size()
@property
def a_colord4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_inf)
return data_view.get()
@a_colord4_inf.setter
def a_colord4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colord4_inf)
data_view.set(value)
@property
def a_colord4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_nan)
return data_view.get()
@a_colord4_nan.setter
def a_colord4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colord4_nan)
data_view.set(value)
@property
def a_colord4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_ninf)
return data_view.get()
@a_colord4_ninf.setter
def a_colord4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colord4_ninf)
data_view.set(value)
@property
def a_colord4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_snan)
return data_view.get()
@a_colord4_snan.setter
def a_colord4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colord4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colord4_snan)
data_view.set(value)
@property
def a_colorf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_inf)
return data_view.get()
@a_colorf3_array_inf.setter
def a_colorf3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_inf)
data_view.set(value)
self.a_colorf3_array_inf_size = data_view.get_array_size()
@property
def a_colorf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_nan)
return data_view.get()
@a_colorf3_array_nan.setter
def a_colorf3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_nan)
data_view.set(value)
self.a_colorf3_array_nan_size = data_view.get_array_size()
@property
def a_colorf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_ninf)
return data_view.get()
@a_colorf3_array_ninf.setter
def a_colorf3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_ninf)
data_view.set(value)
self.a_colorf3_array_ninf_size = data_view.get_array_size()
@property
def a_colorf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_snan)
return data_view.get()
@a_colorf3_array_snan.setter
def a_colorf3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_snan)
data_view.set(value)
self.a_colorf3_array_snan_size = data_view.get_array_size()
@property
def a_colorf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_inf)
return data_view.get()
@a_colorf3_inf.setter
def a_colorf3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_inf)
data_view.set(value)
@property
def a_colorf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_nan)
return data_view.get()
@a_colorf3_nan.setter
def a_colorf3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_nan)
data_view.set(value)
@property
def a_colorf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_ninf)
return data_view.get()
@a_colorf3_ninf.setter
def a_colorf3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_ninf)
data_view.set(value)
@property
def a_colorf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_snan)
return data_view.get()
@a_colorf3_snan.setter
def a_colorf3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_snan)
data_view.set(value)
@property
def a_colorf4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_inf)
return data_view.get()
@a_colorf4_array_inf.setter
def a_colorf4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_inf)
data_view.set(value)
self.a_colorf4_array_inf_size = data_view.get_array_size()
@property
def a_colorf4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_nan)
return data_view.get()
@a_colorf4_array_nan.setter
def a_colorf4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_nan)
data_view.set(value)
self.a_colorf4_array_nan_size = data_view.get_array_size()
@property
def a_colorf4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_ninf)
return data_view.get()
@a_colorf4_array_ninf.setter
def a_colorf4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_ninf)
data_view.set(value)
self.a_colorf4_array_ninf_size = data_view.get_array_size()
@property
def a_colorf4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_snan)
return data_view.get()
@a_colorf4_array_snan.setter
def a_colorf4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_snan)
data_view.set(value)
self.a_colorf4_array_snan_size = data_view.get_array_size()
@property
def a_colorf4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_inf)
return data_view.get()
@a_colorf4_inf.setter
def a_colorf4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_inf)
data_view.set(value)
@property
def a_colorf4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_nan)
return data_view.get()
@a_colorf4_nan.setter
def a_colorf4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_nan)
data_view.set(value)
@property
def a_colorf4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_ninf)
return data_view.get()
@a_colorf4_ninf.setter
def a_colorf4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_ninf)
data_view.set(value)
@property
def a_colorf4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_snan)
return data_view.get()
@a_colorf4_snan.setter
def a_colorf4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorf4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_snan)
data_view.set(value)
@property
def a_colorh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_inf)
return data_view.get()
@a_colorh3_array_inf.setter
def a_colorh3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_inf)
data_view.set(value)
self.a_colorh3_array_inf_size = data_view.get_array_size()
@property
def a_colorh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_nan)
return data_view.get()
@a_colorh3_array_nan.setter
def a_colorh3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_nan)
data_view.set(value)
self.a_colorh3_array_nan_size = data_view.get_array_size()
@property
def a_colorh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_ninf)
return data_view.get()
@a_colorh3_array_ninf.setter
def a_colorh3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_ninf)
data_view.set(value)
self.a_colorh3_array_ninf_size = data_view.get_array_size()
@property
def a_colorh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_snan)
return data_view.get()
@a_colorh3_array_snan.setter
def a_colorh3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_snan)
data_view.set(value)
self.a_colorh3_array_snan_size = data_view.get_array_size()
@property
def a_colorh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_inf)
return data_view.get()
@a_colorh3_inf.setter
def a_colorh3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_inf)
data_view.set(value)
@property
def a_colorh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_nan)
return data_view.get()
@a_colorh3_nan.setter
def a_colorh3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_nan)
data_view.set(value)
@property
def a_colorh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_ninf)
return data_view.get()
@a_colorh3_ninf.setter
def a_colorh3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_ninf)
data_view.set(value)
@property
def a_colorh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_snan)
return data_view.get()
@a_colorh3_snan.setter
def a_colorh3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_snan)
data_view.set(value)
@property
def a_colorh4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_inf)
return data_view.get()
@a_colorh4_array_inf.setter
def a_colorh4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_inf)
data_view.set(value)
self.a_colorh4_array_inf_size = data_view.get_array_size()
@property
def a_colorh4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_nan)
return data_view.get()
@a_colorh4_array_nan.setter
def a_colorh4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_nan)
data_view.set(value)
self.a_colorh4_array_nan_size = data_view.get_array_size()
@property
def a_colorh4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_ninf)
return data_view.get()
@a_colorh4_array_ninf.setter
def a_colorh4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_ninf)
data_view.set(value)
self.a_colorh4_array_ninf_size = data_view.get_array_size()
@property
def a_colorh4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_snan)
return data_view.get()
@a_colorh4_array_snan.setter
def a_colorh4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_snan)
data_view.set(value)
self.a_colorh4_array_snan_size = data_view.get_array_size()
@property
def a_colorh4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_inf)
return data_view.get()
@a_colorh4_inf.setter
def a_colorh4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_inf)
data_view.set(value)
@property
def a_colorh4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_nan)
return data_view.get()
@a_colorh4_nan.setter
def a_colorh4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_nan)
data_view.set(value)
@property
def a_colorh4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_ninf)
return data_view.get()
@a_colorh4_ninf.setter
def a_colorh4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_ninf)
data_view.set(value)
@property
def a_colorh4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_snan)
return data_view.get()
@a_colorh4_snan.setter
def a_colorh4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_colorh4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_snan)
data_view.set(value)
@property
def a_double2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_inf)
return data_view.get()
@a_double2_array_inf.setter
def a_double2_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double2_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_inf)
data_view.set(value)
self.a_double2_array_inf_size = data_view.get_array_size()
@property
def a_double2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_nan)
return data_view.get()
@a_double2_array_nan.setter
def a_double2_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double2_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_nan)
data_view.set(value)
self.a_double2_array_nan_size = data_view.get_array_size()
@property
def a_double2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_ninf)
return data_view.get()
@a_double2_array_ninf.setter
def a_double2_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double2_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_ninf)
data_view.set(value)
self.a_double2_array_ninf_size = data_view.get_array_size()
@property
def a_double2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_snan)
return data_view.get()
@a_double2_array_snan.setter
def a_double2_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double2_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_snan)
data_view.set(value)
self.a_double2_array_snan_size = data_view.get_array_size()
@property
def a_double2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_inf)
return data_view.get()
@a_double2_inf.setter
def a_double2_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double2_inf)
data_view = og.AttributeValueHelper(self._attributes.a_double2_inf)
data_view.set(value)
@property
def a_double2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_nan)
return data_view.get()
@a_double2_nan.setter
def a_double2_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double2_nan)
data_view = og.AttributeValueHelper(self._attributes.a_double2_nan)
data_view.set(value)
@property
def a_double2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_ninf)
return data_view.get()
@a_double2_ninf.setter
def a_double2_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double2_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_double2_ninf)
data_view.set(value)
@property
def a_double2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_snan)
return data_view.get()
@a_double2_snan.setter
def a_double2_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double2_snan)
data_view = og.AttributeValueHelper(self._attributes.a_double2_snan)
data_view.set(value)
@property
def a_double3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_inf)
return data_view.get()
@a_double3_array_inf.setter
def a_double3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_inf)
data_view.set(value)
self.a_double3_array_inf_size = data_view.get_array_size()
@property
def a_double3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_nan)
return data_view.get()
@a_double3_array_nan.setter
def a_double3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_nan)
data_view.set(value)
self.a_double3_array_nan_size = data_view.get_array_size()
@property
def a_double3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_ninf)
return data_view.get()
@a_double3_array_ninf.setter
def a_double3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_ninf)
data_view.set(value)
self.a_double3_array_ninf_size = data_view.get_array_size()
@property
def a_double3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_snan)
return data_view.get()
@a_double3_array_snan.setter
def a_double3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_snan)
data_view.set(value)
self.a_double3_array_snan_size = data_view.get_array_size()
@property
def a_double3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_inf)
return data_view.get()
@a_double3_inf.setter
def a_double3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_double3_inf)
data_view.set(value)
@property
def a_double3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_nan)
return data_view.get()
@a_double3_nan.setter
def a_double3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_double3_nan)
data_view.set(value)
@property
def a_double3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_ninf)
return data_view.get()
@a_double3_ninf.setter
def a_double3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_double3_ninf)
data_view.set(value)
@property
def a_double3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_snan)
return data_view.get()
@a_double3_snan.setter
def a_double3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_double3_snan)
data_view.set(value)
@property
def a_double4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_inf)
return data_view.get()
@a_double4_array_inf.setter
def a_double4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_inf)
data_view.set(value)
self.a_double4_array_inf_size = data_view.get_array_size()
@property
def a_double4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_nan)
return data_view.get()
@a_double4_array_nan.setter
def a_double4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_nan)
data_view.set(value)
self.a_double4_array_nan_size = data_view.get_array_size()
@property
def a_double4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_ninf)
return data_view.get()
@a_double4_array_ninf.setter
def a_double4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_ninf)
data_view.set(value)
self.a_double4_array_ninf_size = data_view.get_array_size()
@property
def a_double4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_snan)
return data_view.get()
@a_double4_array_snan.setter
def a_double4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_snan)
data_view.set(value)
self.a_double4_array_snan_size = data_view.get_array_size()
@property
def a_double4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_inf)
return data_view.get()
@a_double4_inf.setter
def a_double4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_double4_inf)
data_view.set(value)
@property
def a_double4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_nan)
return data_view.get()
@a_double4_nan.setter
def a_double4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_double4_nan)
data_view.set(value)
@property
def a_double4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_ninf)
return data_view.get()
@a_double4_ninf.setter
def a_double4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_double4_ninf)
data_view.set(value)
@property
def a_double4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_snan)
return data_view.get()
@a_double4_snan.setter
def a_double4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_double4_snan)
data_view.set(value)
@property
def a_double_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_inf)
return data_view.get()
@a_double_array_inf.setter
def a_double_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_double_array_inf)
data_view.set(value)
self.a_double_array_inf_size = data_view.get_array_size()
@property
def a_double_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_nan)
return data_view.get()
@a_double_array_nan.setter
def a_double_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_double_array_nan)
data_view.set(value)
self.a_double_array_nan_size = data_view.get_array_size()
@property
def a_double_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_ninf)
return data_view.get()
@a_double_array_ninf.setter
def a_double_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_double_array_ninf)
data_view.set(value)
self.a_double_array_ninf_size = data_view.get_array_size()
@property
def a_double_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_snan)
return data_view.get()
@a_double_array_snan.setter
def a_double_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_double_array_snan)
data_view.set(value)
self.a_double_array_snan_size = data_view.get_array_size()
@property
def a_double_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_inf)
return data_view.get()
@a_double_inf.setter
def a_double_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_inf)
data_view = og.AttributeValueHelper(self._attributes.a_double_inf)
data_view.set(value)
@property
def a_double_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_nan)
return data_view.get()
@a_double_nan.setter
def a_double_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_nan)
data_view = og.AttributeValueHelper(self._attributes.a_double_nan)
data_view.set(value)
@property
def a_double_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_ninf)
return data_view.get()
@a_double_ninf.setter
def a_double_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_double_ninf)
data_view.set(value)
@property
def a_double_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_snan)
return data_view.get()
@a_double_snan.setter
def a_double_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_double_snan)
data_view = og.AttributeValueHelper(self._attributes.a_double_snan)
data_view.set(value)
@property
def a_float2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_inf)
return data_view.get()
@a_float2_array_inf.setter
def a_float2_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float2_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_inf)
data_view.set(value)
self.a_float2_array_inf_size = data_view.get_array_size()
@property
def a_float2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_nan)
return data_view.get()
@a_float2_array_nan.setter
def a_float2_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float2_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_nan)
data_view.set(value)
self.a_float2_array_nan_size = data_view.get_array_size()
@property
def a_float2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_ninf)
return data_view.get()
@a_float2_array_ninf.setter
def a_float2_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float2_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_ninf)
data_view.set(value)
self.a_float2_array_ninf_size = data_view.get_array_size()
@property
def a_float2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_snan)
return data_view.get()
@a_float2_array_snan.setter
def a_float2_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float2_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_snan)
data_view.set(value)
self.a_float2_array_snan_size = data_view.get_array_size()
@property
def a_float2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_inf)
return data_view.get()
@a_float2_inf.setter
def a_float2_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float2_inf)
data_view = og.AttributeValueHelper(self._attributes.a_float2_inf)
data_view.set(value)
@property
def a_float2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_nan)
return data_view.get()
@a_float2_nan.setter
def a_float2_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float2_nan)
data_view = og.AttributeValueHelper(self._attributes.a_float2_nan)
data_view.set(value)
@property
def a_float2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_ninf)
return data_view.get()
@a_float2_ninf.setter
def a_float2_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float2_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_float2_ninf)
data_view.set(value)
@property
def a_float2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_snan)
return data_view.get()
@a_float2_snan.setter
def a_float2_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float2_snan)
data_view = og.AttributeValueHelper(self._attributes.a_float2_snan)
data_view.set(value)
@property
def a_float3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_inf)
return data_view.get()
@a_float3_array_inf.setter
def a_float3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_inf)
data_view.set(value)
self.a_float3_array_inf_size = data_view.get_array_size()
@property
def a_float3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_nan)
return data_view.get()
@a_float3_array_nan.setter
def a_float3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_nan)
data_view.set(value)
self.a_float3_array_nan_size = data_view.get_array_size()
@property
def a_float3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_ninf)
return data_view.get()
@a_float3_array_ninf.setter
def a_float3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_ninf)
data_view.set(value)
self.a_float3_array_ninf_size = data_view.get_array_size()
@property
def a_float3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_snan)
return data_view.get()
@a_float3_array_snan.setter
def a_float3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_snan)
data_view.set(value)
self.a_float3_array_snan_size = data_view.get_array_size()
@property
def a_float3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_inf)
return data_view.get()
@a_float3_inf.setter
def a_float3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_float3_inf)
data_view.set(value)
@property
def a_float3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_nan)
return data_view.get()
@a_float3_nan.setter
def a_float3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_float3_nan)
data_view.set(value)
@property
def a_float3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_ninf)
return data_view.get()
@a_float3_ninf.setter
def a_float3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_float3_ninf)
data_view.set(value)
@property
def a_float3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_snan)
return data_view.get()
@a_float3_snan.setter
def a_float3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_float3_snan)
data_view.set(value)
@property
def a_float4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_inf)
return data_view.get()
@a_float4_array_inf.setter
def a_float4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_inf)
data_view.set(value)
self.a_float4_array_inf_size = data_view.get_array_size()
@property
def a_float4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_nan)
return data_view.get()
@a_float4_array_nan.setter
def a_float4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_nan)
data_view.set(value)
self.a_float4_array_nan_size = data_view.get_array_size()
@property
def a_float4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_ninf)
return data_view.get()
@a_float4_array_ninf.setter
def a_float4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_ninf)
data_view.set(value)
self.a_float4_array_ninf_size = data_view.get_array_size()
@property
def a_float4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_snan)
return data_view.get()
@a_float4_array_snan.setter
def a_float4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_snan)
data_view.set(value)
self.a_float4_array_snan_size = data_view.get_array_size()
@property
def a_float4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_inf)
return data_view.get()
@a_float4_inf.setter
def a_float4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_float4_inf)
data_view.set(value)
@property
def a_float4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_nan)
return data_view.get()
@a_float4_nan.setter
def a_float4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_float4_nan)
data_view.set(value)
@property
def a_float4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_ninf)
return data_view.get()
@a_float4_ninf.setter
def a_float4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_float4_ninf)
data_view.set(value)
@property
def a_float4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_snan)
return data_view.get()
@a_float4_snan.setter
def a_float4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_float4_snan)
data_view.set(value)
@property
def a_float_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_inf)
return data_view.get()
@a_float_array_inf.setter
def a_float_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_float_array_inf)
data_view.set(value)
self.a_float_array_inf_size = data_view.get_array_size()
@property
def a_float_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_nan)
return data_view.get()
@a_float_array_nan.setter
def a_float_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_float_array_nan)
data_view.set(value)
self.a_float_array_nan_size = data_view.get_array_size()
@property
def a_float_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_ninf)
return data_view.get()
@a_float_array_ninf.setter
def a_float_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_float_array_ninf)
data_view.set(value)
self.a_float_array_ninf_size = data_view.get_array_size()
@property
def a_float_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_snan)
return data_view.get()
@a_float_array_snan.setter
def a_float_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_float_array_snan)
data_view.set(value)
self.a_float_array_snan_size = data_view.get_array_size()
@property
def a_float_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_inf)
return data_view.get()
@a_float_inf.setter
def a_float_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_inf)
data_view = og.AttributeValueHelper(self._attributes.a_float_inf)
data_view.set(value)
@property
def a_float_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_nan)
return data_view.get()
@a_float_nan.setter
def a_float_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_nan)
data_view = og.AttributeValueHelper(self._attributes.a_float_nan)
data_view.set(value)
@property
def a_float_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_ninf)
return data_view.get()
@a_float_ninf.setter
def a_float_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_float_ninf)
data_view.set(value)
@property
def a_float_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_snan)
return data_view.get()
@a_float_snan.setter
def a_float_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_float_snan)
data_view = og.AttributeValueHelper(self._attributes.a_float_snan)
data_view.set(value)
@property
def a_frame4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_inf)
return data_view.get()
@a_frame4_array_inf.setter
def a_frame4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_inf)
data_view.set(value)
self.a_frame4_array_inf_size = data_view.get_array_size()
@property
def a_frame4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_nan)
return data_view.get()
@a_frame4_array_nan.setter
def a_frame4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_nan)
data_view.set(value)
self.a_frame4_array_nan_size = data_view.get_array_size()
@property
def a_frame4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_ninf)
return data_view.get()
@a_frame4_array_ninf.setter
def a_frame4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_ninf)
data_view.set(value)
self.a_frame4_array_ninf_size = data_view.get_array_size()
@property
def a_frame4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_snan)
return data_view.get()
@a_frame4_array_snan.setter
def a_frame4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_snan)
data_view.set(value)
self.a_frame4_array_snan_size = data_view.get_array_size()
@property
def a_frame4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_inf)
return data_view.get()
@a_frame4_inf.setter
def a_frame4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_frame4_inf)
data_view.set(value)
@property
def a_frame4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_nan)
return data_view.get()
@a_frame4_nan.setter
def a_frame4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_frame4_nan)
data_view.set(value)
@property
def a_frame4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_ninf)
return data_view.get()
@a_frame4_ninf.setter
def a_frame4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_frame4_ninf)
data_view.set(value)
@property
def a_frame4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_snan)
return data_view.get()
@a_frame4_snan.setter
def a_frame4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_frame4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_frame4_snan)
data_view.set(value)
@property
def a_half2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_inf)
return data_view.get()
@a_half2_array_inf.setter
def a_half2_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half2_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_inf)
data_view.set(value)
self.a_half2_array_inf_size = data_view.get_array_size()
@property
def a_half2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_nan)
return data_view.get()
@a_half2_array_nan.setter
def a_half2_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half2_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_nan)
data_view.set(value)
self.a_half2_array_nan_size = data_view.get_array_size()
@property
def a_half2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_ninf)
return data_view.get()
@a_half2_array_ninf.setter
def a_half2_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half2_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_ninf)
data_view.set(value)
self.a_half2_array_ninf_size = data_view.get_array_size()
@property
def a_half2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_snan)
return data_view.get()
@a_half2_array_snan.setter
def a_half2_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half2_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_snan)
data_view.set(value)
self.a_half2_array_snan_size = data_view.get_array_size()
@property
def a_half2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_inf)
return data_view.get()
@a_half2_inf.setter
def a_half2_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half2_inf)
data_view = og.AttributeValueHelper(self._attributes.a_half2_inf)
data_view.set(value)
@property
def a_half2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_nan)
return data_view.get()
@a_half2_nan.setter
def a_half2_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half2_nan)
data_view = og.AttributeValueHelper(self._attributes.a_half2_nan)
data_view.set(value)
@property
def a_half2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_ninf)
return data_view.get()
@a_half2_ninf.setter
def a_half2_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half2_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_half2_ninf)
data_view.set(value)
@property
def a_half2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_snan)
return data_view.get()
@a_half2_snan.setter
def a_half2_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half2_snan)
data_view = og.AttributeValueHelper(self._attributes.a_half2_snan)
data_view.set(value)
@property
def a_half3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_inf)
return data_view.get()
@a_half3_array_inf.setter
def a_half3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_inf)
data_view.set(value)
self.a_half3_array_inf_size = data_view.get_array_size()
@property
def a_half3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_nan)
return data_view.get()
@a_half3_array_nan.setter
def a_half3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_nan)
data_view.set(value)
self.a_half3_array_nan_size = data_view.get_array_size()
@property
def a_half3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_ninf)
return data_view.get()
@a_half3_array_ninf.setter
def a_half3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_ninf)
data_view.set(value)
self.a_half3_array_ninf_size = data_view.get_array_size()
@property
def a_half3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_snan)
return data_view.get()
@a_half3_array_snan.setter
def a_half3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_snan)
data_view.set(value)
self.a_half3_array_snan_size = data_view.get_array_size()
@property
def a_half3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_inf)
return data_view.get()
@a_half3_inf.setter
def a_half3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_half3_inf)
data_view.set(value)
@property
def a_half3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_nan)
return data_view.get()
@a_half3_nan.setter
def a_half3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_half3_nan)
data_view.set(value)
@property
def a_half3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_ninf)
return data_view.get()
@a_half3_ninf.setter
def a_half3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_half3_ninf)
data_view.set(value)
@property
def a_half3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_snan)
return data_view.get()
@a_half3_snan.setter
def a_half3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_half3_snan)
data_view.set(value)
@property
def a_half4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_inf)
return data_view.get()
@a_half4_array_inf.setter
def a_half4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_inf)
data_view.set(value)
self.a_half4_array_inf_size = data_view.get_array_size()
@property
def a_half4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_nan)
return data_view.get()
@a_half4_array_nan.setter
def a_half4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_nan)
data_view.set(value)
self.a_half4_array_nan_size = data_view.get_array_size()
@property
def a_half4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_ninf)
return data_view.get()
@a_half4_array_ninf.setter
def a_half4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_ninf)
data_view.set(value)
self.a_half4_array_ninf_size = data_view.get_array_size()
@property
def a_half4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_snan)
return data_view.get()
@a_half4_array_snan.setter
def a_half4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_snan)
data_view.set(value)
self.a_half4_array_snan_size = data_view.get_array_size()
@property
def a_half4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_inf)
return data_view.get()
@a_half4_inf.setter
def a_half4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_half4_inf)
data_view.set(value)
@property
def a_half4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_nan)
return data_view.get()
@a_half4_nan.setter
def a_half4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_half4_nan)
data_view.set(value)
@property
def a_half4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_ninf)
return data_view.get()
@a_half4_ninf.setter
def a_half4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_half4_ninf)
data_view.set(value)
@property
def a_half4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_snan)
return data_view.get()
@a_half4_snan.setter
def a_half4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_half4_snan)
data_view.set(value)
@property
def a_half_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_inf)
return data_view.get()
@a_half_array_inf.setter
def a_half_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_half_array_inf)
data_view.set(value)
self.a_half_array_inf_size = data_view.get_array_size()
@property
def a_half_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_nan)
return data_view.get()
@a_half_array_nan.setter
def a_half_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_half_array_nan)
data_view.set(value)
self.a_half_array_nan_size = data_view.get_array_size()
@property
def a_half_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_ninf)
return data_view.get()
@a_half_array_ninf.setter
def a_half_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_half_array_ninf)
data_view.set(value)
self.a_half_array_ninf_size = data_view.get_array_size()
@property
def a_half_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_snan)
return data_view.get()
@a_half_array_snan.setter
def a_half_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_half_array_snan)
data_view.set(value)
self.a_half_array_snan_size = data_view.get_array_size()
@property
def a_half_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_inf)
return data_view.get()
@a_half_inf.setter
def a_half_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_inf)
data_view = og.AttributeValueHelper(self._attributes.a_half_inf)
data_view.set(value)
@property
def a_half_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_nan)
return data_view.get()
@a_half_nan.setter
def a_half_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_nan)
data_view = og.AttributeValueHelper(self._attributes.a_half_nan)
data_view.set(value)
@property
def a_half_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_ninf)
return data_view.get()
@a_half_ninf.setter
def a_half_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_half_ninf)
data_view.set(value)
@property
def a_half_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_snan)
return data_view.get()
@a_half_snan.setter
def a_half_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_half_snan)
data_view = og.AttributeValueHelper(self._attributes.a_half_snan)
data_view.set(value)
@property
def a_matrixd2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_inf)
return data_view.get()
@a_matrixd2_array_inf.setter
def a_matrixd2_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd2_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_inf)
data_view.set(value)
self.a_matrixd2_array_inf_size = data_view.get_array_size()
@property
def a_matrixd2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_nan)
return data_view.get()
@a_matrixd2_array_nan.setter
def a_matrixd2_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd2_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_nan)
data_view.set(value)
self.a_matrixd2_array_nan_size = data_view.get_array_size()
@property
def a_matrixd2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_ninf)
return data_view.get()
@a_matrixd2_array_ninf.setter
def a_matrixd2_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd2_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_ninf)
data_view.set(value)
self.a_matrixd2_array_ninf_size = data_view.get_array_size()
@property
def a_matrixd2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_snan)
return data_view.get()
@a_matrixd2_array_snan.setter
def a_matrixd2_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd2_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_snan)
data_view.set(value)
self.a_matrixd2_array_snan_size = data_view.get_array_size()
@property
def a_matrixd2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_inf)
return data_view.get()
@a_matrixd2_inf.setter
def a_matrixd2_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd2_inf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_inf)
data_view.set(value)
@property
def a_matrixd2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_nan)
return data_view.get()
@a_matrixd2_nan.setter
def a_matrixd2_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd2_nan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_nan)
data_view.set(value)
@property
def a_matrixd2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_ninf)
return data_view.get()
@a_matrixd2_ninf.setter
def a_matrixd2_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd2_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_ninf)
data_view.set(value)
@property
def a_matrixd2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_snan)
return data_view.get()
@a_matrixd2_snan.setter
def a_matrixd2_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd2_snan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_snan)
data_view.set(value)
@property
def a_matrixd3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_inf)
return data_view.get()
@a_matrixd3_array_inf.setter
def a_matrixd3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_inf)
data_view.set(value)
self.a_matrixd3_array_inf_size = data_view.get_array_size()
@property
def a_matrixd3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_nan)
return data_view.get()
@a_matrixd3_array_nan.setter
def a_matrixd3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_nan)
data_view.set(value)
self.a_matrixd3_array_nan_size = data_view.get_array_size()
@property
def a_matrixd3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_ninf)
return data_view.get()
@a_matrixd3_array_ninf.setter
def a_matrixd3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_ninf)
data_view.set(value)
self.a_matrixd3_array_ninf_size = data_view.get_array_size()
@property
def a_matrixd3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_snan)
return data_view.get()
@a_matrixd3_array_snan.setter
def a_matrixd3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_snan)
data_view.set(value)
self.a_matrixd3_array_snan_size = data_view.get_array_size()
@property
def a_matrixd3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_inf)
return data_view.get()
@a_matrixd3_inf.setter
def a_matrixd3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_inf)
data_view.set(value)
@property
def a_matrixd3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_nan)
return data_view.get()
@a_matrixd3_nan.setter
def a_matrixd3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_nan)
data_view.set(value)
@property
def a_matrixd3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_ninf)
return data_view.get()
@a_matrixd3_ninf.setter
def a_matrixd3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_ninf)
data_view.set(value)
@property
def a_matrixd3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_snan)
return data_view.get()
@a_matrixd3_snan.setter
def a_matrixd3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_snan)
data_view.set(value)
@property
def a_matrixd4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_inf)
return data_view.get()
@a_matrixd4_array_inf.setter
def a_matrixd4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_inf)
data_view.set(value)
self.a_matrixd4_array_inf_size = data_view.get_array_size()
@property
def a_matrixd4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_nan)
return data_view.get()
@a_matrixd4_array_nan.setter
def a_matrixd4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_nan)
data_view.set(value)
self.a_matrixd4_array_nan_size = data_view.get_array_size()
@property
def a_matrixd4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_ninf)
return data_view.get()
@a_matrixd4_array_ninf.setter
def a_matrixd4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_ninf)
data_view.set(value)
self.a_matrixd4_array_ninf_size = data_view.get_array_size()
@property
def a_matrixd4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_snan)
return data_view.get()
@a_matrixd4_array_snan.setter
def a_matrixd4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_snan)
data_view.set(value)
self.a_matrixd4_array_snan_size = data_view.get_array_size()
@property
def a_matrixd4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_inf)
return data_view.get()
@a_matrixd4_inf.setter
def a_matrixd4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_inf)
data_view.set(value)
@property
def a_matrixd4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_nan)
return data_view.get()
@a_matrixd4_nan.setter
def a_matrixd4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_nan)
data_view.set(value)
@property
def a_matrixd4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_ninf)
return data_view.get()
@a_matrixd4_ninf.setter
def a_matrixd4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_ninf)
data_view.set(value)
@property
def a_matrixd4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_snan)
return data_view.get()
@a_matrixd4_snan.setter
def a_matrixd4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_matrixd4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_snan)
data_view.set(value)
@property
def a_normald3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_inf)
return data_view.get()
@a_normald3_array_inf.setter
def a_normald3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_inf)
data_view.set(value)
self.a_normald3_array_inf_size = data_view.get_array_size()
@property
def a_normald3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_nan)
return data_view.get()
@a_normald3_array_nan.setter
def a_normald3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_nan)
data_view.set(value)
self.a_normald3_array_nan_size = data_view.get_array_size()
@property
def a_normald3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_ninf)
return data_view.get()
@a_normald3_array_ninf.setter
def a_normald3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_ninf)
data_view.set(value)
self.a_normald3_array_ninf_size = data_view.get_array_size()
@property
def a_normald3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_snan)
return data_view.get()
@a_normald3_array_snan.setter
def a_normald3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_snan)
data_view.set(value)
self.a_normald3_array_snan_size = data_view.get_array_size()
@property
def a_normald3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_inf)
return data_view.get()
@a_normald3_inf.setter
def a_normald3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_normald3_inf)
data_view.set(value)
@property
def a_normald3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_nan)
return data_view.get()
@a_normald3_nan.setter
def a_normald3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_normald3_nan)
data_view.set(value)
@property
def a_normald3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_ninf)
return data_view.get()
@a_normald3_ninf.setter
def a_normald3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_normald3_ninf)
data_view.set(value)
@property
def a_normald3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_snan)
return data_view.get()
@a_normald3_snan.setter
def a_normald3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normald3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_normald3_snan)
data_view.set(value)
@property
def a_normalf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_inf)
return data_view.get()
@a_normalf3_array_inf.setter
def a_normalf3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_inf)
data_view.set(value)
self.a_normalf3_array_inf_size = data_view.get_array_size()
@property
def a_normalf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_nan)
return data_view.get()
@a_normalf3_array_nan.setter
def a_normalf3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_nan)
data_view.set(value)
self.a_normalf3_array_nan_size = data_view.get_array_size()
@property
def a_normalf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_ninf)
return data_view.get()
@a_normalf3_array_ninf.setter
def a_normalf3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_ninf)
data_view.set(value)
self.a_normalf3_array_ninf_size = data_view.get_array_size()
@property
def a_normalf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_snan)
return data_view.get()
@a_normalf3_array_snan.setter
def a_normalf3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_snan)
data_view.set(value)
self.a_normalf3_array_snan_size = data_view.get_array_size()
@property
def a_normalf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_inf)
return data_view.get()
@a_normalf3_inf.setter
def a_normalf3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_inf)
data_view.set(value)
@property
def a_normalf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_nan)
return data_view.get()
@a_normalf3_nan.setter
def a_normalf3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_nan)
data_view.set(value)
@property
def a_normalf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_ninf)
return data_view.get()
@a_normalf3_ninf.setter
def a_normalf3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_ninf)
data_view.set(value)
@property
def a_normalf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_snan)
return data_view.get()
@a_normalf3_snan.setter
def a_normalf3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalf3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_snan)
data_view.set(value)
@property
def a_normalh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_inf)
return data_view.get()
@a_normalh3_array_inf.setter
def a_normalh3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_inf)
data_view.set(value)
self.a_normalh3_array_inf_size = data_view.get_array_size()
@property
def a_normalh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_nan)
return data_view.get()
@a_normalh3_array_nan.setter
def a_normalh3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_nan)
data_view.set(value)
self.a_normalh3_array_nan_size = data_view.get_array_size()
@property
def a_normalh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_ninf)
return data_view.get()
@a_normalh3_array_ninf.setter
def a_normalh3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_ninf)
data_view.set(value)
self.a_normalh3_array_ninf_size = data_view.get_array_size()
@property
def a_normalh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_snan)
return data_view.get()
@a_normalh3_array_snan.setter
def a_normalh3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_snan)
data_view.set(value)
self.a_normalh3_array_snan_size = data_view.get_array_size()
@property
def a_normalh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_inf)
return data_view.get()
@a_normalh3_inf.setter
def a_normalh3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_inf)
data_view.set(value)
@property
def a_normalh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_nan)
return data_view.get()
@a_normalh3_nan.setter
def a_normalh3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_nan)
data_view.set(value)
@property
def a_normalh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_ninf)
return data_view.get()
@a_normalh3_ninf.setter
def a_normalh3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_ninf)
data_view.set(value)
@property
def a_normalh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_snan)
return data_view.get()
@a_normalh3_snan.setter
def a_normalh3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_normalh3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_snan)
data_view.set(value)
@property
def a_pointd3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_inf)
return data_view.get()
@a_pointd3_array_inf.setter
def a_pointd3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_inf)
data_view.set(value)
self.a_pointd3_array_inf_size = data_view.get_array_size()
@property
def a_pointd3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_nan)
return data_view.get()
@a_pointd3_array_nan.setter
def a_pointd3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_nan)
data_view.set(value)
self.a_pointd3_array_nan_size = data_view.get_array_size()
@property
def a_pointd3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_ninf)
return data_view.get()
@a_pointd3_array_ninf.setter
def a_pointd3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_ninf)
data_view.set(value)
self.a_pointd3_array_ninf_size = data_view.get_array_size()
@property
def a_pointd3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_snan)
return data_view.get()
@a_pointd3_array_snan.setter
def a_pointd3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_snan)
data_view.set(value)
self.a_pointd3_array_snan_size = data_view.get_array_size()
@property
def a_pointd3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_inf)
return data_view.get()
@a_pointd3_inf.setter
def a_pointd3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_inf)
data_view.set(value)
@property
def a_pointd3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_nan)
return data_view.get()
@a_pointd3_nan.setter
def a_pointd3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_nan)
data_view.set(value)
@property
def a_pointd3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_ninf)
return data_view.get()
@a_pointd3_ninf.setter
def a_pointd3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_ninf)
data_view.set(value)
@property
def a_pointd3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_snan)
return data_view.get()
@a_pointd3_snan.setter
def a_pointd3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointd3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_snan)
data_view.set(value)
@property
def a_pointf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_inf)
return data_view.get()
@a_pointf3_array_inf.setter
def a_pointf3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_inf)
data_view.set(value)
self.a_pointf3_array_inf_size = data_view.get_array_size()
@property
def a_pointf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_nan)
return data_view.get()
@a_pointf3_array_nan.setter
def a_pointf3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_nan)
data_view.set(value)
self.a_pointf3_array_nan_size = data_view.get_array_size()
@property
def a_pointf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_ninf)
return data_view.get()
@a_pointf3_array_ninf.setter
def a_pointf3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_ninf)
data_view.set(value)
self.a_pointf3_array_ninf_size = data_view.get_array_size()
@property
def a_pointf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_snan)
return data_view.get()
@a_pointf3_array_snan.setter
def a_pointf3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_snan)
data_view.set(value)
self.a_pointf3_array_snan_size = data_view.get_array_size()
@property
def a_pointf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_inf)
return data_view.get()
@a_pointf3_inf.setter
def a_pointf3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_inf)
data_view.set(value)
@property
def a_pointf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_nan)
return data_view.get()
@a_pointf3_nan.setter
def a_pointf3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_nan)
data_view.set(value)
@property
def a_pointf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_ninf)
return data_view.get()
@a_pointf3_ninf.setter
def a_pointf3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_ninf)
data_view.set(value)
@property
def a_pointf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_snan)
return data_view.get()
@a_pointf3_snan.setter
def a_pointf3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointf3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_snan)
data_view.set(value)
@property
def a_pointh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_inf)
return data_view.get()
@a_pointh3_array_inf.setter
def a_pointh3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_inf)
data_view.set(value)
self.a_pointh3_array_inf_size = data_view.get_array_size()
@property
def a_pointh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_nan)
return data_view.get()
@a_pointh3_array_nan.setter
def a_pointh3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_nan)
data_view.set(value)
self.a_pointh3_array_nan_size = data_view.get_array_size()
@property
def a_pointh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_ninf)
return data_view.get()
@a_pointh3_array_ninf.setter
def a_pointh3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_ninf)
data_view.set(value)
self.a_pointh3_array_ninf_size = data_view.get_array_size()
@property
def a_pointh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_snan)
return data_view.get()
@a_pointh3_array_snan.setter
def a_pointh3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_snan)
data_view.set(value)
self.a_pointh3_array_snan_size = data_view.get_array_size()
@property
def a_pointh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_inf)
return data_view.get()
@a_pointh3_inf.setter
def a_pointh3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_inf)
data_view.set(value)
@property
def a_pointh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_nan)
return data_view.get()
@a_pointh3_nan.setter
def a_pointh3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_nan)
data_view.set(value)
@property
def a_pointh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_ninf)
return data_view.get()
@a_pointh3_ninf.setter
def a_pointh3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_ninf)
data_view.set(value)
@property
def a_pointh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_snan)
return data_view.get()
@a_pointh3_snan.setter
def a_pointh3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_pointh3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_snan)
data_view.set(value)
@property
def a_quatd4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_inf)
return data_view.get()
@a_quatd4_array_inf.setter
def a_quatd4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_inf)
data_view.set(value)
self.a_quatd4_array_inf_size = data_view.get_array_size()
@property
def a_quatd4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_nan)
return data_view.get()
@a_quatd4_array_nan.setter
def a_quatd4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_nan)
data_view.set(value)
self.a_quatd4_array_nan_size = data_view.get_array_size()
@property
def a_quatd4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_ninf)
return data_view.get()
@a_quatd4_array_ninf.setter
def a_quatd4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_ninf)
data_view.set(value)
self.a_quatd4_array_ninf_size = data_view.get_array_size()
@property
def a_quatd4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_snan)
return data_view.get()
@a_quatd4_array_snan.setter
def a_quatd4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_snan)
data_view.set(value)
self.a_quatd4_array_snan_size = data_view.get_array_size()
@property
def a_quatd4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_inf)
return data_view.get()
@a_quatd4_inf.setter
def a_quatd4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_inf)
data_view.set(value)
@property
def a_quatd4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_nan)
return data_view.get()
@a_quatd4_nan.setter
def a_quatd4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_nan)
data_view.set(value)
@property
def a_quatd4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_ninf)
return data_view.get()
@a_quatd4_ninf.setter
def a_quatd4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_ninf)
data_view.set(value)
@property
def a_quatd4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_snan)
return data_view.get()
@a_quatd4_snan.setter
def a_quatd4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatd4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_snan)
data_view.set(value)
@property
def a_quatf4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_inf)
return data_view.get()
@a_quatf4_array_inf.setter
def a_quatf4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_inf)
data_view.set(value)
self.a_quatf4_array_inf_size = data_view.get_array_size()
@property
def a_quatf4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_nan)
return data_view.get()
@a_quatf4_array_nan.setter
def a_quatf4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_nan)
data_view.set(value)
self.a_quatf4_array_nan_size = data_view.get_array_size()
@property
def a_quatf4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_ninf)
return data_view.get()
@a_quatf4_array_ninf.setter
def a_quatf4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_ninf)
data_view.set(value)
self.a_quatf4_array_ninf_size = data_view.get_array_size()
@property
def a_quatf4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_snan)
return data_view.get()
@a_quatf4_array_snan.setter
def a_quatf4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_snan)
data_view.set(value)
self.a_quatf4_array_snan_size = data_view.get_array_size()
@property
def a_quatf4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_inf)
return data_view.get()
@a_quatf4_inf.setter
def a_quatf4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_inf)
data_view.set(value)
@property
def a_quatf4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_nan)
return data_view.get()
@a_quatf4_nan.setter
def a_quatf4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_nan)
data_view.set(value)
@property
def a_quatf4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_ninf)
return data_view.get()
@a_quatf4_ninf.setter
def a_quatf4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_ninf)
data_view.set(value)
@property
def a_quatf4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_snan)
return data_view.get()
@a_quatf4_snan.setter
def a_quatf4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quatf4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_snan)
data_view.set(value)
@property
def a_quath4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_inf)
return data_view.get()
@a_quath4_array_inf.setter
def a_quath4_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath4_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_inf)
data_view.set(value)
self.a_quath4_array_inf_size = data_view.get_array_size()
@property
def a_quath4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_nan)
return data_view.get()
@a_quath4_array_nan.setter
def a_quath4_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath4_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_nan)
data_view.set(value)
self.a_quath4_array_nan_size = data_view.get_array_size()
@property
def a_quath4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_ninf)
return data_view.get()
@a_quath4_array_ninf.setter
def a_quath4_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath4_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_ninf)
data_view.set(value)
self.a_quath4_array_ninf_size = data_view.get_array_size()
@property
def a_quath4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_snan)
return data_view.get()
@a_quath4_array_snan.setter
def a_quath4_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath4_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_snan)
data_view.set(value)
self.a_quath4_array_snan_size = data_view.get_array_size()
@property
def a_quath4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_inf)
return data_view.get()
@a_quath4_inf.setter
def a_quath4_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath4_inf)
data_view = og.AttributeValueHelper(self._attributes.a_quath4_inf)
data_view.set(value)
@property
def a_quath4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_nan)
return data_view.get()
@a_quath4_nan.setter
def a_quath4_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath4_nan)
data_view = og.AttributeValueHelper(self._attributes.a_quath4_nan)
data_view.set(value)
@property
def a_quath4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_ninf)
return data_view.get()
@a_quath4_ninf.setter
def a_quath4_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath4_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_quath4_ninf)
data_view.set(value)
@property
def a_quath4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_snan)
return data_view.get()
@a_quath4_snan.setter
def a_quath4_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_quath4_snan)
data_view = og.AttributeValueHelper(self._attributes.a_quath4_snan)
data_view.set(value)
@property
def a_texcoordd2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_inf)
return data_view.get()
@a_texcoordd2_array_inf.setter
def a_texcoordd2_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd2_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_inf)
data_view.set(value)
self.a_texcoordd2_array_inf_size = data_view.get_array_size()
@property
def a_texcoordd2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_nan)
return data_view.get()
@a_texcoordd2_array_nan.setter
def a_texcoordd2_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd2_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_nan)
data_view.set(value)
self.a_texcoordd2_array_nan_size = data_view.get_array_size()
@property
def a_texcoordd2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_ninf)
return data_view.get()
@a_texcoordd2_array_ninf.setter
def a_texcoordd2_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd2_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_ninf)
data_view.set(value)
self.a_texcoordd2_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordd2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_snan)
return data_view.get()
@a_texcoordd2_array_snan.setter
def a_texcoordd2_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd2_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_snan)
data_view.set(value)
self.a_texcoordd2_array_snan_size = data_view.get_array_size()
@property
def a_texcoordd2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_inf)
return data_view.get()
@a_texcoordd2_inf.setter
def a_texcoordd2_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd2_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_inf)
data_view.set(value)
@property
def a_texcoordd2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_nan)
return data_view.get()
@a_texcoordd2_nan.setter
def a_texcoordd2_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd2_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_nan)
data_view.set(value)
@property
def a_texcoordd2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_ninf)
return data_view.get()
@a_texcoordd2_ninf.setter
def a_texcoordd2_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd2_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_ninf)
data_view.set(value)
@property
def a_texcoordd2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_snan)
return data_view.get()
@a_texcoordd2_snan.setter
def a_texcoordd2_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd2_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_snan)
data_view.set(value)
@property
def a_texcoordd3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_inf)
return data_view.get()
@a_texcoordd3_array_inf.setter
def a_texcoordd3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_inf)
data_view.set(value)
self.a_texcoordd3_array_inf_size = data_view.get_array_size()
@property
def a_texcoordd3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_nan)
return data_view.get()
@a_texcoordd3_array_nan.setter
def a_texcoordd3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_nan)
data_view.set(value)
self.a_texcoordd3_array_nan_size = data_view.get_array_size()
@property
def a_texcoordd3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_ninf)
return data_view.get()
@a_texcoordd3_array_ninf.setter
def a_texcoordd3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_ninf)
data_view.set(value)
self.a_texcoordd3_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordd3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_snan)
return data_view.get()
@a_texcoordd3_array_snan.setter
def a_texcoordd3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_snan)
data_view.set(value)
self.a_texcoordd3_array_snan_size = data_view.get_array_size()
@property
def a_texcoordd3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_inf)
return data_view.get()
@a_texcoordd3_inf.setter
def a_texcoordd3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_inf)
data_view.set(value)
@property
def a_texcoordd3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_nan)
return data_view.get()
@a_texcoordd3_nan.setter
def a_texcoordd3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_nan)
data_view.set(value)
@property
def a_texcoordd3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_ninf)
return data_view.get()
@a_texcoordd3_ninf.setter
def a_texcoordd3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_ninf)
data_view.set(value)
@property
def a_texcoordd3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_snan)
return data_view.get()
@a_texcoordd3_snan.setter
def a_texcoordd3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordd3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_snan)
data_view.set(value)
@property
def a_texcoordf2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_inf)
return data_view.get()
@a_texcoordf2_array_inf.setter
def a_texcoordf2_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf2_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_inf)
data_view.set(value)
self.a_texcoordf2_array_inf_size = data_view.get_array_size()
@property
def a_texcoordf2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_nan)
return data_view.get()
@a_texcoordf2_array_nan.setter
def a_texcoordf2_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf2_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_nan)
data_view.set(value)
self.a_texcoordf2_array_nan_size = data_view.get_array_size()
@property
def a_texcoordf2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_ninf)
return data_view.get()
@a_texcoordf2_array_ninf.setter
def a_texcoordf2_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf2_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_ninf)
data_view.set(value)
self.a_texcoordf2_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordf2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_snan)
return data_view.get()
@a_texcoordf2_array_snan.setter
def a_texcoordf2_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf2_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_snan)
data_view.set(value)
self.a_texcoordf2_array_snan_size = data_view.get_array_size()
@property
def a_texcoordf2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_inf)
return data_view.get()
@a_texcoordf2_inf.setter
def a_texcoordf2_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf2_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_inf)
data_view.set(value)
@property
def a_texcoordf2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_nan)
return data_view.get()
@a_texcoordf2_nan.setter
def a_texcoordf2_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf2_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_nan)
data_view.set(value)
@property
def a_texcoordf2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_ninf)
return data_view.get()
@a_texcoordf2_ninf.setter
def a_texcoordf2_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf2_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_ninf)
data_view.set(value)
@property
def a_texcoordf2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_snan)
return data_view.get()
@a_texcoordf2_snan.setter
def a_texcoordf2_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf2_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_snan)
data_view.set(value)
@property
def a_texcoordf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_inf)
return data_view.get()
@a_texcoordf3_array_inf.setter
def a_texcoordf3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_inf)
data_view.set(value)
self.a_texcoordf3_array_inf_size = data_view.get_array_size()
@property
def a_texcoordf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_nan)
return data_view.get()
@a_texcoordf3_array_nan.setter
def a_texcoordf3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_nan)
data_view.set(value)
self.a_texcoordf3_array_nan_size = data_view.get_array_size()
@property
def a_texcoordf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_ninf)
return data_view.get()
@a_texcoordf3_array_ninf.setter
def a_texcoordf3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_ninf)
data_view.set(value)
self.a_texcoordf3_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_snan)
return data_view.get()
@a_texcoordf3_array_snan.setter
def a_texcoordf3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_snan)
data_view.set(value)
self.a_texcoordf3_array_snan_size = data_view.get_array_size()
@property
def a_texcoordf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_inf)
return data_view.get()
@a_texcoordf3_inf.setter
def a_texcoordf3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_inf)
data_view.set(value)
@property
def a_texcoordf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_nan)
return data_view.get()
@a_texcoordf3_nan.setter
def a_texcoordf3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_nan)
data_view.set(value)
@property
def a_texcoordf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_ninf)
return data_view.get()
@a_texcoordf3_ninf.setter
def a_texcoordf3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_ninf)
data_view.set(value)
@property
def a_texcoordf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_snan)
return data_view.get()
@a_texcoordf3_snan.setter
def a_texcoordf3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordf3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_snan)
data_view.set(value)
@property
def a_texcoordh2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_inf)
return data_view.get()
@a_texcoordh2_array_inf.setter
def a_texcoordh2_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh2_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_inf)
data_view.set(value)
self.a_texcoordh2_array_inf_size = data_view.get_array_size()
@property
def a_texcoordh2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_nan)
return data_view.get()
@a_texcoordh2_array_nan.setter
def a_texcoordh2_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh2_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_nan)
data_view.set(value)
self.a_texcoordh2_array_nan_size = data_view.get_array_size()
@property
def a_texcoordh2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_ninf)
return data_view.get()
@a_texcoordh2_array_ninf.setter
def a_texcoordh2_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh2_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_ninf)
data_view.set(value)
self.a_texcoordh2_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordh2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_snan)
return data_view.get()
@a_texcoordh2_array_snan.setter
def a_texcoordh2_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh2_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_snan)
data_view.set(value)
self.a_texcoordh2_array_snan_size = data_view.get_array_size()
@property
def a_texcoordh2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_inf)
return data_view.get()
@a_texcoordh2_inf.setter
def a_texcoordh2_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh2_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_inf)
data_view.set(value)
@property
def a_texcoordh2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_nan)
return data_view.get()
@a_texcoordh2_nan.setter
def a_texcoordh2_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh2_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_nan)
data_view.set(value)
@property
def a_texcoordh2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_ninf)
return data_view.get()
@a_texcoordh2_ninf.setter
def a_texcoordh2_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh2_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_ninf)
data_view.set(value)
@property
def a_texcoordh2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_snan)
return data_view.get()
@a_texcoordh2_snan.setter
def a_texcoordh2_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh2_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_snan)
data_view.set(value)
@property
def a_texcoordh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_inf)
return data_view.get()
@a_texcoordh3_array_inf.setter
def a_texcoordh3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_inf)
data_view.set(value)
self.a_texcoordh3_array_inf_size = data_view.get_array_size()
@property
def a_texcoordh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_nan)
return data_view.get()
@a_texcoordh3_array_nan.setter
def a_texcoordh3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_nan)
data_view.set(value)
self.a_texcoordh3_array_nan_size = data_view.get_array_size()
@property
def a_texcoordh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_ninf)
return data_view.get()
@a_texcoordh3_array_ninf.setter
def a_texcoordh3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_ninf)
data_view.set(value)
self.a_texcoordh3_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_snan)
return data_view.get()
@a_texcoordh3_array_snan.setter
def a_texcoordh3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_snan)
data_view.set(value)
self.a_texcoordh3_array_snan_size = data_view.get_array_size()
@property
def a_texcoordh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_inf)
return data_view.get()
@a_texcoordh3_inf.setter
def a_texcoordh3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_inf)
data_view.set(value)
@property
def a_texcoordh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_nan)
return data_view.get()
@a_texcoordh3_nan.setter
def a_texcoordh3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_nan)
data_view.set(value)
@property
def a_texcoordh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_ninf)
return data_view.get()
@a_texcoordh3_ninf.setter
def a_texcoordh3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_ninf)
data_view.set(value)
@property
def a_texcoordh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_snan)
return data_view.get()
@a_texcoordh3_snan.setter
def a_texcoordh3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_texcoordh3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_snan)
data_view.set(value)
@property
def a_timecode_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_inf)
return data_view.get()
@a_timecode_array_inf.setter
def a_timecode_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_inf)
data_view.set(value)
self.a_timecode_array_inf_size = data_view.get_array_size()
@property
def a_timecode_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_nan)
return data_view.get()
@a_timecode_array_nan.setter
def a_timecode_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_nan)
data_view.set(value)
self.a_timecode_array_nan_size = data_view.get_array_size()
@property
def a_timecode_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_ninf)
return data_view.get()
@a_timecode_array_ninf.setter
def a_timecode_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_ninf)
data_view.set(value)
self.a_timecode_array_ninf_size = data_view.get_array_size()
@property
def a_timecode_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_snan)
return data_view.get()
@a_timecode_array_snan.setter
def a_timecode_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_snan)
data_view.set(value)
self.a_timecode_array_snan_size = data_view.get_array_size()
@property
def a_timecode_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_inf)
return data_view.get()
@a_timecode_inf.setter
def a_timecode_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode_inf)
data_view = og.AttributeValueHelper(self._attributes.a_timecode_inf)
data_view.set(value)
@property
def a_timecode_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_nan)
return data_view.get()
@a_timecode_nan.setter
def a_timecode_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode_nan)
data_view = og.AttributeValueHelper(self._attributes.a_timecode_nan)
data_view.set(value)
@property
def a_timecode_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_ninf)
return data_view.get()
@a_timecode_ninf.setter
def a_timecode_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_timecode_ninf)
data_view.set(value)
@property
def a_timecode_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_snan)
return data_view.get()
@a_timecode_snan.setter
def a_timecode_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_timecode_snan)
data_view = og.AttributeValueHelper(self._attributes.a_timecode_snan)
data_view.set(value)
@property
def a_vectord3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_inf)
return data_view.get()
@a_vectord3_array_inf.setter
def a_vectord3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_inf)
data_view.set(value)
self.a_vectord3_array_inf_size = data_view.get_array_size()
@property
def a_vectord3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_nan)
return data_view.get()
@a_vectord3_array_nan.setter
def a_vectord3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_nan)
data_view.set(value)
self.a_vectord3_array_nan_size = data_view.get_array_size()
@property
def a_vectord3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_ninf)
return data_view.get()
@a_vectord3_array_ninf.setter
def a_vectord3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_ninf)
data_view.set(value)
self.a_vectord3_array_ninf_size = data_view.get_array_size()
@property
def a_vectord3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_snan)
return data_view.get()
@a_vectord3_array_snan.setter
def a_vectord3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_snan)
data_view.set(value)
self.a_vectord3_array_snan_size = data_view.get_array_size()
@property
def a_vectord3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_inf)
return data_view.get()
@a_vectord3_inf.setter
def a_vectord3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_inf)
data_view.set(value)
@property
def a_vectord3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_nan)
return data_view.get()
@a_vectord3_nan.setter
def a_vectord3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_nan)
data_view.set(value)
@property
def a_vectord3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_ninf)
return data_view.get()
@a_vectord3_ninf.setter
def a_vectord3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_ninf)
data_view.set(value)
@property
def a_vectord3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_snan)
return data_view.get()
@a_vectord3_snan.setter
def a_vectord3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectord3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_snan)
data_view.set(value)
@property
def a_vectorf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_inf)
return data_view.get()
@a_vectorf3_array_inf.setter
def a_vectorf3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_inf)
data_view.set(value)
self.a_vectorf3_array_inf_size = data_view.get_array_size()
@property
def a_vectorf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_nan)
return data_view.get()
@a_vectorf3_array_nan.setter
def a_vectorf3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_nan)
data_view.set(value)
self.a_vectorf3_array_nan_size = data_view.get_array_size()
@property
def a_vectorf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_ninf)
return data_view.get()
@a_vectorf3_array_ninf.setter
def a_vectorf3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_ninf)
data_view.set(value)
self.a_vectorf3_array_ninf_size = data_view.get_array_size()
@property
def a_vectorf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_snan)
return data_view.get()
@a_vectorf3_array_snan.setter
def a_vectorf3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_snan)
data_view.set(value)
self.a_vectorf3_array_snan_size = data_view.get_array_size()
@property
def a_vectorf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_inf)
return data_view.get()
@a_vectorf3_inf.setter
def a_vectorf3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_inf)
data_view.set(value)
@property
def a_vectorf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_nan)
return data_view.get()
@a_vectorf3_nan.setter
def a_vectorf3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_nan)
data_view.set(value)
@property
def a_vectorf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_ninf)
return data_view.get()
@a_vectorf3_ninf.setter
def a_vectorf3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_ninf)
data_view.set(value)
@property
def a_vectorf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_snan)
return data_view.get()
@a_vectorf3_snan.setter
def a_vectorf3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorf3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_snan)
data_view.set(value)
@property
def a_vectorh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_inf)
return data_view.get()
@a_vectorh3_array_inf.setter
def a_vectorh3_array_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh3_array_inf)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_inf)
data_view.set(value)
self.a_vectorh3_array_inf_size = data_view.get_array_size()
@property
def a_vectorh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_nan)
return data_view.get()
@a_vectorh3_array_nan.setter
def a_vectorh3_array_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh3_array_nan)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_nan)
data_view.set(value)
self.a_vectorh3_array_nan_size = data_view.get_array_size()
@property
def a_vectorh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_ninf)
return data_view.get()
@a_vectorh3_array_ninf.setter
def a_vectorh3_array_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh3_array_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_ninf)
data_view.set(value)
self.a_vectorh3_array_ninf_size = data_view.get_array_size()
@property
def a_vectorh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_snan)
return data_view.get()
@a_vectorh3_array_snan.setter
def a_vectorh3_array_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh3_array_snan)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_snan)
data_view.set(value)
self.a_vectorh3_array_snan_size = data_view.get_array_size()
@property
def a_vectorh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_inf)
return data_view.get()
@a_vectorh3_inf.setter
def a_vectorh3_inf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh3_inf)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_inf)
data_view.set(value)
@property
def a_vectorh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_nan)
return data_view.get()
@a_vectorh3_nan.setter
def a_vectorh3_nan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh3_nan)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_nan)
data_view.set(value)
@property
def a_vectorh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_ninf)
return data_view.get()
@a_vectorh3_ninf.setter
def a_vectorh3_ninf(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh3_ninf)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_ninf)
data_view.set(value)
@property
def a_vectorh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_snan)
return data_view.get()
@a_vectorh3_snan.setter
def a_vectorh3_snan(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.a_vectorh3_snan)
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_snan)
data_view.set(value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.a_colord3_array_inf_size = None
self.a_colord3_array_nan_size = None
self.a_colord3_array_ninf_size = None
self.a_colord3_array_snan_size = None
self.a_colord4_array_inf_size = None
self.a_colord4_array_nan_size = None
self.a_colord4_array_ninf_size = None
self.a_colord4_array_snan_size = None
self.a_colorf3_array_inf_size = None
self.a_colorf3_array_nan_size = None
self.a_colorf3_array_ninf_size = None
self.a_colorf3_array_snan_size = None
self.a_colorf4_array_inf_size = None
self.a_colorf4_array_nan_size = None
self.a_colorf4_array_ninf_size = None
self.a_colorf4_array_snan_size = None
self.a_colorh3_array_inf_size = None
self.a_colorh3_array_nan_size = None
self.a_colorh3_array_ninf_size = None
self.a_colorh3_array_snan_size = None
self.a_colorh4_array_inf_size = None
self.a_colorh4_array_nan_size = None
self.a_colorh4_array_ninf_size = None
self.a_colorh4_array_snan_size = None
self.a_double2_array_inf_size = None
self.a_double2_array_nan_size = None
self.a_double2_array_ninf_size = None
self.a_double2_array_snan_size = None
self.a_double3_array_inf_size = None
self.a_double3_array_nan_size = None
self.a_double3_array_ninf_size = None
self.a_double3_array_snan_size = None
self.a_double4_array_inf_size = None
self.a_double4_array_nan_size = None
self.a_double4_array_ninf_size = None
self.a_double4_array_snan_size = None
self.a_double_array_inf_size = None
self.a_double_array_nan_size = None
self.a_double_array_ninf_size = None
self.a_double_array_snan_size = None
self.a_float2_array_inf_size = None
self.a_float2_array_nan_size = None
self.a_float2_array_ninf_size = None
self.a_float2_array_snan_size = None
self.a_float3_array_inf_size = None
self.a_float3_array_nan_size = None
self.a_float3_array_ninf_size = None
self.a_float3_array_snan_size = None
self.a_float4_array_inf_size = None
self.a_float4_array_nan_size = None
self.a_float4_array_ninf_size = None
self.a_float4_array_snan_size = None
self.a_float_array_inf_size = None
self.a_float_array_nan_size = None
self.a_float_array_ninf_size = None
self.a_float_array_snan_size = None
self.a_frame4_array_inf_size = None
self.a_frame4_array_nan_size = None
self.a_frame4_array_ninf_size = None
self.a_frame4_array_snan_size = None
self.a_half2_array_inf_size = None
self.a_half2_array_nan_size = None
self.a_half2_array_ninf_size = None
self.a_half2_array_snan_size = None
self.a_half3_array_inf_size = None
self.a_half3_array_nan_size = None
self.a_half3_array_ninf_size = None
self.a_half3_array_snan_size = None
self.a_half4_array_inf_size = None
self.a_half4_array_nan_size = None
self.a_half4_array_ninf_size = None
self.a_half4_array_snan_size = None
self.a_half_array_inf_size = None
self.a_half_array_nan_size = None
self.a_half_array_ninf_size = None
self.a_half_array_snan_size = None
self.a_matrixd2_array_inf_size = None
self.a_matrixd2_array_nan_size = None
self.a_matrixd2_array_ninf_size = None
self.a_matrixd2_array_snan_size = None
self.a_matrixd3_array_inf_size = None
self.a_matrixd3_array_nan_size = None
self.a_matrixd3_array_ninf_size = None
self.a_matrixd3_array_snan_size = None
self.a_matrixd4_array_inf_size = None
self.a_matrixd4_array_nan_size = None
self.a_matrixd4_array_ninf_size = None
self.a_matrixd4_array_snan_size = None
self.a_normald3_array_inf_size = None
self.a_normald3_array_nan_size = None
self.a_normald3_array_ninf_size = None
self.a_normald3_array_snan_size = None
self.a_normalf3_array_inf_size = None
self.a_normalf3_array_nan_size = None
self.a_normalf3_array_ninf_size = None
self.a_normalf3_array_snan_size = None
self.a_normalh3_array_inf_size = None
self.a_normalh3_array_nan_size = None
self.a_normalh3_array_ninf_size = None
self.a_normalh3_array_snan_size = None
self.a_pointd3_array_inf_size = None
self.a_pointd3_array_nan_size = None
self.a_pointd3_array_ninf_size = None
self.a_pointd3_array_snan_size = None
self.a_pointf3_array_inf_size = None
self.a_pointf3_array_nan_size = None
self.a_pointf3_array_ninf_size = None
self.a_pointf3_array_snan_size = None
self.a_pointh3_array_inf_size = None
self.a_pointh3_array_nan_size = None
self.a_pointh3_array_ninf_size = None
self.a_pointh3_array_snan_size = None
self.a_quatd4_array_inf_size = None
self.a_quatd4_array_nan_size = None
self.a_quatd4_array_ninf_size = None
self.a_quatd4_array_snan_size = None
self.a_quatf4_array_inf_size = None
self.a_quatf4_array_nan_size = None
self.a_quatf4_array_ninf_size = None
self.a_quatf4_array_snan_size = None
self.a_quath4_array_inf_size = None
self.a_quath4_array_nan_size = None
self.a_quath4_array_ninf_size = None
self.a_quath4_array_snan_size = None
self.a_texcoordd2_array_inf_size = None
self.a_texcoordd2_array_nan_size = None
self.a_texcoordd2_array_ninf_size = None
self.a_texcoordd2_array_snan_size = None
self.a_texcoordd3_array_inf_size = None
self.a_texcoordd3_array_nan_size = None
self.a_texcoordd3_array_ninf_size = None
self.a_texcoordd3_array_snan_size = None
self.a_texcoordf2_array_inf_size = None
self.a_texcoordf2_array_nan_size = None
self.a_texcoordf2_array_ninf_size = None
self.a_texcoordf2_array_snan_size = None
self.a_texcoordf3_array_inf_size = None
self.a_texcoordf3_array_nan_size = None
self.a_texcoordf3_array_ninf_size = None
self.a_texcoordf3_array_snan_size = None
self.a_texcoordh2_array_inf_size = None
self.a_texcoordh2_array_nan_size = None
self.a_texcoordh2_array_ninf_size = None
self.a_texcoordh2_array_snan_size = None
self.a_texcoordh3_array_inf_size = None
self.a_texcoordh3_array_nan_size = None
self.a_texcoordh3_array_ninf_size = None
self.a_texcoordh3_array_snan_size = None
self.a_timecode_array_inf_size = None
self.a_timecode_array_nan_size = None
self.a_timecode_array_ninf_size = None
self.a_timecode_array_snan_size = None
self.a_vectord3_array_inf_size = None
self.a_vectord3_array_nan_size = None
self.a_vectord3_array_ninf_size = None
self.a_vectord3_array_snan_size = None
self.a_vectorf3_array_inf_size = None
self.a_vectorf3_array_nan_size = None
self.a_vectorf3_array_ninf_size = None
self.a_vectorf3_array_snan_size = None
self.a_vectorh3_array_inf_size = None
self.a_vectorh3_array_nan_size = None
self.a_vectorh3_array_ninf_size = None
self.a_vectorh3_array_snan_size = None
self._batchedWriteValues = { }
@property
def a_colord3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_inf)
return data_view.get(reserved_element_count=self.a_colord3_array_inf_size)
@a_colord3_array_inf.setter
def a_colord3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_inf)
data_view.set(value)
self.a_colord3_array_inf_size = data_view.get_array_size()
@property
def a_colord3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_nan)
return data_view.get(reserved_element_count=self.a_colord3_array_nan_size)
@a_colord3_array_nan.setter
def a_colord3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_nan)
data_view.set(value)
self.a_colord3_array_nan_size = data_view.get_array_size()
@property
def a_colord3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_ninf)
return data_view.get(reserved_element_count=self.a_colord3_array_ninf_size)
@a_colord3_array_ninf.setter
def a_colord3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_ninf)
data_view.set(value)
self.a_colord3_array_ninf_size = data_view.get_array_size()
@property
def a_colord3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_snan)
return data_view.get(reserved_element_count=self.a_colord3_array_snan_size)
@a_colord3_array_snan.setter
def a_colord3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_array_snan)
data_view.set(value)
self.a_colord3_array_snan_size = data_view.get_array_size()
@property
def a_colord3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_inf)
return data_view.get()
@a_colord3_inf.setter
def a_colord3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_inf)
data_view.set(value)
@property
def a_colord3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_nan)
return data_view.get()
@a_colord3_nan.setter
def a_colord3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_nan)
data_view.set(value)
@property
def a_colord3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_ninf)
return data_view.get()
@a_colord3_ninf.setter
def a_colord3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_ninf)
data_view.set(value)
@property
def a_colord3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_snan)
return data_view.get()
@a_colord3_snan.setter
def a_colord3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord3_snan)
data_view.set(value)
@property
def a_colord4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_inf)
return data_view.get(reserved_element_count=self.a_colord4_array_inf_size)
@a_colord4_array_inf.setter
def a_colord4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_inf)
data_view.set(value)
self.a_colord4_array_inf_size = data_view.get_array_size()
@property
def a_colord4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_nan)
return data_view.get(reserved_element_count=self.a_colord4_array_nan_size)
@a_colord4_array_nan.setter
def a_colord4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_nan)
data_view.set(value)
self.a_colord4_array_nan_size = data_view.get_array_size()
@property
def a_colord4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_ninf)
return data_view.get(reserved_element_count=self.a_colord4_array_ninf_size)
@a_colord4_array_ninf.setter
def a_colord4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_ninf)
data_view.set(value)
self.a_colord4_array_ninf_size = data_view.get_array_size()
@property
def a_colord4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_snan)
return data_view.get(reserved_element_count=self.a_colord4_array_snan_size)
@a_colord4_array_snan.setter
def a_colord4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_array_snan)
data_view.set(value)
self.a_colord4_array_snan_size = data_view.get_array_size()
@property
def a_colord4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_inf)
return data_view.get()
@a_colord4_inf.setter
def a_colord4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_inf)
data_view.set(value)
@property
def a_colord4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_nan)
return data_view.get()
@a_colord4_nan.setter
def a_colord4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_nan)
data_view.set(value)
@property
def a_colord4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_ninf)
return data_view.get()
@a_colord4_ninf.setter
def a_colord4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_ninf)
data_view.set(value)
@property
def a_colord4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_snan)
return data_view.get()
@a_colord4_snan.setter
def a_colord4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colord4_snan)
data_view.set(value)
@property
def a_colorf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_inf)
return data_view.get(reserved_element_count=self.a_colorf3_array_inf_size)
@a_colorf3_array_inf.setter
def a_colorf3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_inf)
data_view.set(value)
self.a_colorf3_array_inf_size = data_view.get_array_size()
@property
def a_colorf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_nan)
return data_view.get(reserved_element_count=self.a_colorf3_array_nan_size)
@a_colorf3_array_nan.setter
def a_colorf3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_nan)
data_view.set(value)
self.a_colorf3_array_nan_size = data_view.get_array_size()
@property
def a_colorf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_ninf)
return data_view.get(reserved_element_count=self.a_colorf3_array_ninf_size)
@a_colorf3_array_ninf.setter
def a_colorf3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_ninf)
data_view.set(value)
self.a_colorf3_array_ninf_size = data_view.get_array_size()
@property
def a_colorf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_snan)
return data_view.get(reserved_element_count=self.a_colorf3_array_snan_size)
@a_colorf3_array_snan.setter
def a_colorf3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_array_snan)
data_view.set(value)
self.a_colorf3_array_snan_size = data_view.get_array_size()
@property
def a_colorf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_inf)
return data_view.get()
@a_colorf3_inf.setter
def a_colorf3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_inf)
data_view.set(value)
@property
def a_colorf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_nan)
return data_view.get()
@a_colorf3_nan.setter
def a_colorf3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_nan)
data_view.set(value)
@property
def a_colorf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_ninf)
return data_view.get()
@a_colorf3_ninf.setter
def a_colorf3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_ninf)
data_view.set(value)
@property
def a_colorf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_snan)
return data_view.get()
@a_colorf3_snan.setter
def a_colorf3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf3_snan)
data_view.set(value)
@property
def a_colorf4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_inf)
return data_view.get(reserved_element_count=self.a_colorf4_array_inf_size)
@a_colorf4_array_inf.setter
def a_colorf4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_inf)
data_view.set(value)
self.a_colorf4_array_inf_size = data_view.get_array_size()
@property
def a_colorf4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_nan)
return data_view.get(reserved_element_count=self.a_colorf4_array_nan_size)
@a_colorf4_array_nan.setter
def a_colorf4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_nan)
data_view.set(value)
self.a_colorf4_array_nan_size = data_view.get_array_size()
@property
def a_colorf4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_ninf)
return data_view.get(reserved_element_count=self.a_colorf4_array_ninf_size)
@a_colorf4_array_ninf.setter
def a_colorf4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_ninf)
data_view.set(value)
self.a_colorf4_array_ninf_size = data_view.get_array_size()
@property
def a_colorf4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_snan)
return data_view.get(reserved_element_count=self.a_colorf4_array_snan_size)
@a_colorf4_array_snan.setter
def a_colorf4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_array_snan)
data_view.set(value)
self.a_colorf4_array_snan_size = data_view.get_array_size()
@property
def a_colorf4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_inf)
return data_view.get()
@a_colorf4_inf.setter
def a_colorf4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_inf)
data_view.set(value)
@property
def a_colorf4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_nan)
return data_view.get()
@a_colorf4_nan.setter
def a_colorf4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_nan)
data_view.set(value)
@property
def a_colorf4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_ninf)
return data_view.get()
@a_colorf4_ninf.setter
def a_colorf4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_ninf)
data_view.set(value)
@property
def a_colorf4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_snan)
return data_view.get()
@a_colorf4_snan.setter
def a_colorf4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorf4_snan)
data_view.set(value)
@property
def a_colorh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_inf)
return data_view.get(reserved_element_count=self.a_colorh3_array_inf_size)
@a_colorh3_array_inf.setter
def a_colorh3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_inf)
data_view.set(value)
self.a_colorh3_array_inf_size = data_view.get_array_size()
@property
def a_colorh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_nan)
return data_view.get(reserved_element_count=self.a_colorh3_array_nan_size)
@a_colorh3_array_nan.setter
def a_colorh3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_nan)
data_view.set(value)
self.a_colorh3_array_nan_size = data_view.get_array_size()
@property
def a_colorh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_ninf)
return data_view.get(reserved_element_count=self.a_colorh3_array_ninf_size)
@a_colorh3_array_ninf.setter
def a_colorh3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_ninf)
data_view.set(value)
self.a_colorh3_array_ninf_size = data_view.get_array_size()
@property
def a_colorh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_snan)
return data_view.get(reserved_element_count=self.a_colorh3_array_snan_size)
@a_colorh3_array_snan.setter
def a_colorh3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_array_snan)
data_view.set(value)
self.a_colorh3_array_snan_size = data_view.get_array_size()
@property
def a_colorh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_inf)
return data_view.get()
@a_colorh3_inf.setter
def a_colorh3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_inf)
data_view.set(value)
@property
def a_colorh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_nan)
return data_view.get()
@a_colorh3_nan.setter
def a_colorh3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_nan)
data_view.set(value)
@property
def a_colorh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_ninf)
return data_view.get()
@a_colorh3_ninf.setter
def a_colorh3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_ninf)
data_view.set(value)
@property
def a_colorh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_snan)
return data_view.get()
@a_colorh3_snan.setter
def a_colorh3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh3_snan)
data_view.set(value)
@property
def a_colorh4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_inf)
return data_view.get(reserved_element_count=self.a_colorh4_array_inf_size)
@a_colorh4_array_inf.setter
def a_colorh4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_inf)
data_view.set(value)
self.a_colorh4_array_inf_size = data_view.get_array_size()
@property
def a_colorh4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_nan)
return data_view.get(reserved_element_count=self.a_colorh4_array_nan_size)
@a_colorh4_array_nan.setter
def a_colorh4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_nan)
data_view.set(value)
self.a_colorh4_array_nan_size = data_view.get_array_size()
@property
def a_colorh4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_ninf)
return data_view.get(reserved_element_count=self.a_colorh4_array_ninf_size)
@a_colorh4_array_ninf.setter
def a_colorh4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_ninf)
data_view.set(value)
self.a_colorh4_array_ninf_size = data_view.get_array_size()
@property
def a_colorh4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_snan)
return data_view.get(reserved_element_count=self.a_colorh4_array_snan_size)
@a_colorh4_array_snan.setter
def a_colorh4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_array_snan)
data_view.set(value)
self.a_colorh4_array_snan_size = data_view.get_array_size()
@property
def a_colorh4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_inf)
return data_view.get()
@a_colorh4_inf.setter
def a_colorh4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_inf)
data_view.set(value)
@property
def a_colorh4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_nan)
return data_view.get()
@a_colorh4_nan.setter
def a_colorh4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_nan)
data_view.set(value)
@property
def a_colorh4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_ninf)
return data_view.get()
@a_colorh4_ninf.setter
def a_colorh4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_ninf)
data_view.set(value)
@property
def a_colorh4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_snan)
return data_view.get()
@a_colorh4_snan.setter
def a_colorh4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_colorh4_snan)
data_view.set(value)
@property
def a_double2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_inf)
return data_view.get(reserved_element_count=self.a_double2_array_inf_size)
@a_double2_array_inf.setter
def a_double2_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_inf)
data_view.set(value)
self.a_double2_array_inf_size = data_view.get_array_size()
@property
def a_double2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_nan)
return data_view.get(reserved_element_count=self.a_double2_array_nan_size)
@a_double2_array_nan.setter
def a_double2_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_nan)
data_view.set(value)
self.a_double2_array_nan_size = data_view.get_array_size()
@property
def a_double2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_ninf)
return data_view.get(reserved_element_count=self.a_double2_array_ninf_size)
@a_double2_array_ninf.setter
def a_double2_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_ninf)
data_view.set(value)
self.a_double2_array_ninf_size = data_view.get_array_size()
@property
def a_double2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_snan)
return data_view.get(reserved_element_count=self.a_double2_array_snan_size)
@a_double2_array_snan.setter
def a_double2_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double2_array_snan)
data_view.set(value)
self.a_double2_array_snan_size = data_view.get_array_size()
@property
def a_double2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_inf)
return data_view.get()
@a_double2_inf.setter
def a_double2_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double2_inf)
data_view.set(value)
@property
def a_double2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_nan)
return data_view.get()
@a_double2_nan.setter
def a_double2_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double2_nan)
data_view.set(value)
@property
def a_double2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_ninf)
return data_view.get()
@a_double2_ninf.setter
def a_double2_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double2_ninf)
data_view.set(value)
@property
def a_double2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double2_snan)
return data_view.get()
@a_double2_snan.setter
def a_double2_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double2_snan)
data_view.set(value)
@property
def a_double3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_inf)
return data_view.get(reserved_element_count=self.a_double3_array_inf_size)
@a_double3_array_inf.setter
def a_double3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_inf)
data_view.set(value)
self.a_double3_array_inf_size = data_view.get_array_size()
@property
def a_double3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_nan)
return data_view.get(reserved_element_count=self.a_double3_array_nan_size)
@a_double3_array_nan.setter
def a_double3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_nan)
data_view.set(value)
self.a_double3_array_nan_size = data_view.get_array_size()
@property
def a_double3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_ninf)
return data_view.get(reserved_element_count=self.a_double3_array_ninf_size)
@a_double3_array_ninf.setter
def a_double3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_ninf)
data_view.set(value)
self.a_double3_array_ninf_size = data_view.get_array_size()
@property
def a_double3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_snan)
return data_view.get(reserved_element_count=self.a_double3_array_snan_size)
@a_double3_array_snan.setter
def a_double3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double3_array_snan)
data_view.set(value)
self.a_double3_array_snan_size = data_view.get_array_size()
@property
def a_double3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_inf)
return data_view.get()
@a_double3_inf.setter
def a_double3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double3_inf)
data_view.set(value)
@property
def a_double3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_nan)
return data_view.get()
@a_double3_nan.setter
def a_double3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double3_nan)
data_view.set(value)
@property
def a_double3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_ninf)
return data_view.get()
@a_double3_ninf.setter
def a_double3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double3_ninf)
data_view.set(value)
@property
def a_double3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double3_snan)
return data_view.get()
@a_double3_snan.setter
def a_double3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double3_snan)
data_view.set(value)
@property
def a_double4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_inf)
return data_view.get(reserved_element_count=self.a_double4_array_inf_size)
@a_double4_array_inf.setter
def a_double4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_inf)
data_view.set(value)
self.a_double4_array_inf_size = data_view.get_array_size()
@property
def a_double4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_nan)
return data_view.get(reserved_element_count=self.a_double4_array_nan_size)
@a_double4_array_nan.setter
def a_double4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_nan)
data_view.set(value)
self.a_double4_array_nan_size = data_view.get_array_size()
@property
def a_double4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_ninf)
return data_view.get(reserved_element_count=self.a_double4_array_ninf_size)
@a_double4_array_ninf.setter
def a_double4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_ninf)
data_view.set(value)
self.a_double4_array_ninf_size = data_view.get_array_size()
@property
def a_double4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_snan)
return data_view.get(reserved_element_count=self.a_double4_array_snan_size)
@a_double4_array_snan.setter
def a_double4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double4_array_snan)
data_view.set(value)
self.a_double4_array_snan_size = data_view.get_array_size()
@property
def a_double4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_inf)
return data_view.get()
@a_double4_inf.setter
def a_double4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double4_inf)
data_view.set(value)
@property
def a_double4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_nan)
return data_view.get()
@a_double4_nan.setter
def a_double4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double4_nan)
data_view.set(value)
@property
def a_double4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_ninf)
return data_view.get()
@a_double4_ninf.setter
def a_double4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double4_ninf)
data_view.set(value)
@property
def a_double4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double4_snan)
return data_view.get()
@a_double4_snan.setter
def a_double4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double4_snan)
data_view.set(value)
@property
def a_double_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_inf)
return data_view.get(reserved_element_count=self.a_double_array_inf_size)
@a_double_array_inf.setter
def a_double_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_inf)
data_view.set(value)
self.a_double_array_inf_size = data_view.get_array_size()
@property
def a_double_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_nan)
return data_view.get(reserved_element_count=self.a_double_array_nan_size)
@a_double_array_nan.setter
def a_double_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_nan)
data_view.set(value)
self.a_double_array_nan_size = data_view.get_array_size()
@property
def a_double_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_ninf)
return data_view.get(reserved_element_count=self.a_double_array_ninf_size)
@a_double_array_ninf.setter
def a_double_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_ninf)
data_view.set(value)
self.a_double_array_ninf_size = data_view.get_array_size()
@property
def a_double_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_snan)
return data_view.get(reserved_element_count=self.a_double_array_snan_size)
@a_double_array_snan.setter
def a_double_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_array_snan)
data_view.set(value)
self.a_double_array_snan_size = data_view.get_array_size()
@property
def a_double_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_inf)
return data_view.get()
@a_double_inf.setter
def a_double_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_inf)
data_view.set(value)
@property
def a_double_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_nan)
return data_view.get()
@a_double_nan.setter
def a_double_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_nan)
data_view.set(value)
@property
def a_double_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_ninf)
return data_view.get()
@a_double_ninf.setter
def a_double_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_ninf)
data_view.set(value)
@property
def a_double_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_double_snan)
return data_view.get()
@a_double_snan.setter
def a_double_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_double_snan)
data_view.set(value)
@property
def a_float2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_inf)
return data_view.get(reserved_element_count=self.a_float2_array_inf_size)
@a_float2_array_inf.setter
def a_float2_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_inf)
data_view.set(value)
self.a_float2_array_inf_size = data_view.get_array_size()
@property
def a_float2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_nan)
return data_view.get(reserved_element_count=self.a_float2_array_nan_size)
@a_float2_array_nan.setter
def a_float2_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_nan)
data_view.set(value)
self.a_float2_array_nan_size = data_view.get_array_size()
@property
def a_float2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_ninf)
return data_view.get(reserved_element_count=self.a_float2_array_ninf_size)
@a_float2_array_ninf.setter
def a_float2_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_ninf)
data_view.set(value)
self.a_float2_array_ninf_size = data_view.get_array_size()
@property
def a_float2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_snan)
return data_view.get(reserved_element_count=self.a_float2_array_snan_size)
@a_float2_array_snan.setter
def a_float2_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float2_array_snan)
data_view.set(value)
self.a_float2_array_snan_size = data_view.get_array_size()
@property
def a_float2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_inf)
return data_view.get()
@a_float2_inf.setter
def a_float2_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float2_inf)
data_view.set(value)
@property
def a_float2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_nan)
return data_view.get()
@a_float2_nan.setter
def a_float2_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float2_nan)
data_view.set(value)
@property
def a_float2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_ninf)
return data_view.get()
@a_float2_ninf.setter
def a_float2_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float2_ninf)
data_view.set(value)
@property
def a_float2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float2_snan)
return data_view.get()
@a_float2_snan.setter
def a_float2_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float2_snan)
data_view.set(value)
@property
def a_float3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_inf)
return data_view.get(reserved_element_count=self.a_float3_array_inf_size)
@a_float3_array_inf.setter
def a_float3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_inf)
data_view.set(value)
self.a_float3_array_inf_size = data_view.get_array_size()
@property
def a_float3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_nan)
return data_view.get(reserved_element_count=self.a_float3_array_nan_size)
@a_float3_array_nan.setter
def a_float3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_nan)
data_view.set(value)
self.a_float3_array_nan_size = data_view.get_array_size()
@property
def a_float3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_ninf)
return data_view.get(reserved_element_count=self.a_float3_array_ninf_size)
@a_float3_array_ninf.setter
def a_float3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_ninf)
data_view.set(value)
self.a_float3_array_ninf_size = data_view.get_array_size()
@property
def a_float3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_snan)
return data_view.get(reserved_element_count=self.a_float3_array_snan_size)
@a_float3_array_snan.setter
def a_float3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float3_array_snan)
data_view.set(value)
self.a_float3_array_snan_size = data_view.get_array_size()
@property
def a_float3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_inf)
return data_view.get()
@a_float3_inf.setter
def a_float3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float3_inf)
data_view.set(value)
@property
def a_float3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_nan)
return data_view.get()
@a_float3_nan.setter
def a_float3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float3_nan)
data_view.set(value)
@property
def a_float3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_ninf)
return data_view.get()
@a_float3_ninf.setter
def a_float3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float3_ninf)
data_view.set(value)
@property
def a_float3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float3_snan)
return data_view.get()
@a_float3_snan.setter
def a_float3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float3_snan)
data_view.set(value)
@property
def a_float4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_inf)
return data_view.get(reserved_element_count=self.a_float4_array_inf_size)
@a_float4_array_inf.setter
def a_float4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_inf)
data_view.set(value)
self.a_float4_array_inf_size = data_view.get_array_size()
@property
def a_float4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_nan)
return data_view.get(reserved_element_count=self.a_float4_array_nan_size)
@a_float4_array_nan.setter
def a_float4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_nan)
data_view.set(value)
self.a_float4_array_nan_size = data_view.get_array_size()
@property
def a_float4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_ninf)
return data_view.get(reserved_element_count=self.a_float4_array_ninf_size)
@a_float4_array_ninf.setter
def a_float4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_ninf)
data_view.set(value)
self.a_float4_array_ninf_size = data_view.get_array_size()
@property
def a_float4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_snan)
return data_view.get(reserved_element_count=self.a_float4_array_snan_size)
@a_float4_array_snan.setter
def a_float4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float4_array_snan)
data_view.set(value)
self.a_float4_array_snan_size = data_view.get_array_size()
@property
def a_float4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_inf)
return data_view.get()
@a_float4_inf.setter
def a_float4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float4_inf)
data_view.set(value)
@property
def a_float4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_nan)
return data_view.get()
@a_float4_nan.setter
def a_float4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float4_nan)
data_view.set(value)
@property
def a_float4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_ninf)
return data_view.get()
@a_float4_ninf.setter
def a_float4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float4_ninf)
data_view.set(value)
@property
def a_float4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float4_snan)
return data_view.get()
@a_float4_snan.setter
def a_float4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float4_snan)
data_view.set(value)
@property
def a_float_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_inf)
return data_view.get(reserved_element_count=self.a_float_array_inf_size)
@a_float_array_inf.setter
def a_float_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_inf)
data_view.set(value)
self.a_float_array_inf_size = data_view.get_array_size()
@property
def a_float_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_nan)
return data_view.get(reserved_element_count=self.a_float_array_nan_size)
@a_float_array_nan.setter
def a_float_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_nan)
data_view.set(value)
self.a_float_array_nan_size = data_view.get_array_size()
@property
def a_float_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_ninf)
return data_view.get(reserved_element_count=self.a_float_array_ninf_size)
@a_float_array_ninf.setter
def a_float_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_ninf)
data_view.set(value)
self.a_float_array_ninf_size = data_view.get_array_size()
@property
def a_float_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_snan)
return data_view.get(reserved_element_count=self.a_float_array_snan_size)
@a_float_array_snan.setter
def a_float_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_array_snan)
data_view.set(value)
self.a_float_array_snan_size = data_view.get_array_size()
@property
def a_float_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_inf)
return data_view.get()
@a_float_inf.setter
def a_float_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_inf)
data_view.set(value)
@property
def a_float_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_nan)
return data_view.get()
@a_float_nan.setter
def a_float_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_nan)
data_view.set(value)
@property
def a_float_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_ninf)
return data_view.get()
@a_float_ninf.setter
def a_float_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_ninf)
data_view.set(value)
@property
def a_float_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_float_snan)
return data_view.get()
@a_float_snan.setter
def a_float_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_float_snan)
data_view.set(value)
@property
def a_frame4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_inf)
return data_view.get(reserved_element_count=self.a_frame4_array_inf_size)
@a_frame4_array_inf.setter
def a_frame4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_inf)
data_view.set(value)
self.a_frame4_array_inf_size = data_view.get_array_size()
@property
def a_frame4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_nan)
return data_view.get(reserved_element_count=self.a_frame4_array_nan_size)
@a_frame4_array_nan.setter
def a_frame4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_nan)
data_view.set(value)
self.a_frame4_array_nan_size = data_view.get_array_size()
@property
def a_frame4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_ninf)
return data_view.get(reserved_element_count=self.a_frame4_array_ninf_size)
@a_frame4_array_ninf.setter
def a_frame4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_ninf)
data_view.set(value)
self.a_frame4_array_ninf_size = data_view.get_array_size()
@property
def a_frame4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_snan)
return data_view.get(reserved_element_count=self.a_frame4_array_snan_size)
@a_frame4_array_snan.setter
def a_frame4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_array_snan)
data_view.set(value)
self.a_frame4_array_snan_size = data_view.get_array_size()
@property
def a_frame4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_inf)
return data_view.get()
@a_frame4_inf.setter
def a_frame4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_inf)
data_view.set(value)
@property
def a_frame4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_nan)
return data_view.get()
@a_frame4_nan.setter
def a_frame4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_nan)
data_view.set(value)
@property
def a_frame4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_ninf)
return data_view.get()
@a_frame4_ninf.setter
def a_frame4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_ninf)
data_view.set(value)
@property
def a_frame4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_snan)
return data_view.get()
@a_frame4_snan.setter
def a_frame4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_frame4_snan)
data_view.set(value)
@property
def a_half2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_inf)
return data_view.get(reserved_element_count=self.a_half2_array_inf_size)
@a_half2_array_inf.setter
def a_half2_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_inf)
data_view.set(value)
self.a_half2_array_inf_size = data_view.get_array_size()
@property
def a_half2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_nan)
return data_view.get(reserved_element_count=self.a_half2_array_nan_size)
@a_half2_array_nan.setter
def a_half2_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_nan)
data_view.set(value)
self.a_half2_array_nan_size = data_view.get_array_size()
@property
def a_half2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_ninf)
return data_view.get(reserved_element_count=self.a_half2_array_ninf_size)
@a_half2_array_ninf.setter
def a_half2_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_ninf)
data_view.set(value)
self.a_half2_array_ninf_size = data_view.get_array_size()
@property
def a_half2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_snan)
return data_view.get(reserved_element_count=self.a_half2_array_snan_size)
@a_half2_array_snan.setter
def a_half2_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half2_array_snan)
data_view.set(value)
self.a_half2_array_snan_size = data_view.get_array_size()
@property
def a_half2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_inf)
return data_view.get()
@a_half2_inf.setter
def a_half2_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half2_inf)
data_view.set(value)
@property
def a_half2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_nan)
return data_view.get()
@a_half2_nan.setter
def a_half2_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half2_nan)
data_view.set(value)
@property
def a_half2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_ninf)
return data_view.get()
@a_half2_ninf.setter
def a_half2_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half2_ninf)
data_view.set(value)
@property
def a_half2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half2_snan)
return data_view.get()
@a_half2_snan.setter
def a_half2_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half2_snan)
data_view.set(value)
@property
def a_half3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_inf)
return data_view.get(reserved_element_count=self.a_half3_array_inf_size)
@a_half3_array_inf.setter
def a_half3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_inf)
data_view.set(value)
self.a_half3_array_inf_size = data_view.get_array_size()
@property
def a_half3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_nan)
return data_view.get(reserved_element_count=self.a_half3_array_nan_size)
@a_half3_array_nan.setter
def a_half3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_nan)
data_view.set(value)
self.a_half3_array_nan_size = data_view.get_array_size()
@property
def a_half3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_ninf)
return data_view.get(reserved_element_count=self.a_half3_array_ninf_size)
@a_half3_array_ninf.setter
def a_half3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_ninf)
data_view.set(value)
self.a_half3_array_ninf_size = data_view.get_array_size()
@property
def a_half3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_snan)
return data_view.get(reserved_element_count=self.a_half3_array_snan_size)
@a_half3_array_snan.setter
def a_half3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half3_array_snan)
data_view.set(value)
self.a_half3_array_snan_size = data_view.get_array_size()
@property
def a_half3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_inf)
return data_view.get()
@a_half3_inf.setter
def a_half3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half3_inf)
data_view.set(value)
@property
def a_half3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_nan)
return data_view.get()
@a_half3_nan.setter
def a_half3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half3_nan)
data_view.set(value)
@property
def a_half3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_ninf)
return data_view.get()
@a_half3_ninf.setter
def a_half3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half3_ninf)
data_view.set(value)
@property
def a_half3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half3_snan)
return data_view.get()
@a_half3_snan.setter
def a_half3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half3_snan)
data_view.set(value)
@property
def a_half4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_inf)
return data_view.get(reserved_element_count=self.a_half4_array_inf_size)
@a_half4_array_inf.setter
def a_half4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_inf)
data_view.set(value)
self.a_half4_array_inf_size = data_view.get_array_size()
@property
def a_half4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_nan)
return data_view.get(reserved_element_count=self.a_half4_array_nan_size)
@a_half4_array_nan.setter
def a_half4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_nan)
data_view.set(value)
self.a_half4_array_nan_size = data_view.get_array_size()
@property
def a_half4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_ninf)
return data_view.get(reserved_element_count=self.a_half4_array_ninf_size)
@a_half4_array_ninf.setter
def a_half4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_ninf)
data_view.set(value)
self.a_half4_array_ninf_size = data_view.get_array_size()
@property
def a_half4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_snan)
return data_view.get(reserved_element_count=self.a_half4_array_snan_size)
@a_half4_array_snan.setter
def a_half4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half4_array_snan)
data_view.set(value)
self.a_half4_array_snan_size = data_view.get_array_size()
@property
def a_half4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_inf)
return data_view.get()
@a_half4_inf.setter
def a_half4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half4_inf)
data_view.set(value)
@property
def a_half4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_nan)
return data_view.get()
@a_half4_nan.setter
def a_half4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half4_nan)
data_view.set(value)
@property
def a_half4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_ninf)
return data_view.get()
@a_half4_ninf.setter
def a_half4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half4_ninf)
data_view.set(value)
@property
def a_half4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half4_snan)
return data_view.get()
@a_half4_snan.setter
def a_half4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half4_snan)
data_view.set(value)
@property
def a_half_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_inf)
return data_view.get(reserved_element_count=self.a_half_array_inf_size)
@a_half_array_inf.setter
def a_half_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_inf)
data_view.set(value)
self.a_half_array_inf_size = data_view.get_array_size()
@property
def a_half_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_nan)
return data_view.get(reserved_element_count=self.a_half_array_nan_size)
@a_half_array_nan.setter
def a_half_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_nan)
data_view.set(value)
self.a_half_array_nan_size = data_view.get_array_size()
@property
def a_half_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_ninf)
return data_view.get(reserved_element_count=self.a_half_array_ninf_size)
@a_half_array_ninf.setter
def a_half_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_ninf)
data_view.set(value)
self.a_half_array_ninf_size = data_view.get_array_size()
@property
def a_half_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_snan)
return data_view.get(reserved_element_count=self.a_half_array_snan_size)
@a_half_array_snan.setter
def a_half_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_array_snan)
data_view.set(value)
self.a_half_array_snan_size = data_view.get_array_size()
@property
def a_half_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_inf)
return data_view.get()
@a_half_inf.setter
def a_half_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_inf)
data_view.set(value)
@property
def a_half_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_nan)
return data_view.get()
@a_half_nan.setter
def a_half_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_nan)
data_view.set(value)
@property
def a_half_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_ninf)
return data_view.get()
@a_half_ninf.setter
def a_half_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_ninf)
data_view.set(value)
@property
def a_half_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_half_snan)
return data_view.get()
@a_half_snan.setter
def a_half_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_half_snan)
data_view.set(value)
@property
def a_matrixd2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_inf)
return data_view.get(reserved_element_count=self.a_matrixd2_array_inf_size)
@a_matrixd2_array_inf.setter
def a_matrixd2_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_inf)
data_view.set(value)
self.a_matrixd2_array_inf_size = data_view.get_array_size()
@property
def a_matrixd2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_nan)
return data_view.get(reserved_element_count=self.a_matrixd2_array_nan_size)
@a_matrixd2_array_nan.setter
def a_matrixd2_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_nan)
data_view.set(value)
self.a_matrixd2_array_nan_size = data_view.get_array_size()
@property
def a_matrixd2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_ninf)
return data_view.get(reserved_element_count=self.a_matrixd2_array_ninf_size)
@a_matrixd2_array_ninf.setter
def a_matrixd2_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_ninf)
data_view.set(value)
self.a_matrixd2_array_ninf_size = data_view.get_array_size()
@property
def a_matrixd2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_snan)
return data_view.get(reserved_element_count=self.a_matrixd2_array_snan_size)
@a_matrixd2_array_snan.setter
def a_matrixd2_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_array_snan)
data_view.set(value)
self.a_matrixd2_array_snan_size = data_view.get_array_size()
@property
def a_matrixd2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_inf)
return data_view.get()
@a_matrixd2_inf.setter
def a_matrixd2_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_inf)
data_view.set(value)
@property
def a_matrixd2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_nan)
return data_view.get()
@a_matrixd2_nan.setter
def a_matrixd2_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_nan)
data_view.set(value)
@property
def a_matrixd2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_ninf)
return data_view.get()
@a_matrixd2_ninf.setter
def a_matrixd2_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_ninf)
data_view.set(value)
@property
def a_matrixd2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_snan)
return data_view.get()
@a_matrixd2_snan.setter
def a_matrixd2_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd2_snan)
data_view.set(value)
@property
def a_matrixd3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_inf)
return data_view.get(reserved_element_count=self.a_matrixd3_array_inf_size)
@a_matrixd3_array_inf.setter
def a_matrixd3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_inf)
data_view.set(value)
self.a_matrixd3_array_inf_size = data_view.get_array_size()
@property
def a_matrixd3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_nan)
return data_view.get(reserved_element_count=self.a_matrixd3_array_nan_size)
@a_matrixd3_array_nan.setter
def a_matrixd3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_nan)
data_view.set(value)
self.a_matrixd3_array_nan_size = data_view.get_array_size()
@property
def a_matrixd3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_ninf)
return data_view.get(reserved_element_count=self.a_matrixd3_array_ninf_size)
@a_matrixd3_array_ninf.setter
def a_matrixd3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_ninf)
data_view.set(value)
self.a_matrixd3_array_ninf_size = data_view.get_array_size()
@property
def a_matrixd3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_snan)
return data_view.get(reserved_element_count=self.a_matrixd3_array_snan_size)
@a_matrixd3_array_snan.setter
def a_matrixd3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_array_snan)
data_view.set(value)
self.a_matrixd3_array_snan_size = data_view.get_array_size()
@property
def a_matrixd3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_inf)
return data_view.get()
@a_matrixd3_inf.setter
def a_matrixd3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_inf)
data_view.set(value)
@property
def a_matrixd3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_nan)
return data_view.get()
@a_matrixd3_nan.setter
def a_matrixd3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_nan)
data_view.set(value)
@property
def a_matrixd3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_ninf)
return data_view.get()
@a_matrixd3_ninf.setter
def a_matrixd3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_ninf)
data_view.set(value)
@property
def a_matrixd3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_snan)
return data_view.get()
@a_matrixd3_snan.setter
def a_matrixd3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd3_snan)
data_view.set(value)
@property
def a_matrixd4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_inf)
return data_view.get(reserved_element_count=self.a_matrixd4_array_inf_size)
@a_matrixd4_array_inf.setter
def a_matrixd4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_inf)
data_view.set(value)
self.a_matrixd4_array_inf_size = data_view.get_array_size()
@property
def a_matrixd4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_nan)
return data_view.get(reserved_element_count=self.a_matrixd4_array_nan_size)
@a_matrixd4_array_nan.setter
def a_matrixd4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_nan)
data_view.set(value)
self.a_matrixd4_array_nan_size = data_view.get_array_size()
@property
def a_matrixd4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_ninf)
return data_view.get(reserved_element_count=self.a_matrixd4_array_ninf_size)
@a_matrixd4_array_ninf.setter
def a_matrixd4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_ninf)
data_view.set(value)
self.a_matrixd4_array_ninf_size = data_view.get_array_size()
@property
def a_matrixd4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_snan)
return data_view.get(reserved_element_count=self.a_matrixd4_array_snan_size)
@a_matrixd4_array_snan.setter
def a_matrixd4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_array_snan)
data_view.set(value)
self.a_matrixd4_array_snan_size = data_view.get_array_size()
@property
def a_matrixd4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_inf)
return data_view.get()
@a_matrixd4_inf.setter
def a_matrixd4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_inf)
data_view.set(value)
@property
def a_matrixd4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_nan)
return data_view.get()
@a_matrixd4_nan.setter
def a_matrixd4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_nan)
data_view.set(value)
@property
def a_matrixd4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_ninf)
return data_view.get()
@a_matrixd4_ninf.setter
def a_matrixd4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_ninf)
data_view.set(value)
@property
def a_matrixd4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_snan)
return data_view.get()
@a_matrixd4_snan.setter
def a_matrixd4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_matrixd4_snan)
data_view.set(value)
@property
def a_normald3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_inf)
return data_view.get(reserved_element_count=self.a_normald3_array_inf_size)
@a_normald3_array_inf.setter
def a_normald3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_inf)
data_view.set(value)
self.a_normald3_array_inf_size = data_view.get_array_size()
@property
def a_normald3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_nan)
return data_view.get(reserved_element_count=self.a_normald3_array_nan_size)
@a_normald3_array_nan.setter
def a_normald3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_nan)
data_view.set(value)
self.a_normald3_array_nan_size = data_view.get_array_size()
@property
def a_normald3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_ninf)
return data_view.get(reserved_element_count=self.a_normald3_array_ninf_size)
@a_normald3_array_ninf.setter
def a_normald3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_ninf)
data_view.set(value)
self.a_normald3_array_ninf_size = data_view.get_array_size()
@property
def a_normald3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_snan)
return data_view.get(reserved_element_count=self.a_normald3_array_snan_size)
@a_normald3_array_snan.setter
def a_normald3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_array_snan)
data_view.set(value)
self.a_normald3_array_snan_size = data_view.get_array_size()
@property
def a_normald3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_inf)
return data_view.get()
@a_normald3_inf.setter
def a_normald3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_inf)
data_view.set(value)
@property
def a_normald3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_nan)
return data_view.get()
@a_normald3_nan.setter
def a_normald3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_nan)
data_view.set(value)
@property
def a_normald3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_ninf)
return data_view.get()
@a_normald3_ninf.setter
def a_normald3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_ninf)
data_view.set(value)
@property
def a_normald3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_snan)
return data_view.get()
@a_normald3_snan.setter
def a_normald3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normald3_snan)
data_view.set(value)
@property
def a_normalf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_inf)
return data_view.get(reserved_element_count=self.a_normalf3_array_inf_size)
@a_normalf3_array_inf.setter
def a_normalf3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_inf)
data_view.set(value)
self.a_normalf3_array_inf_size = data_view.get_array_size()
@property
def a_normalf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_nan)
return data_view.get(reserved_element_count=self.a_normalf3_array_nan_size)
@a_normalf3_array_nan.setter
def a_normalf3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_nan)
data_view.set(value)
self.a_normalf3_array_nan_size = data_view.get_array_size()
@property
def a_normalf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_ninf)
return data_view.get(reserved_element_count=self.a_normalf3_array_ninf_size)
@a_normalf3_array_ninf.setter
def a_normalf3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_ninf)
data_view.set(value)
self.a_normalf3_array_ninf_size = data_view.get_array_size()
@property
def a_normalf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_snan)
return data_view.get(reserved_element_count=self.a_normalf3_array_snan_size)
@a_normalf3_array_snan.setter
def a_normalf3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_array_snan)
data_view.set(value)
self.a_normalf3_array_snan_size = data_view.get_array_size()
@property
def a_normalf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_inf)
return data_view.get()
@a_normalf3_inf.setter
def a_normalf3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_inf)
data_view.set(value)
@property
def a_normalf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_nan)
return data_view.get()
@a_normalf3_nan.setter
def a_normalf3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_nan)
data_view.set(value)
@property
def a_normalf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_ninf)
return data_view.get()
@a_normalf3_ninf.setter
def a_normalf3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_ninf)
data_view.set(value)
@property
def a_normalf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_snan)
return data_view.get()
@a_normalf3_snan.setter
def a_normalf3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalf3_snan)
data_view.set(value)
@property
def a_normalh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_inf)
return data_view.get(reserved_element_count=self.a_normalh3_array_inf_size)
@a_normalh3_array_inf.setter
def a_normalh3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_inf)
data_view.set(value)
self.a_normalh3_array_inf_size = data_view.get_array_size()
@property
def a_normalh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_nan)
return data_view.get(reserved_element_count=self.a_normalh3_array_nan_size)
@a_normalh3_array_nan.setter
def a_normalh3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_nan)
data_view.set(value)
self.a_normalh3_array_nan_size = data_view.get_array_size()
@property
def a_normalh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_ninf)
return data_view.get(reserved_element_count=self.a_normalh3_array_ninf_size)
@a_normalh3_array_ninf.setter
def a_normalh3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_ninf)
data_view.set(value)
self.a_normalh3_array_ninf_size = data_view.get_array_size()
@property
def a_normalh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_snan)
return data_view.get(reserved_element_count=self.a_normalh3_array_snan_size)
@a_normalh3_array_snan.setter
def a_normalh3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_array_snan)
data_view.set(value)
self.a_normalh3_array_snan_size = data_view.get_array_size()
@property
def a_normalh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_inf)
return data_view.get()
@a_normalh3_inf.setter
def a_normalh3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_inf)
data_view.set(value)
@property
def a_normalh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_nan)
return data_view.get()
@a_normalh3_nan.setter
def a_normalh3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_nan)
data_view.set(value)
@property
def a_normalh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_ninf)
return data_view.get()
@a_normalh3_ninf.setter
def a_normalh3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_ninf)
data_view.set(value)
@property
def a_normalh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_snan)
return data_view.get()
@a_normalh3_snan.setter
def a_normalh3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_normalh3_snan)
data_view.set(value)
@property
def a_pointd3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_inf)
return data_view.get(reserved_element_count=self.a_pointd3_array_inf_size)
@a_pointd3_array_inf.setter
def a_pointd3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_inf)
data_view.set(value)
self.a_pointd3_array_inf_size = data_view.get_array_size()
@property
def a_pointd3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_nan)
return data_view.get(reserved_element_count=self.a_pointd3_array_nan_size)
@a_pointd3_array_nan.setter
def a_pointd3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_nan)
data_view.set(value)
self.a_pointd3_array_nan_size = data_view.get_array_size()
@property
def a_pointd3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_ninf)
return data_view.get(reserved_element_count=self.a_pointd3_array_ninf_size)
@a_pointd3_array_ninf.setter
def a_pointd3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_ninf)
data_view.set(value)
self.a_pointd3_array_ninf_size = data_view.get_array_size()
@property
def a_pointd3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_snan)
return data_view.get(reserved_element_count=self.a_pointd3_array_snan_size)
@a_pointd3_array_snan.setter
def a_pointd3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_array_snan)
data_view.set(value)
self.a_pointd3_array_snan_size = data_view.get_array_size()
@property
def a_pointd3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_inf)
return data_view.get()
@a_pointd3_inf.setter
def a_pointd3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_inf)
data_view.set(value)
@property
def a_pointd3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_nan)
return data_view.get()
@a_pointd3_nan.setter
def a_pointd3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_nan)
data_view.set(value)
@property
def a_pointd3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_ninf)
return data_view.get()
@a_pointd3_ninf.setter
def a_pointd3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_ninf)
data_view.set(value)
@property
def a_pointd3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_snan)
return data_view.get()
@a_pointd3_snan.setter
def a_pointd3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointd3_snan)
data_view.set(value)
@property
def a_pointf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_inf)
return data_view.get(reserved_element_count=self.a_pointf3_array_inf_size)
@a_pointf3_array_inf.setter
def a_pointf3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_inf)
data_view.set(value)
self.a_pointf3_array_inf_size = data_view.get_array_size()
@property
def a_pointf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_nan)
return data_view.get(reserved_element_count=self.a_pointf3_array_nan_size)
@a_pointf3_array_nan.setter
def a_pointf3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_nan)
data_view.set(value)
self.a_pointf3_array_nan_size = data_view.get_array_size()
@property
def a_pointf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_ninf)
return data_view.get(reserved_element_count=self.a_pointf3_array_ninf_size)
@a_pointf3_array_ninf.setter
def a_pointf3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_ninf)
data_view.set(value)
self.a_pointf3_array_ninf_size = data_view.get_array_size()
@property
def a_pointf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_snan)
return data_view.get(reserved_element_count=self.a_pointf3_array_snan_size)
@a_pointf3_array_snan.setter
def a_pointf3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_array_snan)
data_view.set(value)
self.a_pointf3_array_snan_size = data_view.get_array_size()
@property
def a_pointf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_inf)
return data_view.get()
@a_pointf3_inf.setter
def a_pointf3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_inf)
data_view.set(value)
@property
def a_pointf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_nan)
return data_view.get()
@a_pointf3_nan.setter
def a_pointf3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_nan)
data_view.set(value)
@property
def a_pointf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_ninf)
return data_view.get()
@a_pointf3_ninf.setter
def a_pointf3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_ninf)
data_view.set(value)
@property
def a_pointf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_snan)
return data_view.get()
@a_pointf3_snan.setter
def a_pointf3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointf3_snan)
data_view.set(value)
@property
def a_pointh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_inf)
return data_view.get(reserved_element_count=self.a_pointh3_array_inf_size)
@a_pointh3_array_inf.setter
def a_pointh3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_inf)
data_view.set(value)
self.a_pointh3_array_inf_size = data_view.get_array_size()
@property
def a_pointh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_nan)
return data_view.get(reserved_element_count=self.a_pointh3_array_nan_size)
@a_pointh3_array_nan.setter
def a_pointh3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_nan)
data_view.set(value)
self.a_pointh3_array_nan_size = data_view.get_array_size()
@property
def a_pointh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_ninf)
return data_view.get(reserved_element_count=self.a_pointh3_array_ninf_size)
@a_pointh3_array_ninf.setter
def a_pointh3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_ninf)
data_view.set(value)
self.a_pointh3_array_ninf_size = data_view.get_array_size()
@property
def a_pointh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_snan)
return data_view.get(reserved_element_count=self.a_pointh3_array_snan_size)
@a_pointh3_array_snan.setter
def a_pointh3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_array_snan)
data_view.set(value)
self.a_pointh3_array_snan_size = data_view.get_array_size()
@property
def a_pointh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_inf)
return data_view.get()
@a_pointh3_inf.setter
def a_pointh3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_inf)
data_view.set(value)
@property
def a_pointh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_nan)
return data_view.get()
@a_pointh3_nan.setter
def a_pointh3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_nan)
data_view.set(value)
@property
def a_pointh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_ninf)
return data_view.get()
@a_pointh3_ninf.setter
def a_pointh3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_ninf)
data_view.set(value)
@property
def a_pointh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_snan)
return data_view.get()
@a_pointh3_snan.setter
def a_pointh3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_pointh3_snan)
data_view.set(value)
@property
def a_quatd4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_inf)
return data_view.get(reserved_element_count=self.a_quatd4_array_inf_size)
@a_quatd4_array_inf.setter
def a_quatd4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_inf)
data_view.set(value)
self.a_quatd4_array_inf_size = data_view.get_array_size()
@property
def a_quatd4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_nan)
return data_view.get(reserved_element_count=self.a_quatd4_array_nan_size)
@a_quatd4_array_nan.setter
def a_quatd4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_nan)
data_view.set(value)
self.a_quatd4_array_nan_size = data_view.get_array_size()
@property
def a_quatd4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_ninf)
return data_view.get(reserved_element_count=self.a_quatd4_array_ninf_size)
@a_quatd4_array_ninf.setter
def a_quatd4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_ninf)
data_view.set(value)
self.a_quatd4_array_ninf_size = data_view.get_array_size()
@property
def a_quatd4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_snan)
return data_view.get(reserved_element_count=self.a_quatd4_array_snan_size)
@a_quatd4_array_snan.setter
def a_quatd4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_array_snan)
data_view.set(value)
self.a_quatd4_array_snan_size = data_view.get_array_size()
@property
def a_quatd4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_inf)
return data_view.get()
@a_quatd4_inf.setter
def a_quatd4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_inf)
data_view.set(value)
@property
def a_quatd4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_nan)
return data_view.get()
@a_quatd4_nan.setter
def a_quatd4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_nan)
data_view.set(value)
@property
def a_quatd4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_ninf)
return data_view.get()
@a_quatd4_ninf.setter
def a_quatd4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_ninf)
data_view.set(value)
@property
def a_quatd4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_snan)
return data_view.get()
@a_quatd4_snan.setter
def a_quatd4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatd4_snan)
data_view.set(value)
@property
def a_quatf4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_inf)
return data_view.get(reserved_element_count=self.a_quatf4_array_inf_size)
@a_quatf4_array_inf.setter
def a_quatf4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_inf)
data_view.set(value)
self.a_quatf4_array_inf_size = data_view.get_array_size()
@property
def a_quatf4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_nan)
return data_view.get(reserved_element_count=self.a_quatf4_array_nan_size)
@a_quatf4_array_nan.setter
def a_quatf4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_nan)
data_view.set(value)
self.a_quatf4_array_nan_size = data_view.get_array_size()
@property
def a_quatf4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_ninf)
return data_view.get(reserved_element_count=self.a_quatf4_array_ninf_size)
@a_quatf4_array_ninf.setter
def a_quatf4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_ninf)
data_view.set(value)
self.a_quatf4_array_ninf_size = data_view.get_array_size()
@property
def a_quatf4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_snan)
return data_view.get(reserved_element_count=self.a_quatf4_array_snan_size)
@a_quatf4_array_snan.setter
def a_quatf4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_array_snan)
data_view.set(value)
self.a_quatf4_array_snan_size = data_view.get_array_size()
@property
def a_quatf4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_inf)
return data_view.get()
@a_quatf4_inf.setter
def a_quatf4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_inf)
data_view.set(value)
@property
def a_quatf4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_nan)
return data_view.get()
@a_quatf4_nan.setter
def a_quatf4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_nan)
data_view.set(value)
@property
def a_quatf4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_ninf)
return data_view.get()
@a_quatf4_ninf.setter
def a_quatf4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_ninf)
data_view.set(value)
@property
def a_quatf4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_snan)
return data_view.get()
@a_quatf4_snan.setter
def a_quatf4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quatf4_snan)
data_view.set(value)
@property
def a_quath4_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_inf)
return data_view.get(reserved_element_count=self.a_quath4_array_inf_size)
@a_quath4_array_inf.setter
def a_quath4_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_inf)
data_view.set(value)
self.a_quath4_array_inf_size = data_view.get_array_size()
@property
def a_quath4_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_nan)
return data_view.get(reserved_element_count=self.a_quath4_array_nan_size)
@a_quath4_array_nan.setter
def a_quath4_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_nan)
data_view.set(value)
self.a_quath4_array_nan_size = data_view.get_array_size()
@property
def a_quath4_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_ninf)
return data_view.get(reserved_element_count=self.a_quath4_array_ninf_size)
@a_quath4_array_ninf.setter
def a_quath4_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_ninf)
data_view.set(value)
self.a_quath4_array_ninf_size = data_view.get_array_size()
@property
def a_quath4_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_snan)
return data_view.get(reserved_element_count=self.a_quath4_array_snan_size)
@a_quath4_array_snan.setter
def a_quath4_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_array_snan)
data_view.set(value)
self.a_quath4_array_snan_size = data_view.get_array_size()
@property
def a_quath4_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_inf)
return data_view.get()
@a_quath4_inf.setter
def a_quath4_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_inf)
data_view.set(value)
@property
def a_quath4_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_nan)
return data_view.get()
@a_quath4_nan.setter
def a_quath4_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_nan)
data_view.set(value)
@property
def a_quath4_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_ninf)
return data_view.get()
@a_quath4_ninf.setter
def a_quath4_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_ninf)
data_view.set(value)
@property
def a_quath4_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_snan)
return data_view.get()
@a_quath4_snan.setter
def a_quath4_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_quath4_snan)
data_view.set(value)
@property
def a_texcoordd2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_inf)
return data_view.get(reserved_element_count=self.a_texcoordd2_array_inf_size)
@a_texcoordd2_array_inf.setter
def a_texcoordd2_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_inf)
data_view.set(value)
self.a_texcoordd2_array_inf_size = data_view.get_array_size()
@property
def a_texcoordd2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_nan)
return data_view.get(reserved_element_count=self.a_texcoordd2_array_nan_size)
@a_texcoordd2_array_nan.setter
def a_texcoordd2_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_nan)
data_view.set(value)
self.a_texcoordd2_array_nan_size = data_view.get_array_size()
@property
def a_texcoordd2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_ninf)
return data_view.get(reserved_element_count=self.a_texcoordd2_array_ninf_size)
@a_texcoordd2_array_ninf.setter
def a_texcoordd2_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_ninf)
data_view.set(value)
self.a_texcoordd2_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordd2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_snan)
return data_view.get(reserved_element_count=self.a_texcoordd2_array_snan_size)
@a_texcoordd2_array_snan.setter
def a_texcoordd2_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_array_snan)
data_view.set(value)
self.a_texcoordd2_array_snan_size = data_view.get_array_size()
@property
def a_texcoordd2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_inf)
return data_view.get()
@a_texcoordd2_inf.setter
def a_texcoordd2_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_inf)
data_view.set(value)
@property
def a_texcoordd2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_nan)
return data_view.get()
@a_texcoordd2_nan.setter
def a_texcoordd2_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_nan)
data_view.set(value)
@property
def a_texcoordd2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_ninf)
return data_view.get()
@a_texcoordd2_ninf.setter
def a_texcoordd2_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_ninf)
data_view.set(value)
@property
def a_texcoordd2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_snan)
return data_view.get()
@a_texcoordd2_snan.setter
def a_texcoordd2_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd2_snan)
data_view.set(value)
@property
def a_texcoordd3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_inf)
return data_view.get(reserved_element_count=self.a_texcoordd3_array_inf_size)
@a_texcoordd3_array_inf.setter
def a_texcoordd3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_inf)
data_view.set(value)
self.a_texcoordd3_array_inf_size = data_view.get_array_size()
@property
def a_texcoordd3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_nan)
return data_view.get(reserved_element_count=self.a_texcoordd3_array_nan_size)
@a_texcoordd3_array_nan.setter
def a_texcoordd3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_nan)
data_view.set(value)
self.a_texcoordd3_array_nan_size = data_view.get_array_size()
@property
def a_texcoordd3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_ninf)
return data_view.get(reserved_element_count=self.a_texcoordd3_array_ninf_size)
@a_texcoordd3_array_ninf.setter
def a_texcoordd3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_ninf)
data_view.set(value)
self.a_texcoordd3_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordd3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_snan)
return data_view.get(reserved_element_count=self.a_texcoordd3_array_snan_size)
@a_texcoordd3_array_snan.setter
def a_texcoordd3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_array_snan)
data_view.set(value)
self.a_texcoordd3_array_snan_size = data_view.get_array_size()
@property
def a_texcoordd3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_inf)
return data_view.get()
@a_texcoordd3_inf.setter
def a_texcoordd3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_inf)
data_view.set(value)
@property
def a_texcoordd3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_nan)
return data_view.get()
@a_texcoordd3_nan.setter
def a_texcoordd3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_nan)
data_view.set(value)
@property
def a_texcoordd3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_ninf)
return data_view.get()
@a_texcoordd3_ninf.setter
def a_texcoordd3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_ninf)
data_view.set(value)
@property
def a_texcoordd3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_snan)
return data_view.get()
@a_texcoordd3_snan.setter
def a_texcoordd3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordd3_snan)
data_view.set(value)
@property
def a_texcoordf2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_inf)
return data_view.get(reserved_element_count=self.a_texcoordf2_array_inf_size)
@a_texcoordf2_array_inf.setter
def a_texcoordf2_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_inf)
data_view.set(value)
self.a_texcoordf2_array_inf_size = data_view.get_array_size()
@property
def a_texcoordf2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_nan)
return data_view.get(reserved_element_count=self.a_texcoordf2_array_nan_size)
@a_texcoordf2_array_nan.setter
def a_texcoordf2_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_nan)
data_view.set(value)
self.a_texcoordf2_array_nan_size = data_view.get_array_size()
@property
def a_texcoordf2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_ninf)
return data_view.get(reserved_element_count=self.a_texcoordf2_array_ninf_size)
@a_texcoordf2_array_ninf.setter
def a_texcoordf2_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_ninf)
data_view.set(value)
self.a_texcoordf2_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordf2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_snan)
return data_view.get(reserved_element_count=self.a_texcoordf2_array_snan_size)
@a_texcoordf2_array_snan.setter
def a_texcoordf2_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_array_snan)
data_view.set(value)
self.a_texcoordf2_array_snan_size = data_view.get_array_size()
@property
def a_texcoordf2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_inf)
return data_view.get()
@a_texcoordf2_inf.setter
def a_texcoordf2_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_inf)
data_view.set(value)
@property
def a_texcoordf2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_nan)
return data_view.get()
@a_texcoordf2_nan.setter
def a_texcoordf2_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_nan)
data_view.set(value)
@property
def a_texcoordf2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_ninf)
return data_view.get()
@a_texcoordf2_ninf.setter
def a_texcoordf2_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_ninf)
data_view.set(value)
@property
def a_texcoordf2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_snan)
return data_view.get()
@a_texcoordf2_snan.setter
def a_texcoordf2_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf2_snan)
data_view.set(value)
@property
def a_texcoordf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_inf)
return data_view.get(reserved_element_count=self.a_texcoordf3_array_inf_size)
@a_texcoordf3_array_inf.setter
def a_texcoordf3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_inf)
data_view.set(value)
self.a_texcoordf3_array_inf_size = data_view.get_array_size()
@property
def a_texcoordf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_nan)
return data_view.get(reserved_element_count=self.a_texcoordf3_array_nan_size)
@a_texcoordf3_array_nan.setter
def a_texcoordf3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_nan)
data_view.set(value)
self.a_texcoordf3_array_nan_size = data_view.get_array_size()
@property
def a_texcoordf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_ninf)
return data_view.get(reserved_element_count=self.a_texcoordf3_array_ninf_size)
@a_texcoordf3_array_ninf.setter
def a_texcoordf3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_ninf)
data_view.set(value)
self.a_texcoordf3_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_snan)
return data_view.get(reserved_element_count=self.a_texcoordf3_array_snan_size)
@a_texcoordf3_array_snan.setter
def a_texcoordf3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_array_snan)
data_view.set(value)
self.a_texcoordf3_array_snan_size = data_view.get_array_size()
@property
def a_texcoordf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_inf)
return data_view.get()
@a_texcoordf3_inf.setter
def a_texcoordf3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_inf)
data_view.set(value)
@property
def a_texcoordf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_nan)
return data_view.get()
@a_texcoordf3_nan.setter
def a_texcoordf3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_nan)
data_view.set(value)
@property
def a_texcoordf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_ninf)
return data_view.get()
@a_texcoordf3_ninf.setter
def a_texcoordf3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_ninf)
data_view.set(value)
@property
def a_texcoordf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_snan)
return data_view.get()
@a_texcoordf3_snan.setter
def a_texcoordf3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordf3_snan)
data_view.set(value)
@property
def a_texcoordh2_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_inf)
return data_view.get(reserved_element_count=self.a_texcoordh2_array_inf_size)
@a_texcoordh2_array_inf.setter
def a_texcoordh2_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_inf)
data_view.set(value)
self.a_texcoordh2_array_inf_size = data_view.get_array_size()
@property
def a_texcoordh2_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_nan)
return data_view.get(reserved_element_count=self.a_texcoordh2_array_nan_size)
@a_texcoordh2_array_nan.setter
def a_texcoordh2_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_nan)
data_view.set(value)
self.a_texcoordh2_array_nan_size = data_view.get_array_size()
@property
def a_texcoordh2_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_ninf)
return data_view.get(reserved_element_count=self.a_texcoordh2_array_ninf_size)
@a_texcoordh2_array_ninf.setter
def a_texcoordh2_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_ninf)
data_view.set(value)
self.a_texcoordh2_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordh2_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_snan)
return data_view.get(reserved_element_count=self.a_texcoordh2_array_snan_size)
@a_texcoordh2_array_snan.setter
def a_texcoordh2_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_array_snan)
data_view.set(value)
self.a_texcoordh2_array_snan_size = data_view.get_array_size()
@property
def a_texcoordh2_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_inf)
return data_view.get()
@a_texcoordh2_inf.setter
def a_texcoordh2_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_inf)
data_view.set(value)
@property
def a_texcoordh2_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_nan)
return data_view.get()
@a_texcoordh2_nan.setter
def a_texcoordh2_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_nan)
data_view.set(value)
@property
def a_texcoordh2_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_ninf)
return data_view.get()
@a_texcoordh2_ninf.setter
def a_texcoordh2_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_ninf)
data_view.set(value)
@property
def a_texcoordh2_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_snan)
return data_view.get()
@a_texcoordh2_snan.setter
def a_texcoordh2_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh2_snan)
data_view.set(value)
@property
def a_texcoordh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_inf)
return data_view.get(reserved_element_count=self.a_texcoordh3_array_inf_size)
@a_texcoordh3_array_inf.setter
def a_texcoordh3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_inf)
data_view.set(value)
self.a_texcoordh3_array_inf_size = data_view.get_array_size()
@property
def a_texcoordh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_nan)
return data_view.get(reserved_element_count=self.a_texcoordh3_array_nan_size)
@a_texcoordh3_array_nan.setter
def a_texcoordh3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_nan)
data_view.set(value)
self.a_texcoordh3_array_nan_size = data_view.get_array_size()
@property
def a_texcoordh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_ninf)
return data_view.get(reserved_element_count=self.a_texcoordh3_array_ninf_size)
@a_texcoordh3_array_ninf.setter
def a_texcoordh3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_ninf)
data_view.set(value)
self.a_texcoordh3_array_ninf_size = data_view.get_array_size()
@property
def a_texcoordh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_snan)
return data_view.get(reserved_element_count=self.a_texcoordh3_array_snan_size)
@a_texcoordh3_array_snan.setter
def a_texcoordh3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_array_snan)
data_view.set(value)
self.a_texcoordh3_array_snan_size = data_view.get_array_size()
@property
def a_texcoordh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_inf)
return data_view.get()
@a_texcoordh3_inf.setter
def a_texcoordh3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_inf)
data_view.set(value)
@property
def a_texcoordh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_nan)
return data_view.get()
@a_texcoordh3_nan.setter
def a_texcoordh3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_nan)
data_view.set(value)
@property
def a_texcoordh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_ninf)
return data_view.get()
@a_texcoordh3_ninf.setter
def a_texcoordh3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_ninf)
data_view.set(value)
@property
def a_texcoordh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_snan)
return data_view.get()
@a_texcoordh3_snan.setter
def a_texcoordh3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_texcoordh3_snan)
data_view.set(value)
@property
def a_timecode_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_inf)
return data_view.get(reserved_element_count=self.a_timecode_array_inf_size)
@a_timecode_array_inf.setter
def a_timecode_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_inf)
data_view.set(value)
self.a_timecode_array_inf_size = data_view.get_array_size()
@property
def a_timecode_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_nan)
return data_view.get(reserved_element_count=self.a_timecode_array_nan_size)
@a_timecode_array_nan.setter
def a_timecode_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_nan)
data_view.set(value)
self.a_timecode_array_nan_size = data_view.get_array_size()
@property
def a_timecode_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_ninf)
return data_view.get(reserved_element_count=self.a_timecode_array_ninf_size)
@a_timecode_array_ninf.setter
def a_timecode_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_ninf)
data_view.set(value)
self.a_timecode_array_ninf_size = data_view.get_array_size()
@property
def a_timecode_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_snan)
return data_view.get(reserved_element_count=self.a_timecode_array_snan_size)
@a_timecode_array_snan.setter
def a_timecode_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_array_snan)
data_view.set(value)
self.a_timecode_array_snan_size = data_view.get_array_size()
@property
def a_timecode_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_inf)
return data_view.get()
@a_timecode_inf.setter
def a_timecode_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_inf)
data_view.set(value)
@property
def a_timecode_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_nan)
return data_view.get()
@a_timecode_nan.setter
def a_timecode_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_nan)
data_view.set(value)
@property
def a_timecode_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_ninf)
return data_view.get()
@a_timecode_ninf.setter
def a_timecode_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_ninf)
data_view.set(value)
@property
def a_timecode_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_snan)
return data_view.get()
@a_timecode_snan.setter
def a_timecode_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_timecode_snan)
data_view.set(value)
@property
def a_vectord3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_inf)
return data_view.get(reserved_element_count=self.a_vectord3_array_inf_size)
@a_vectord3_array_inf.setter
def a_vectord3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_inf)
data_view.set(value)
self.a_vectord3_array_inf_size = data_view.get_array_size()
@property
def a_vectord3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_nan)
return data_view.get(reserved_element_count=self.a_vectord3_array_nan_size)
@a_vectord3_array_nan.setter
def a_vectord3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_nan)
data_view.set(value)
self.a_vectord3_array_nan_size = data_view.get_array_size()
@property
def a_vectord3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_ninf)
return data_view.get(reserved_element_count=self.a_vectord3_array_ninf_size)
@a_vectord3_array_ninf.setter
def a_vectord3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_ninf)
data_view.set(value)
self.a_vectord3_array_ninf_size = data_view.get_array_size()
@property
def a_vectord3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_snan)
return data_view.get(reserved_element_count=self.a_vectord3_array_snan_size)
@a_vectord3_array_snan.setter
def a_vectord3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_array_snan)
data_view.set(value)
self.a_vectord3_array_snan_size = data_view.get_array_size()
@property
def a_vectord3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_inf)
return data_view.get()
@a_vectord3_inf.setter
def a_vectord3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_inf)
data_view.set(value)
@property
def a_vectord3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_nan)
return data_view.get()
@a_vectord3_nan.setter
def a_vectord3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_nan)
data_view.set(value)
@property
def a_vectord3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_ninf)
return data_view.get()
@a_vectord3_ninf.setter
def a_vectord3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_ninf)
data_view.set(value)
@property
def a_vectord3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_snan)
return data_view.get()
@a_vectord3_snan.setter
def a_vectord3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectord3_snan)
data_view.set(value)
@property
def a_vectorf3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_inf)
return data_view.get(reserved_element_count=self.a_vectorf3_array_inf_size)
@a_vectorf3_array_inf.setter
def a_vectorf3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_inf)
data_view.set(value)
self.a_vectorf3_array_inf_size = data_view.get_array_size()
@property
def a_vectorf3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_nan)
return data_view.get(reserved_element_count=self.a_vectorf3_array_nan_size)
@a_vectorf3_array_nan.setter
def a_vectorf3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_nan)
data_view.set(value)
self.a_vectorf3_array_nan_size = data_view.get_array_size()
@property
def a_vectorf3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_ninf)
return data_view.get(reserved_element_count=self.a_vectorf3_array_ninf_size)
@a_vectorf3_array_ninf.setter
def a_vectorf3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_ninf)
data_view.set(value)
self.a_vectorf3_array_ninf_size = data_view.get_array_size()
@property
def a_vectorf3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_snan)
return data_view.get(reserved_element_count=self.a_vectorf3_array_snan_size)
@a_vectorf3_array_snan.setter
def a_vectorf3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_array_snan)
data_view.set(value)
self.a_vectorf3_array_snan_size = data_view.get_array_size()
@property
def a_vectorf3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_inf)
return data_view.get()
@a_vectorf3_inf.setter
def a_vectorf3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_inf)
data_view.set(value)
@property
def a_vectorf3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_nan)
return data_view.get()
@a_vectorf3_nan.setter
def a_vectorf3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_nan)
data_view.set(value)
@property
def a_vectorf3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_ninf)
return data_view.get()
@a_vectorf3_ninf.setter
def a_vectorf3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_ninf)
data_view.set(value)
@property
def a_vectorf3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_snan)
return data_view.get()
@a_vectorf3_snan.setter
def a_vectorf3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorf3_snan)
data_view.set(value)
@property
def a_vectorh3_array_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_inf)
return data_view.get(reserved_element_count=self.a_vectorh3_array_inf_size)
@a_vectorh3_array_inf.setter
def a_vectorh3_array_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_inf)
data_view.set(value)
self.a_vectorh3_array_inf_size = data_view.get_array_size()
@property
def a_vectorh3_array_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_nan)
return data_view.get(reserved_element_count=self.a_vectorh3_array_nan_size)
@a_vectorh3_array_nan.setter
def a_vectorh3_array_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_nan)
data_view.set(value)
self.a_vectorh3_array_nan_size = data_view.get_array_size()
@property
def a_vectorh3_array_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_ninf)
return data_view.get(reserved_element_count=self.a_vectorh3_array_ninf_size)
@a_vectorh3_array_ninf.setter
def a_vectorh3_array_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_ninf)
data_view.set(value)
self.a_vectorh3_array_ninf_size = data_view.get_array_size()
@property
def a_vectorh3_array_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_snan)
return data_view.get(reserved_element_count=self.a_vectorh3_array_snan_size)
@a_vectorh3_array_snan.setter
def a_vectorh3_array_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_array_snan)
data_view.set(value)
self.a_vectorh3_array_snan_size = data_view.get_array_size()
@property
def a_vectorh3_inf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_inf)
return data_view.get()
@a_vectorh3_inf.setter
def a_vectorh3_inf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_inf)
data_view.set(value)
@property
def a_vectorh3_nan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_nan)
return data_view.get()
@a_vectorh3_nan.setter
def a_vectorh3_nan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_nan)
data_view.set(value)
@property
def a_vectorh3_ninf(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_ninf)
return data_view.get()
@a_vectorh3_ninf.setter
def a_vectorh3_ninf(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_ninf)
data_view.set(value)
@property
def a_vectorh3_snan(self):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_snan)
return data_view.get()
@a_vectorh3_snan.setter
def a_vectorh3_snan(self, value):
data_view = og.AttributeValueHelper(self._attributes.a_vectorh3_snan)
data_view.set(value)
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestNanInfDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestNanInfDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestNanInfDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 500,510 |
Python
| 51.272689 | 919 | 0.605872 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnRandomBundlePointsDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.RandomBundlePoints
Generate a bundle of 'bundleSize' arrays of 'pointCount' points at random locations within the bounding cube delineated by
the corner points 'minimum' and 'maximum'.
"""
import carb
import numpy
import carb
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnRandomBundlePointsDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.RandomBundlePoints
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.bundleSize
inputs.maximum
inputs.minimum
inputs.pointCount
Outputs:
outputs.bundle
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:bundleSize', 'int', 0, 'Bundle Size', 'Number of point attributes to generate in the bundle', {}, True, 0, False, ''),
('inputs:maximum', 'point3f', 0, 'Bounding Cube Maximum', 'Highest X, Y, Z values for the bounding volume', {ogn.MetadataKeys.DEFAULT: '[1.0, 1.0, 1.0]'}, True, [1.0, 1.0, 1.0], False, ''),
('inputs:minimum', 'point3f', 0, 'Bounding Cube Minimum', 'Lowest X, Y, Z values for the bounding volume', {ogn.MetadataKeys.DEFAULT: '[0.0, 0.0, 0.0]'}, True, [0.0, 0.0, 0.0], False, ''),
('inputs:pointCount', 'uint64', 0, 'Point Count', 'Number of points to generate', {}, True, 0, False, ''),
('outputs:bundle', 'bundle', 0, 'Random Bundle', 'Randomly generated bundle of attributes containing random points', {}, True, None, False, ''),
])
@classmethod
def _populate_role_data(cls):
"""Populate a role structure with the non-default roles on this node type"""
role_data = super()._populate_role_data()
role_data.inputs.maximum = og.AttributeRole.POSITION
role_data.inputs.minimum = og.AttributeRole.POSITION
role_data.outputs.bundle = og.AttributeRole.BUNDLE
return role_data
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def bundleSize(self):
data_view = og.AttributeValueHelper(self._attributes.bundleSize)
return data_view.get()
@bundleSize.setter
def bundleSize(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.bundleSize)
data_view = og.AttributeValueHelper(self._attributes.bundleSize)
data_view.set(value)
@property
def maximum(self):
data_view = og.AttributeValueHelper(self._attributes.maximum)
return data_view.get()
@maximum.setter
def maximum(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.maximum)
data_view = og.AttributeValueHelper(self._attributes.maximum)
data_view.set(value)
@property
def minimum(self):
data_view = og.AttributeValueHelper(self._attributes.minimum)
return data_view.get()
@minimum.setter
def minimum(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.minimum)
data_view = og.AttributeValueHelper(self._attributes.minimum)
data_view.set(value)
@property
def pointCount(self):
data_view = og.AttributeValueHelper(self._attributes.pointCount)
return data_view.get()
@pointCount.setter
def pointCount(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.pointCount)
data_view = og.AttributeValueHelper(self._attributes.pointCount)
data_view.set(value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.__bundles = og.BundleContainer(context, node, attributes, [], read_only=False, gpu_ptr_kinds={})
self._batchedWriteValues = { }
@property
def bundle(self) -> og.BundleContents:
"""Get the bundle wrapper class for the attribute outputs.bundle"""
return self.__bundles.bundle
@bundle.setter
def bundle(self, bundle: og.BundleContents):
"""Overwrite the bundle attribute outputs.bundle with a new bundle"""
if not isinstance(bundle, og.BundleContents):
carb.log_error("Only bundle attributes can be assigned to another bundle attribute")
self.__bundles.bundle.bundle = bundle
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnRandomBundlePointsDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnRandomBundlePointsDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnRandomBundlePointsDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 7,913 |
Python
| 46.389221 | 197 | 0.657652 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestScatterDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TestScatter
Test node to test out the effects of vectorization. Scatters the results of gathered compute back to FC
"""
import carb
import numpy
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnTestScatterDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TestScatter
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.gathered_paths
inputs.rotations
Outputs:
outputs.gathered_paths
outputs.rotations
outputs.single_rotation
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:gathered_paths', 'token[]', 0, None, 'The paths of the gathered objects', {ogn.MetadataKeys.DEFAULT: '[]'}, True, [], False, ''),
('inputs:rotations', 'double3[]', 0, None, 'The rotations of the gathered points', {ogn.MetadataKeys.DEFAULT: '[]'}, True, [], False, ''),
('outputs:gathered_paths', 'token[]', 0, None, 'The paths of the gathered objects', {ogn.MetadataKeys.DEFAULT: '[]'}, True, [], False, ''),
('outputs:rotations', 'double3[]', 0, None, 'The rotations of the gathered points', {ogn.MetadataKeys.DEFAULT: '[]'}, True, [], False, ''),
('outputs:single_rotation', 'double3', 0, None, 'Placeholder single rotation until we get the scatter working properly', {ogn.MetadataKeys.DEFAULT: '[0, 0, 0]'}, True, [0, 0, 0], False, ''),
])
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def gathered_paths(self):
data_view = og.AttributeValueHelper(self._attributes.gathered_paths)
return data_view.get()
@gathered_paths.setter
def gathered_paths(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.gathered_paths)
data_view = og.AttributeValueHelper(self._attributes.gathered_paths)
data_view.set(value)
self.gathered_paths_size = data_view.get_array_size()
@property
def rotations(self):
data_view = og.AttributeValueHelper(self._attributes.rotations)
return data_view.get()
@rotations.setter
def rotations(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.rotations)
data_view = og.AttributeValueHelper(self._attributes.rotations)
data_view.set(value)
self.rotations_size = data_view.get_array_size()
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.gathered_paths_size = 0
self.rotations_size = 0
self._batchedWriteValues = { }
@property
def gathered_paths(self):
data_view = og.AttributeValueHelper(self._attributes.gathered_paths)
return data_view.get(reserved_element_count=self.gathered_paths_size)
@gathered_paths.setter
def gathered_paths(self, value):
data_view = og.AttributeValueHelper(self._attributes.gathered_paths)
data_view.set(value)
self.gathered_paths_size = data_view.get_array_size()
@property
def rotations(self):
data_view = og.AttributeValueHelper(self._attributes.rotations)
return data_view.get(reserved_element_count=self.rotations_size)
@rotations.setter
def rotations(self, value):
data_view = og.AttributeValueHelper(self._attributes.rotations)
data_view.set(value)
self.rotations_size = data_view.get_array_size()
@property
def single_rotation(self):
data_view = og.AttributeValueHelper(self._attributes.single_rotation)
return data_view.get()
@single_rotation.setter
def single_rotation(self, value):
data_view = og.AttributeValueHelper(self._attributes.single_rotation)
data_view.set(value)
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestScatterDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestScatterDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestScatterDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 7,389 |
Python
| 46.677419 | 198 | 0.658411 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestWriteVariablePyDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TestWriteVariablePy
Node that test writes a value to a variable in python
"""
from typing import Any
import carb
import sys
import traceback
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnTestWriteVariablePyDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TestWriteVariablePy
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.execIn
inputs.value
inputs.variableName
Outputs:
outputs.execOut
outputs.value
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:execIn', 'execution', 0, None, 'Input execution state', {}, True, None, False, ''),
('inputs:value', 'any', 2, None, 'The new value to be written', {}, True, None, False, ''),
('inputs:variableName', 'token', 0, None, 'The name of the graph variable to use.', {}, True, "", False, ''),
('outputs:execOut', 'execution', 0, None, 'Output execution', {}, True, None, False, ''),
('outputs:value', 'any', 2, None, 'The newly written value', {}, True, None, False, ''),
])
@classmethod
def _populate_role_data(cls):
"""Populate a role structure with the non-default roles on this node type"""
role_data = super()._populate_role_data()
role_data.inputs.execIn = og.AttributeRole.EXECUTION
role_data.outputs.execOut = og.AttributeRole.EXECUTION
return role_data
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = {"execIn", "variableName", "_setting_locked", "_batchedReadAttributes", "_batchedReadValues"}
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = [self._attributes.execIn, self._attributes.variableName]
self._batchedReadValues = [None, ""]
@property
def value(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute inputs.value"""
return og.RuntimeAttribute(self._attributes.value.get_attribute_data(), self._context, True)
@value.setter
def value(self, value_to_set: Any):
"""Assign another attribute's value to outputs.value"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.value.value = value_to_set.value
else:
self.value.value = value_to_set
@property
def execIn(self):
return self._batchedReadValues[0]
@execIn.setter
def execIn(self, value):
self._batchedReadValues[0] = value
@property
def variableName(self):
return self._batchedReadValues[1]
@variableName.setter
def variableName(self, value):
self._batchedReadValues[1] = value
def __getattr__(self, item: str):
if item in self.LOCAL_PROPERTY_NAMES:
return object.__getattribute__(self, item)
else:
return super().__getattr__(item)
def __setattr__(self, item: str, new_value):
if item in self.LOCAL_PROPERTY_NAMES:
object.__setattr__(self, item, new_value)
else:
super().__setattr__(item, new_value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = {"execOut", "_batchedWriteValues"}
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedWriteValues = { }
@property
def value(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute outputs.value"""
return og.RuntimeAttribute(self._attributes.value.get_attribute_data(), self._context, False)
@value.setter
def value(self, value_to_set: Any):
"""Assign another attribute's value to outputs.value"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.value.value = value_to_set.value
else:
self.value.value = value_to_set
@property
def execOut(self):
value = self._batchedWriteValues.get(self._attributes.execOut)
if value:
return value
else:
data_view = og.AttributeValueHelper(self._attributes.execOut)
return data_view.get()
@execOut.setter
def execOut(self, value):
self._batchedWriteValues[self._attributes.execOut] = value
def __getattr__(self, item: str):
if item in self.LOCAL_PROPERTY_NAMES:
return object.__getattribute__(self, item)
else:
return super().__getattr__(item)
def __setattr__(self, item: str, new_value):
if item in self.LOCAL_PROPERTY_NAMES:
object.__setattr__(self, item, new_value)
else:
super().__setattr__(item, new_value)
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestWriteVariablePyDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestWriteVariablePyDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestWriteVariablePyDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
class abi:
"""Class defining the ABI interface for the node type"""
@staticmethod
def get_node_type():
get_node_type_function = getattr(OgnTestWriteVariablePyDatabase.NODE_TYPE_CLASS, 'get_node_type', None)
if callable(get_node_type_function):
return get_node_type_function()
return 'omni.graph.test.TestWriteVariablePy'
@staticmethod
def compute(context, node):
def database_valid():
if db.inputs.value.type.base_type == og.BaseDataType.UNKNOWN:
db.log_warning('Required extended attribute inputs:value is not resolved, compute skipped')
return False
if db.outputs.value.type.base_type == og.BaseDataType.UNKNOWN:
db.log_warning('Required extended attribute outputs:value is not resolved, compute skipped')
return False
return True
try:
per_node_data = OgnTestWriteVariablePyDatabase.PER_NODE_DATA[node.node_id()]
db = per_node_data.get('_db')
if db is None:
db = OgnTestWriteVariablePyDatabase(node)
per_node_data['_db'] = db
if not database_valid():
per_node_data['_db'] = None
return False
except:
db = OgnTestWriteVariablePyDatabase(node)
try:
compute_function = getattr(OgnTestWriteVariablePyDatabase.NODE_TYPE_CLASS, 'compute', None)
if callable(compute_function) and compute_function.__code__.co_argcount > 1:
return compute_function(context, node)
db.inputs._prefetch()
db.inputs._setting_locked = True
with og.in_compute():
return OgnTestWriteVariablePyDatabase.NODE_TYPE_CLASS.compute(db)
except Exception as error:
stack_trace = "".join(traceback.format_tb(sys.exc_info()[2].tb_next))
db.log_error(f'Assertion raised in compute - {error}\n{stack_trace}', add_context=False)
finally:
db.inputs._setting_locked = False
db.outputs._commit()
return False
@staticmethod
def initialize(context, node):
OgnTestWriteVariablePyDatabase._initialize_per_node_data(node)
initialize_function = getattr(OgnTestWriteVariablePyDatabase.NODE_TYPE_CLASS, 'initialize', None)
if callable(initialize_function):
initialize_function(context, node)
per_node_data = OgnTestWriteVariablePyDatabase.PER_NODE_DATA[node.node_id()]
def on_connection_or_disconnection(*args):
per_node_data['_db'] = None
node.register_on_connected_callback(on_connection_or_disconnection)
node.register_on_disconnected_callback(on_connection_or_disconnection)
@staticmethod
def release(node):
release_function = getattr(OgnTestWriteVariablePyDatabase.NODE_TYPE_CLASS, 'release', None)
if callable(release_function):
release_function(node)
OgnTestWriteVariablePyDatabase._release_per_node_data(node)
@staticmethod
def release_instance(node, target):
OgnTestWriteVariablePyDatabase._release_per_node_instance_data(node, target)
@staticmethod
def update_node_version(context, node, old_version, new_version):
update_node_version_function = getattr(OgnTestWriteVariablePyDatabase.NODE_TYPE_CLASS, 'update_node_version', None)
if callable(update_node_version_function):
return update_node_version_function(context, node, old_version, new_version)
return False
@staticmethod
def initialize_type(node_type):
initialize_type_function = getattr(OgnTestWriteVariablePyDatabase.NODE_TYPE_CLASS, 'initialize_type', None)
needs_initializing = True
if callable(initialize_type_function):
needs_initializing = initialize_type_function(node_type)
if needs_initializing:
node_type.set_metadata(ogn.MetadataKeys.EXTENSION, "omni.graph.test")
node_type.set_metadata(ogn.MetadataKeys.UI_NAME, "Write Variable")
node_type.set_metadata(ogn.MetadataKeys.CATEGORIES, "internal:test")
node_type.set_metadata(ogn.MetadataKeys.DESCRIPTION, "Node that test writes a value to a variable in python")
node_type.set_metadata(ogn.MetadataKeys.EXCLUSIONS, "tests,usd,docs")
node_type.set_metadata(ogn.MetadataKeys.LANGUAGE, "Python")
icon_path = carb.tokens.get_tokens_interface().resolve("${omni.graph.test}")
icon_path = icon_path + '/' + "ogn/icons/omni.graph.test.TestWriteVariablePy.svg"
node_type.set_metadata(ogn.MetadataKeys.ICON_PATH, icon_path)
OgnTestWriteVariablePyDatabase.INTERFACE.add_to_node_type(node_type)
@staticmethod
def on_connection_type_resolve(node):
on_connection_type_resolve_function = getattr(OgnTestWriteVariablePyDatabase.NODE_TYPE_CLASS, 'on_connection_type_resolve', None)
if callable(on_connection_type_resolve_function):
on_connection_type_resolve_function(node)
NODE_TYPE_CLASS = None
@staticmethod
def register(node_type_class):
OgnTestWriteVariablePyDatabase.NODE_TYPE_CLASS = node_type_class
og.register_node_type(OgnTestWriteVariablePyDatabase.abi, 1)
@staticmethod
def deregister():
og.deregister_node_type("omni.graph.test.TestWriteVariablePy")
| 13,982 |
Python
| 45.61 | 141 | 0.629667 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestTypeResolutionDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TypeResolution
Test node, explicitly constructed to make the attribute type resolution mechanism testable. It has output attributes with
union and any types whose type will be resolved at runtime when they are connected to inputs with a fixed type. The extra
string output provides the resolution information to the test script for verification
"""
from typing import Any
import carb
import numpy
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnTestTypeResolutionDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TypeResolution
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.anyValueIn
Outputs:
outputs.anyValue
outputs.arrayValue
outputs.mixedValue
outputs.resolvedType
outputs.tupleArrayValue
outputs.tupleValue
outputs.value
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:anyValueIn', 'any', 2, None, 'Input that can resolve to any type. Internally the node couples \nthe types of inputs:anyValueIn -> outputs:anyValue. Meaning if one is resolved it will\nautomatically resolve the other', {}, True, None, False, ''),
('outputs:anyValue', 'any', 2, None, 'Output that can resolve to any type at all', {}, True, None, False, ''),
('outputs:arrayValue', 'double[],float[],int64[],int[],uint64[],uint[]', 1, None, 'Output that only resolves to one of the numeric array types.', {}, True, None, False, ''),
('outputs:mixedValue', 'float,float[3],float[3][],float[]', 1, None, 'Output that can resolve to data of different shapes.', {}, True, None, False, ''),
('outputs:resolvedType', 'token[]', 0, None, "Array of strings representing the output attribute's type resolutions.\nThe array items consist of comma-separated pairs of strings representing\nthe output attribute name and the type to which it is currently resolved.\ne.g. if the attribute 'foo' is an integer there would be one entry in the array\nwith the string 'foo,int'", {}, True, None, False, ''),
('outputs:tupleArrayValue', 'double[3][],float[3][],int[3][]', 1, None, 'Output that only resolves to one of the numeric tuple array types.', {}, True, None, False, ''),
('outputs:tupleValue', 'double[3],float[3],int[3]', 1, None, 'Output that only resolves to one of the numeric tuple types.', {}, True, None, False, ''),
('outputs:value', 'double,float,int,int64,uint,uint64', 1, None, 'Output that only resolves to one of the numeric types.', {}, True, None, False, ''),
])
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def anyValueIn(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute inputs.anyValueIn"""
return og.RuntimeAttribute(self._attributes.anyValueIn.get_attribute_data(), self._context, True)
@anyValueIn.setter
def anyValueIn(self, value_to_set: Any):
"""Assign another attribute's value to outputs.anyValueIn"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.anyValueIn.value = value_to_set.value
else:
self.anyValueIn.value = value_to_set
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.resolvedType_size = None
self._batchedWriteValues = { }
@property
def anyValue(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute outputs.anyValue"""
return og.RuntimeAttribute(self._attributes.anyValue.get_attribute_data(), self._context, False)
@anyValue.setter
def anyValue(self, value_to_set: Any):
"""Assign another attribute's value to outputs.anyValue"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.anyValue.value = value_to_set.value
else:
self.anyValue.value = value_to_set
@property
def arrayValue(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute outputs.arrayValue"""
return og.RuntimeAttribute(self._attributes.arrayValue.get_attribute_data(), self._context, False)
@arrayValue.setter
def arrayValue(self, value_to_set: Any):
"""Assign another attribute's value to outputs.arrayValue"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.arrayValue.value = value_to_set.value
else:
self.arrayValue.value = value_to_set
@property
def mixedValue(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute outputs.mixedValue"""
return og.RuntimeAttribute(self._attributes.mixedValue.get_attribute_data(), self._context, False)
@mixedValue.setter
def mixedValue(self, value_to_set: Any):
"""Assign another attribute's value to outputs.mixedValue"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.mixedValue.value = value_to_set.value
else:
self.mixedValue.value = value_to_set
@property
def resolvedType(self):
data_view = og.AttributeValueHelper(self._attributes.resolvedType)
return data_view.get(reserved_element_count=self.resolvedType_size)
@resolvedType.setter
def resolvedType(self, value):
data_view = og.AttributeValueHelper(self._attributes.resolvedType)
data_view.set(value)
self.resolvedType_size = data_view.get_array_size()
@property
def tupleArrayValue(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute outputs.tupleArrayValue"""
return og.RuntimeAttribute(self._attributes.tupleArrayValue.get_attribute_data(), self._context, False)
@tupleArrayValue.setter
def tupleArrayValue(self, value_to_set: Any):
"""Assign another attribute's value to outputs.tupleArrayValue"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.tupleArrayValue.value = value_to_set.value
else:
self.tupleArrayValue.value = value_to_set
@property
def tupleValue(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute outputs.tupleValue"""
return og.RuntimeAttribute(self._attributes.tupleValue.get_attribute_data(), self._context, False)
@tupleValue.setter
def tupleValue(self, value_to_set: Any):
"""Assign another attribute's value to outputs.tupleValue"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.tupleValue.value = value_to_set.value
else:
self.tupleValue.value = value_to_set
@property
def value(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute outputs.value"""
return og.RuntimeAttribute(self._attributes.value.get_attribute_data(), self._context, False)
@value.setter
def value(self, value_to_set: Any):
"""Assign another attribute's value to outputs.value"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.value.value = value_to_set.value
else:
self.value.value = value_to_set
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestTypeResolutionDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestTypeResolutionDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestTypeResolutionDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 10,983 |
Python
| 52.062802 | 411 | 0.660748 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestCppKeywordsDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TestCppKeywords
Test that attributes named for C++ keywords produce valid code
"""
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnTestCppKeywordsDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TestCppKeywords
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.atomic_cancel
inputs.atomic_commit
inputs.atomic_noexcept
inputs.consteval
inputs.constinit
inputs.reflexpr
inputs.requires
Outputs:
outputs.verify
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:atomic_cancel', 'float', 0, None, 'KW Test for atomic_cancel', {}, True, 0.0, False, ''),
('inputs:atomic_commit', 'float', 0, None, 'KW Test for atomic_commit', {}, True, 0.0, False, ''),
('inputs:atomic_noexcept', 'float', 0, None, 'KW Test for atomic_noexcept', {}, True, 0.0, False, ''),
('inputs:consteval', 'float', 0, None, 'KW Test for consteval', {}, True, 0.0, False, ''),
('inputs:constinit', 'float', 0, None, 'KW Test for constinit', {}, True, 0.0, False, ''),
('inputs:reflexpr', 'float', 0, None, 'KW Test for reflexpr', {}, True, 0.0, False, ''),
('inputs:requires', 'float', 0, None, 'KW Test for requires', {}, True, 0.0, False, ''),
('outputs:verify', 'bool', 0, None, 'Flag to indicate that a node was created and executed', {}, True, None, False, ''),
])
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def atomic_cancel(self):
data_view = og.AttributeValueHelper(self._attributes.atomic_cancel)
return data_view.get()
@atomic_cancel.setter
def atomic_cancel(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.atomic_cancel)
data_view = og.AttributeValueHelper(self._attributes.atomic_cancel)
data_view.set(value)
@property
def atomic_commit(self):
data_view = og.AttributeValueHelper(self._attributes.atomic_commit)
return data_view.get()
@atomic_commit.setter
def atomic_commit(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.atomic_commit)
data_view = og.AttributeValueHelper(self._attributes.atomic_commit)
data_view.set(value)
@property
def atomic_noexcept(self):
data_view = og.AttributeValueHelper(self._attributes.atomic_noexcept)
return data_view.get()
@atomic_noexcept.setter
def atomic_noexcept(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.atomic_noexcept)
data_view = og.AttributeValueHelper(self._attributes.atomic_noexcept)
data_view.set(value)
@property
def consteval(self):
data_view = og.AttributeValueHelper(self._attributes.consteval)
return data_view.get()
@consteval.setter
def consteval(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.consteval)
data_view = og.AttributeValueHelper(self._attributes.consteval)
data_view.set(value)
@property
def constinit(self):
data_view = og.AttributeValueHelper(self._attributes.constinit)
return data_view.get()
@constinit.setter
def constinit(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.constinit)
data_view = og.AttributeValueHelper(self._attributes.constinit)
data_view.set(value)
@property
def reflexpr(self):
data_view = og.AttributeValueHelper(self._attributes.reflexpr)
return data_view.get()
@reflexpr.setter
def reflexpr(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.reflexpr)
data_view = og.AttributeValueHelper(self._attributes.reflexpr)
data_view.set(value)
@property
def requires(self):
data_view = og.AttributeValueHelper(self._attributes.requires)
return data_view.get()
@requires.setter
def requires(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.requires)
data_view = og.AttributeValueHelper(self._attributes.requires)
data_view.set(value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedWriteValues = { }
@property
def verify(self):
data_view = og.AttributeValueHelper(self._attributes.verify)
return data_view.get()
@verify.setter
def verify(self, value):
data_view = og.AttributeValueHelper(self._attributes.verify)
data_view.set(value)
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestCppKeywordsDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestCppKeywordsDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestCppKeywordsDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 8,546 |
Python
| 43.284974 | 128 | 0.639129 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnTestAddAnyTypeAnyMemoryDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.TestAddAnyTypeAnyMemory
Test node that sum 2 runtime attributes that live either on the cpu or the gpu
"""
from typing import Any
import carb
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnTestAddAnyTypeAnyMemoryDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.TestAddAnyTypeAnyMemory
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.scalar
inputs.vec
Outputs:
outputs.outCpu
outputs.outGpu
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:scalar', 'double,float', 1, None, 'A scalar to add to each vector component', {ogn.MetadataKeys.MEMORY_TYPE: 'any'}, True, None, False, ''),
('inputs:vec', 'double[3],float[3]', 1, None, 'vector[3] Input ', {ogn.MetadataKeys.MEMORY_TYPE: 'any'}, True, None, False, ''),
('outputs:outCpu', 'double[3],float[3]', 1, None, 'The result of the scalar added to each component of the vector on the CPU', {ogn.MetadataKeys.MEMORY_TYPE: 'cpu'}, True, None, False, ''),
('outputs:outGpu', 'double[3],float[3]', 1, None, 'The result of the scalar added to each component of the vector on the GPU', {ogn.MetadataKeys.MEMORY_TYPE: 'cuda'}, True, None, False, ''),
])
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def scalar(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute inputs.scalar"""
return og.RuntimeAttribute(self._attributes.scalar.get_attribute_data(), self._context, True)
@scalar.setter
def scalar(self, value_to_set: Any):
"""Assign another attribute's value to outputs.scalar"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.scalar.value = value_to_set.value
else:
self.scalar.value = value_to_set
@property
def vec(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute inputs.vec"""
return og.RuntimeAttribute(self._attributes.vec.get_attribute_data(), self._context, True)
@vec.setter
def vec(self, value_to_set: Any):
"""Assign another attribute's value to outputs.vec"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.vec.value = value_to_set.value
else:
self.vec.value = value_to_set
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self._batchedWriteValues = { }
@property
def outCpu(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute outputs.outCpu"""
return og.RuntimeAttribute(self._attributes.outCpu.get_attribute_data(), self._context, False)
@outCpu.setter
def outCpu(self, value_to_set: Any):
"""Assign another attribute's value to outputs.outCpu"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.outCpu.value = value_to_set.value
else:
self.outCpu.value = value_to_set
@property
def outGpu(self) -> og.RuntimeAttribute:
"""Get the runtime wrapper class for the attribute outputs.outGpu"""
return og.RuntimeAttribute(self._attributes.outGpu.get_attribute_data(), self._context, False)
@outGpu.setter
def outGpu(self, value_to_set: Any):
"""Assign another attribute's value to outputs.outGpu"""
if isinstance(value_to_set, og.RuntimeAttribute):
self.outGpu.value = value_to_set.value
else:
self.outGpu.value = value_to_set
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnTestAddAnyTypeAnyMemoryDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnTestAddAnyTypeAnyMemoryDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnTestAddAnyTypeAnyMemoryDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 7,203 |
Python
| 48.682758 | 198 | 0.658059 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/OgnPerturbBundlePointsDatabase.py
|
"""Support for simplified access to data on nodes of type omni.graph.test.PerturbBundlePoints
Randomly modify positions on all points attributes within a bundle
"""
import carb
import numpy
import carb
import omni.graph.core as og
import omni.graph.core._omni_graph_core as _og
import omni.graph.tools.ogn as ogn
class OgnPerturbBundlePointsDatabase(og.Database):
"""Helper class providing simplified access to data on nodes of type omni.graph.test.PerturbBundlePoints
Class Members:
node: Node being evaluated
Attribute Value Properties:
Inputs:
inputs.bundle
inputs.maximum
inputs.minimum
inputs.percentModified
Outputs:
outputs.bundle
"""
# Imprint the generator and target ABI versions in the file for JIT generation
GENERATOR_VERSION = (1, 41, 3)
TARGET_VERSION = (2, 139, 12)
# This is an internal object that provides per-class storage of a per-node data dictionary
PER_NODE_DATA = {}
# This is an internal object that describes unchanging attributes in a generic way
# The values in this list are in no particular order, as a per-attribute tuple
# Name, Type, ExtendedTypeIndex, UiName, Description, Metadata,
# Is_Required, DefaultValue, Is_Deprecated, DeprecationMsg
# You should not need to access any of this data directly, use the defined database interfaces
INTERFACE = og.Database._get_interface([
('inputs:bundle', 'bundle', 0, 'Original Bundle', 'Bundle containing arrays of points to be perturbed', {}, True, None, False, ''),
('inputs:maximum', 'point3f', 0, 'Perturb Maximum', 'Maximum values of the perturbation', {ogn.MetadataKeys.DEFAULT: '[1.0, 1.0, 1.0]'}, True, [1.0, 1.0, 1.0], False, ''),
('inputs:minimum', 'point3f', 0, 'Perturb Minimum', 'Minimum values of the perturbation', {ogn.MetadataKeys.DEFAULT: '[0.0, 0.0, 0.0]'}, True, [0.0, 0.0, 0.0], False, ''),
('inputs:percentModified', 'float', 0, 'Percentage Modified', 'Percentage of points to modify, decided by striding across point set', {ogn.MetadataKeys.DEFAULT: '100.0'}, True, 100.0, False, ''),
('outputs:bundle', 'bundle', 0, 'Perturbed Bundle', 'Bundle containing arrays of points that were perturbed', {}, True, None, False, ''),
])
@classmethod
def _populate_role_data(cls):
"""Populate a role structure with the non-default roles on this node type"""
role_data = super()._populate_role_data()
role_data.inputs.bundle = og.AttributeRole.BUNDLE
role_data.inputs.maximum = og.AttributeRole.POSITION
role_data.inputs.minimum = og.AttributeRole.POSITION
role_data.outputs.bundle = og.AttributeRole.BUNDLE
return role_data
class ValuesForInputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to input attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.__bundles = og.BundleContainer(context, node, attributes, [], read_only=True, gpu_ptr_kinds={})
self._batchedReadAttributes = []
self._batchedReadValues = []
@property
def bundle(self) -> og.BundleContents:
"""Get the bundle wrapper class for the attribute inputs.bundle"""
return self.__bundles.bundle
@property
def maximum(self):
data_view = og.AttributeValueHelper(self._attributes.maximum)
return data_view.get()
@maximum.setter
def maximum(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.maximum)
data_view = og.AttributeValueHelper(self._attributes.maximum)
data_view.set(value)
@property
def minimum(self):
data_view = og.AttributeValueHelper(self._attributes.minimum)
return data_view.get()
@minimum.setter
def minimum(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.minimum)
data_view = og.AttributeValueHelper(self._attributes.minimum)
data_view.set(value)
@property
def percentModified(self):
data_view = og.AttributeValueHelper(self._attributes.percentModified)
return data_view.get()
@percentModified.setter
def percentModified(self, value):
if self._setting_locked:
raise og.ReadOnlyError(self._attributes.percentModified)
data_view = og.AttributeValueHelper(self._attributes.percentModified)
data_view.set(value)
def _prefetch(self):
readAttributes = self._batchedReadAttributes
newValues = _og._prefetch_input_attributes_data(readAttributes)
if len(readAttributes) == len(newValues):
self._batchedReadValues = newValues
class ValuesForOutputs(og.DynamicAttributeAccess):
LOCAL_PROPERTY_NAMES = { }
"""Helper class that creates natural hierarchical access to output attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
self.__bundles = og.BundleContainer(context, node, attributes, [], read_only=False, gpu_ptr_kinds={})
self._batchedWriteValues = { }
@property
def bundle(self) -> og.BundleContents:
"""Get the bundle wrapper class for the attribute outputs.bundle"""
return self.__bundles.bundle
@bundle.setter
def bundle(self, bundle: og.BundleContents):
"""Overwrite the bundle attribute outputs.bundle with a new bundle"""
if not isinstance(bundle, og.BundleContents):
carb.log_error("Only bundle attributes can be assigned to another bundle attribute")
self.__bundles.bundle.bundle = bundle
def _commit(self):
_og._commit_output_attributes_data(self._batchedWriteValues)
self._batchedWriteValues = { }
class ValuesForState(og.DynamicAttributeAccess):
"""Helper class that creates natural hierarchical access to state attributes"""
def __init__(self, node: og.Node, attributes, dynamic_attributes: og.DynamicAttributeInterface):
"""Initialize simplified access for the attribute data"""
context = node.get_graph().get_default_graph_context()
super().__init__(context, node, attributes, dynamic_attributes)
def __init__(self, node):
super().__init__(node)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_INPUT)
self.inputs = OgnPerturbBundlePointsDatabase.ValuesForInputs(node, self.attributes.inputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_OUTPUT)
self.outputs = OgnPerturbBundlePointsDatabase.ValuesForOutputs(node, self.attributes.outputs, dynamic_attributes)
dynamic_attributes = self.dynamic_attribute_data(node, og.AttributePortType.ATTRIBUTE_PORT_TYPE_STATE)
self.state = OgnPerturbBundlePointsDatabase.ValuesForState(node, self.attributes.state, dynamic_attributes)
| 7,818 |
Python
| 47.565217 | 203 | 0.661678 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestOptionalExtended.py
|
"""Test node exercising the 'optional' flag on extended attributes"""
import omni.graph.core as og
class OgnTestOptionalExtended:
@staticmethod
def compute(db) -> bool:
"""Moves the 'other' input to the 'other' output if both of the optional attributes are not resolved,
sets the 'other' output to the default value if only one of them is resolved, and copies the 'optional' input
to the 'optional' output if both are resolved. (Since this is a test node we can count on the resolution types
being compatible.)
"""
if db.attributes.inputs.optional.get_resolved_type().base_type == og.BaseDataType.UNKNOWN:
if db.attributes.outputs.optional.get_resolved_type().base_type == og.BaseDataType.UNKNOWN:
db.outputs.other = db.inputs.other
else:
db.outputs.other = 10
elif db.attributes.outputs.optional.get_resolved_type().base_type != og.BaseDataType.UNKNOWN:
db.outputs.optional = db.inputs.optional
else:
db.outputs.other = 10
| 1,078 |
Python
| 48.045452 | 118 | 0.663265 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestIsolate.cpp
|
// Copyright (c) 2023 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestIsolateDatabase.h>
#include "../include/omni/graph/test/ConcurrencyState.h"
// This is the implementation of the OGN node defined in OgnTestIsolate.ogn
// This node is used as part of a unit test in ../python/tests/test_execution.py
namespace omni {
namespace graph {
namespace test {
class OgnTestIsolate
{
public:
static bool compute(OgnTestIsolateDatabase& db)
{
db.outputs.result() = false;
// Use a race condition finder to confirm that there is no collision between serial and/or isolated
// tasks. If we crash in here, that means ParallelScheduler is not respecting scheduling constraints.
omni::graph::exec::unstable::RaceConditionFinder::Scope detectIssues(getConcurrencyState().raceConditionFinder);
// In addition to ensuring that no other threads try to access the resources held by
// this node/the thread this node gets evaluated in, Isolate scheduling implies that only
// a SINGLE thread processing the current Isolate node can be computing (until said node
// is done being evaluated). To validate that this is the case, try to grab an exclusive
// lock over the global shared mutex. If this node is unable to do that (because concurrently-
// running nodes have ownership over it at the moment), we'll return false. Also, if another
// node/thread tries to access said shared mutex while this node is evaluating, the test will
// end up failing as well.
// Return early if TestIsolate can't exclusively own the shared mutex. outputs:result was already
// set to false at the start, so no need to do anything else.
if (!getConcurrencyState().sharedMutex.try_lock())
{
return true;
}
// Sleep for a while (simulate expensive compute/allows for potential race conditions to occur).
std::this_thread::sleep_for(std::chrono::milliseconds(100));
// Unlock the shared mutex, set output:result to true.
db.outputs.result() = true;
getConcurrencyState().sharedMutex.unlock();
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 2,644 |
C++
| 41.66129 | 120 | 0.711422 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestSerial.cpp
|
// Copyright (c) 2023 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include "../include/omni/graph/test/ConcurrencyState.h"
#include <OgnTestSerialDatabase.h>
// This is the implementation of the OGN node defined in OgnTestSerial.ogn
namespace omni
{
namespace graph
{
namespace test
{
class OgnTestSerial
{
public:
static bool compute(OgnTestSerialDatabase& db)
{
db.outputs.result() = false;
// Use a race condition finder to confirm that there is no collision between serial and/or isolated
// tasks. If we crash in here, that means ParallelScheduler is not respecting scheduling constraints.
omni::graph::exec::unstable::RaceConditionFinder::Scope detectIssues(getConcurrencyState().raceConditionFinder);
// Sleep for a while (simulate expensive compute and give time for potential race conditions
// to arise).
std::this_thread::sleep_for(std::chrono::milliseconds(100));
db.outputs.result() = true;
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 1,455 |
C++
| 29.333333 | 120 | 0.729897 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestConcurrency.cpp
|
// Copyright (c) 2022 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestConcurrencyDatabase.h>
#include <omni/graph/exec/unstable/IExecutionContext.h>
#include <omni/graph/exec/unstable/IExecutionCurrentThread.h>
#include <omni/graph/exec/unstable/Stamp.h>
#include "../include/omni/graph/test/ConcurrencyState.h"
#include <atomic>
#include <chrono>
#include <cstdlib>
#include <mutex>
// This is the implementation of the OGN node defined in OgnTestConcurrency.ogn
namespace omni {
namespace graph {
namespace test {
namespace
{
std::mutex g_resetMutex;
exec::unstable::SyncStamp g_currentSyncStamp;
std::atomic<uint64_t> g_currentConcurrency{0};
}
class OgnTestConcurrency
{
public:
static bool compute(OgnTestConcurrencyDatabase& db)
{
auto& result = db.outputs.result();
result = false;
// Try to access the shared mutex via a shared lock. If the node is unable to do
// that (i.e. because TestIsolate currently holds exclusive ownership), we'll
// return early with result set to false.
if (!getConcurrencyState().sharedMutex.try_lock_shared())
{
return true;
}
if (auto task = exec::unstable::getCurrentTask())
{
auto currentStamp = task->getContext()->getExecutionStamp();
if(!g_currentSyncStamp.inSync(currentStamp))
{
std::unique_lock<std::mutex> lock(g_resetMutex);
if(g_currentSyncStamp.makeSync(currentStamp))
{
g_currentConcurrency = 0;
}
}
g_currentConcurrency++;
uint64_t expectedConcurrency = db.inputs.expected();
std::chrono::milliseconds timeOut(db.inputs.timeOut());
auto start = std::chrono::high_resolution_clock::now();
std::chrono::milliseconds currentDuration;
do {
currentDuration = std::chrono::duration_cast<std::chrono::milliseconds>(std::chrono::high_resolution_clock::now()-start);
if(g_currentConcurrency.load() == expectedConcurrency)
{
result = true;
break;
}
std::this_thread::yield();
} while(currentDuration < timeOut);
}
// Release the shared mutex.
getConcurrencyState().sharedMutex.unlock_shared();
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 2,907 |
C++
| 30.268817 | 137 | 0.634331 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestDynamicAttributeRawData.cpp
|
// Copyright (c) 2023 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestDynamicAttributeRawDataDatabase.h>
namespace omni {
namespace graph {
namespace test {
namespace
{
template<typename TAttribute, typename TValue>
void writeRawData(TAttribute& runtimeAttribute, TValue value)
{
uint8_t* dstData{ nullptr };
size_t size{ 0 };
runtimeAttribute.rawData(dstData, size);
memcpy(dstData, &value, size);
}
}
// This node validates the APIs for accessing and mutating the dynamic node attributes (inputs, outputs and state)
class OgnTestDynamicAttributeRawData
{
public:
static bool compute(OgnTestDynamicAttributeRawDataDatabase& db)
{
auto dynamicInputs = db.getDynamicInputs();
auto dynamicOutputs = db.getDynamicOutputs();
auto dynamicStates = db.getDynamicStates();
if (dynamicInputs.empty() || dynamicOutputs.empty() || dynamicStates.empty())
{
return false;
}
int sum = 0;
for (auto const& input : dynamicInputs)
{
ConstRawPtr dataPtr{ nullptr };
size_t size{ 0 };
input().rawData(dataPtr, size);
sum += *reinterpret_cast<int const*>(dataPtr);
}
// ensure that dynamic output and state attributes can be written to using the raw data pointer
writeRawData(dynamicOutputs[0](), sum);
writeRawData(dynamicStates[0](), sum);
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 1,936 |
C++
| 28.348484 | 114 | 0.67407 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestDynamicAttributeMemory.py
|
"""Test node exercising retrieval of dynamic attribute array values from various memory locations.
Add an input attribute named "array" of type "int[]", another named "simple" of type "double", and output attributes
with matching names and types to pass data through using the dynamic attribute get() and set() methods.
"""
import numpy as np
import omni.graph.core as og
from omni.graph.core._impl.dtypes import Int
class OgnTestDynamicAttributeMemory:
@staticmethod
def compute(db) -> bool:
gpu_ptr_kind = og.PtrToPtrKind.NA
on_gpu = db.inputs.onGpu
if on_gpu:
gpu_ptr_kind = og.PtrToPtrKind.GPU if db.inputs.gpuPtrsOnGpu else og.PtrToPtrKind.CPU
db.set_dynamic_attribute_memory_location(on_gpu=on_gpu, gpu_ptr_kind=gpu_ptr_kind)
try:
array_value = db.inputs.array
simple_value = db.inputs.simple
except AttributeError:
# Only verify when the input dynamic attribute was present
db.outputs.inputMemoryVerified = False
db.outputs.outputMemoryVerified = False
return True
# CPU inputs are returned as np.ndarrays, GPU inputs are og.DataWrapper
if not on_gpu:
db.outputs.inputMemoryVerified = isinstance(array_value, np.ndarray) and isinstance(simple_value, float)
else:
_, *new_shape = array_value.shape
new_shape = tuple(new_shape)
db.outputs.inputMemoryVerified = (
array_value.gpu_ptr_kind == gpu_ptr_kind
and array_value.device.cuda
and array_value.is_array()
and array_value.dtype == Int()
and isinstance(simple_value, float)
)
try:
db.outputs.array = array_value
db.outputs.simple = simple_value
except AttributeError:
# Only verify when the output dynamic attribute was present
db.outputs.outputMemoryVerified = False
return True
# CPU inputs are returned as np.ndarrays, GPU inputs are og.DataWrapper
new_output_arr = db.outputs.array
new_output = db.outputs.simple
if not on_gpu:
db.outputs.outputMemoryVerified = isinstance(new_output_arr, np.ndarray) and isinstance(new_output, float)
else:
_, *new_shape = new_output_arr.shape
new_shape = tuple(new_shape)
db.outputs.outputMemoryVerified = (
new_output_arr.gpu_ptr_kind == gpu_ptr_kind
and new_output_arr.device.cuda
and new_output_arr.is_array()
and new_output_arr.dtype == Int()
and isinstance(new_output, float)
)
return True
| 2,767 |
Python
| 39.705882 | 118 | 0.617636 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnExecInputEnabledTest.py
|
"""
This node's compute checks that its input attrib is properly enabled.
"""
import omni.graph.core as og
class OgnExecInputEnabledTest:
@staticmethod
def compute(db) -> bool:
if (
db.inputs.execInA == og.ExecutionAttributeState.ENABLED
and db.inputs.execInB == og.ExecutionAttributeState.ENABLED
):
db.log_warning("Unexpected execution with both execution inputs enabled")
return False
if db.inputs.execInA == og.ExecutionAttributeState.ENABLED:
db.outputs.execOutA = og.ExecutionAttributeState.ENABLED
return True
if db.inputs.execInB == og.ExecutionAttributeState.ENABLED:
db.outputs.execOutB = og.ExecutionAttributeState.ENABLED
return True
db.log_warning("Unexpected execution with no execution input enabled")
db.outputs.execOut = og.ExecutionAttributeState.DISABLED
return False
| 951 |
Python
| 34.259258 | 85 | 0.674027 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestCategoryDefinitions.py
|
"""Node that tests custom category assignment through extraction of the current category"""
import omni.graph.tools.ogn as ogn
class OgnTestCategoryDefinitions:
"""Extract the assigned category definition of a node type"""
@staticmethod
def compute(db) -> bool:
"""Compute only extracts the category name and puts it into the output"""
db.outputs.category = db.abi_node.get_node_type().get_metadata(ogn.MetadataKeys.CATEGORIES)
return True
| 480 |
Python
| 33.35714 | 99 | 0.722917 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestWriteVariablePy.py
|
"""
Test node for writing variables
"""
import omni.graph.core as og
class OgnTestWriteVariablePy:
"""Python version of OgnWriteVariable"""
@staticmethod
def compute(db) -> bool:
"""Write the given variable"""
try:
db.set_variable(db.inputs.variableName, db.inputs.value.value)
except og.OmniGraphError:
return False
# Output the value
value = db.inputs.value.value
if value is not None:
db.outputs.value = value
return True
@staticmethod
def initialize(graph_context, node):
function_callback = OgnTestWriteVariablePy.on_value_changed_callback
node.get_attribute("inputs:variableName").register_value_changed_callback(function_callback)
@staticmethod
def on_value_changed_callback(attr):
node = attr.get_node()
name = attr.get_attribute_data().get(False)
var = node.get_graph().find_variable(name)
value_attr = node.get_attribute("inputs:value")
old_type = value_attr.get_resolved_type()
# resolve the input variable
if not var:
value_attr.set_resolved_type(og.Type(og.BaseDataType.UNKNOWN))
elif var.type != old_type:
value_attr.set_resolved_type(og.Type(og.BaseDataType.UNKNOWN))
value_attr.set_resolved_type(var.type)
# resolve the output variable
value_attr = node.get_attribute("outputs:value")
old_type = value_attr.get_resolved_type()
if not var:
value_attr.set_resolved_type(og.Type(og.BaseDataType.UNKNOWN))
elif var.type != old_type:
value_attr.set_resolved_type(og.Type(og.BaseDataType.UNKNOWN))
value_attr.set_resolved_type(var.type)
| 1,768 |
Python
| 32.377358 | 100 | 0.635747 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestSchedulingHintsList.py
|
"""Empty test node used for checking scheduling hints"""
class OgnTestSchedulingHintsList:
@staticmethod
def compute(db) -> bool:
return True
| 160 |
Python
| 19.124998 | 56 | 0.7 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestScatter.cpp
|
// Copyright (c) 2019-2021, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestScatterDatabase.h>
#include <cmath>
#include <vector>
using carb::Double3;
namespace omni
{
namespace graph
{
namespace examples
{
class OgnTestScatter
{
public:
static bool compute(OgnTestScatterDatabase& db)
{
/*
const auto& gatheredPaths = db.inputs.gathered_paths();
for (const auto& gatheredPath : gatheredPaths)
{
std::string gatheredPathStr = db.tokenToString(gatheredPath);
printf("gather path = %s\n", gatheredPathStr.c_str());
}*/
const auto& inputRotations = db.inputs.rotations();
int count = 0;
for (const auto& inputRotation : inputRotations)
{
// Pretend scan the inputs. The real scatter node would be writing to the Fabric here with the updated
// transforms.
count++;
}
// Because we don't have the real scatter node yet, we'll just pluck one element of the calculated rotations
// and output there in a temporary single output.
auto& singleRot = db.outputs.single_rotation();
if (inputRotations.size() > 0)
{
singleRot[0] = -90;
singleRot[1] = inputRotations[0][1];
singleRot[2] = 0;
}
return true;
}
};
REGISTER_OGN_NODE()
}
}
}
| 1,774 |
C++
| 25.102941 | 116 | 0.640924 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestAllDataTypesPy.py
|
"""
This node is meant to exercise data access for all available data types, including all",
legal combinations of tuples, arrays, and bundle members. The test section here is intentionally",
omitted so that the regression test script can programmatically generate tests for all known types,",
reducing the change of unintentional omissions. This node definition is a duplicate of",
OgnTestAllDataTypes.ogn, except the implementation language is Python."
"""
class OgnTestAllDataTypesPy:
@staticmethod
def compute(db) -> bool:
"""Compute just copies the input values to the output of the same name and type"""
if db.inputs.doNotCompute:
return True
db.outputs.a_bool = db.inputs.a_bool
db.outputs.a_bool_array = db.inputs.a_bool_array
db.outputs.a_colord_3 = db.inputs.a_colord_3
db.outputs.a_colord_4 = db.inputs.a_colord_4
db.outputs.a_colorf_3 = db.inputs.a_colorf_3
db.outputs.a_colorf_4 = db.inputs.a_colorf_4
db.outputs.a_colorh_3 = db.inputs.a_colorh_3
db.outputs.a_colorh_4 = db.inputs.a_colorh_4
db.outputs.a_colord_3_array = db.inputs.a_colord_3_array
db.outputs.a_colord_4_array = db.inputs.a_colord_4_array
db.outputs.a_colorf_3_array = db.inputs.a_colorf_3_array
db.outputs.a_colorf_4_array = db.inputs.a_colorf_4_array
db.outputs.a_colorh_3_array = db.inputs.a_colorh_3_array
db.outputs.a_colorh_4_array = db.inputs.a_colorh_4_array
db.outputs.a_double = db.inputs.a_double
db.outputs.a_double_2 = db.inputs.a_double_2
db.outputs.a_double_3 = db.inputs.a_double_3
db.outputs.a_double_4 = db.inputs.a_double_4
db.outputs.a_double_array = db.inputs.a_double_array
db.outputs.a_double_2_array = db.inputs.a_double_2_array
db.outputs.a_double_3_array = db.inputs.a_double_3_array
db.outputs.a_double_4_array = db.inputs.a_double_4_array
db.outputs.a_execution = db.inputs.a_execution
db.outputs.a_float = db.inputs.a_float
db.outputs.a_float_2 = db.inputs.a_float_2
db.outputs.a_float_3 = db.inputs.a_float_3
db.outputs.a_float_4 = db.inputs.a_float_4
db.outputs.a_float_array = db.inputs.a_float_array
db.outputs.a_float_2_array = db.inputs.a_float_2_array
db.outputs.a_float_3_array = db.inputs.a_float_3_array
db.outputs.a_float_4_array = db.inputs.a_float_4_array
db.outputs.a_frame_4 = db.inputs.a_frame_4
db.outputs.a_frame_4_array = db.inputs.a_frame_4_array
db.outputs.a_half = db.inputs.a_half
db.outputs.a_half_2 = db.inputs.a_half_2
db.outputs.a_half_3 = db.inputs.a_half_3
db.outputs.a_half_4 = db.inputs.a_half_4
db.outputs.a_half_array = db.inputs.a_half_array
db.outputs.a_half_2_array = db.inputs.a_half_2_array
db.outputs.a_half_3_array = db.inputs.a_half_3_array
db.outputs.a_half_4_array = db.inputs.a_half_4_array
db.outputs.a_int = db.inputs.a_int
db.outputs.a_int_2 = db.inputs.a_int_2
db.outputs.a_int_3 = db.inputs.a_int_3
db.outputs.a_int_4 = db.inputs.a_int_4
db.outputs.a_int_array = db.inputs.a_int_array
db.outputs.a_int_2_array = db.inputs.a_int_2_array
db.outputs.a_int_3_array = db.inputs.a_int_3_array
db.outputs.a_int_4_array = db.inputs.a_int_4_array
db.outputs.a_int64 = db.inputs.a_int64
db.outputs.a_int64_array = db.inputs.a_int64_array
db.outputs.a_matrixd_2 = db.inputs.a_matrixd_2
db.outputs.a_matrixd_3 = db.inputs.a_matrixd_3
db.outputs.a_matrixd_4 = db.inputs.a_matrixd_4
db.outputs.a_matrixd_2_array = db.inputs.a_matrixd_2_array
db.outputs.a_matrixd_3_array = db.inputs.a_matrixd_3_array
db.outputs.a_matrixd_4_array = db.inputs.a_matrixd_4_array
db.outputs.a_normald_3 = db.inputs.a_normald_3
db.outputs.a_normalf_3 = db.inputs.a_normalf_3
db.outputs.a_normalh_3 = db.inputs.a_normalh_3
db.outputs.a_normald_3_array = db.inputs.a_normald_3_array
db.outputs.a_normalf_3_array = db.inputs.a_normalf_3_array
db.outputs.a_normalh_3_array = db.inputs.a_normalh_3_array
db.outputs.a_objectId = db.inputs.a_objectId
db.outputs.a_objectId_array = db.inputs.a_objectId_array
db.outputs.a_path = db.inputs.a_path
db.outputs.a_pointd_3 = db.inputs.a_pointd_3
db.outputs.a_pointf_3 = db.inputs.a_pointf_3
db.outputs.a_pointh_3 = db.inputs.a_pointh_3
db.outputs.a_pointd_3_array = db.inputs.a_pointd_3_array
db.outputs.a_pointf_3_array = db.inputs.a_pointf_3_array
db.outputs.a_pointh_3_array = db.inputs.a_pointh_3_array
db.outputs.a_quatd_4 = db.inputs.a_quatd_4
db.outputs.a_quatf_4 = db.inputs.a_quatf_4
db.outputs.a_quath_4 = db.inputs.a_quath_4
db.outputs.a_quatd_4_array = db.inputs.a_quatd_4_array
db.outputs.a_quatf_4_array = db.inputs.a_quatf_4_array
db.outputs.a_quath_4_array = db.inputs.a_quath_4_array
db.outputs.a_string = db.inputs.a_string
db.outputs.a_target = db.inputs.a_target
db.outputs.a_texcoordd_2 = db.inputs.a_texcoordd_2
db.outputs.a_texcoordd_3 = db.inputs.a_texcoordd_3
db.outputs.a_texcoordf_2 = db.inputs.a_texcoordf_2
db.outputs.a_texcoordf_3 = db.inputs.a_texcoordf_3
db.outputs.a_texcoordh_2 = db.inputs.a_texcoordh_2
db.outputs.a_texcoordh_3 = db.inputs.a_texcoordh_3
db.outputs.a_texcoordd_2_array = db.inputs.a_texcoordd_2_array
db.outputs.a_texcoordd_3_array = db.inputs.a_texcoordd_3_array
db.outputs.a_texcoordf_2_array = db.inputs.a_texcoordf_2_array
db.outputs.a_texcoordf_3_array = db.inputs.a_texcoordf_3_array
db.outputs.a_texcoordh_2_array = db.inputs.a_texcoordh_2_array
db.outputs.a_texcoordh_3_array = db.inputs.a_texcoordh_3_array
db.outputs.a_timecode = db.inputs.a_timecode
db.outputs.a_timecode_array = db.inputs.a_timecode_array
db.outputs.a_token = db.inputs.a_token
db.outputs.a_token_array = db.inputs.a_token_array
db.outputs.a_uchar = db.inputs.a_uchar
db.outputs.a_uchar_array = db.inputs.a_uchar_array
db.outputs.a_uint = db.inputs.a_uint
db.outputs.a_uint_array = db.inputs.a_uint_array
db.outputs.a_uint64 = db.inputs.a_uint64
db.outputs.a_uint64_array = db.inputs.a_uint64_array
db.outputs.a_vectord_3 = db.inputs.a_vectord_3
db.outputs.a_vectorf_3 = db.inputs.a_vectorf_3
db.outputs.a_vectorh_3 = db.inputs.a_vectorh_3
db.outputs.a_vectord_3_array = db.inputs.a_vectord_3_array
db.outputs.a_vectorf_3_array = db.inputs.a_vectorf_3_array
db.outputs.a_vectorh_3_array = db.inputs.a_vectorh_3_array
# Copy inputs of all kinds to the output bundle. The test should connect a bundle with all types of attributes
# so that every data type is exercised.
output_bundle = db.outputs.a_bundle
state_bundle = db.state.a_bundle
for bundled_attribute in db.inputs.a_bundle.attributes:
# By copying each attribute individually rather than doing a bundle copy all of the data types
# encapsulated by that bundle are exercised.
new_output = output_bundle.insert(bundled_attribute)
new_state = state_bundle.insert(bundled_attribute)
new_output.copy_data(bundled_attribute)
new_state.copy_data(bundled_attribute)
# State attributes take on the input values the first time they evaluate, zeroes on subsequent evaluations.
# The a_firstEvaluation attribute is used as the gating state information to decide when evaluation needs to
# happen again.
if db.state.a_firstEvaluation:
db.state.a_firstEvaluation = False
db.state.a_bool = db.inputs.a_bool
db.state.a_bool_array = db.inputs.a_bool_array
db.state.a_colord_3 = db.inputs.a_colord_3
db.state.a_colord_4 = db.inputs.a_colord_4
db.state.a_colorf_3 = db.inputs.a_colorf_3
db.state.a_colorf_4 = db.inputs.a_colorf_4
db.state.a_colorh_3 = db.inputs.a_colorh_3
db.state.a_colorh_4 = db.inputs.a_colorh_4
db.state.a_colord_3_array = db.inputs.a_colord_3_array
db.state.a_colord_4_array = db.inputs.a_colord_4_array
db.state.a_colorf_3_array = db.inputs.a_colorf_3_array
db.state.a_colorf_4_array = db.inputs.a_colorf_4_array
db.state.a_colorh_3_array = db.inputs.a_colorh_3_array
db.state.a_colorh_4_array = db.inputs.a_colorh_4_array
db.state.a_double = db.inputs.a_double
db.state.a_double_2 = db.inputs.a_double_2
db.state.a_double_3 = db.inputs.a_double_3
db.state.a_double_4 = db.inputs.a_double_4
db.state.a_double_array = db.inputs.a_double_array
db.state.a_double_2_array = db.inputs.a_double_2_array
db.state.a_double_3_array = db.inputs.a_double_3_array
db.state.a_double_4_array = db.inputs.a_double_4_array
db.state.a_execution = db.inputs.a_execution
db.state.a_float = db.inputs.a_float
db.state.a_float_2 = db.inputs.a_float_2
db.state.a_float_3 = db.inputs.a_float_3
db.state.a_float_4 = db.inputs.a_float_4
db.state.a_float_array = db.inputs.a_float_array
db.state.a_float_2_array = db.inputs.a_float_2_array
db.state.a_float_3_array = db.inputs.a_float_3_array
db.state.a_float_4_array = db.inputs.a_float_4_array
db.state.a_frame_4 = db.inputs.a_frame_4
db.state.a_frame_4_array = db.inputs.a_frame_4_array
db.state.a_half = db.inputs.a_half
db.state.a_half_2 = db.inputs.a_half_2
db.state.a_half_3 = db.inputs.a_half_3
db.state.a_half_4 = db.inputs.a_half_4
db.state.a_half_array = db.inputs.a_half_array
db.state.a_half_2_array = db.inputs.a_half_2_array
db.state.a_half_3_array = db.inputs.a_half_3_array
db.state.a_half_4_array = db.inputs.a_half_4_array
db.state.a_int = db.inputs.a_int
db.state.a_int_2 = db.inputs.a_int_2
db.state.a_int_3 = db.inputs.a_int_3
db.state.a_int_4 = db.inputs.a_int_4
db.state.a_int_array = db.inputs.a_int_array
db.state.a_int_2_array = db.inputs.a_int_2_array
db.state.a_int_3_array = db.inputs.a_int_3_array
db.state.a_int_4_array = db.inputs.a_int_4_array
db.state.a_int64 = db.inputs.a_int64
db.state.a_int64_array = db.inputs.a_int64_array
db.state.a_matrixd_2 = db.inputs.a_matrixd_2
db.state.a_matrixd_3 = db.inputs.a_matrixd_3
db.state.a_matrixd_4 = db.inputs.a_matrixd_4
db.state.a_matrixd_2_array = db.inputs.a_matrixd_2_array
db.state.a_matrixd_3_array = db.inputs.a_matrixd_3_array
db.state.a_matrixd_4_array = db.inputs.a_matrixd_4_array
db.state.a_normald_3 = db.inputs.a_normald_3
db.state.a_normalf_3 = db.inputs.a_normalf_3
db.state.a_normalh_3 = db.inputs.a_normalh_3
db.state.a_normald_3_array = db.inputs.a_normald_3_array
db.state.a_normalf_3_array = db.inputs.a_normalf_3_array
db.state.a_normalh_3_array = db.inputs.a_normalh_3_array
db.state.a_objectId = db.inputs.a_objectId
db.state.a_objectId_array = db.inputs.a_objectId_array
db.state.a_path = db.inputs.a_path
db.state.a_pointd_3 = db.inputs.a_pointd_3
db.state.a_pointf_3 = db.inputs.a_pointf_3
db.state.a_pointh_3 = db.inputs.a_pointh_3
db.state.a_pointd_3_array = db.inputs.a_pointd_3_array
db.state.a_pointf_3_array = db.inputs.a_pointf_3_array
db.state.a_pointh_3_array = db.inputs.a_pointh_3_array
db.state.a_quatd_4 = db.inputs.a_quatd_4
db.state.a_quatf_4 = db.inputs.a_quatf_4
db.state.a_quath_4 = db.inputs.a_quath_4
db.state.a_quatd_4_array = db.inputs.a_quatd_4_array
db.state.a_quatf_4_array = db.inputs.a_quatf_4_array
db.state.a_quath_4_array = db.inputs.a_quath_4_array
db.state.a_string = db.inputs.a_string
db.state.a_stringEmpty = db.inputs.a_string
db.state.a_target = db.inputs.a_target
db.state.a_texcoordd_2 = db.inputs.a_texcoordd_2
db.state.a_texcoordd_3 = db.inputs.a_texcoordd_3
db.state.a_texcoordf_2 = db.inputs.a_texcoordf_2
db.state.a_texcoordf_3 = db.inputs.a_texcoordf_3
db.state.a_texcoordh_2 = db.inputs.a_texcoordh_2
db.state.a_texcoordh_3 = db.inputs.a_texcoordh_3
db.state.a_texcoordd_2_array = db.inputs.a_texcoordd_2_array
db.state.a_texcoordd_3_array = db.inputs.a_texcoordd_3_array
db.state.a_texcoordf_2_array = db.inputs.a_texcoordf_2_array
db.state.a_texcoordf_3_array = db.inputs.a_texcoordf_3_array
db.state.a_texcoordh_2_array = db.inputs.a_texcoordh_2_array
db.state.a_texcoordh_3_array = db.inputs.a_texcoordh_3_array
db.state.a_timecode = db.inputs.a_timecode
db.state.a_timecode_array = db.inputs.a_timecode_array
db.state.a_token = db.inputs.a_token
db.state.a_token_array = db.inputs.a_token_array
db.state.a_uchar = db.inputs.a_uchar
db.state.a_uchar_array = db.inputs.a_uchar_array
db.state.a_uint = db.inputs.a_uint
db.state.a_uint_array = db.inputs.a_uint_array
db.state.a_uint64 = db.inputs.a_uint64
db.state.a_uint64_array = db.inputs.a_uint64_array
db.state.a_vectord_3 = db.inputs.a_vectord_3
db.state.a_vectorf_3 = db.inputs.a_vectorf_3
db.state.a_vectorh_3 = db.inputs.a_vectorh_3
db.state.a_vectord_3_array = db.inputs.a_vectord_3_array
db.state.a_vectorf_3_array = db.inputs.a_vectorf_3_array
db.state.a_vectorh_3_array = db.inputs.a_vectorh_3_array
else:
db.state.a_bool = False
db.state.a_bool_array = []
db.state.a_colord_3 = [0.0, 0.0, 0.0]
db.state.a_colord_4 = [0.0, 0.0, 0.0, 0.0]
db.state.a_colorf_3 = [0.0, 0.0, 0.0]
db.state.a_colorf_4 = [0.0, 0.0, 0.0, 0.0]
db.state.a_colorh_3 = [0.0, 0.0, 0.0]
db.state.a_colorh_4 = [0.0, 0.0, 0.0, 0.0]
db.state.a_colord_3_array = []
db.state.a_colord_4_array = []
db.state.a_colorf_3_array = []
db.state.a_colorf_4_array = []
db.state.a_colorh_3_array = []
db.state.a_colorh_4_array = []
db.state.a_double = 0.0
db.state.a_double_2 = [0.0, 0.0]
db.state.a_double_3 = [0.0, 0.0, 0.0]
db.state.a_double_4 = [0.0, 0.0, 0.0, 0.0]
db.state.a_double_array = []
db.state.a_double_2_array = []
db.state.a_double_3_array = []
db.state.a_double_4_array = []
db.state.a_execution = 0
db.state.a_float = 0.0
db.state.a_float_2 = [0.0, 0.0]
db.state.a_float_3 = [0.0, 0.0, 0.0]
db.state.a_float_4 = [0.0, 0.0, 0.0, 0.0]
db.state.a_float_array = []
db.state.a_float_2_array = []
db.state.a_float_3_array = []
db.state.a_float_4_array = []
db.state.a_frame_4 = [
[0.0, 0.0, 0.0, 0.0],
[0.0, 0.0, 0.0, 0.0],
[0.0, 0.0, 0.0, 0.0],
[0.0, 0.0, 0.0, 0.0],
]
db.state.a_frame_4_array = []
db.state.a_half = 0.0
db.state.a_half_2 = [0.0, 0.0]
db.state.a_half_3 = [0.0, 0.0, 0.0]
db.state.a_half_4 = [0.0, 0.0, 0.0, 0.0]
db.state.a_half_array = []
db.state.a_half_2_array = []
db.state.a_half_3_array = []
db.state.a_half_4_array = []
db.state.a_int = 0
db.state.a_int_2 = [0, 0]
db.state.a_int_3 = [0, 0, 0]
db.state.a_int_4 = [0, 0, 0, 0]
db.state.a_int_array = []
db.state.a_int_2_array = []
db.state.a_int_3_array = []
db.state.a_int_4_array = []
db.state.a_int64 = 0
db.state.a_int64_array = []
db.state.a_matrixd_2 = [[0.0, 0.0], [0.0, 0.0]]
db.state.a_matrixd_3 = [[0.0, 0.0, 0.0], [0.0, 0.0, 0.0], [0.0, 0.0, 0.0]]
db.state.a_matrixd_4 = [
[0.0, 0.0, 0.0, 0.0],
[0.0, 0.0, 0.0, 0.0],
[0.0, 0.0, 0.0, 0.0],
[0.0, 0.0, 0.0, 0.0],
]
db.state.a_matrixd_2_array = []
db.state.a_matrixd_3_array = []
db.state.a_matrixd_4_array = []
db.state.a_normald_3 = [0.0, 0.0, 0.0]
db.state.a_normalf_3 = [0.0, 0.0, 0.0]
db.state.a_normalh_3 = [0.0, 0.0, 0.0]
db.state.a_normald_3_array = []
db.state.a_normalf_3_array = []
db.state.a_normalh_3_array = []
db.state.a_objectId = 0
db.state.a_objectId_array = []
db.outputs.a_path = ""
db.state.a_pointd_3 = [0.0, 0.0, 0.0]
db.state.a_pointf_3 = [0.0, 0.0, 0.0]
db.state.a_pointh_3 = [0.0, 0.0, 0.0]
db.state.a_pointd_3_array = []
db.state.a_pointf_3_array = []
db.state.a_pointh_3_array = []
db.state.a_quatd_4 = [0.0, 0.0, 0.0, 0.0]
db.state.a_quatf_4 = [0.0, 0.0, 0.0, 0.0]
db.state.a_quath_4 = [0.0, 0.0, 0.0, 0.0]
db.state.a_quatd_4_array = []
db.state.a_quatf_4_array = []
db.state.a_quath_4_array = []
db.state.a_string = ""
db.state.a_stringEmpty = ""
db.state.a_target = []
db.state.a_texcoordd_2 = [0.0, 0.0]
db.state.a_texcoordd_3 = [0.0, 0.0, 0.0]
db.state.a_texcoordf_2 = [0.0, 0.0]
db.state.a_texcoordf_3 = [0.0, 0.0, 0.0]
db.state.a_texcoordh_2 = [0.0, 0.0]
db.state.a_texcoordh_3 = [0.0, 0.0, 0.0]
db.state.a_texcoordd_2_array = []
db.state.a_texcoordd_3_array = []
db.state.a_texcoordf_2_array = []
db.state.a_texcoordf_3_array = []
db.state.a_texcoordh_2_array = []
db.state.a_texcoordh_3_array = []
db.state.a_timecode = 0.0
db.state.a_timecode_array = []
db.state.a_token = ""
db.state.a_token_array = []
db.state.a_uchar = 0
db.state.a_uchar_array = []
db.state.a_uint = 0
db.state.a_uint_array = []
db.state.a_uint64 = 0
db.state.a_uint64_array = []
db.state.a_vectord_3 = [0.0, 0.0, 0.0]
db.state.a_vectorf_3 = [0.0, 0.0, 0.0]
db.state.a_vectorh_3 = [0.0, 0.0, 0.0]
db.state.a_vectord_3_array = []
db.state.a_vectorf_3_array = []
db.state.a_vectorh_3_array = []
return True
| 19,720 |
Python
| 43.217489 | 118 | 0.572363 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestGather.cpp
|
// Copyright (c) 2019-2021, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestGatherDatabase.h>
#include <cmath>
#include <vector>
using carb::Double3;
namespace omni
{
namespace graph
{
namespace examples
{
class OgnTestGather
{
public:
static bool compute(OgnTestGatherDatabase& db)
{
// This is a temporary node in place to test performance. It serves no real purpose
static bool firstTime = true;
if (firstTime)
{
auto inputNameToken = db.inputs.base_name();
auto inputNumInstance = db.inputs.num_instances();
std::string inputNameStr = db.tokenToString(inputNameToken);
db.outputs.rotations.resize(inputNumInstance);
auto& outputRotations = db.outputs.rotations();
for (auto& rotation : outputRotations)
{
rotation[0] = 7;
rotation[1] = 8;
rotation[2] = 9;
}
db.outputs.gathered_paths.resize(2);
auto& outputPaths = db.outputs.gathered_paths();
std::string str0 = "foo";
outputPaths[0] = db.stringToToken(str0.c_str());
std::string str1 = "bar";
outputPaths[1] = db.stringToToken(str1.c_str());
printf("input base name =%s\n", inputNameStr.c_str());
firstTime = false;
}
return true;
}
};
REGISTER_OGN_NODE()
}
}
}
| 1,825 |
C++
| 25.085714 | 92 | 0.620274 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestAllowedTokens.py
|
"""
Implementation of an OmniGraph node that contains attributes with the allowedTokens metadata
"""
import omni.graph.tools.ogn as ogn
class OgnTestAllowedTokens:
@staticmethod
def compute(db):
allowed_simple = db.attributes.inputs.simpleTokens.get_metadata(ogn.MetadataKeys.ALLOWED_TOKENS).split(",")
allowed_special = db.attributes.inputs.specialTokens.get_metadata(ogn.MetadataKeys.ALLOWED_TOKENS).split(",")
assert db.tokens.red in allowed_simple
assert db.tokens.green in allowed_simple
assert db.tokens.blue in allowed_simple
assert db.tokens.lt in allowed_special
assert db.tokens.gt in allowed_special
db.outputs.combinedTokens = f"{db.inputs.simpleTokens}{db.inputs.specialTokens}"
return True
| 790 |
Python
| 33.391303 | 117 | 0.724051 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnPerturbPoints.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnPerturbPointsDatabase.h>
#include <cstdlib>
namespace omni {
namespace graph {
namespace test {
// This is the implementation of the OGN node defined in OgnPerturbPoints.ogn
class OgnPerturbPoints
{
static auto& copy(OgnPerturbPointsDatabase& db)
{
CARB_PROFILE_ZONE(carb::profiler::kCaptureMaskDefault, "Acquiring Data");
db.outputs.points = db.inputs.points;
return db.outputs.points();
}
public:
// Perturb an array of points by random amounts within the limits of the bounding cube formed by the diagonal
// corners "minimum" and "maximum".
static bool compute(OgnPerturbPointsDatabase& db)
{
const auto& minimum = db.inputs.minimum();
GfVec3f rangeSize = db.inputs.maximum() - minimum;
// No points mean nothing to perturb
const auto& inputPoints = db.inputs.points();
size_t pointCount = inputPoints.size();
if (pointCount == 0)
{
return true;
}
// How much of the surface should be perturbed
auto percentModified = db.inputs.percentModified();
percentModified = (percentModified > 100.0f ? 100.0f : (percentModified < 0.0f ? 0.0f : percentModified));
size_t pointsToModify = (size_t)((percentModified * (float)pointCount) / 100.0f);
auto& pointArray = copy(db);
CARB_PROFILE_ZONE(carb::profiler::kCaptureMaskDefault, "Perturbing Data");
size_t index{ 0 };
while (index < pointsToModify)
{
auto& point = pointArray[index++];
GfVec3f offset{
minimum[0] + static_cast<float>(rand()) / (static_cast<float>(RAND_MAX/(rangeSize[0]))),
minimum[1] + static_cast<float>(rand()) / (static_cast<float>(RAND_MAX/(rangeSize[1]))),
minimum[2] + static_cast<float>(rand()) / (static_cast<float>(RAND_MAX/(rangeSize[2])))
};
point = point + offset;
}
return true;
}
};
REGISTER_OGN_NODE()
} // namespace test
} // namespace graph
} // namespace omni
| 2,515 |
C++
| 34.436619 | 114 | 0.649304 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestNanInfPy.py
|
"""
This node is meant to exercise data access for nan and inf values for all types in which they are valid
"""
class OgnTestNanInfPy:
@staticmethod
def compute(db) -> bool:
"""Copy the input to the output of the same name to verify assignment works"""
db.outputs.a_colord3_inf = db.inputs.a_colord3_inf
db.outputs.a_colord3_ninf = db.inputs.a_colord3_ninf
db.outputs.a_colord3_nan = db.inputs.a_colord3_nan
db.outputs.a_colord3_snan = db.inputs.a_colord3_snan
db.outputs.a_colord4_inf = db.inputs.a_colord4_inf
db.outputs.a_colord4_ninf = db.inputs.a_colord4_ninf
db.outputs.a_colord4_nan = db.inputs.a_colord4_nan
db.outputs.a_colord4_snan = db.inputs.a_colord4_snan
db.outputs.a_colord3_array_inf = db.inputs.a_colord3_array_inf
db.outputs.a_colord3_array_ninf = db.inputs.a_colord3_array_ninf
db.outputs.a_colord3_array_nan = db.inputs.a_colord3_array_nan
db.outputs.a_colord3_array_snan = db.inputs.a_colord3_array_snan
db.outputs.a_colord4_array_inf = db.inputs.a_colord4_array_inf
db.outputs.a_colord4_array_ninf = db.inputs.a_colord4_array_ninf
db.outputs.a_colord4_array_nan = db.inputs.a_colord4_array_nan
db.outputs.a_colord4_array_snan = db.inputs.a_colord4_array_snan
db.outputs.a_colorf3_inf = db.inputs.a_colorf3_inf
db.outputs.a_colorf3_ninf = db.inputs.a_colorf3_ninf
db.outputs.a_colorf3_nan = db.inputs.a_colorf3_nan
db.outputs.a_colorf3_snan = db.inputs.a_colorf3_snan
db.outputs.a_colorf4_inf = db.inputs.a_colorf4_inf
db.outputs.a_colorf4_ninf = db.inputs.a_colorf4_ninf
db.outputs.a_colorf4_nan = db.inputs.a_colorf4_nan
db.outputs.a_colorf4_snan = db.inputs.a_colorf4_snan
db.outputs.a_colorf3_array_inf = db.inputs.a_colorf3_array_inf
db.outputs.a_colorf3_array_ninf = db.inputs.a_colorf3_array_ninf
db.outputs.a_colorf3_array_nan = db.inputs.a_colorf3_array_nan
db.outputs.a_colorf3_array_snan = db.inputs.a_colorf3_array_snan
db.outputs.a_colorf4_array_inf = db.inputs.a_colorf4_array_inf
db.outputs.a_colorf4_array_ninf = db.inputs.a_colorf4_array_ninf
db.outputs.a_colorf4_array_nan = db.inputs.a_colorf4_array_nan
db.outputs.a_colorf4_array_snan = db.inputs.a_colorf4_array_snan
db.outputs.a_colorh3_inf = db.inputs.a_colorh3_inf
db.outputs.a_colorh3_ninf = db.inputs.a_colorh3_ninf
db.outputs.a_colorh3_nan = db.inputs.a_colorh3_nan
db.outputs.a_colorh3_snan = db.inputs.a_colorh3_snan
db.outputs.a_colorh4_inf = db.inputs.a_colorh4_inf
db.outputs.a_colorh4_ninf = db.inputs.a_colorh4_ninf
db.outputs.a_colorh4_nan = db.inputs.a_colorh4_nan
db.outputs.a_colorh4_snan = db.inputs.a_colorh4_snan
db.outputs.a_colorh3_array_inf = db.inputs.a_colorh3_array_inf
db.outputs.a_colorh3_array_ninf = db.inputs.a_colorh3_array_ninf
db.outputs.a_colorh3_array_nan = db.inputs.a_colorh3_array_nan
db.outputs.a_colorh3_array_snan = db.inputs.a_colorh3_array_snan
db.outputs.a_colorh4_array_inf = db.inputs.a_colorh4_array_inf
db.outputs.a_colorh4_array_ninf = db.inputs.a_colorh4_array_ninf
db.outputs.a_colorh4_array_nan = db.inputs.a_colorh4_array_nan
db.outputs.a_colorh4_array_snan = db.inputs.a_colorh4_array_snan
db.outputs.a_double_inf = db.inputs.a_double_inf
db.outputs.a_double_ninf = db.inputs.a_double_ninf
db.outputs.a_double_nan = db.inputs.a_double_nan
db.outputs.a_double_snan = db.inputs.a_double_snan
db.outputs.a_double2_inf = db.inputs.a_double2_inf
db.outputs.a_double2_ninf = db.inputs.a_double2_ninf
db.outputs.a_double2_nan = db.inputs.a_double2_nan
db.outputs.a_double2_snan = db.inputs.a_double2_snan
db.outputs.a_double3_inf = db.inputs.a_double3_inf
db.outputs.a_double3_ninf = db.inputs.a_double3_ninf
db.outputs.a_double3_nan = db.inputs.a_double3_nan
db.outputs.a_double3_snan = db.inputs.a_double3_snan
db.outputs.a_double4_inf = db.inputs.a_double4_inf
db.outputs.a_double4_ninf = db.inputs.a_double4_ninf
db.outputs.a_double4_nan = db.inputs.a_double4_nan
db.outputs.a_double4_snan = db.inputs.a_double4_snan
db.outputs.a_double_array_inf = db.inputs.a_double_array_inf
db.outputs.a_double_array_ninf = db.inputs.a_double_array_ninf
db.outputs.a_double_array_nan = db.inputs.a_double_array_nan
db.outputs.a_double_array_snan = db.inputs.a_double_array_snan
db.outputs.a_double2_array_inf = db.inputs.a_double2_array_inf
db.outputs.a_double2_array_ninf = db.inputs.a_double2_array_ninf
db.outputs.a_double2_array_nan = db.inputs.a_double2_array_nan
db.outputs.a_double2_array_snan = db.inputs.a_double2_array_snan
db.outputs.a_double3_array_inf = db.inputs.a_double3_array_inf
db.outputs.a_double3_array_ninf = db.inputs.a_double3_array_ninf
db.outputs.a_double3_array_nan = db.inputs.a_double3_array_nan
db.outputs.a_double3_array_snan = db.inputs.a_double3_array_snan
db.outputs.a_double4_array_inf = db.inputs.a_double4_array_inf
db.outputs.a_double4_array_ninf = db.inputs.a_double4_array_ninf
db.outputs.a_double4_array_nan = db.inputs.a_double4_array_nan
db.outputs.a_double4_array_snan = db.inputs.a_double4_array_snan
db.outputs.a_float_inf = db.inputs.a_float_inf
db.outputs.a_float_ninf = db.inputs.a_float_ninf
db.outputs.a_float_nan = db.inputs.a_float_nan
db.outputs.a_float_snan = db.inputs.a_float_snan
db.outputs.a_float2_inf = db.inputs.a_float2_inf
db.outputs.a_float2_ninf = db.inputs.a_float2_ninf
db.outputs.a_float2_nan = db.inputs.a_float2_nan
db.outputs.a_float2_snan = db.inputs.a_float2_snan
db.outputs.a_float3_inf = db.inputs.a_float3_inf
db.outputs.a_float3_ninf = db.inputs.a_float3_ninf
db.outputs.a_float3_nan = db.inputs.a_float3_nan
db.outputs.a_float3_snan = db.inputs.a_float3_snan
db.outputs.a_float4_inf = db.inputs.a_float4_inf
db.outputs.a_float4_ninf = db.inputs.a_float4_ninf
db.outputs.a_float4_nan = db.inputs.a_float4_nan
db.outputs.a_float4_snan = db.inputs.a_float4_snan
db.outputs.a_float_array_inf = db.inputs.a_float_array_inf
db.outputs.a_float_array_ninf = db.inputs.a_float_array_ninf
db.outputs.a_float_array_nan = db.inputs.a_float_array_nan
db.outputs.a_float_array_snan = db.inputs.a_float_array_snan
db.outputs.a_float2_array_inf = db.inputs.a_float2_array_inf
db.outputs.a_float2_array_ninf = db.inputs.a_float2_array_ninf
db.outputs.a_float2_array_nan = db.inputs.a_float2_array_nan
db.outputs.a_float2_array_snan = db.inputs.a_float2_array_snan
db.outputs.a_float3_array_inf = db.inputs.a_float3_array_inf
db.outputs.a_float3_array_ninf = db.inputs.a_float3_array_ninf
db.outputs.a_float3_array_nan = db.inputs.a_float3_array_nan
db.outputs.a_float3_array_snan = db.inputs.a_float3_array_snan
db.outputs.a_float4_array_inf = db.inputs.a_float4_array_inf
db.outputs.a_float4_array_ninf = db.inputs.a_float4_array_ninf
db.outputs.a_float4_array_nan = db.inputs.a_float4_array_nan
db.outputs.a_float4_array_snan = db.inputs.a_float4_array_snan
db.outputs.a_frame4_inf = db.inputs.a_frame4_inf
db.outputs.a_frame4_ninf = db.inputs.a_frame4_ninf
db.outputs.a_frame4_nan = db.inputs.a_frame4_nan
db.outputs.a_frame4_snan = db.inputs.a_frame4_snan
db.outputs.a_frame4_array_inf = db.inputs.a_frame4_array_inf
db.outputs.a_frame4_array_ninf = db.inputs.a_frame4_array_ninf
db.outputs.a_frame4_array_nan = db.inputs.a_frame4_array_nan
db.outputs.a_frame4_array_snan = db.inputs.a_frame4_array_snan
db.outputs.a_half_inf = db.inputs.a_half_inf
db.outputs.a_half_ninf = db.inputs.a_half_ninf
db.outputs.a_half_nan = db.inputs.a_half_nan
db.outputs.a_half_snan = db.inputs.a_half_snan
db.outputs.a_half2_inf = db.inputs.a_half2_inf
db.outputs.a_half2_ninf = db.inputs.a_half2_ninf
db.outputs.a_half2_nan = db.inputs.a_half2_nan
db.outputs.a_half2_snan = db.inputs.a_half2_snan
db.outputs.a_half3_inf = db.inputs.a_half3_inf
db.outputs.a_half3_ninf = db.inputs.a_half3_ninf
db.outputs.a_half3_nan = db.inputs.a_half3_nan
db.outputs.a_half3_snan = db.inputs.a_half3_snan
db.outputs.a_half4_inf = db.inputs.a_half4_inf
db.outputs.a_half4_ninf = db.inputs.a_half4_ninf
db.outputs.a_half4_nan = db.inputs.a_half4_nan
db.outputs.a_half4_snan = db.inputs.a_half4_snan
db.outputs.a_half_array_inf = db.inputs.a_half_array_inf
db.outputs.a_half_array_ninf = db.inputs.a_half_array_ninf
db.outputs.a_half_array_nan = db.inputs.a_half_array_nan
db.outputs.a_half_array_snan = db.inputs.a_half_array_snan
db.outputs.a_half2_array_inf = db.inputs.a_half2_array_inf
db.outputs.a_half2_array_ninf = db.inputs.a_half2_array_ninf
db.outputs.a_half2_array_nan = db.inputs.a_half2_array_nan
db.outputs.a_half2_array_snan = db.inputs.a_half2_array_snan
db.outputs.a_half3_array_inf = db.inputs.a_half3_array_inf
db.outputs.a_half3_array_ninf = db.inputs.a_half3_array_ninf
db.outputs.a_half3_array_nan = db.inputs.a_half3_array_nan
db.outputs.a_half3_array_snan = db.inputs.a_half3_array_snan
db.outputs.a_half4_array_inf = db.inputs.a_half4_array_inf
db.outputs.a_half4_array_ninf = db.inputs.a_half4_array_ninf
db.outputs.a_half4_array_nan = db.inputs.a_half4_array_nan
db.outputs.a_half4_array_snan = db.inputs.a_half4_array_snan
db.outputs.a_matrixd2_inf = db.inputs.a_matrixd2_inf
db.outputs.a_matrixd2_ninf = db.inputs.a_matrixd2_ninf
db.outputs.a_matrixd2_nan = db.inputs.a_matrixd2_nan
db.outputs.a_matrixd2_snan = db.inputs.a_matrixd2_snan
db.outputs.a_matrixd3_inf = db.inputs.a_matrixd3_inf
db.outputs.a_matrixd3_ninf = db.inputs.a_matrixd3_ninf
db.outputs.a_matrixd3_nan = db.inputs.a_matrixd3_nan
db.outputs.a_matrixd3_snan = db.inputs.a_matrixd3_snan
db.outputs.a_matrixd4_inf = db.inputs.a_matrixd4_inf
db.outputs.a_matrixd4_ninf = db.inputs.a_matrixd4_ninf
db.outputs.a_matrixd4_nan = db.inputs.a_matrixd4_nan
db.outputs.a_matrixd4_snan = db.inputs.a_matrixd4_snan
db.outputs.a_matrixd2_array_inf = db.inputs.a_matrixd2_array_inf
db.outputs.a_matrixd2_array_ninf = db.inputs.a_matrixd2_array_ninf
db.outputs.a_matrixd2_array_nan = db.inputs.a_matrixd2_array_nan
db.outputs.a_matrixd2_array_snan = db.inputs.a_matrixd2_array_snan
db.outputs.a_matrixd3_array_inf = db.inputs.a_matrixd3_array_inf
db.outputs.a_matrixd3_array_ninf = db.inputs.a_matrixd3_array_ninf
db.outputs.a_matrixd3_array_nan = db.inputs.a_matrixd3_array_nan
db.outputs.a_matrixd3_array_snan = db.inputs.a_matrixd3_array_snan
db.outputs.a_matrixd4_array_inf = db.inputs.a_matrixd4_array_inf
db.outputs.a_matrixd4_array_ninf = db.inputs.a_matrixd4_array_ninf
db.outputs.a_matrixd4_array_nan = db.inputs.a_matrixd4_array_nan
db.outputs.a_matrixd4_array_snan = db.inputs.a_matrixd4_array_snan
db.outputs.a_normald3_inf = db.inputs.a_normald3_inf
db.outputs.a_normald3_ninf = db.inputs.a_normald3_ninf
db.outputs.a_normald3_nan = db.inputs.a_normald3_nan
db.outputs.a_normald3_snan = db.inputs.a_normald3_snan
db.outputs.a_normald3_array_inf = db.inputs.a_normald3_array_inf
db.outputs.a_normald3_array_ninf = db.inputs.a_normald3_array_ninf
db.outputs.a_normald3_array_nan = db.inputs.a_normald3_array_nan
db.outputs.a_normald3_array_snan = db.inputs.a_normald3_array_snan
db.outputs.a_normalf3_inf = db.inputs.a_normalf3_inf
db.outputs.a_normalf3_ninf = db.inputs.a_normalf3_ninf
db.outputs.a_normalf3_nan = db.inputs.a_normalf3_nan
db.outputs.a_normalf3_snan = db.inputs.a_normalf3_snan
db.outputs.a_normalf3_array_inf = db.inputs.a_normalf3_array_inf
db.outputs.a_normalf3_array_ninf = db.inputs.a_normalf3_array_ninf
db.outputs.a_normalf3_array_nan = db.inputs.a_normalf3_array_nan
db.outputs.a_normalf3_array_snan = db.inputs.a_normalf3_array_snan
db.outputs.a_normalh3_inf = db.inputs.a_normalh3_inf
db.outputs.a_normalh3_ninf = db.inputs.a_normalh3_ninf
db.outputs.a_normalh3_nan = db.inputs.a_normalh3_nan
db.outputs.a_normalh3_snan = db.inputs.a_normalh3_snan
db.outputs.a_normalh3_array_inf = db.inputs.a_normalh3_array_inf
db.outputs.a_normalh3_array_ninf = db.inputs.a_normalh3_array_ninf
db.outputs.a_normalh3_array_nan = db.inputs.a_normalh3_array_nan
db.outputs.a_normalh3_array_snan = db.inputs.a_normalh3_array_snan
db.outputs.a_pointd3_inf = db.inputs.a_pointd3_inf
db.outputs.a_pointd3_ninf = db.inputs.a_pointd3_ninf
db.outputs.a_pointd3_nan = db.inputs.a_pointd3_nan
db.outputs.a_pointd3_snan = db.inputs.a_pointd3_snan
db.outputs.a_pointd3_array_inf = db.inputs.a_pointd3_array_inf
db.outputs.a_pointd3_array_ninf = db.inputs.a_pointd3_array_ninf
db.outputs.a_pointd3_array_nan = db.inputs.a_pointd3_array_nan
db.outputs.a_pointd3_array_snan = db.inputs.a_pointd3_array_snan
db.outputs.a_pointf3_inf = db.inputs.a_pointf3_inf
db.outputs.a_pointf3_ninf = db.inputs.a_pointf3_ninf
db.outputs.a_pointf3_nan = db.inputs.a_pointf3_nan
db.outputs.a_pointf3_snan = db.inputs.a_pointf3_snan
db.outputs.a_pointf3_array_inf = db.inputs.a_pointf3_array_inf
db.outputs.a_pointf3_array_ninf = db.inputs.a_pointf3_array_ninf
db.outputs.a_pointf3_array_nan = db.inputs.a_pointf3_array_nan
db.outputs.a_pointf3_array_snan = db.inputs.a_pointf3_array_snan
db.outputs.a_pointh3_inf = db.inputs.a_pointh3_inf
db.outputs.a_pointh3_ninf = db.inputs.a_pointh3_ninf
db.outputs.a_pointh3_nan = db.inputs.a_pointh3_nan
db.outputs.a_pointh3_snan = db.inputs.a_pointh3_snan
db.outputs.a_pointh3_array_inf = db.inputs.a_pointh3_array_inf
db.outputs.a_pointh3_array_ninf = db.inputs.a_pointh3_array_ninf
db.outputs.a_pointh3_array_nan = db.inputs.a_pointh3_array_nan
db.outputs.a_pointh3_array_snan = db.inputs.a_pointh3_array_snan
db.outputs.a_quatd4_inf = db.inputs.a_quatd4_inf
db.outputs.a_quatd4_ninf = db.inputs.a_quatd4_ninf
db.outputs.a_quatd4_nan = db.inputs.a_quatd4_nan
db.outputs.a_quatd4_snan = db.inputs.a_quatd4_snan
db.outputs.a_quatd4_array_inf = db.inputs.a_quatd4_array_inf
db.outputs.a_quatd4_array_ninf = db.inputs.a_quatd4_array_ninf
db.outputs.a_quatd4_array_nan = db.inputs.a_quatd4_array_nan
db.outputs.a_quatd4_array_snan = db.inputs.a_quatd4_array_snan
db.outputs.a_quatf4_inf = db.inputs.a_quatf4_inf
db.outputs.a_quatf4_ninf = db.inputs.a_quatf4_ninf
db.outputs.a_quatf4_nan = db.inputs.a_quatf4_nan
db.outputs.a_quatf4_snan = db.inputs.a_quatf4_snan
db.outputs.a_quatf4_array_inf = db.inputs.a_quatf4_array_inf
db.outputs.a_quatf4_array_ninf = db.inputs.a_quatf4_array_ninf
db.outputs.a_quatf4_array_nan = db.inputs.a_quatf4_array_nan
db.outputs.a_quatf4_array_snan = db.inputs.a_quatf4_array_snan
db.outputs.a_quath4_inf = db.inputs.a_quath4_inf
db.outputs.a_quath4_ninf = db.inputs.a_quath4_ninf
db.outputs.a_quath4_nan = db.inputs.a_quath4_nan
db.outputs.a_quath4_snan = db.inputs.a_quath4_snan
db.outputs.a_quath4_array_inf = db.inputs.a_quath4_array_inf
db.outputs.a_quath4_array_ninf = db.inputs.a_quath4_array_ninf
db.outputs.a_quath4_array_nan = db.inputs.a_quath4_array_nan
db.outputs.a_quath4_array_snan = db.inputs.a_quath4_array_snan
db.outputs.a_texcoordd2_inf = db.inputs.a_texcoordd2_inf
db.outputs.a_texcoordd2_ninf = db.inputs.a_texcoordd2_ninf
db.outputs.a_texcoordd2_nan = db.inputs.a_texcoordd2_nan
db.outputs.a_texcoordd2_snan = db.inputs.a_texcoordd2_snan
db.outputs.a_texcoordd3_inf = db.inputs.a_texcoordd3_inf
db.outputs.a_texcoordd3_ninf = db.inputs.a_texcoordd3_ninf
db.outputs.a_texcoordd3_nan = db.inputs.a_texcoordd3_nan
db.outputs.a_texcoordd3_snan = db.inputs.a_texcoordd3_snan
db.outputs.a_texcoordd2_array_inf = db.inputs.a_texcoordd2_array_inf
db.outputs.a_texcoordd2_array_ninf = db.inputs.a_texcoordd2_array_ninf
db.outputs.a_texcoordd2_array_nan = db.inputs.a_texcoordd2_array_nan
db.outputs.a_texcoordd2_array_snan = db.inputs.a_texcoordd2_array_snan
db.outputs.a_texcoordd3_array_inf = db.inputs.a_texcoordd3_array_inf
db.outputs.a_texcoordd3_array_ninf = db.inputs.a_texcoordd3_array_ninf
db.outputs.a_texcoordd3_array_nan = db.inputs.a_texcoordd3_array_nan
db.outputs.a_texcoordd3_array_snan = db.inputs.a_texcoordd3_array_snan
db.outputs.a_texcoordf2_inf = db.inputs.a_texcoordf2_inf
db.outputs.a_texcoordf2_ninf = db.inputs.a_texcoordf2_ninf
db.outputs.a_texcoordf2_nan = db.inputs.a_texcoordf2_nan
db.outputs.a_texcoordf2_snan = db.inputs.a_texcoordf2_snan
db.outputs.a_texcoordf3_inf = db.inputs.a_texcoordf3_inf
db.outputs.a_texcoordf3_ninf = db.inputs.a_texcoordf3_ninf
db.outputs.a_texcoordf3_nan = db.inputs.a_texcoordf3_nan
db.outputs.a_texcoordf3_snan = db.inputs.a_texcoordf3_snan
db.outputs.a_texcoordf2_array_inf = db.inputs.a_texcoordf2_array_inf
db.outputs.a_texcoordf2_array_ninf = db.inputs.a_texcoordf2_array_ninf
db.outputs.a_texcoordf2_array_nan = db.inputs.a_texcoordf2_array_nan
db.outputs.a_texcoordf2_array_snan = db.inputs.a_texcoordf2_array_snan
db.outputs.a_texcoordf3_array_inf = db.inputs.a_texcoordf3_array_inf
db.outputs.a_texcoordf3_array_ninf = db.inputs.a_texcoordf3_array_ninf
db.outputs.a_texcoordf3_array_nan = db.inputs.a_texcoordf3_array_nan
db.outputs.a_texcoordf3_array_snan = db.inputs.a_texcoordf3_array_snan
db.outputs.a_texcoordh2_inf = db.inputs.a_texcoordh2_inf
db.outputs.a_texcoordh2_ninf = db.inputs.a_texcoordh2_ninf
db.outputs.a_texcoordh2_nan = db.inputs.a_texcoordh2_nan
db.outputs.a_texcoordh2_snan = db.inputs.a_texcoordh2_snan
db.outputs.a_texcoordh3_inf = db.inputs.a_texcoordh3_inf
db.outputs.a_texcoordh3_ninf = db.inputs.a_texcoordh3_ninf
db.outputs.a_texcoordh3_nan = db.inputs.a_texcoordh3_nan
db.outputs.a_texcoordh3_snan = db.inputs.a_texcoordh3_snan
db.outputs.a_texcoordh2_array_inf = db.inputs.a_texcoordh2_array_inf
db.outputs.a_texcoordh2_array_ninf = db.inputs.a_texcoordh2_array_ninf
db.outputs.a_texcoordh2_array_nan = db.inputs.a_texcoordh2_array_nan
db.outputs.a_texcoordh2_array_snan = db.inputs.a_texcoordh2_array_snan
db.outputs.a_texcoordh3_array_inf = db.inputs.a_texcoordh3_array_inf
db.outputs.a_texcoordh3_array_ninf = db.inputs.a_texcoordh3_array_ninf
db.outputs.a_texcoordh3_array_nan = db.inputs.a_texcoordh3_array_nan
db.outputs.a_texcoordh3_array_snan = db.inputs.a_texcoordh3_array_snan
db.outputs.a_timecode_inf = db.inputs.a_timecode_inf
db.outputs.a_timecode_ninf = db.inputs.a_timecode_ninf
db.outputs.a_timecode_nan = db.inputs.a_timecode_nan
db.outputs.a_timecode_snan = db.inputs.a_timecode_snan
db.outputs.a_timecode_array_inf = db.inputs.a_timecode_array_inf
db.outputs.a_timecode_array_ninf = db.inputs.a_timecode_array_ninf
db.outputs.a_timecode_array_nan = db.inputs.a_timecode_array_nan
db.outputs.a_timecode_array_snan = db.inputs.a_timecode_array_snan
db.outputs.a_vectord3_inf = db.inputs.a_vectord3_inf
db.outputs.a_vectord3_ninf = db.inputs.a_vectord3_ninf
db.outputs.a_vectord3_nan = db.inputs.a_vectord3_nan
db.outputs.a_vectord3_snan = db.inputs.a_vectord3_snan
db.outputs.a_vectord3_array_inf = db.inputs.a_vectord3_array_inf
db.outputs.a_vectord3_array_ninf = db.inputs.a_vectord3_array_ninf
db.outputs.a_vectord3_array_nan = db.inputs.a_vectord3_array_nan
db.outputs.a_vectord3_array_snan = db.inputs.a_vectord3_array_snan
db.outputs.a_vectorf3_inf = db.inputs.a_vectorf3_inf
db.outputs.a_vectorf3_ninf = db.inputs.a_vectorf3_ninf
db.outputs.a_vectorf3_nan = db.inputs.a_vectorf3_nan
db.outputs.a_vectorf3_snan = db.inputs.a_vectorf3_snan
db.outputs.a_vectorf3_array_inf = db.inputs.a_vectorf3_array_inf
db.outputs.a_vectorf3_array_ninf = db.inputs.a_vectorf3_array_ninf
db.outputs.a_vectorf3_array_nan = db.inputs.a_vectorf3_array_nan
db.outputs.a_vectorf3_array_snan = db.inputs.a_vectorf3_array_snan
db.outputs.a_vectorh3_inf = db.inputs.a_vectorh3_inf
db.outputs.a_vectorh3_ninf = db.inputs.a_vectorh3_ninf
db.outputs.a_vectorh3_nan = db.inputs.a_vectorh3_nan
db.outputs.a_vectorh3_snan = db.inputs.a_vectorh3_snan
db.outputs.a_vectorh3_array_inf = db.inputs.a_vectorh3_array_inf
db.outputs.a_vectorh3_array_ninf = db.inputs.a_vectorh3_array_ninf
db.outputs.a_vectorh3_array_nan = db.inputs.a_vectorh3_array_nan
db.outputs.a_vectorh3_array_snan = db.inputs.a_vectorh3_array_snan
return True
| 22,166 |
Python
| 51.528436 | 103 | 0.681404 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnBundleConsumerPy.py
|
"""
This node is designed to consume input bundle and test bundle change tracking.
"""
class OgnBundleConsumerPy:
@staticmethod
def compute(db) -> bool:
with db.inputs.bundle.changes() as bundle_changes:
if bundle_changes:
db.outputs.bundle = db.inputs.bundle
db.outputs.hasOutputBundleChanged = True
else:
db.outputs.hasOutputBundleChanged = False
return True
| 460 |
Python
| 26.117646 | 78 | 0.621739 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestExecutionTask.cpp
|
// Copyright (c) 2022 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestExecutionTaskDatabase.h>
#include <omni/graph/exec/unstable/ExecutionTask.h>
#include <cstdlib>
// This is the implementation of the OGN node defined in OgnTestExecutionTask.ogn
namespace omni {
namespace graph {
namespace test {
class OgnTestExecutionTask
{
public:
static bool compute(OgnTestExecutionTaskDatabase& db)
{
auto& result = db.outputs.result();
if (exec::unstable::getCurrentTask())
result = true;
else
result = false;
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 1,048 |
C++
| 25.897435 | 81 | 0.722328 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnRandomPointsGpu.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnRandomPointsGpuDatabase.h>
#include <cstdlib>
// This is the implementation of the OGN node defined in OgnRandomPointsGpu.ogn
namespace omni {
namespace graph {
namespace test {
extern "C"
void generateGpu(
outputs::points_t outputPoints,
inputs::minimum_t minimum,
inputs::maximum_t maximum,
size_t numberOfPoints);
class OgnRandomPointsGpu
{
public:
// Create an array of "pointCount" points at random locations within the bounding cube,
// delineated by the corner points "minimum" and "maximum".
static bool compute(OgnRandomPointsGpuDatabase& db)
{
// No points mean nothing to generate
const auto& pointCount = db.inputs.pointCount();
if (pointCount == 0)
{
return true;
}
CARB_PROFILE_ZONE(carb::profiler::kCaptureMaskDefault, "Generating Data");
db.outputs.points.resize(pointCount);
generateGpu(db.outputs.points(), db.inputs.minimum(), db.inputs.maximum(), pointCount);
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 1,545 |
C++
| 28.730769 | 95 | 0.710032 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnBundleChildConsumerPy.py
|
"""
This node is designed to consume shallow copied child from the bundle child
producer.
"""
class OgnBundleChildConsumerPy:
@staticmethod
def compute(db) -> bool:
input_bundle = db.inputs.bundle
db.outputs.numChildren = input_bundle.bundle.get_child_bundle_count()
surfaces_bundle = input_bundle.bundle.get_child_bundle_by_name("surfaces")
if surfaces_bundle.is_valid():
db.outputs.numSurfaces = surfaces_bundle.get_child_bundle_count()
else:
db.outputs.numSurfaces = 0
| 547 |
Python
| 29.444443 | 82 | 0.674589 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestAllDataTypesCarb.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestAllDataTypesCarbDatabase.h>
namespace omni {
namespace graph {
using core::ogn::array;
using core::ogn::const_array;
using core::ogn::string;
using core::ogn::const_string;
namespace test {
// Helper template that reduces the testing code while hardcoding to the expected types.
// This version is for types that are directly assignable.
template <typename DataType, typename ConstDataType, typename std::enable_if_t<std::is_assignable<DataType, ConstDataType>::value, int> = 0>
void assign(DataType& dst, ConstDataType& src)
{
dst = src;
}
// This version is for types that cannot be assigned. memcpy works for them since we require types to be byte-compatible
template <typename DataType, typename ConstDataType, typename std::enable_if_t<! std::is_assignable<DataType, ConstDataType>::value, int> = 0>
void assign(DataType& dst, ConstDataType& src)
{
memcpy(&dst, &src, sizeof(DataType));
}
class OgnTestAllDataTypesCarb
{
public:
static bool compute(OgnTestAllDataTypesCarbDatabase& db)
{
if (db.inputs.doNotCompute())
{
return true;
}
assign<bool, const bool>(db.outputs.a_bool(), db.inputs.a_bool());
assign<array<bool>, const const_array<bool>>(db.outputs.a_bool_array(), db.inputs.a_bool_array());
assign<carb::ColorRgbDouble, const carb::ColorRgbDouble>(db.outputs.a_colord_3(), db.inputs.a_colord_3());
assign<carb::ColorRgbaDouble, const carb::ColorRgbaDouble>(db.outputs.a_colord_4(), db.inputs.a_colord_4());
assign<carb::ColorRgb, const carb::ColorRgb>(db.outputs.a_colorf_3(), db.inputs.a_colorf_3());
assign<carb::ColorRgba, const carb::ColorRgba>(db.outputs.a_colorf_4(), db.inputs.a_colorf_4());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_colorh_3(), db.inputs.a_colorh_3());
assign<pxr::GfVec4h, const pxr::GfVec4h>(db.outputs.a_colorh_4(), db.inputs.a_colorh_4());
assign<array<carb::ColorRgbDouble>, const const_array<carb::ColorRgbDouble>>(db.outputs.a_colord_3_array(), db.inputs.a_colord_3_array());
assign<array<carb::ColorRgbaDouble>, const const_array<carb::ColorRgbaDouble>>(db.outputs.a_colord_4_array(), db.inputs.a_colord_4_array());
assign<array<carb::ColorRgb>, const const_array<carb::ColorRgb>>(db.outputs.a_colorf_3_array(), db.inputs.a_colorf_3_array());
assign<array<carb::ColorRgba>, const const_array<carb::ColorRgba>>(db.outputs.a_colorf_4_array(), db.inputs.a_colorf_4_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_colorh_3_array(), db.inputs.a_colorh_3_array());
assign<array<pxr::GfVec4h>, const const_array<pxr::GfVec4h>>(db.outputs.a_colorh_4_array(), db.inputs.a_colorh_4_array());
assign<double, const double>(db.outputs.a_double(), db.inputs.a_double());
assign<carb::Double2, const carb::Double2>(db.outputs.a_double_2(), db.inputs.a_double_2());
assign<carb::Double3, const carb::Double3>(db.outputs.a_double_3(), db.inputs.a_double_3());
assign<carb::Double4, const carb::Double4>(db.outputs.a_double_4(), db.inputs.a_double_4());
assign<array<double>, const const_array<double>>(db.outputs.a_double_array(), db.inputs.a_double_array());
assign<array<carb::Double2>, const const_array<carb::Double2>>(db.outputs.a_double_2_array(), db.inputs.a_double_2_array());
assign<array<carb::Double3>, const const_array<carb::Double3>>(db.outputs.a_double_3_array(), db.inputs.a_double_3_array());
assign<array<carb::Double4>, const const_array<carb::Double4>>(db.outputs.a_double_4_array(), db.inputs.a_double_4_array());
assign<uint32_t, const uint32_t>(db.outputs.a_execution(), db.inputs.a_execution());
assign<float, const float>(db.outputs.a_float(), db.inputs.a_float());
assign<carb::Float2, const carb::Float2>(db.outputs.a_float_2(), db.inputs.a_float_2());
assign<carb::Float3, const carb::Float3>(db.outputs.a_float_3(), db.inputs.a_float_3());
assign<carb::Float4, const carb::Float4>(db.outputs.a_float_4(), db.inputs.a_float_4());
assign<array<float>, const const_array<float>>(db.outputs.a_float_array(), db.inputs.a_float_array());
assign<array<carb::Float2>, const const_array<carb::Float2>>(db.outputs.a_float_2_array(), db.inputs.a_float_2_array());
assign<array<carb::Float3>, const const_array<carb::Float3>>(db.outputs.a_float_3_array(), db.inputs.a_float_3_array());
assign<array<carb::Float4>, const const_array<carb::Float4>>(db.outputs.a_float_4_array(), db.inputs.a_float_4_array());
assign<pxr::GfMatrix4d, const pxr::GfMatrix4d>(db.outputs.a_frame_4(), db.inputs.a_frame_4());
assign<array<pxr::GfMatrix4d>, const const_array<pxr::GfMatrix4d>>(db.outputs.a_frame_4_array(), db.inputs.a_frame_4_array());
assign<pxr::GfHalf, const pxr::GfHalf>(db.outputs.a_half(), db.inputs.a_half());
assign<pxr::GfVec2h, const pxr::GfVec2h>(db.outputs.a_half_2(), db.inputs.a_half_2());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_half_3(), db.inputs.a_half_3());
assign<pxr::GfVec4h, const pxr::GfVec4h>(db.outputs.a_half_4(), db.inputs.a_half_4());
assign<array<pxr::GfHalf>, const const_array<pxr::GfHalf>>(db.outputs.a_half_array(), db.inputs.a_half_array());
assign<array<pxr::GfVec2h>, const const_array<pxr::GfVec2h>>(db.outputs.a_half_2_array(), db.inputs.a_half_2_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_half_3_array(), db.inputs.a_half_3_array());
assign<array<pxr::GfVec4h>, const const_array<pxr::GfVec4h>>(db.outputs.a_half_4_array(), db.inputs.a_half_4_array());
assign<int, const int>(db.outputs.a_int(), db.inputs.a_int());
assign<carb::Int2, const carb::Int2>(db.outputs.a_int_2(), db.inputs.a_int_2());
assign<carb::Int3, const carb::Int3>(db.outputs.a_int_3(), db.inputs.a_int_3());
assign<carb::Int4, const carb::Int4>(db.outputs.a_int_4(), db.inputs.a_int_4());
assign<array<int>, const const_array<int>>(db.outputs.a_int_array(), db.inputs.a_int_array());
assign<array<carb::Int2>, const const_array<carb::Int2>>(db.outputs.a_int_2_array(), db.inputs.a_int_2_array());
assign<array<carb::Int3>, const const_array<carb::Int3>>(db.outputs.a_int_3_array(), db.inputs.a_int_3_array());
assign<array<carb::Int4>, const const_array<carb::Int4>>(db.outputs.a_int_4_array(), db.inputs.a_int_4_array());
assign<int64_t, const int64_t>(db.outputs.a_int64(), db.inputs.a_int64());
assign<array<int64_t>, const const_array<int64_t>>(db.outputs.a_int64_array(), db.inputs.a_int64_array());
assign<pxr::GfMatrix2d, const pxr::GfMatrix2d>(db.outputs.a_matrixd_2(), db.inputs.a_matrixd_2());
assign<pxr::GfMatrix3d, const pxr::GfMatrix3d>(db.outputs.a_matrixd_3(), db.inputs.a_matrixd_3());
assign<pxr::GfMatrix4d, const pxr::GfMatrix4d>(db.outputs.a_matrixd_4(), db.inputs.a_matrixd_4());
assign<array<pxr::GfMatrix2d>, const const_array<pxr::GfMatrix2d>>(db.outputs.a_matrixd_2_array(), db.inputs.a_matrixd_2_array());
assign<array<pxr::GfMatrix3d>, const const_array<pxr::GfMatrix3d>>(db.outputs.a_matrixd_3_array(), db.inputs.a_matrixd_3_array());
assign<array<pxr::GfMatrix4d>, const const_array<pxr::GfMatrix4d>>(db.outputs.a_matrixd_4_array(), db.inputs.a_matrixd_4_array());
assign<carb::Double3, const carb::Double3>(db.outputs.a_normald_3(), db.inputs.a_normald_3());
assign<carb::Float3, const carb::Float3>(db.outputs.a_normalf_3(), db.inputs.a_normalf_3());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_normalh_3(), db.inputs.a_normalh_3());
assign<array<carb::Double3>, const const_array<carb::Double3>>(db.outputs.a_normald_3_array(), db.inputs.a_normald_3_array());
assign<array<carb::Float3>, const const_array<carb::Float3>>(db.outputs.a_normalf_3_array(), db.inputs.a_normalf_3_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_normalh_3_array(), db.inputs.a_normalh_3_array());
assign<uint64_t, const uint64_t>(db.outputs.a_objectId(), db.inputs.a_objectId());
assign<array<uint64_t>, const const_array<uint64_t>>(db.outputs.a_objectId_array(), db.inputs.a_objectId_array());
assign<carb::Double3, const carb::Double3>(db.outputs.a_pointd_3(), db.inputs.a_pointd_3());
assign<carb::Float3, const carb::Float3>(db.outputs.a_pointf_3(), db.inputs.a_pointf_3());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_pointh_3(), db.inputs.a_pointh_3());
assign<array<carb::Double3>, const const_array<carb::Double3>>(db.outputs.a_pointd_3_array(), db.inputs.a_pointd_3_array());
assign<array<carb::Float3>, const const_array<carb::Float3>>(db.outputs.a_pointf_3_array(), db.inputs.a_pointf_3_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_pointh_3_array(), db.inputs.a_pointh_3_array());
assign<carb::Double4, const carb::Double4>(db.outputs.a_quatd_4(), db.inputs.a_quatd_4());
assign<carb::Float4, const carb::Float4>(db.outputs.a_quatf_4(), db.inputs.a_quatf_4());
assign<pxr::GfQuath, const pxr::GfQuath>(db.outputs.a_quath_4(), db.inputs.a_quath_4());
assign<array<carb::Double4>, const const_array<carb::Double4>>(db.outputs.a_quatd_4_array(), db.inputs.a_quatd_4_array());
assign<array<carb::Float4>, const const_array<carb::Float4>>(db.outputs.a_quatf_4_array(), db.inputs.a_quatf_4_array());
assign<array<pxr::GfQuath>, const const_array<pxr::GfQuath>>(db.outputs.a_quath_4_array(), db.inputs.a_quath_4_array());
assign<string, const const_string>(db.outputs.a_string(), db.inputs.a_string());
assign<carb::Double2, const carb::Double2>(db.outputs.a_texcoordd_2(), db.inputs.a_texcoordd_2());
assign<carb::Double3, const carb::Double3>(db.outputs.a_texcoordd_3(), db.inputs.a_texcoordd_3());
assign<carb::Float2, const carb::Float2>(db.outputs.a_texcoordf_2(), db.inputs.a_texcoordf_2());
assign<carb::Float3, const carb::Float3>(db.outputs.a_texcoordf_3(), db.inputs.a_texcoordf_3());
assign<pxr::GfVec2h, const pxr::GfVec2h>(db.outputs.a_texcoordh_2(), db.inputs.a_texcoordh_2());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_texcoordh_3(), db.inputs.a_texcoordh_3());
assign<array<carb::Double2>, const const_array<carb::Double2>>(db.outputs.a_texcoordd_2_array(), db.inputs.a_texcoordd_2_array());
assign<array<carb::Double3>, const const_array<carb::Double3>>(db.outputs.a_texcoordd_3_array(), db.inputs.a_texcoordd_3_array());
assign<array<carb::Float2>, const const_array<carb::Float2>>(db.outputs.a_texcoordf_2_array(), db.inputs.a_texcoordf_2_array());
assign<array<carb::Float3>, const const_array<carb::Float3>>(db.outputs.a_texcoordf_3_array(), db.inputs.a_texcoordf_3_array());
assign<array<pxr::GfVec2h>, const const_array<pxr::GfVec2h>>(db.outputs.a_texcoordh_2_array(), db.inputs.a_texcoordh_2_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_texcoordh_3_array(), db.inputs.a_texcoordh_3_array());
assign<pxr::SdfTimeCode, const pxr::SdfTimeCode>(db.outputs.a_timecode(), db.inputs.a_timecode());
assign<array<pxr::SdfTimeCode>, const const_array<pxr::SdfTimeCode>>(db.outputs.a_timecode_array(), db.inputs.a_timecode_array());
assign<NameToken, const NameToken>(db.outputs.a_token(), db.inputs.a_token());
assign<array<NameToken>, const const_array<NameToken>>(db.outputs.a_token_array(), db.inputs.a_token_array());
assign<uint8_t, const uint8_t>(db.outputs.a_uchar(), db.inputs.a_uchar());
assign<array<uint8_t>, const const_array<uint8_t>>(db.outputs.a_uchar_array(), db.inputs.a_uchar_array());
assign<uint32_t, const uint32_t>(db.outputs.a_uint(), db.inputs.a_uint());
assign<array<uint32_t>, const const_array<uint32_t>>(db.outputs.a_uint_array(), db.inputs.a_uint_array());
assign<uint64_t, const uint64_t>(db.outputs.a_uint64(), db.inputs.a_uint64());
assign<array<uint64_t>, const const_array<uint64_t>>(db.outputs.a_uint64_array(), db.inputs.a_uint64_array());
assign<carb::Double3, const carb::Double3>(db.outputs.a_vectord_3(), db.inputs.a_vectord_3());
assign<carb::Float3, const carb::Float3>(db.outputs.a_vectorf_3(), db.inputs.a_vectorf_3());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_vectorh_3(), db.inputs.a_vectorh_3());
assign<array<carb::Double3>, const const_array<carb::Double3>>(db.outputs.a_vectord_3_array(), db.inputs.a_vectord_3_array());
assign<array<carb::Float3>, const const_array<carb::Float3>>(db.outputs.a_vectorf_3_array(), db.inputs.a_vectorf_3_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_vectorh_3_array(), db.inputs.a_vectorh_3_array());
return true;
}
};
REGISTER_OGN_NODE()
} // namespace test
} // namespace graph
} // namespace omni
| 13,653 |
C++
| 74.855555 | 148 | 0.676701 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnMultiply2IntArray.cpp
|
// Copyright (c) 2020, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnMultiply2IntArrayDatabase.h>
#include <algorithm>
class OgnMultiply2IntArray
{
public:
static bool compute(OgnMultiply2IntArrayDatabase& db)
{
auto a = db.inputs.a();
auto b = db.inputs.b();
auto output = db.outputs.output();
// If either array has only a single member that value will multiply all members of the other array.
// The case when both have size 1 is handled by the first "if".
if (a.size() == 1)
{
output = b;
std::for_each(output.begin(), output.end(), [a](int& value) { value *= a[0]; });
}
else if (b.size() == 1)
{
output = a;
std::for_each(output.begin(), output.end(), [b](int& value) { value *= b[0]; });
}
else
{
output.resize(a.size());
std::transform(a.begin(), a.end(), b.begin(), output.begin(), std::multiplies<int>());
}
return true;
}
};
REGISTER_OGN_NODE()
| 1,442 |
C++
| 32.558139 | 108 | 0.610264 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestAllDataTypes.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestAllDataTypesDatabase.h>
namespace omni {
namespace graph {
namespace test {
class OgnTestAllDataTypes
{
public:
static bool compute(OgnTestAllDataTypesDatabase& db)
{
if (db.inputs.doNotCompute())
{
return true;
}
db.outputs.a_bool() = db.inputs.a_bool();
db.outputs.a_bool_array() = db.inputs.a_bool_array();
db.outputs.a_colord_3() = db.inputs.a_colord_3();
db.outputs.a_colord_4() = db.inputs.a_colord_4();
db.outputs.a_colorf_3() = db.inputs.a_colorf_3();
db.outputs.a_colorf_4() = db.inputs.a_colorf_4();
db.outputs.a_colorh_3() = db.inputs.a_colorh_3();
db.outputs.a_colorh_4() = db.inputs.a_colorh_4();
db.outputs.a_colord_3_array() = db.inputs.a_colord_3_array();
db.outputs.a_colord_4_array() = db.inputs.a_colord_4_array();
db.outputs.a_colorf_3_array() = db.inputs.a_colorf_3_array();
db.outputs.a_colorf_4_array() = db.inputs.a_colorf_4_array();
db.outputs.a_colorh_3_array() = db.inputs.a_colorh_3_array();
db.outputs.a_colorh_4_array() = db.inputs.a_colorh_4_array();
db.outputs.a_double() = db.inputs.a_double();
db.outputs.a_double_2() = db.inputs.a_double_2();
db.outputs.a_double_3() = db.inputs.a_double_3();
db.outputs.a_double_4() = db.inputs.a_double_4();
db.outputs.a_double_array() = db.inputs.a_double_array();
db.outputs.a_double_2_array() = db.inputs.a_double_2_array();
db.outputs.a_double_3_array() = db.inputs.a_double_3_array();
db.outputs.a_double_4_array() = db.inputs.a_double_4_array();
db.outputs.a_execution() = db.inputs.a_execution();
db.outputs.a_float() = db.inputs.a_float();
db.outputs.a_float_2() = db.inputs.a_float_2();
db.outputs.a_float_3() = db.inputs.a_float_3();
db.outputs.a_float_4() = db.inputs.a_float_4();
db.outputs.a_float_array() = db.inputs.a_float_array();
db.outputs.a_float_2_array() = db.inputs.a_float_2_array();
db.outputs.a_float_3_array() = db.inputs.a_float_3_array();
db.outputs.a_float_4_array() = db.inputs.a_float_4_array();
db.outputs.a_frame_4() = db.inputs.a_frame_4();
db.outputs.a_frame_4_array() = db.inputs.a_frame_4_array();
db.outputs.a_half() = db.inputs.a_half();
db.outputs.a_half_2() = db.inputs.a_half_2();
db.outputs.a_half_3() = db.inputs.a_half_3();
db.outputs.a_half_4() = db.inputs.a_half_4();
db.outputs.a_half_array() = db.inputs.a_half_array();
db.outputs.a_half_2_array() = db.inputs.a_half_2_array();
db.outputs.a_half_3_array() = db.inputs.a_half_3_array();
db.outputs.a_half_4_array() = db.inputs.a_half_4_array();
db.outputs.a_int() = db.inputs.a_int();
db.outputs.a_int_2() = db.inputs.a_int_2();
db.outputs.a_int_3() = db.inputs.a_int_3();
db.outputs.a_int_4() = db.inputs.a_int_4();
db.outputs.a_int_array() = db.inputs.a_int_array();
db.outputs.a_int_2_array() = db.inputs.a_int_2_array();
db.outputs.a_int_3_array() = db.inputs.a_int_3_array();
db.outputs.a_int_4_array() = db.inputs.a_int_4_array();
db.outputs.a_int64() = db.inputs.a_int64();
db.outputs.a_int64_array() = db.inputs.a_int64_array();
db.outputs.a_matrixd_2() = db.inputs.a_matrixd_2();
db.outputs.a_matrixd_3() = db.inputs.a_matrixd_3();
db.outputs.a_matrixd_4() = db.inputs.a_matrixd_4();
db.outputs.a_matrixd_2_array() = db.inputs.a_matrixd_2_array();
db.outputs.a_matrixd_3_array() = db.inputs.a_matrixd_3_array();
db.outputs.a_matrixd_4_array() = db.inputs.a_matrixd_4_array();
db.outputs.a_normald_3() = db.inputs.a_normald_3();
db.outputs.a_normalf_3() = db.inputs.a_normalf_3();
db.outputs.a_normalh_3() = db.inputs.a_normalh_3();
db.outputs.a_normald_3_array() = db.inputs.a_normald_3_array();
db.outputs.a_normalf_3_array() = db.inputs.a_normalf_3_array();
db.outputs.a_normalh_3_array() = db.inputs.a_normalh_3_array();
db.outputs.a_objectId() = db.inputs.a_objectId();
db.outputs.a_objectId_array() = db.inputs.a_objectId_array();
db.outputs.a_path() = db.inputs.a_path();
db.outputs.a_pointd_3() = db.inputs.a_pointd_3();
db.outputs.a_pointf_3() = db.inputs.a_pointf_3();
db.outputs.a_pointh_3() = db.inputs.a_pointh_3();
db.outputs.a_pointd_3_array() = db.inputs.a_pointd_3_array();
db.outputs.a_pointf_3_array() = db.inputs.a_pointf_3_array();
db.outputs.a_pointh_3_array() = db.inputs.a_pointh_3_array();
db.outputs.a_quatd_4() = db.inputs.a_quatd_4();
db.outputs.a_quatf_4() = db.inputs.a_quatf_4();
db.outputs.a_quath_4() = db.inputs.a_quath_4();
db.outputs.a_quatd_4_array() = db.inputs.a_quatd_4_array();
db.outputs.a_quatf_4_array() = db.inputs.a_quatf_4_array();
db.outputs.a_quath_4_array() = db.inputs.a_quath_4_array();
db.outputs.a_string() = db.inputs.a_string();
db.outputs.a_target() = db.inputs.a_target();
db.outputs.a_texcoordd_2() = db.inputs.a_texcoordd_2();
db.outputs.a_texcoordd_3() = db.inputs.a_texcoordd_3();
db.outputs.a_texcoordf_2() = db.inputs.a_texcoordf_2();
db.outputs.a_texcoordf_3() = db.inputs.a_texcoordf_3();
db.outputs.a_texcoordh_2() = db.inputs.a_texcoordh_2();
db.outputs.a_texcoordh_3() = db.inputs.a_texcoordh_3();
db.outputs.a_texcoordd_2_array() = db.inputs.a_texcoordd_2_array();
db.outputs.a_texcoordd_3_array() = db.inputs.a_texcoordd_3_array();
db.outputs.a_texcoordf_2_array() = db.inputs.a_texcoordf_2_array();
db.outputs.a_texcoordf_3_array() = db.inputs.a_texcoordf_3_array();
db.outputs.a_texcoordh_2_array() = db.inputs.a_texcoordh_2_array();
db.outputs.a_texcoordh_3_array() = db.inputs.a_texcoordh_3_array();
db.outputs.a_timecode() = db.inputs.a_timecode();
db.outputs.a_timecode_array() = db.inputs.a_timecode_array();
db.outputs.a_token() = db.inputs.a_token();
db.outputs.a_token_array() = db.inputs.a_token_array();
db.outputs.a_uchar() = db.inputs.a_uchar();
db.outputs.a_uchar_array() = db.inputs.a_uchar_array();
db.outputs.a_uint() = db.inputs.a_uint();
db.outputs.a_uint_array() = db.inputs.a_uint_array();
db.outputs.a_uint64() = db.inputs.a_uint64();
db.outputs.a_uint64_array() = db.inputs.a_uint64_array();
db.outputs.a_vectord_3() = db.inputs.a_vectord_3();
db.outputs.a_vectorf_3() = db.inputs.a_vectorf_3();
db.outputs.a_vectorh_3() = db.inputs.a_vectorh_3();
db.outputs.a_vectord_3_array() = db.inputs.a_vectord_3_array();
db.outputs.a_vectorf_3_array() = db.inputs.a_vectorf_3_array();
db.outputs.a_vectorh_3_array() = db.inputs.a_vectorh_3_array();
// The input bundle could contain any of the legal data types so check them all. When a match is found then
// a copy of the regular input attribute with the same type is added to both the state and output bundles.
// As a secondary check it also does type casting to USD types where explicit casting has been implemented.
auto& outputBundle = db.outputs.a_bundle();
auto& stateBundle = db.state.a_bundle();
for (const auto& bundledAttribute : db.inputs.a_bundle())
{
const auto& bundledType = bundledAttribute.type();
// As the copyData handles attributes of all types, and we are by design creating an attribute with a type
// identical to the one it is copying, none of the usual bundle member casting is necessary. A simple
// create-and-copy gives a bundle with contents equal to all of the input attributes.
auto newOutput = outputBundle.addAttribute(bundledAttribute.name(), bundledType);
auto newState = stateBundle.addAttribute(bundledAttribute.name(), bundledType);
newOutput.copyData(bundledAttribute);
newState.copyData(bundledAttribute);
}
// State attributes take on the input values the first time they evaluate, zeroes on subsequent evaluations.
// The a_firstEvaluation attribute is used as the gating state information to decide when evaluation needs to happen again.
if (db.state.a_firstEvaluation())
{
db.state.a_firstEvaluation() = false;
db.state.a_bool() = db.inputs.a_bool();
db.state.a_bool_array() = db.inputs.a_bool_array();
db.state.a_colord_3() = db.inputs.a_colord_3();
db.state.a_colord_4() = db.inputs.a_colord_4();
db.state.a_colorf_3() = db.inputs.a_colorf_3();
db.state.a_colorf_4() = db.inputs.a_colorf_4();
db.state.a_colorh_3() = db.inputs.a_colorh_3();
db.state.a_colorh_4() = db.inputs.a_colorh_4();
db.state.a_colord_3_array() = db.inputs.a_colord_3_array();
db.state.a_colord_4_array() = db.inputs.a_colord_4_array();
db.state.a_colorf_3_array() = db.inputs.a_colorf_3_array();
db.state.a_colorf_4_array() = db.inputs.a_colorf_4_array();
db.state.a_colorh_3_array() = db.inputs.a_colorh_3_array();
db.state.a_colorh_4_array() = db.inputs.a_colorh_4_array();
db.state.a_double() = db.inputs.a_double();
db.state.a_double_2() = db.inputs.a_double_2();
db.state.a_double_3() = db.inputs.a_double_3();
db.state.a_double_4() = db.inputs.a_double_4();
db.state.a_double_array() = db.inputs.a_double_array();
db.state.a_double_2_array() = db.inputs.a_double_2_array();
db.state.a_double_3_array() = db.inputs.a_double_3_array();
db.state.a_double_4_array() = db.inputs.a_double_4_array();
db.state.a_execution() = db.inputs.a_execution();
db.state.a_float() = db.inputs.a_float();
db.state.a_float_2() = db.inputs.a_float_2();
db.state.a_float_3() = db.inputs.a_float_3();
db.state.a_float_4() = db.inputs.a_float_4();
db.state.a_float_array() = db.inputs.a_float_array();
db.state.a_float_2_array() = db.inputs.a_float_2_array();
db.state.a_float_3_array() = db.inputs.a_float_3_array();
db.state.a_float_4_array() = db.inputs.a_float_4_array();
db.state.a_frame_4() = db.inputs.a_frame_4();
db.state.a_frame_4_array() = db.inputs.a_frame_4_array();
db.state.a_half() = db.inputs.a_half();
db.state.a_half_2() = db.inputs.a_half_2();
db.state.a_half_3() = db.inputs.a_half_3();
db.state.a_half_4() = db.inputs.a_half_4();
db.state.a_half_array() = db.inputs.a_half_array();
db.state.a_half_2_array() = db.inputs.a_half_2_array();
db.state.a_half_3_array() = db.inputs.a_half_3_array();
db.state.a_half_4_array() = db.inputs.a_half_4_array();
db.state.a_int() = db.inputs.a_int();
db.state.a_int_2() = db.inputs.a_int_2();
db.state.a_int_3() = db.inputs.a_int_3();
db.state.a_int_4() = db.inputs.a_int_4();
db.state.a_int_array() = db.inputs.a_int_array();
db.state.a_int_2_array() = db.inputs.a_int_2_array();
db.state.a_int_3_array() = db.inputs.a_int_3_array();
db.state.a_int_4_array() = db.inputs.a_int_4_array();
db.state.a_int64() = db.inputs.a_int64();
db.state.a_int64_array() = db.inputs.a_int64_array();
db.state.a_matrixd_2() = db.inputs.a_matrixd_2();
db.state.a_matrixd_3() = db.inputs.a_matrixd_3();
db.state.a_matrixd_4() = db.inputs.a_matrixd_4();
db.state.a_matrixd_2_array() = db.inputs.a_matrixd_2_array();
db.state.a_matrixd_3_array() = db.inputs.a_matrixd_3_array();
db.state.a_matrixd_4_array() = db.inputs.a_matrixd_4_array();
db.state.a_normald_3() = db.inputs.a_normald_3();
db.state.a_normalf_3() = db.inputs.a_normalf_3();
db.state.a_normalh_3() = db.inputs.a_normalh_3();
db.state.a_normald_3_array() = db.inputs.a_normald_3_array();
db.state.a_normalf_3_array() = db.inputs.a_normalf_3_array();
db.state.a_normalh_3_array() = db.inputs.a_normalh_3_array();
db.state.a_objectId() = db.inputs.a_objectId();
db.state.a_objectId_array() = db.inputs.a_objectId_array();
db.state.a_path() = db.inputs.a_path();
db.state.a_pointd_3() = db.inputs.a_pointd_3();
db.state.a_pointf_3() = db.inputs.a_pointf_3();
db.state.a_pointh_3() = db.inputs.a_pointh_3();
db.state.a_pointd_3_array() = db.inputs.a_pointd_3_array();
db.state.a_pointf_3_array() = db.inputs.a_pointf_3_array();
db.state.a_pointh_3_array() = db.inputs.a_pointh_3_array();
db.state.a_quatd_4() = db.inputs.a_quatd_4();
db.state.a_quatf_4() = db.inputs.a_quatf_4();
db.state.a_quath_4() = db.inputs.a_quath_4();
db.state.a_quatd_4_array() = db.inputs.a_quatd_4_array();
db.state.a_quatf_4_array() = db.inputs.a_quatf_4_array();
db.state.a_quath_4_array() = db.inputs.a_quath_4_array();
db.state.a_string() = db.inputs.a_string();
db.state.a_stringEmpty() = db.inputs.a_string();
db.state.a_target() = db.inputs.a_target();
db.state.a_texcoordd_2() = db.inputs.a_texcoordd_2();
db.state.a_texcoordd_3() = db.inputs.a_texcoordd_3();
db.state.a_texcoordf_2() = db.inputs.a_texcoordf_2();
db.state.a_texcoordf_3() = db.inputs.a_texcoordf_3();
db.state.a_texcoordh_2() = db.inputs.a_texcoordh_2();
db.state.a_texcoordh_3() = db.inputs.a_texcoordh_3();
db.state.a_texcoordd_2_array() = db.inputs.a_texcoordd_2_array();
db.state.a_texcoordd_3_array() = db.inputs.a_texcoordd_3_array();
db.state.a_texcoordf_2_array() = db.inputs.a_texcoordf_2_array();
db.state.a_texcoordf_3_array() = db.inputs.a_texcoordf_3_array();
db.state.a_texcoordh_2_array() = db.inputs.a_texcoordh_2_array();
db.state.a_texcoordh_3_array() = db.inputs.a_texcoordh_3_array();
db.state.a_timecode() = db.inputs.a_timecode();
db.state.a_timecode_array() = db.inputs.a_timecode_array();
db.state.a_token() = db.inputs.a_token();
db.state.a_token_array() = db.inputs.a_token_array();
db.state.a_uchar() = db.inputs.a_uchar();
db.state.a_uchar_array() = db.inputs.a_uchar_array();
db.state.a_uint() = db.inputs.a_uint();
db.state.a_uint_array() = db.inputs.a_uint_array();
db.state.a_uint64() = db.inputs.a_uint64();
db.state.a_uint64_array() = db.inputs.a_uint64_array();
db.state.a_vectord_3() = db.inputs.a_vectord_3();
db.state.a_vectorf_3() = db.inputs.a_vectorf_3();
db.state.a_vectorh_3() = db.inputs.a_vectorh_3();
db.state.a_vectord_3_array() = db.inputs.a_vectord_3_array();
db.state.a_vectorf_3_array() = db.inputs.a_vectorf_3_array();
db.state.a_vectorh_3_array() = db.inputs.a_vectorh_3_array();
}
else
{
// On subsequent evaluations the state values are all set to 0 (empty list for array types)
db.state.a_bool() = false;
db.state.a_bool_array.resize(0);
db.state.a_colord_3().Set(0.0, 0.0, 0.0);
db.state.a_colord_4().Set(0.0, 0.0, 0.0, 0.0);
db.state.a_colorf_3().Set(0.0, 0.0, 0.0);
db.state.a_colorf_4().Set(0.0, 0.0, 0.0, 0.0);
db.state.a_colorh_3() *= 0.0;
db.state.a_colorh_4() *= 0.0;
db.state.a_colord_3_array.resize(0);
db.state.a_colord_4_array.resize(0);
db.state.a_colorf_3_array.resize(0);
db.state.a_colorf_4_array.resize(0);
db.state.a_colorh_3_array.resize(0);
db.state.a_colorh_4_array.resize(0);
db.state.a_double() = 0.0;
db.state.a_double_2().Set(0.0, 0.0);
db.state.a_double_3().Set(0.0, 0.0, 0.0);
db.state.a_double_4().Set(0.0, 0.0, 0.0, 0.0);
db.state.a_double_array.resize(0);
db.state.a_double_2_array.resize(0);
db.state.a_double_3_array.resize(0);
db.state.a_double_4_array.resize(0);
db.state.a_execution() = 0;
db.state.a_float() = 0.0f;
db.state.a_float_2().Set(0.0f, 0.0f);
db.state.a_float_3().Set(0.0f, 0.0f, 0.0f);
db.state.a_float_4().Set(0.0f, 0.0f, 0.0f, 0.0f);
db.state.a_float_array.resize(0);
db.state.a_float_2_array.resize(0);
db.state.a_float_3_array.resize(0);
db.state.a_float_4_array.resize(0);
db.state.a_frame_4().SetZero();
db.state.a_frame_4_array.resize(0);
db.state.a_half() = pxr::GfHalf(0.0);
db.state.a_half_2() *= 0.0;
db.state.a_half_3() *= 0.0;
db.state.a_half_4() *= 0.0;
db.state.a_half_array.resize(0);
db.state.a_half_2_array.resize(0);
db.state.a_half_3_array.resize(0);
db.state.a_half_4_array.resize(0);
db.state.a_int() = 0;
db.state.a_int_2().Set(0, 0);
db.state.a_int_3().Set(0, 0, 0);
db.state.a_int_4().Set(0, 0, 0, 0);
db.state.a_int_array.resize(0);
db.state.a_int_2_array.resize(0);
db.state.a_int_3_array.resize(0);
db.state.a_int_4_array.resize(0);
db.state.a_int64() = 0;
db.state.a_int64_array.resize(0);
db.state.a_matrixd_2().SetZero();
db.state.a_matrixd_3().SetZero();
db.state.a_matrixd_4().SetZero();
db.state.a_matrixd_2_array.resize(0);
db.state.a_matrixd_3_array.resize(0);
db.state.a_matrixd_4_array.resize(0);
db.state.a_normald_3().Set(0.0, 0.0, 0.0);
db.state.a_normalf_3().Set(0.0f, 0.0f, 0.0f);
db.state.a_normalh_3() *= 0.0;
db.state.a_normald_3_array.resize(0);
db.state.a_normalf_3_array.resize(0);
db.state.a_normalh_3_array.resize(0);
db.state.a_objectId() = 0;
db.state.a_objectId_array.resize(0);
std::string emptyString;
db.state.a_path() = emptyString;
db.state.a_pointd_3().Set(0.0, 0.0, 0.0);
db.state.a_pointf_3().Set(0.0f, 0.0f, 0.0f);
db.state.a_pointh_3() *= 0.0;
db.state.a_pointd_3_array.resize(0);
db.state.a_pointf_3_array.resize(0);
db.state.a_pointh_3_array.resize(0);
db.state.a_quatd_4().SetReal(0.0);
db.state.a_quatd_4().SetImaginary(0.0, 0.0, 0.0);
db.state.a_quatf_4().SetReal(0.0f);
db.state.a_quatf_4().SetImaginary(0.0f, 0.0f, 0.0f);
db.state.a_quath_4() *= 0.0;
db.state.a_quatd_4_array.resize(0);
db.state.a_quatf_4_array.resize(0);
db.state.a_quath_4_array.resize(0);
db.state.a_string() = "";
db.state.a_target().resize(0);
db.state.a_texcoordd_2().Set(0.0, 0.0);
db.state.a_texcoordd_3().Set(0.0, 0.0, 0.0);
db.state.a_texcoordf_2().Set(0.0f, 0.0f);
db.state.a_texcoordf_3().Set(0.0f, 0.0f, 0.0f);
db.state.a_texcoordh_2() *= 0.0;
db.state.a_texcoordh_3() *= 0.0;
db.state.a_texcoordd_2_array.resize(0);
db.state.a_texcoordd_3_array.resize(0);
db.state.a_texcoordf_2_array.resize(0);
db.state.a_texcoordf_3_array.resize(0);
db.state.a_texcoordh_2_array.resize(0);
db.state.a_texcoordh_3_array.resize(0);
db.state.a_timecode() = db.inputs.a_timecode() * pxr::SdfTimeCode(0.0);
db.state.a_timecode_array.resize(0);
db.state.a_token() = omni::fabric::kUninitializedToken;
db.state.a_token_array.resize(0);
db.state.a_uchar() = 0;
db.state.a_uchar_array.resize(0);
db.state.a_uint() = 0;
db.state.a_uint_array.resize(0);
db.state.a_uint64() = 0;
db.state.a_uint64_array.resize(0);
db.state.a_vectord_3().Set(0.0, 0.0, 0.0);
db.state.a_vectorf_3().Set(0.0f, 0.0f, 0.0f);
db.state.a_vectorh_3() *= 0.0;
db.state.a_vectord_3_array.resize(0);
db.state.a_vectorf_3_array.resize(0);
db.state.a_vectorh_3_array.resize(0);
}
// OM-41949 Not building when referencing certain types of state bundle members
auto runtimeInt3Array = db.state.a_bundle().attributeByName(db.stringToToken("inputs:a_int_3_array"));
if (runtimeInt3Array.isValid())
{
// Artificial path to do something the compiler can't elide
auto extractedValue = runtimeInt3Array.getCpu<int[][3]>();
if (extractedValue.size() > 0)
{
return true;
}
}
return true;
}
};
REGISTER_OGN_NODE()
} // namespace test
} // namespace graph
} // namespace omni
| 22,298 |
C++
| 46.243644 | 131 | 0.563638 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestSchedulingHintsString.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestSchedulingHintsStringDatabase.h>
namespace omni {
namespace graph {
namespace core {
class OgnTestSchedulingHintsString
{
public:
// This node does nothing, it's only a container of the scheduling hints
static bool compute(OgnTestSchedulingHintsStringDatabase& db)
{
return true;
}
};
REGISTER_OGN_NODE()
} // namespace core
} // namespace graph
} // namespace omni
| 846 |
C++
| 27.233332 | 77 | 0.762411 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestAllDataTypesPod.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestAllDataTypesPodDatabase.h>
namespace omni {
namespace graph {
using core::ogn::array;
using core::ogn::const_array;
using core::ogn::string;
using core::ogn::const_string;
namespace test {
// Helper template that reduces the testing code while hardcoding to the expected types.
// This version is for types that are directly assignable.
template <typename DataType, typename ConstDataType, typename std::enable_if_t<std::is_assignable<DataType, ConstDataType>::value, int> = 0>
void assign(DataType& dst, ConstDataType& src)
{
dst = src;
}
// This version is for types that cannot be assigned. memcpy works for them since we require types to be byte-compatible
template <typename DataType, typename ConstDataType, typename std::enable_if_t<! std::is_assignable<DataType, ConstDataType>::value, int> = 0>
void assign(DataType& dst, ConstDataType& src)
{
memcpy(&dst, &src, sizeof(DataType));
}
class OgnTestAllDataTypesPod
{
public:
static bool compute(OgnTestAllDataTypesPodDatabase& db)
{
if (db.inputs.doNotCompute())
{
return true;
}
assign<bool, const bool>(db.outputs.a_bool(), db.inputs.a_bool());
assign<array<bool>, const const_array<bool>>(db.outputs.a_bool_array(), db.inputs.a_bool_array());
assign<double[3], const double[3]>(db.outputs.a_colord_3(), db.inputs.a_colord_3());
assign<double[4], const double[4]>(db.outputs.a_colord_4(), db.inputs.a_colord_4());
assign<float[3], const float[3]>(db.outputs.a_colorf_3(), db.inputs.a_colorf_3());
assign<float[4], const float[4]>(db.outputs.a_colorf_4(), db.inputs.a_colorf_4());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_colorh_3(), db.inputs.a_colorh_3());
assign<pxr::GfVec4h, const pxr::GfVec4h>(db.outputs.a_colorh_4(), db.inputs.a_colorh_4());
assign<array<double[3]>, const const_array<double[3]>>(db.outputs.a_colord_3_array(), db.inputs.a_colord_3_array());
assign<array<double[4]>, const const_array<double[4]>>(db.outputs.a_colord_4_array(), db.inputs.a_colord_4_array());
assign<array<float[3]>, const const_array<float[3]>>(db.outputs.a_colorf_3_array(), db.inputs.a_colorf_3_array());
assign<array<float[4]>, const const_array<float[4]>>(db.outputs.a_colorf_4_array(), db.inputs.a_colorf_4_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_colorh_3_array(), db.inputs.a_colorh_3_array());
assign<array<pxr::GfVec4h>, const const_array<pxr::GfVec4h>>(db.outputs.a_colorh_4_array(), db.inputs.a_colorh_4_array());
assign<double, const double>(db.outputs.a_double(), db.inputs.a_double());
assign<double[2], const double[2]>(db.outputs.a_double_2(), db.inputs.a_double_2());
assign<double[3], const double[3]>(db.outputs.a_double_3(), db.inputs.a_double_3());
assign<double[4], const double[4]>(db.outputs.a_double_4(), db.inputs.a_double_4());
assign<array<double>, const const_array<double>>(db.outputs.a_double_array(), db.inputs.a_double_array());
assign<array<double[2]>, const const_array<double[2]>>(db.outputs.a_double_2_array(), db.inputs.a_double_2_array());
assign<array<double[3]>, const const_array<double[3]>>(db.outputs.a_double_3_array(), db.inputs.a_double_3_array());
assign<array<double[4]>, const const_array<double[4]>>(db.outputs.a_double_4_array(), db.inputs.a_double_4_array());
assign<uint32_t, const uint32_t>(db.outputs.a_execution(), db.inputs.a_execution());
assign<float, const float>(db.outputs.a_float(), db.inputs.a_float());
assign<float[2], const float[2]>(db.outputs.a_float_2(), db.inputs.a_float_2());
assign<float[3], const float[3]>(db.outputs.a_float_3(), db.inputs.a_float_3());
assign<float[4], const float[4]>(db.outputs.a_float_4(), db.inputs.a_float_4());
assign<array<float>, const const_array<float>>(db.outputs.a_float_array(), db.inputs.a_float_array());
assign<array<float[2]>, const const_array<float[2]>>(db.outputs.a_float_2_array(), db.inputs.a_float_2_array());
assign<array<float[3]>, const const_array<float[3]>>(db.outputs.a_float_3_array(), db.inputs.a_float_3_array());
assign<array<float[4]>, const const_array<float[4]>>(db.outputs.a_float_4_array(), db.inputs.a_float_4_array());
assign<double[4][4], const double[4][4]>(db.outputs.a_frame_4(), db.inputs.a_frame_4());
assign<array<double[4][4]>, const const_array<double[4][4]>>(db.outputs.a_frame_4_array(), db.inputs.a_frame_4_array());
assign<pxr::GfHalf, const pxr::GfHalf>(db.outputs.a_half(), db.inputs.a_half());
assign<pxr::GfVec2h, const pxr::GfVec2h>(db.outputs.a_half_2(), db.inputs.a_half_2());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_half_3(), db.inputs.a_half_3());
assign<pxr::GfVec4h, const pxr::GfVec4h>(db.outputs.a_half_4(), db.inputs.a_half_4());
assign<array<pxr::GfHalf>, const const_array<pxr::GfHalf>>(db.outputs.a_half_array(), db.inputs.a_half_array());
assign<array<pxr::GfVec2h>, const const_array<pxr::GfVec2h>>(db.outputs.a_half_2_array(), db.inputs.a_half_2_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_half_3_array(), db.inputs.a_half_3_array());
assign<array<pxr::GfVec4h>, const const_array<pxr::GfVec4h>>(db.outputs.a_half_4_array(), db.inputs.a_half_4_array());
assign<int, const int>(db.outputs.a_int(), db.inputs.a_int());
assign<int[2], const int[2]>(db.outputs.a_int_2(), db.inputs.a_int_2());
assign<int[3], const int[3]>(db.outputs.a_int_3(), db.inputs.a_int_3());
assign<int[4], const int[4]>(db.outputs.a_int_4(), db.inputs.a_int_4());
assign<array<int>, const const_array<int>>(db.outputs.a_int_array(), db.inputs.a_int_array());
assign<array<int[2]>, const const_array<int[2]>>(db.outputs.a_int_2_array(), db.inputs.a_int_2_array());
assign<array<int[3]>, const const_array<int[3]>>(db.outputs.a_int_3_array(), db.inputs.a_int_3_array());
assign<array<int[4]>, const const_array<int[4]>>(db.outputs.a_int_4_array(), db.inputs.a_int_4_array());
assign<int64_t, const int64_t>(db.outputs.a_int64(), db.inputs.a_int64());
assign<array<int64_t>, const const_array<int64_t>>(db.outputs.a_int64_array(), db.inputs.a_int64_array());
assign<double[2][2], const double[2][2]>(db.outputs.a_matrixd_2(), db.inputs.a_matrixd_2());
assign<double[3][3], const double[3][3]>(db.outputs.a_matrixd_3(), db.inputs.a_matrixd_3());
assign<double[4][4], const double[4][4]>(db.outputs.a_matrixd_4(), db.inputs.a_matrixd_4());
assign<array<double[2][2]>, const const_array<double[2][2]>>(db.outputs.a_matrixd_2_array(), db.inputs.a_matrixd_2_array());
assign<array<double[3][3]>, const const_array<double[3][3]>>(db.outputs.a_matrixd_3_array(), db.inputs.a_matrixd_3_array());
assign<array<double[4][4]>, const const_array<double[4][4]>>(db.outputs.a_matrixd_4_array(), db.inputs.a_matrixd_4_array());
assign<double[3], const double[3]>(db.outputs.a_normald_3(), db.inputs.a_normald_3());
assign<float[3], const float[3]>(db.outputs.a_normalf_3(), db.inputs.a_normalf_3());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_normalh_3(), db.inputs.a_normalh_3());
assign<array<double[3]>, const const_array<double[3]>>(db.outputs.a_normald_3_array(), db.inputs.a_normald_3_array());
assign<array<float[3]>, const const_array<float[3]>>(db.outputs.a_normalf_3_array(), db.inputs.a_normalf_3_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_normalh_3_array(), db.inputs.a_normalh_3_array());
assign<uint64_t, const uint64_t>(db.outputs.a_objectId(), db.inputs.a_objectId());
assign<array<uint64_t>, const const_array<uint64_t>>(db.outputs.a_objectId_array(), db.inputs.a_objectId_array());
assign<double[3], const double[3]>(db.outputs.a_pointd_3(), db.inputs.a_pointd_3());
assign<float[3], const float[3]>(db.outputs.a_pointf_3(), db.inputs.a_pointf_3());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_pointh_3(), db.inputs.a_pointh_3());
assign<array<double[3]>, const const_array<double[3]>>(db.outputs.a_pointd_3_array(), db.inputs.a_pointd_3_array());
assign<array<float[3]>, const const_array<float[3]>>(db.outputs.a_pointf_3_array(), db.inputs.a_pointf_3_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_pointh_3_array(), db.inputs.a_pointh_3_array());
assign<double[4], const double[4]>(db.outputs.a_quatd_4(), db.inputs.a_quatd_4());
assign<float[4], const float[4]>(db.outputs.a_quatf_4(), db.inputs.a_quatf_4());
assign<pxr::GfQuath, const pxr::GfQuath>(db.outputs.a_quath_4(), db.inputs.a_quath_4());
assign<array<double[4]>, const const_array<double[4]>>(db.outputs.a_quatd_4_array(), db.inputs.a_quatd_4_array());
assign<array<float[4]>, const const_array<float[4]>>(db.outputs.a_quatf_4_array(), db.inputs.a_quatf_4_array());
assign<array<pxr::GfQuath>, const const_array<pxr::GfQuath>>(db.outputs.a_quath_4_array(), db.inputs.a_quath_4_array());
assign<string, const const_string>(db.outputs.a_string(), db.inputs.a_string());
assign<double[2], const double[2]>(db.outputs.a_texcoordd_2(), db.inputs.a_texcoordd_2());
assign<double[3], const double[3]>(db.outputs.a_texcoordd_3(), db.inputs.a_texcoordd_3());
assign<float[2], const float[2]>(db.outputs.a_texcoordf_2(), db.inputs.a_texcoordf_2());
assign<float[3], const float[3]>(db.outputs.a_texcoordf_3(), db.inputs.a_texcoordf_3());
assign<pxr::GfVec2h, const pxr::GfVec2h>(db.outputs.a_texcoordh_2(), db.inputs.a_texcoordh_2());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_texcoordh_3(), db.inputs.a_texcoordh_3());
assign<array<double[2]>, const const_array<double[2]>>(db.outputs.a_texcoordd_2_array(), db.inputs.a_texcoordd_2_array());
assign<array<double[3]>, const const_array<double[3]>>(db.outputs.a_texcoordd_3_array(), db.inputs.a_texcoordd_3_array());
assign<array<float[2]>, const const_array<float[2]>>(db.outputs.a_texcoordf_2_array(), db.inputs.a_texcoordf_2_array());
assign<array<float[3]>, const const_array<float[3]>>(db.outputs.a_texcoordf_3_array(), db.inputs.a_texcoordf_3_array());
assign<array<pxr::GfVec2h>, const const_array<pxr::GfVec2h>>(db.outputs.a_texcoordh_2_array(), db.inputs.a_texcoordh_2_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_texcoordh_3_array(), db.inputs.a_texcoordh_3_array());
assign<double, const double>(db.outputs.a_timecode(), db.inputs.a_timecode());
assign<array<double>, const const_array<double>>(db.outputs.a_timecode_array(), db.inputs.a_timecode_array());
assign<NameToken, const NameToken>(db.outputs.a_token(), db.inputs.a_token());
assign<array<NameToken>, const const_array<NameToken>>(db.outputs.a_token_array(), db.inputs.a_token_array());
assign<uint8_t, const uint8_t>(db.outputs.a_uchar(), db.inputs.a_uchar());
assign<array<uint8_t>, const const_array<uint8_t>>(db.outputs.a_uchar_array(), db.inputs.a_uchar_array());
assign<uint32_t, const uint32_t>(db.outputs.a_uint(), db.inputs.a_uint());
assign<array<uint32_t>, const const_array<uint32_t>>(db.outputs.a_uint_array(), db.inputs.a_uint_array());
assign<uint64_t, const uint64_t>(db.outputs.a_uint64(), db.inputs.a_uint64());
assign<array<uint64_t>, const const_array<uint64_t>>(db.outputs.a_uint64_array(), db.inputs.a_uint64_array());
assign<double[3], const double[3]>(db.outputs.a_vectord_3(), db.inputs.a_vectord_3());
assign<float[3], const float[3]>(db.outputs.a_vectorf_3(), db.inputs.a_vectorf_3());
assign<pxr::GfVec3h, const pxr::GfVec3h>(db.outputs.a_vectorh_3(), db.inputs.a_vectorh_3());
assign<array<double[3]>, const const_array<double[3]>>(db.outputs.a_vectord_3_array(), db.inputs.a_vectord_3_array());
assign<array<float[3]>, const const_array<float[3]>>(db.outputs.a_vectorf_3_array(), db.inputs.a_vectorf_3_array());
assign<array<pxr::GfVec3h>, const const_array<pxr::GfVec3h>>(db.outputs.a_vectorh_3_array(), db.inputs.a_vectorh_3_array());
return true;
}
};
REGISTER_OGN_NODE()
} // namespace test
} // namespace graph
} // namespace omni
| 13,082 |
C++
| 71.683333 | 142 | 0.660755 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnPerturbPointsGpu.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnPerturbPointsGpuDatabase.h>
#include <cstdlib>
namespace omni {
namespace graph {
namespace test {
extern "C" void applyPerturbGpu(outputs::points_t outputPoints,
inputs::points_t inputPoints,
inputs::minimum_t minimum,
inputs::maximum_t maximum,
inputs::percentModified_t percentModified,
size_t numberOfPoints);
// This is the implementation of the OGN node defined in OgnPerturbPointsGpu.ogn
class OgnPerturbPointsGpu
{
public:
// Perturb an array of points by random amounts within the limits of the bounding cube formed by the diagonal
// corners "minimum" and "maximum" using CUDA code on stolen GPU data.
static bool compute(OgnPerturbPointsGpuDatabase& db)
{
// No points mean nothing to perturb. Getting the size is something that can be safely done here since the
// size information is not stored on the GPU.
size_t pointCount = db.inputs.points.size();
if (pointCount == 0)
{
return true;
}
// Data stealing happens on this end since it just redirects the lookup location
db.outputs.points = db.inputs.points;
CARB_PROFILE_ZONE(carb::profiler::kCaptureMaskDefault, "Perturbing Data");
applyPerturbGpu(db.outputs.points(), db.inputs.points(), db.inputs.minimum(), db.inputs.maximum(), db.inputs.percentModified(), pointCount);
return true;
}
};
REGISTER_OGN_NODE()
} // namespace test
} // namespace graph
} // namespace omni
| 2,073 |
C++
| 37.407407 | 148 | 0.671008 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnPerturbPointsPy.py
|
"""
This is the implementation of the OGN node defined in OgnPerturbPoints.ogn
"""
from contextlib import suppress
import numpy as np
class OgnPerturbPointsPy:
"""
Perturb an array of points by random amounts within a proscribed limit
"""
@staticmethod
def compute(db) -> bool:
"""Compute the outputs from the current input"""
# No points mean nothing to perturb
point_count = len(db.inputs.points)
if point_count == 0:
return True
range_size = db.inputs.maximum - db.inputs.minimum
percent_modified = max(0.0, min(100.0, db.inputs.percentModified))
points_to_modify = int(percent_modified * point_count / 100.0)
# Steal the input to modify directly as output
db.move(db.attributes.outputs.points, db.attributes.inputs.points)
db.outputs.points[0:points_to_modify] = (
db.outputs.points[0:points_to_modify]
+ range_size * np.random.random_sample((points_to_modify, 3))
+ db.inputs.minimum
)
# If the dynamic inputs and outputs exist then they will steal data
with suppress(AttributeError):
db.move(db.attributes.outputs.stolen, db.attributes.inputs.stealMe)
return True
| 1,272 |
Python
| 30.04878 | 79 | 0.646226 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnPerturbBundlePoints.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnPerturbBundlePointsDatabase.h>
#include <cstdlib>
namespace omni {
namespace graph {
namespace test {
// This is the implementation of the OGN node defined in OgnPerturbBundlePoints.ogn
class OgnPerturbBundlePoints
{
static auto& copyBundle(OgnPerturbBundlePointsDatabase& db)
{
CARB_PROFILE_ZONE(carb::profiler::kCaptureMaskDefault, "Acquiring Data");
db.outputs.bundle = db.inputs.bundle;
return db.outputs.bundle();
}
public:
// Perturb a bundles of arrays of points by random amounts within the limits of the bounding cube formed by the
// diagonal corners "minimum" and "maximum".
static bool compute(OgnPerturbBundlePointsDatabase& db)
{
const auto& minimum = db.inputs.minimum();
GfVec3f rangeSize = db.inputs.maximum() - minimum;
// No bundle members mean nothing to perturb
const auto& inputBundle = db.inputs.bundle();
if (inputBundle.attributeCount() == 0)
{
db.outputs.bundle().clear();
return true;
}
// How much of the surface should be perturbed
auto percentModified = db.inputs.percentModified();
percentModified = (percentModified > 100.0f ? 100.0f : (percentModified < 0.0f ? 0.0f : percentModified));
// Steal the bundle contents, then walk all of the members and perturb any points arrays found
auto& outputBundle = copyBundle(db);
CARB_PROFILE_ZONE(carb::profiler::kCaptureMaskDefault, "Perturbing Data");
for (auto& bundledAttribute : outputBundle)
{
auto pointArrayData = bundledAttribute.get<float[][3]>();
if (pointArrayData)
{
auto& pointArray = *pointArrayData;
size_t pointsToModify = (size_t)((percentModified * (float)pointArray.size()) / 100.0f);
size_t index{ 0 };
while (index < pointsToModify)
{
auto& point = pointArray[index++];
point[0] += minimum[0] + static_cast<float>(rand()) / (static_cast<float>(RAND_MAX/(rangeSize[0])));
point[1] += minimum[1] + static_cast<float>(rand()) / (static_cast<float>(RAND_MAX/(rangeSize[1])));
point[2] += minimum[2] + static_cast<float>(rand()) / (static_cast<float>(RAND_MAX/(rangeSize[2])));
}
}
}
return true;
}
};
REGISTER_OGN_NODE()
} // namespace test
} // namespace graph
} // namespace omni
| 2,970 |
C++
| 38.092105 | 120 | 0.63569 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestTupleArrays.py
|
"""
Test node multiplying tuple arrays by a constant
"""
import numpy as np
class OgnTestTupleArrays:
"""Exercise a sample of complex data types through a Python OmniGraph node"""
@staticmethod
def compute(db) -> bool:
"""Multiply every value in a tuple array by a constant."""
multiplier = db.inputs.multiplier
input_array = db.inputs.float3Array
input_array_size = len(db.inputs.float3Array)
db.outputs.float3Array_size = input_array_size
# If the input array is empty then the output is empty and does not need any computing
if input_array.shape[0] == 0:
db.outputs.float3Array = []
assert db.outputs.float3Array.shape == (0, 3)
return True
db.outputs.float3Array = np.multiply(input_array, multiplier)
return True
| 846 |
Python
| 28.206896 | 94 | 0.650118 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestCppKeywords.cpp
|
// Copyright (c) 2022-2022 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestCppKeywordsDatabase.h>
namespace omni {
namespace graph {
namespace test {
// This class does not have to do anything as it only exists to verify that generated
// code is legal.
class OgnTestCppKeywords
{
public:
static bool compute(OgnTestCppKeywordsDatabase& db)
{
db.outputs.verify() = true;
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 874 |
C++
| 26.343749 | 85 | 0.744851 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestCyclesSerial.cpp
|
// Copyright (c) 2023, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestCyclesSerialDatabase.h>
namespace omni
{
namespace graph
{
namespace test
{
class OgnTestCyclesSerial
{
public:
static bool compute(OgnTestCyclesSerialDatabase& db)
{
if (db.state.count() > 10000)
{
db.state.count() = 0;
}
else
{
++db.state.count();
}
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 888 |
C++
| 21.224999 | 77 | 0.676802 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnComputeErrorPy.py
|
"""
This node generates compute() errors for testing purposes.
"""
import omni.graph.core as og
class OgnComputeErrorPy:
@staticmethod
def initialize(graph_context, node):
attr = node.get_attribute("inputs:deprecatedInInit")
# We would not normally deprecate an attribute this way. It would be done through the .ogn file.
# This is just for testing purposes.
og._internal.deprecate_attribute(attr, "Use 'dummyIn' instead.") # noqa: PLW0212
@staticmethod
def compute(db) -> bool:
db.outputs.dummyOut = db.inputs.dummyIn
severity = db.inputs.severity
if severity == "warning":
db.log_warning(db.inputs.message)
elif severity == "error":
db.log_error(db.inputs.message)
return not db.inputs.failCompute
| 819 |
Python
| 29.370369 | 104 | 0.655678 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnAdd2IntArray.cpp
|
// Copyright (c) 2020, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnAdd2IntArrayDatabase.h>
#include <algorithm>
#include <numeric>
class OgnAdd2IntArray
{
public:
static bool compute(OgnAdd2IntArrayDatabase& db)
{
const auto& a = db.inputs.a();
const auto& b = db.inputs.b();
auto& output = db.outputs.output();
// If either array has only a single member that value will be added to all members of the other array.
// The case when both have size 1 is handled by the first "if".
if (a.size() == 1)
{
output = b;
std::for_each(output.begin(), output.end(), [a](int& value) { value += a[0]; });
}
else if (b.size() == 1)
{
output = a;
std::for_each(output.begin(), output.end(), [b](int& value) { value += b[0]; });
}
else if (a.size() != b.size())
{
db.logWarning("Attempted to add arrays of different sizes - %zu and %zu", a.size(), b.size());
return false;
}
else if (a.size() > 0)
{
output.resize(a.size());
std::transform(a.begin(), a.end(), b.begin(), output.begin(), std::plus<int>());
}
return true;
}
};
REGISTER_OGN_NODE()
| 1,668 |
C++
| 33.061224 | 111 | 0.589928 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnBundlePropertiesPy.py
|
"""
This node is designed to test bundle properties.
"""
class OgnBundlePropertiesPy:
@staticmethod
def compute(db) -> bool:
bundle_contents = db.inputs.bundle
db.outputs.valid = bundle_contents.valid
| 227 |
Python
| 19.727271 | 48 | 0.682819 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnBundleChildProducerPy.py
|
"""
This node is designed to shallow copy input bundle as a child in the output.
"""
class OgnBundleChildProducerPy:
@staticmethod
def compute(db) -> bool:
input_bundle = db.inputs.bundle
output_bundle = db.outputs.bundle
# store number of children from the input
db.outputs.numChildren = input_bundle.bundle.get_child_bundle_count()
# create child bundle in the output and shallow copy input
output_bundle.bundle.clear_contents()
output_surfaces = output_bundle.bundle.create_child_bundle("surfaces")
output_surfaces.copy_bundle(input_bundle.bundle)
| 627 |
Python
| 32.05263 | 78 | 0.69378 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnRandomBundlePoints.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnRandomBundlePointsDatabase.h>
#include <cstdlib>
#include <omni/graph/core/Type.h>
// This is the implementation of the OGN node defined in OgnRandomBundlePoints.ogn
namespace omni {
namespace graph {
using core::Type;
using core::BaseDataType;
using core::AttributeRole;
namespace test {
class OgnRandomBundlePoints
{
public:
// Generate a bundle of "bundleSize" arrays of "pointCount" points at random locations within the bounding cube,
// delineated by the corner points "minimum" and "maximum".
static bool compute(OgnRandomBundlePointsDatabase& db)
{
const auto& minimum = db.inputs.minimum();
GfVec3f rangeSize = db.inputs.maximum() - minimum;
// No points mean nothing to generate
const auto& pointCount = db.inputs.pointCount();
if (pointCount == 0)
{
return true;
}
// Bundle size of zero means nothing to generate
const auto& bundleSize = db.inputs.bundleSize();
if (bundleSize == 0)
{
return true;
}
// Start with an empty bundle
auto& outputBundle = db.outputs.bundle();
outputBundle.clear();
// Type definition for attributes that will be added to the bundle.
Type pointsType{ BaseDataType::eFloat, 3, 1, AttributeRole::ePosition };
// For each attribute to be added to the bundle create a unique array of random points
for (size_t element=0; element < size_t(bundleSize); ++element)
{
std::string attributeName = std::string{"points"} + std::to_string(element);
auto&& newAttribute = outputBundle.addAttribute(db.stringToToken(attributeName.c_str()), pointsType);
auto pointsArray = newAttribute.get<float[][3]>();
if (pointsArray)
{
pointsArray.resize(pointCount);
for (auto& point : *pointsArray)
{
point[0] = minimum[0] + static_cast<float>(rand()) /( static_cast<float>(RAND_MAX/(rangeSize[0])));
point[1] = minimum[1] + static_cast<float>(rand()) /( static_cast<float>(RAND_MAX/(rangeSize[1])));
point[2] = minimum[2] + static_cast<float>(rand()) /( static_cast<float>(RAND_MAX/(rangeSize[2])));
}
}
else
{
db.logWarning("Could not get a reference to the constructed points attribute");
return false;
}
}
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 3,057 |
C++
| 34.97647 | 119 | 0.625777 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnBundleConsumer.cpp
|
// Copyright (c) 2023, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnBundleConsumerDatabase.h>
namespace omni::graph::test {
class OgnBundleConsumer
{
public:
static bool compute(OgnBundleConsumerDatabase& db)
{
if (auto bundleChanges = db.inputs.bundle.changes())
{
db.outputs.bundle() = db.inputs.bundle();
db.outputs.hasOutputBundleChanged() = true;
}
else
{
db.outputs.hasOutputBundleChanged() = false;
}
return true;
}
};
REGISTER_OGN_NODE()
}
| 937 |
C++
| 25.799999 | 77 | 0.685165 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnRandomPoints.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnRandomPointsDatabase.h>
#include <cstdlib>
// This is the implementation of the OGN node defined in OgnRandomPoints.ogn
namespace omni {
namespace graph {
namespace test {
class OgnRandomPoints
{
public:
// Create an array of "pointCount" points at random locations within the bounding cube,
// delineated by the corner points "minimum" and "maximum".
static bool compute(OgnRandomPointsDatabase& db)
{
const auto& minimum = db.inputs.minimum();
GfVec3f rangeSize = db.inputs.maximum() - minimum;
// No points mean nothing to generate
const auto& pointCount = db.inputs.pointCount();
if (pointCount == 0)
{
return true;
}
auto& outputPoints = db.outputs.points();
outputPoints.resize(pointCount);
for (size_t i=0; i<pointCount; ++i)
{
outputPoints[i] = GfVec3f{
minimum[0] + static_cast<float>(rand()) /( static_cast<float>(RAND_MAX/(rangeSize[0]))),
minimum[1] + static_cast<float>(rand()) /( static_cast<float>(RAND_MAX/(rangeSize[1]))),
minimum[2] + static_cast<float>(rand()) /( static_cast<float>(RAND_MAX/(rangeSize[2])))
};
}
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 1,786 |
C++
| 31.490909 | 104 | 0.652856 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnFakeTutorialTupleData.cpp
|
// Copyright (c) 2020-2023, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnFakeTutorialTupleDataDatabase.h>
#include <algorithm>
class OgnFakeTutorialTupleData
{
public:
static bool compute(OgnFakeTutorialTupleDataDatabase& db)
{
db.outputs.a_double3() = db.inputs.a_double3() + GfVec3d(1.0, 1.0, 1.0);
return true;
}
};
REGISTER_OGN_NODE()
| 749 |
C++
| 31.608694 | 80 | 0.751669 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestDeformer.cpp
|
// Copyright (c) 2019-2021, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include "OgnTestDeformerDatabase.h"
#include <omni/graph/core/CppWrappers.h>
#include <cmath>
namespace omni
{
namespace graph
{
namespace test
{
namespace
{
class PointComputeArgs
{
public:
PointComputeArgs(const GfVec3f& inputPoint, float height, float width, float freq, GfVec3f& outputPoint)
: m_inputPoint(inputPoint), m_height(height), m_width(width), m_freq(freq), m_outputPoint(outputPoint)
{
}
const GfVec3f& m_inputPoint;
float m_height;
float m_width;
float m_freq;
GfVec3f& m_outputPoint;
};
}
// minimal compute node example that reads one float and writes one float
// e.g. out value = 3.0f * in value
class OgnTestDeformer
{
public:
static bool compute(OgnTestDeformerDatabase& db)
{
const auto& points = db.inputs.points();
const auto& multiplier = db.inputs.multiplier();
const auto& wavelength = db.inputs.wavelength();
auto& outputPoints = db.outputs.points();
size_t numPoints = points.size();
// If there are no points to deform then we can bail early
if (numPoints == 0)
{
return true;
}
// allocate output data
outputPoints.resize(numPoints);
float width = wavelength;
float height = 10.0f * multiplier;
float freq = 10.0f;
// compute deformation
std::transform(points.begin(), points.end(), outputPoints.begin(), [=](const GfVec3f& point) -> GfVec3f {
float tx = freq * (point[0] - width) / width;
float ty = 1.5f * freq * (point[1] - width) / width;
float z = point[2] + height * (sin(tx) + cos(ty));
return { point[0], point[1], z };
});
return true;
}
};
REGISTER_OGN_NODE()
} // namespace examples
} // namespace graph
} // namespace omni
| 2,279 |
C++
| 25.823529 | 113 | 0.648091 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnRandomPointsPy.py
|
"""
This is the implementation of the OGN node defined in OgnRandomPoints.ogn
"""
import numpy as np
class OgnRandomPointsPy:
"""
Generate an array of the specified number of points at random locations within the bounding cube
"""
@staticmethod
def compute(db) -> bool:
"""Compute the outputs from the current input"""
range_size = db.inputs.maximum - db.inputs.minimum
point_count = db.inputs.pointCount
db.outputs.points_size = point_count
if point_count > 0:
db.outputs.points = range_size * np.random.random_sample((point_count, 3)) + db.inputs.minimum
return True
| 654 |
Python
| 27.47826 | 106 | 0.66208 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnComposeDouble3C.cpp
|
// Copyright (c) 2019-2021, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnComposeDouble3CDatabase.h>
namespace omni
{
namespace graph
{
namespace examples
{
class OgnComposeDouble3C
{
public:
static bool compute(OgnComposeDouble3CDatabase& db)
{
auto x = db.inputs.x();
auto y = db.inputs.y();
auto z = db.inputs.z();
db.outputs.double3() = pxr::GfVec3d(x, y, z);
return true;
}
};
REGISTER_OGN_NODE()
}
}
}
| 844 |
C++
| 21.837837 | 77 | 0.708531 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestDataModel.cpp
|
// Copyright (c) 2022 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestDataModelDatabase.h>
namespace omni {
namespace graph {
namespace test {
class OgnTestDataModel
{
public:
//
static bool compute(OgnTestDataModelDatabase& db)
{
//////////////////////////////////////////////////////////////////////////
// Bundle
auto& refBundle = db.inputs.refBundle();
auto& mutBundle = db.inputs.mutBundle();
//first, make the tests
size_t count = refBundle.attributeCount();
if (count != mutBundle.attributeCount())
{
CARB_LOG_ERROR("Input bundle mismatch - (attribute count: ref has %zu, mut has %zu)", count,
mutBundle.attributeCount());
return false;
}
bool shouldMatch = db.inputs.bundleShouldMatch();
int bundleArrayThatShouldDiffer = db.inputs.bundleArraysThatShouldDiffer();
auto it1 = refBundle.begin();
auto it2 = mutBundle.begin();
while (count)
{
count--;
//should be the same attribute
if(it1->name() != it2->name())
{
CARB_LOG_ERROR("Input bundle mismatch - (attribute name: ref has %s, mut has %s)", db.tokenToString(it1->name()), db.tokenToString(it2->name()));
return false;
}
if (it1->type() != it2->type())
{
CARB_LOG_ERROR("Input bundle mismatch - (attribute \"%s\" type)", db.tokenToString(it1->name()));
return false;
}
//check the data
ConstRawPtr raw1{ nullptr };
size_t s1 = 0;
it1->rawData(raw1, s1);
ConstRawPtr raw2{ nullptr };
size_t s2 = 0;
it2->rawData(raw2, s2);
//size should always match, since it should be the same type
if (s1 != s2)
{
CARB_LOG_ERROR("Mismatching attribute size (\"%s\") in inputs bundles: ref has %zu, mut has %zu",
db.tokenToString(it1->name()), s1, s2);
return false;
}
// check if we point to the right place
if (it1->type().arrayDepth == 1)
{
//arrays: we store the ptr to the array => dereference to get the actual array base adress
bool sameAttrib = (*(void**)raw1 == *(void**)raw2);
if (!sameAttrib)
{
if (bundleArrayThatShouldDiffer == 0)
{
CARB_LOG_ERROR("Too many array attributes in input bundles don't match");
return false;
}
--bundleArrayThatShouldDiffer;
}
}
else
{
//others
bool sameAttrib = (raw1 == raw2);
if (sameAttrib != shouldMatch)
{
CARB_LOG_ERROR("Attribute \"%s\" in bundles should%s match, but do%s",
db.tokenToString(it1->name()), shouldMatch ? "" : "n't", shouldMatch ? "n't" : "");
return false;
}
}
++it1;
++it2;
}
//pass-through/mutate
auto& outBundle = db.outputs.bundle();
outBundle = mutBundle;
NameToken attribToMutate = db.inputs.attrib();
if (attribToMutate != omni::fabric::kUninitializedToken)
{
auto attrib = outBundle.attributeByName(attribToMutate);
//just access-for-write the data to trigger the data-model features, no need to actually mutate anything
RawPtr raw{ nullptr };
size_t s = 0;
attrib.rawData(raw, s);
}
//////////////////////////////////////////////////////////////////////////
// Array
auto& refArray = db.inputs.refArray();
auto& mutArray = db.inputs.mutArray();
bool arrayShouldMatch = db.inputs.arrayShouldMatch();
bool areTheSame = (refArray.data() == mutArray.data());
if(arrayShouldMatch != areTheSame)
{
CARB_LOG_ERROR("Array attributes should%s match, but do%s",
arrayShouldMatch ? "" : "n't",
arrayShouldMatch ? "n't" : "");
return false;
}
// pass-through: notice the absence of "()" operator on the attribute
db.outputs.array = db.inputs.mutArray;
if (db.inputs.mutateArray())
{
//write access will trigger CoW
auto& out = db.outputs.array();
if (out.data() == mutArray.data())
{
CARB_LOG_ERROR("Array attributes shouldn't match after write access, but do...");
return false;
}
}
return true;
}
};
REGISTER_OGN_NODE()
} // test
} // namespace graph
} // namespace omni
| 5,404 |
C++
| 33.208861 | 161 | 0.506477 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnNodeDatabasePy.py
|
"""
This node is designed to test database id.
"""
class OgnNodeDatabasePy:
@staticmethod
def compute(db) -> bool:
db.outputs.id = id(db)
| 156 |
Python
| 14.699999 | 42 | 0.634615 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestGracefulShutdown.cpp
|
// Copyright (c) 2022, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestGracefulShutdownDatabase.h>
#include <omni/graph/core/ComputeGraph.h>
namespace omni {
namespace graph {
namespace test {
// Specialty node used to test the graceful shutdown process for extensions that ensures that node states have been
// destroyed before the shutdown begins (to avoid static object destruction order problems, where the state might
// might be accessing data within the extension).
//
// Exceptions are thrown instead of the standard error logging so that the test scripts can detect when there is a problem.
//
class OgnTestGracefulShutdown
{
public:
// Static class member that will be set to false when the extension loads and true when the extension is
// unloading in order to flag that information for the state object to check as part of the test.
static bool sShutdownStarted;
// The class member makes this class behave as internal per-node state. The state will use this node
// type's registration as an indication that the shutdown is happening in the proper order.
NodeTypeObj m_myNodeTypeObj{ nullptr, core::kInvalidNodeTypeHandle };
void reportFailure(const char* message)
{
// The error logging may not work if the extension is shutting down but try anyway
CARB_LOG_ERROR(message);
auto interface = carb::getCachedInterface<core::ComputeGraph>();
CARB_ASSERT(interface);
interface->setTestFailure(true);
}
OgnTestGracefulShutdown()
{
auto iGraphRegistry = carb::getCachedInterface<core::IGraphRegistry>();
if (iGraphRegistry)
{
m_myNodeTypeObj = iGraphRegistry->getRegisteredType("omni.graph.test.TestGracefulShutdown");
if (! m_myNodeTypeObj.iNodeType or (m_myNodeTypeObj.nodeTypeHandle == core::kInvalidNodeTypeHandle))
{
reportFailure("TestGracefulShutdown node failed to find its node registration on initialization");
}
}
else
{
reportFailure("TestGracefulShutdown node failed to acquire the IGraphRegistry interface on initialization");
}
}
~OgnTestGracefulShutdown()
{
auto iGraphRegistry = carb::getCachedInterface<core::IGraphRegistry>();
if (iGraphRegistry)
{
// For the test the specialized registration process will cause the static flag on this node to be set
// to false before the deregistration happens, simulating a potential problem with static object
// destruction order. That means if this node's state is still alive during the extension shutdown the
// flag will be false, otherwise it will be true.
if (OgnTestGracefulShutdown::sShutdownStarted)
{
reportFailure("TestGracefulShutdown release did not happen until the extension was being shut down");
}
}
else
{
reportFailure("TestGracefulShutdown node failed to acquire the IGraphRegistry interface on release");
}
};
static bool compute(OgnTestGracefulShutdownDatabase& db)
{
// Accessing the state is required to create it since it creates on demand
(void) db.internalState<OgnTestGracefulShutdown>();
return true;
}
};
bool OgnTestGracefulShutdown::sShutdownStarted = false;
// Specialized version of the code in REGISTER_OGN_NODE() that inserts a modification to the static flag that indicates
// when the extension shutdown has started.
namespace {
class RegistrationWrapper : ogn::NodeTypeBootstrapImpl<OgnTestGracefulShutdown, OgnTestGracefulShutdownDatabase>
{
public:
RegistrationWrapper()
: ogn::NodeTypeBootstrapImpl<OgnTestGracefulShutdown, OgnTestGracefulShutdownDatabase>(
"omni.graph.test.TestGracefulShutdown", 1, "omni.graph.test"
)
{
OgnTestGracefulShutdown::sShutdownStarted = false;
}
~RegistrationWrapper()
{
OgnTestGracefulShutdown::sShutdownStarted = true;
}
};
RegistrationWrapper s_registration;
}
} // namespace test
} // namespace graph
} // namespace omni
| 4,609 |
C++
| 40.909091 | 123 | 0.702105 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnComputeErrorCpp.cpp
|
// Copyright (c) 2020, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnComputeErrorCppDatabase.h>
#include <omni/graph/core/IInternal.h>
#include <string>
class OgnComputeErrorCpp
{
public:
static void initialize(const GraphContextObj& context, const NodeObj& nodeObj)
{
const AttributeObj& attrObj = nodeObj.iNode->getAttribute(nodeObj, "inputs:deprecatedInInit");
const IInternal* iInternal = carb::getCachedInterface<omni::graph::core::IInternal>();
// We would not normally deprecate an attribute this way. It would be done through the .ogn file.
// This is just for testing purposes.
iInternal->deprecateAttribute(attrObj, "Use 'dummyIn' instead.");
}
static bool compute(OgnComputeErrorCppDatabase& db)
{
auto severity = db.inputs.severity();
auto failCompute = db.inputs.failCompute();
std::string message(db.inputs.message());
db.outputs.dummyOut() = db.inputs.dummyIn();
if (severity == db.tokens.warning)
{
db.logWarning(message.c_str());
}
else if (severity == db.tokens.error)
{
db.logError(message.c_str());
}
return !failCompute;
}
};
REGISTER_OGN_NODE()
| 1,629 |
C++
| 32.958333 | 105 | 0.683855 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestSubtract.py
|
"""
Implementation of an OmniGraph node that subtracts a value from a double3 array
"""
class OgnTestSubtract:
@staticmethod
def compute(db):
input_array = db.inputs.in_array
# print(input_array)
_ = db.inputs.value_to_subtract
# print(value_to_subtract)
db.outputs.out_array_size = input_array.shape[0]
output_array = db.outputs.out_array
output_array[:, 1] += 1
return True
| 453 |
Python
| 21.699999 | 79 | 0.622517 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnBundleProducerPy.py
|
"""
This node is designed to produce output bundle and test bundle change tracking.
"""
class OgnBundleProducerPy:
@staticmethod
def compute(db) -> bool:
# Enable tracking for output bundle
db.outputs.bundle.changes().activate()
# The output is being mutated by unit test
return True
| 327 |
Python
| 22.42857 | 79 | 0.672783 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestGatherRandomRotations.cpp
|
// Copyright (c) 2019-2020, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include "UsdPCH.h"
#include <OgnTestGatherRandomRotationsDatabase.h>
namespace omni
{
namespace graph
{
namespace test
{
class OgnTestGatherRandomRotations
{
public:
static bool compute(OgnTestGatherRandomRotationsDatabase& db)
{
static const NameToken orientationNameToken = db.stringToToken("_worldOrientation");
static const NameToken translateNameToken = db.stringToToken("_worldPosition");
// bucketIds is coming from code gen and is set to be a uint64_t.
BucketId bucketId{ db.inputs.bucketIds() };
if (bucketId == carb::flatcache::kInvalidBucketId)
return false;
size_t count = 0;
pxr::GfVec4f* orientationArray;
orientationArray = (pxr::GfVec4f *) db.abi_context().iContext->getBucketArray(db.abi_context(), bucketId, orientationNameToken, count);
if (!orientationArray)
return false;
pxr::GfVec3d* translationArray;
translationArray = (pxr::GfVec3d *) db.abi_context().iContext->getBucketArray(db.abi_context(), bucketId, translateNameToken, count);
if (!translationArray)
return false;
float xx = 0, yy = 0, zz = 0;
const float spacing = 0.7f;
for (uint32_t i = 0; i != count; i++)
{
xx += spacing;
if (xx > spacing * 30)
{
xx = 0;
yy += spacing;
if (yy > spacing * 30)
{
yy = 0;
zz += spacing;
}
}
translationArray[i][0] = xx;
translationArray[i][1] = yy;
translationArray[i][2] = zz;
float r0 = static_cast <float> (rand()) / static_cast <float> (RAND_MAX);
float r1 = static_cast <float> (rand()) / static_cast <float> (RAND_MAX);
float r2 = static_cast <float> (rand()) / static_cast <float> (RAND_MAX);
float r3 = static_cast <float> (rand()) / static_cast <float> (RAND_MAX);
float len = sqrt(r0*r0 + r1 * r1 + r2 * r2 + r3 * r3);
r0 /= len;
r1 /= len;
r2 /= len;
r3 /= len;
orientationArray[i][0] = r0;
orientationArray[i][1] = r1;
orientationArray[i][2] = r2;
orientationArray[i][3] = r3;
}
return true;
}
};
REGISTER_OGN_NODE()
}
}
}
| 2,949 |
C++
| 29.412371 | 143 | 0.561546 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestUsdCasting.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestUsdCastingDatabase.h>
#include <omni/graph/core/ogn/UsdTypes.h>
namespace omni {
namespace graph {
namespace test {
class OgnTestUsdCasting
{
public:
static bool compute(OgnTestUsdCastingDatabase& db)
{
// The input bundle could contain any of the legal data types so check them all. When a match is found then
// a copy of the regular input attribute with the same type is added to both the state and output bundles.
// The type check is not normally needed since the copyData would handle that, but this node's purpose is to
// exercise those same type checks so do them here.
auto& outputBundle = db.outputs.a_bundle();
auto& stateBundle = db.state.a_bundle();
for (const auto& bundledAttribute : db.inputs.a_bundle())
{
const auto& bundledType = bundledAttribute.type();
bool matchingTypeFound =
bundledAttribute.get<pxr::GfHalf>()
|| bundledAttribute.get<pxr::TfToken>()
|| bundledAttribute.get<pxr::SdfTimeCode>()
|| bundledAttribute.get<pxr::GfMatrix2d>()
|| bundledAttribute.get<pxr::GfMatrix3d>()
|| bundledAttribute.get<pxr::GfMatrix4d>()
|| bundledAttribute.get<pxr::GfVec2d>()
|| bundledAttribute.get<pxr::GfVec2f>()
|| bundledAttribute.get<pxr::GfVec2h>()
|| bundledAttribute.get<pxr::GfVec2i>()
|| bundledAttribute.get<pxr::GfVec3d>()
|| bundledAttribute.get<pxr::GfVec3f>()
|| bundledAttribute.get<pxr::GfVec3h>()
|| bundledAttribute.get<pxr::GfVec3i>()
|| bundledAttribute.get<pxr::GfVec4d>()
|| bundledAttribute.get<pxr::GfVec4f>()
|| bundledAttribute.get<pxr::GfVec4h>()
|| bundledAttribute.get<pxr::GfVec4i>()
|| bundledAttribute.get<pxr::GfQuatd>()
|| bundledAttribute.get<pxr::GfQuatf>()
|| bundledAttribute.get<pxr::GfQuath>()
|| bundledAttribute.get<pxr::GfHalf[]>()
|| bundledAttribute.get<pxr::TfToken[]>()
|| bundledAttribute.get<pxr::SdfTimeCode[]>()
|| bundledAttribute.get<pxr::GfMatrix2d[]>()
|| bundledAttribute.get<pxr::GfMatrix3d[]>()
|| bundledAttribute.get<pxr::GfMatrix4d[]>()
|| bundledAttribute.get<pxr::GfVec2d[]>()
|| bundledAttribute.get<pxr::GfVec2f[]>()
|| bundledAttribute.get<pxr::GfVec2h[]>()
|| bundledAttribute.get<pxr::GfVec2i[]>()
|| bundledAttribute.get<pxr::GfVec3d[]>()
|| bundledAttribute.get<pxr::GfVec3f[]>()
|| bundledAttribute.get<pxr::GfVec3h[]>()
|| bundledAttribute.get<pxr::GfVec3i[]>()
|| bundledAttribute.get<pxr::GfVec4d[]>()
|| bundledAttribute.get<pxr::GfVec4f[]>()
|| bundledAttribute.get<pxr::GfVec4h[]>()
|| bundledAttribute.get<pxr::GfVec4i[]>()
|| bundledAttribute.get<pxr::GfQuatd[]>()
|| bundledAttribute.get<pxr::GfQuatf[]>()
|| bundledAttribute.get<pxr::GfQuath[]>();
if (matchingTypeFound)
{
auto newOutput = outputBundle.addAttribute(bundledAttribute.name(), bundledType);
auto newState = stateBundle.addAttribute(bundledAttribute.name(), bundledType);
newOutput.copyData(bundledAttribute);
newState.copyData(bundledAttribute);
}
}
return true;
}
};
REGISTER_OGN_NODE()
} // namespace test
} // namespace graph
} // namespace omni
| 4,133 |
C++
| 43.451612 | 116 | 0.605613 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestTypeResolution.cpp
|
// Copyright (c) 2021 NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestTypeResolutionDatabase.h>
#include <unordered_map>
namespace omni {
namespace graph {
namespace test {
// Helper that returns a tokenized string containing the comma-separated attribute name and resolved type
// e.g. if the output "value" resolves to integer the string returned is "outputs:value,int".
// Unresolved types will have the data type "unknown"
template <typename OutputToResolve>
NameToken getResolutionDescription(OutputToResolve& attribute, NameToken attributeName, OgnTestTypeResolutionDatabase& db)
{
std::string attributeResolution{db.tokenToString(attributeName)};
attributeResolution += ",";
attributeResolution += getOgnTypeName(attribute.type());
return db.stringToToken(attributeResolution.c_str());
}
class OgnTestTypeResolution
{
public:
static bool compute(OgnTestTypeResolutionDatabase& db)
{
// Set up the output array to report all of the available resolved types
auto& resolvedType = db.outputs.resolvedType();
resolvedType.resize(6);
// Populate the output with the individual output attributes resolution information
resolvedType[0] = getResolutionDescription(db.outputs.value(), outputs::value.token(), db);
resolvedType[1] = getResolutionDescription(db.outputs.arrayValue(), outputs::arrayValue.token(), db);
resolvedType[2] = getResolutionDescription(db.outputs.tupleValue(), outputs::tupleValue.token(), db);
resolvedType[3] = getResolutionDescription(db.outputs.tupleArrayValue(), outputs::tupleArrayValue.token(), db);
resolvedType[4] = getResolutionDescription(db.outputs.mixedValue(), outputs::mixedValue.token(), db);
resolvedType[5] = getResolutionDescription(db.outputs.anyValue(), outputs::anyValue.token(), db);
// Copy the input 'any' attribute value to output 'any'.
if (db.inputs.anyValueIn().resolved())
{
db.outputs.anyValue().copyData(db.inputs.anyValueIn());
}
return true;
}
static void onConnectionTypeResolve(const NodeObj& node)
{
// anyValue and anyValueIn are coupled in this example - set one and the other auto-sets
// the other attribs are going to behave as unrelated inputs, so disconnecting an attrib will
// flip it back to any state
auto iNode = node.iNode;
size_t nAttribs = iNode->getAttributeCount(node);
std::vector<AttributeObj> allAttribs(nAttribs);
if (!iNode->getAttributes(node, &allAttribs[0], nAttribs))
return;
std::unordered_map<std::string, AttributeObj> attribsByName;
const std::string anyValue = outputs::anyValue.name(), anyValueIn = inputs::anyValueIn.name();
for (auto& attribObj : allAttribs)
{
const char* name = attribObj.iAttribute->getName(attribObj);
attribsByName.emplace(name, attribObj);
}
auto iAttribute = allAttribs[0].iAttribute;
auto isDisconnected = [&](const std::string& name) {
return iAttribute->getDownstreamConnectionCount(attribsByName[name]) == 0 &&
iAttribute->getUpstreamConnectionCount(attribsByName[name]) == 0;
};
Type anyValueType = iAttribute->getResolvedType(attribsByName[anyValue]);
Type anyValueInType = iAttribute->getResolvedType(attribsByName[anyValueIn]);
// if one attribute is resolved and not the other we can resolve the other
// but if one is resolved and the other not, and the resolved one has no connections - we can unresolve the
// other way
if (anyValueType != anyValueInType)
{
if (anyValueInType.baseType != BaseDataType::eUnknown)
{
if (isDisconnected(anyValueIn))
{
iAttribute->setResolvedType(attribsByName[anyValueIn], Type());
}
else
iAttribute->setResolvedType(attribsByName[anyValue], anyValueInType);
}
else if (anyValueType.baseType != BaseDataType::eUnknown)
{
if (isDisconnected(anyValue))
{
iAttribute->setResolvedType(attribsByName[anyValue], Type());
}
else
iAttribute->setResolvedType(attribsByName[anyValueIn], anyValueType);
}
}
// If both are disconnected and both resolved, we can unresolve them both
else if (isDisconnected(anyValue) && isDisconnected(anyValueIn))
{
iAttribute->setResolvedType(attribsByName[anyValue], Type());
iAttribute->setResolvedType(attribsByName[anyValueIn], Type());
return;
}
}
};
REGISTER_OGN_NODE()
} // namespace test
} // namespace graph
} // namespace omni
| 5,289 |
C++
| 40.328125 | 122 | 0.666667 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestAddAnyTypeAnyMemory.cpp
|
// Copyright (c) 2019-2023, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnTestAddAnyTypeAnyMemoryDatabase.h>
namespace omni
{
namespace graph
{
namespace examples
{
extern "C" void testAddAnyTypeAnyMemoryEP(float const*, float const*, float*);
class OgnTestAddAnyTypeAnyMemory
{
public:
static bool compute(OgnTestAddAnyTypeAnyMemoryDatabase& db)
{
//This is a test node not supposed to be used in a real graph, but only for test
// we assume that it will only be used with float inputs
auto const& vec = *db.inputs.vec().getCpu<float[3]>();
auto const& scalar = *db.inputs.scalar().getCpu<float>();
auto& resCpu = *db.outputs.outCpu().get<float[3]>();
for (size_t i = 0; i < 3; ++i)
resCpu[i] = vec[i] + scalar;
auto const& gpu_vec = *db.inputs.vec().getGpu<float[3]>();
auto const& gpu_scalar = *db.inputs.scalar().getGpu<float>();
auto& resGpu = *db.outputs.outGpu().get<float[3]>();
testAddAnyTypeAnyMemoryEP(gpu_vec, &gpu_scalar, resGpu);
return true;
}
static void onConnectionTypeResolve(const NodeObj& nodeObj)
{
AttributeObj attributes[4]{ nodeObj.iNode->getAttributeByToken(nodeObj, inputs::vec.token()),
nodeObj.iNode->getAttributeByToken(nodeObj, inputs::scalar.token()),
nodeObj.iNode->getAttributeByToken(nodeObj, outputs::outCpu.token()),
nodeObj.iNode->getAttributeByToken(nodeObj, outputs::outGpu.token()) };
uint8_t tupleBuff[4] = {3, 1, 3, 3};
uint8_t arrayBuff[4] = {0, 0, 0, 0};
AttributeRole roleBuff[4] = { AttributeRole::eNone, AttributeRole::eNone, AttributeRole::eNone,
AttributeRole::eNone };
nodeObj.iNode->resolvePartiallyCoupledAttributes(nodeObj, attributes, tupleBuff, arrayBuff, roleBuff, 4);
}
};
REGISTER_OGN_NODE()
}
}
}
| 2,356 |
C++
| 37.016128 | 113 | 0.650255 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnTestBundleAttributeInterpolation.cpp
|
// Copyright (c) 2023, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include "OgnTestBundleAttributeInterpolationDatabase.h"
#include <omni/graph/core/BundlePrims.h>
namespace omni
{
namespace graph
{
namespace test
{
class OgnTestBundleAttributeInterpolation
{
public:
static bool compute(OgnTestBundleAttributeInterpolationDatabase& db)
{
auto& inputPrims = db.inputs.prims();
ConstBundlePrims bundlePrims(db.abi_context(), inputPrims.abi_bundleHandle());
CARB_ASSERT(bundlePrims.getPrimCount() == 1);
ConstBundlePrim* bundlePrim = bundlePrims.getPrim(0);
CARB_ASSERT(bundlePrim != nullptr);
if (!bundlePrim)
return false;
BundleAttrib const* bundleAttrib = bundlePrim->getConstAttr(db.inputs.attribute());
CARB_ASSERT(bundleAttrib != nullptr);
if (!bundleAttrib)
return false;
db.outputs.interpolation() = bundleAttrib->interpolation();
return true;
}
};
REGISTER_OGN_NODE()
}
}
}
| 1,386 |
C++
| 25.673076 | 91 | 0.714286 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/nodes/OgnDecomposeDouble3C.cpp
|
// Copyright (c) 2019-2021, NVIDIA CORPORATION. All rights reserved.
//
// NVIDIA CORPORATION and its licensors retain all intellectual property
// and proprietary rights in and to this software, related documentation
// and any modifications thereto. Any use, reproduction, disclosure or
// distribution of this software and related documentation without an express
// license agreement from NVIDIA CORPORATION is strictly prohibited.
//
#include <OgnDecomposeDouble3CDatabase.h>
namespace omni
{
namespace graph
{
namespace examples
{
class OgnDecomposeDouble3C
{
public:
static bool compute(OgnDecomposeDouble3CDatabase& db)
{
auto input = db.inputs.double3();
db.outputs.x() = input[0];
db.outputs.y() = input[1];
db.outputs.z() = input[2];
return true;
}
};
REGISTER_OGN_NODE()
}
}
}
| 855 |
C++
| 22.135135 | 77 | 0.707602 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/TestOgnTestAddAnyTypeAnyMemory.py
|
import omni.kit.test
import omni.graph.core as og
import omni.graph.core.tests as ogts
from omni.graph.core.tests.omnigraph_test_utils import _TestGraphAndNode
from omni.graph.core.tests.omnigraph_test_utils import _test_clear_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_setup_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_verify_scene
class TestOgn(ogts.OmniGraphTestCase):
TEST_DATA = [
{
'inputs': [
['inputs:vec', {'type': 'float[3]', 'value': [2.0, 2.0, 2.0]}, True],
['inputs:scalar', {'type': 'float', 'value': 3.0}, True],
],
'outputs': [
['outputs:outCpu', {'type': 'float[3]', 'value': [5.0, 5.0, 5.0]}, False],
['outputs:outGpu', {'type': 'float[3]', 'value': [5.0, 5.0, 5.0]}, True],
],
},
{
'inputs': [
['inputs:vec', {'type': 'float[3]', 'value': [5.0, 5.0, 5.0]}, True],
['inputs:scalar', {'type': 'float', 'value': 10.0}, True],
],
'outputs': [
['outputs:outCpu', {'type': 'float[3]', 'value': [15.0, 15.0, 15.0]}, False],
['outputs:outGpu', {'type': 'float[3]', 'value': [15.0, 15.0, 15.0]}, True],
],
},
]
async def test_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestAddAnyTypeAnyMemory", "omni.graph.test.TestAddAnyTypeAnyMemory", test_run, test_info)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestAddAnyTypeAnyMemory User test case #{i+1}")
async def test_vectorized_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestAddAnyTypeAnyMemory","omni.graph.test.TestAddAnyTypeAnyMemory", test_run, test_info, 16)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestAddAnyTypeAnyMemory User test case #{i+1}", 16)
async def test_thread_safety(self):
import omni.kit
# Generate multiple instances of the test setup to run them concurrently
instance_setup = dict()
for n in range(24):
instance_setup[f"/TestGraph_{n}"] = _TestGraphAndNode()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
for (key, test_info) in instance_setup.items():
test_info = await _test_setup_scene(self, og.Controller(allow_exists_prim=True), key, "TestNode_omni_graph_test_TestAddAnyTypeAnyMemory", "omni.graph.test.TestAddAnyTypeAnyMemory", test_run, test_info)
self.assertEqual(len(og.get_all_graphs()), 24)
# We want to evaluate all graphs concurrently. Kick them all.
# Evaluate multiple times to skip 2 serial frames and increase chances for a race condition.
for _ in range(10):
await omni.kit.app.get_app().next_update_async()
for (key, test_instance) in instance_setup.items():
_test_verify_scene(self, og.Controller(), test_run, test_info, f"omni.graph.test.TestAddAnyTypeAnyMemory User test case #{i+1}, instance{key}")
async def test_data_access(self):
from omni.graph.test.ogn.OgnTestAddAnyTypeAnyMemoryDatabase import OgnTestAddAnyTypeAnyMemoryDatabase
(_, (test_node,), _, _) = og.Controller.edit("/TestGraph", {
og.Controller.Keys.CREATE_NODES: ("Template_omni_graph_test_TestAddAnyTypeAnyMemory", "omni.graph.test.TestAddAnyTypeAnyMemory")
})
database = OgnTestAddAnyTypeAnyMemoryDatabase(test_node)
self.assertTrue(test_node.is_valid())
node_type_name = test_node.get_type_name()
self.assertEqual(og.GraphRegistry().get_node_type_version(node_type_name), 1)
def _attr_error(attribute: og.Attribute, usd_test: bool) -> str:
test_type = "USD Load" if usd_test else "Database Access"
return f"{node_type_name} {test_type} Test - {attribute.get_name()} value error"
| 4,595 |
Python
| 51.227272 | 217 | 0.623504 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/TestOgnComputeErrorCpp.py
|
import omni.kit.test
import omni.graph.core as og
import omni.graph.core.tests as ogts
from omni.graph.core.tests.omnigraph_test_utils import _TestGraphAndNode
from omni.graph.core.tests.omnigraph_test_utils import _test_clear_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_setup_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_verify_scene
class TestOgn(ogts.OmniGraphTestCase):
TEST_DATA = [
{
'inputs': [
['inputs:dummyIn', 3, False],
],
'outputs': [
['outputs:dummyOut', 3, False],
],
},
]
async def test_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_ComputeErrorCpp", "omni.graph.test.ComputeErrorCpp", test_run, test_info)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.ComputeErrorCpp User test case #{i+1}")
async def test_vectorized_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_ComputeErrorCpp","omni.graph.test.ComputeErrorCpp", test_run, test_info, 16)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.ComputeErrorCpp User test case #{i+1}", 16)
async def test_thread_safety(self):
import omni.kit
# Generate multiple instances of the test setup to run them concurrently
instance_setup = dict()
for n in range(24):
instance_setup[f"/TestGraph_{n}"] = _TestGraphAndNode()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
for (key, test_info) in instance_setup.items():
test_info = await _test_setup_scene(self, og.Controller(allow_exists_prim=True), key, "TestNode_omni_graph_test_ComputeErrorCpp", "omni.graph.test.ComputeErrorCpp", test_run, test_info)
self.assertEqual(len(og.get_all_graphs()), 24)
# We want to evaluate all graphs concurrently. Kick them all.
# Evaluate multiple times to skip 2 serial frames and increase chances for a race condition.
for _ in range(10):
await omni.kit.app.get_app().next_update_async()
for (key, test_instance) in instance_setup.items():
_test_verify_scene(self, og.Controller(), test_run, test_info, f"omni.graph.test.ComputeErrorCpp User test case #{i+1}, instance{key}")
async def test_data_access(self):
from omni.graph.test.ogn.OgnComputeErrorCppDatabase import OgnComputeErrorCppDatabase
(_, (test_node,), _, _) = og.Controller.edit("/TestGraph", {
og.Controller.Keys.CREATE_NODES: ("Template_omni_graph_test_ComputeErrorCpp", "omni.graph.test.ComputeErrorCpp")
})
database = OgnComputeErrorCppDatabase(test_node)
self.assertTrue(test_node.is_valid())
node_type_name = test_node.get_type_name()
self.assertEqual(og.GraphRegistry().get_node_type_version(node_type_name), 1)
def _attr_error(attribute: og.Attribute, usd_test: bool) -> str:
test_type = "USD Load" if usd_test else "Database Access"
return f"{node_type_name} {test_type} Test - {attribute.get_name()} value error"
self.assertTrue(test_node.get_attribute_exists("inputs:deprecatedInInit"))
attribute = test_node.get_attribute("inputs:deprecatedInInit")
db_value = database.inputs.deprecatedInInit
expected_value = 0.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:deprecatedInOgn"))
attribute = test_node.get_attribute("inputs:deprecatedInOgn")
db_value = database.inputs.deprecatedInOgn
expected_value = 0.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:dummyIn"))
attribute = test_node.get_attribute("inputs:dummyIn")
db_value = database.inputs.dummyIn
expected_value = 0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:failCompute"))
attribute = test_node.get_attribute("inputs:failCompute")
db_value = database.inputs.failCompute
expected_value = False
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:message"))
attribute = test_node.get_attribute("inputs:message")
db_value = database.inputs.message
expected_value = ""
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:severity"))
attribute = test_node.get_attribute("inputs:severity")
db_value = database.inputs.severity
expected_value = "none"
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("outputs:dummyOut"))
attribute = test_node.get_attribute("outputs:dummyOut")
db_value = database.outputs.dummyOut
| 5,668 |
Python
| 47.870689 | 201 | 0.682075 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/TestOgnTestAllDataTypesCarb.py
|
import omni.kit.test
import omni.graph.core as og
import omni.graph.core.tests as ogts
from omni.graph.core.tests.omnigraph_test_utils import _TestGraphAndNode
from omni.graph.core.tests.omnigraph_test_utils import _test_clear_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_setup_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_verify_scene
class TestOgn(ogts.OmniGraphTestCase):
TEST_DATA = [
{
'inputs': [
['inputs:doNotCompute', True, False],
],
'outputs': [
['outputs:a_bool', True, False],
['outputs:a_bool_array', [True, False], False],
['outputs:a_colord_3', [1.5, 2.5, 3.5], False],
['outputs:a_colord_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_colorf_3', [1.5, 2.5, 3.5], False],
['outputs:a_colorf_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_colorh_3', [1.5, 2.5, 3.5], False],
['outputs:a_colorh_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_colord_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_colord_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_colorf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_colorf_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_colorh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_colorh_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_double', 1.5, False],
['outputs:a_double_2', [1.5, 2.5], False],
['outputs:a_double_3', [1.5, 2.5, 3.5], False],
['outputs:a_double_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_double_array', [1.5, 2.5], False],
['outputs:a_double_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_double_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_double_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_execution', 2, False],
['outputs:a_float', 1.5, False],
['outputs:a_float_2', [1.5, 2.5], False],
['outputs:a_float_3', [1.5, 2.5, 3.5], False],
['outputs:a_float_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_float_array', [1.5, 2.5], False],
['outputs:a_float_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_float_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_float_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_frame_4', [1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], False],
['outputs:a_frame_4_array', [[1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], [11.5, 12.5, 13.5, 14.5, 15.5, 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5, 24.5, 25.5, 26.5]], False],
['outputs:a_half', 1.5, False],
['outputs:a_half_2', [1.5, 2.5], False],
['outputs:a_half_3', [1.5, 2.5, 3.5], False],
['outputs:a_half_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_half_array', [1.5, 2.5], False],
['outputs:a_half_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_half_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_half_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_int', 1, False],
['outputs:a_int_2', [1, 2], False],
['outputs:a_int_3', [1, 2, 3], False],
['outputs:a_int_4', [1, 2, 3, 4], False],
['outputs:a_int_array', [1, 2], False],
['outputs:a_int_2_array', [[1, 2], [3, 4]], False],
['outputs:a_int_3_array', [[1, 2, 3], [4, 5, 6]], False],
['outputs:a_int_4_array', [[1, 2, 3, 4], [5, 6, 7, 8]], False],
['outputs:a_int64', 12345, False],
['outputs:a_int64_array', [12345, 23456], False],
['outputs:a_matrixd_2', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_matrixd_3', [1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5], False],
['outputs:a_matrixd_4', [1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], False],
['outputs:a_matrixd_2_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_matrixd_3_array', [[1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5], [11.5, 12.5, 13.5, 14.5, 15.5, 16.5, 17.5, 18.5, 19.5]], False],
['outputs:a_matrixd_4_array', [[1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], [11.5, 12.5, 13.5, 14.5, 15.5, 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5, 24.5, 25.5, 26.5]], False],
['outputs:a_normald_3', [1.5, 2.5, 3.5], False],
['outputs:a_normalf_3', [1.5, 2.5, 3.5], False],
['outputs:a_normalh_3', [1.5, 2.5, 3.5], False],
['outputs:a_normald_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_normalf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_normalh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_objectId', 2, False],
['outputs:a_objectId_array', [2, 3], False],
['outputs:a_pointd_3', [1.5, 2.5, 3.5], False],
['outputs:a_pointf_3', [1.5, 2.5, 3.5], False],
['outputs:a_pointh_3', [1.5, 2.5, 3.5], False],
['outputs:a_pointd_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_pointf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_pointh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_quatd_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_quatf_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_quath_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_quatd_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_quatf_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_quath_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_string', "Snoke", False],
['outputs:a_texcoordd_2', [1.5, 2.5], False],
['outputs:a_texcoordd_3', [1.5, 2.5, 3.5], False],
['outputs:a_texcoordf_2', [1.5, 2.5], False],
['outputs:a_texcoordf_3', [1.5, 2.5, 3.5], False],
['outputs:a_texcoordh_2', [1.5, 2.5], False],
['outputs:a_texcoordh_3', [1.5, 2.5, 3.5], False],
['outputs:a_texcoordd_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_texcoordd_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_texcoordf_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_texcoordf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_texcoordh_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_texcoordh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_timecode', 2.5, False],
['outputs:a_timecode_array', [2.5, 3.5], False],
['outputs:a_token', "Jedi", False],
['outputs:a_token_array', ["Luke", "Skywalker"], False],
['outputs:a_uchar', 2, False],
['outputs:a_uchar_array', [2, 3], False],
['outputs:a_uint', 2, False],
['outputs:a_uint_array', [2, 3], False],
['outputs:a_uint64', 2, False],
['outputs:a_uint64_array', [2, 3], False],
['outputs:a_vectord_3', [1.5, 2.5, 3.5], False],
['outputs:a_vectorf_3', [1.5, 2.5, 3.5], False],
['outputs:a_vectorh_3', [1.5, 2.5, 3.5], False],
['outputs:a_vectord_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_vectorf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_vectorh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
],
},
{
'inputs': [
['inputs:doNotCompute', False, False],
],
'outputs': [
['outputs:a_bool', False, False],
['outputs:a_bool_array', [False, True], False],
['outputs:a_colord_3', [1.0, 2.0, 3.0], False],
['outputs:a_colord_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_colorf_3', [1.0, 2.0, 3.0], False],
['outputs:a_colorf_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_colorh_3', [1.0, 2.0, 3.0], False],
['outputs:a_colorh_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_colord_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_colord_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_colorf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_colorf_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_colorh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_colorh_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_double', 1.0, False],
['outputs:a_double_2', [1.0, 2.0], False],
['outputs:a_double_3', [1.0, 2.0, 3.0], False],
['outputs:a_double_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_double_array', [1.0, 2.0], False],
['outputs:a_double_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_double_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_double_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_execution', 1, False],
['outputs:a_float', 1.0, False],
['outputs:a_float_2', [1.0, 2.0], False],
['outputs:a_float_3', [1.0, 2.0, 3.0], False],
['outputs:a_float_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_float_array', [1.0, 2.0], False],
['outputs:a_float_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_float_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_float_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_frame_4', [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], False],
['outputs:a_frame_4_array', [[1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], [11.0, 12.0, 13.0, 14.0, 15.0, 16.0, 17.0, 18.0, 19.0, 20.0, 21.0, 22.0, 23.0, 24.0, 25.0, 26.0]], False],
['outputs:a_half', 1.0, False],
['outputs:a_half_2', [1.0, 2.0], False],
['outputs:a_half_3', [1.0, 2.0, 3.0], False],
['outputs:a_half_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_half_array', [1.0, 2.0], False],
['outputs:a_half_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_half_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_half_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_int', 1, False],
['outputs:a_int_2', [1, 2], False],
['outputs:a_int_3', [1, 2, 3], False],
['outputs:a_int_4', [1, 2, 3, 4], False],
['outputs:a_int_array', [1, 2], False],
['outputs:a_int_2_array', [[1, 2], [3, 4]], False],
['outputs:a_int_3_array', [[1, 2, 3], [4, 5, 6]], False],
['outputs:a_int_4_array', [[1, 2, 3, 4], [5, 6, 7, 8]], False],
['outputs:a_int64', 12345, False],
['outputs:a_int64_array', [12345, 23456], False],
['outputs:a_matrixd_2', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_matrixd_3', [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0], False],
['outputs:a_matrixd_4', [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], False],
['outputs:a_matrixd_2_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_matrixd_3_array', [[1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0], [11.0, 12.0, 13.0, 14.0, 15.0, 16.0, 17.0, 18.0, 19.0]], False],
['outputs:a_matrixd_4_array', [[1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], [11.0, 12.0, 13.0, 14.0, 15.0, 16.0, 17.0, 18.0, 19.0, 20.0, 21.0, 22.0, 23.0, 24.0, 25.0, 26.0]], False],
['outputs:a_normald_3', [1.0, 2.0, 3.0], False],
['outputs:a_normalf_3', [1.0, 2.0, 3.0], False],
['outputs:a_normalh_3', [1.0, 2.0, 3.0], False],
['outputs:a_normald_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_normalf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_normalh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_objectId', 1, False],
['outputs:a_objectId_array', [1, 2], False],
['outputs:a_pointd_3', [1.0, 2.0, 3.0], False],
['outputs:a_pointf_3', [1.0, 2.0, 3.0], False],
['outputs:a_pointh_3', [1.0, 2.0, 3.0], False],
['outputs:a_pointd_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_pointf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_pointh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_quatd_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_quatf_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_quath_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_quatd_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_quatf_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_quath_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_string', "Rey", False],
['outputs:a_texcoordd_2', [1.0, 2.0], False],
['outputs:a_texcoordd_3', [1.0, 2.0, 3.0], False],
['outputs:a_texcoordf_2', [1.0, 2.0], False],
['outputs:a_texcoordf_3', [1.0, 2.0, 3.0], False],
['outputs:a_texcoordh_2', [1.0, 2.0], False],
['outputs:a_texcoordh_3', [1.0, 2.0, 3.0], False],
['outputs:a_texcoordd_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_texcoordd_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_texcoordf_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_texcoordf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_texcoordh_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_texcoordh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_timecode', 1.0, False],
['outputs:a_timecode_array', [1.0, 2.0], False],
['outputs:a_token', "Sith", False],
['outputs:a_token_array', ["Kylo", "Ren"], False],
['outputs:a_uchar', 1, False],
['outputs:a_uchar_array', [1, 2], False],
['outputs:a_uint', 1, False],
['outputs:a_uint_array', [1, 2], False],
['outputs:a_uint64', 1, False],
['outputs:a_uint64_array', [1, 2], False],
['outputs:a_vectord_3', [1.0, 2.0, 3.0], False],
['outputs:a_vectorf_3', [1.0, 2.0, 3.0], False],
['outputs:a_vectorh_3', [1.0, 2.0, 3.0], False],
['outputs:a_vectord_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_vectorf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_vectorh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
],
},
{
'inputs': [
['inputs:doNotCompute', False, False],
['inputs:a_bool', True, False],
['inputs:a_bool_array', [True, True], False],
['inputs:a_colord_3', [1.25, 2.25, 3.25], False],
['inputs:a_colord_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_colorf_3', [1.25, 2.25, 3.25], False],
['inputs:a_colorf_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_colorh_3', [1.25, 2.25, 3.25], False],
['inputs:a_colorh_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_colord_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_colord_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_colorf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_colorf_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_colorh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_colorh_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_double', 1.25, False],
['inputs:a_double_2', [1.25, 2.25], False],
['inputs:a_double_3', [1.25, 2.25, 3.25], False],
['inputs:a_double_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_double_array', [1.25, 2.25], False],
['inputs:a_double_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_double_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_double_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_execution', 3, False],
['inputs:a_float', 1.25, False],
['inputs:a_float_2', [1.25, 2.25], False],
['inputs:a_float_3', [1.25, 2.25, 3.25], False],
['inputs:a_float_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_float_array', [1.25, 2.25], False],
['inputs:a_float_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_float_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_float_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_frame_4', [1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], False],
['inputs:a_frame_4_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25, 20.25, 21.25, 22.25, 23.25, 24.25, 25.25, 26.25]], False],
['inputs:a_half', 1.25, False],
['inputs:a_half_2', [1.25, 2.25], False],
['inputs:a_half_3', [1.25, 2.25, 3.25], False],
['inputs:a_half_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_half_array', [1.25, 2.25], False],
['inputs:a_half_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_half_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_half_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_int', 11, False],
['inputs:a_int_2', [11, 12], False],
['inputs:a_int_3', [11, 12, 13], False],
['inputs:a_int_4', [11, 12, 13, 14], False],
['inputs:a_int_array', [11, 12], False],
['inputs:a_int_2_array', [[11, 12], [13, 14]], False],
['inputs:a_int_3_array', [[11, 12, 13], [14, 15, 16]], False],
['inputs:a_int_4_array', [[11, 12, 13, 14], [15, 16, 17, 18]], False],
['inputs:a_int64', 34567, False],
['inputs:a_int64_array', [45678, 56789], False],
['inputs:a_matrixd_2', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_matrixd_3', [1.25, 2.25, 3.25, 11.25, 12.25, 13.25, 21.25, 22.25, 23.25], False],
['inputs:a_matrixd_4', [1.25, 2.25, 3.25, 4.25, 11.25, 12.25, 13.25, 14.25, 21.25, 22.25, 23.25, 24.25, 31.25, 32.25, 33.25, 34.25], False],
['inputs:a_matrixd_2_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_matrixd_3_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25]], False],
['inputs:a_matrixd_4_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25, 20.25, 21.25, 22.25, 23.25, 24.25, 25.25, 26.25]], False],
['inputs:a_normald_3', [1.25, 2.25, 3.25], False],
['inputs:a_normalf_3', [1.25, 2.25, 3.25], False],
['inputs:a_normalh_3', [1.25, 2.25, 3.25], False],
['inputs:a_normald_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_normalf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_normalh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_objectId', 3, False],
['inputs:a_objectId_array', [3, 4], False],
['inputs:a_pointd_3', [1.25, 2.25, 3.25], False],
['inputs:a_pointf_3', [1.25, 2.25, 3.25], False],
['inputs:a_pointh_3', [1.25, 2.25, 3.25], False],
['inputs:a_pointd_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_pointf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_pointh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_quatd_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_quatf_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_quath_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_quatd_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_quatf_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_quath_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_string', "Palpatine", False],
['inputs:a_texcoordd_2', [1.25, 2.25], False],
['inputs:a_texcoordd_3', [1.25, 2.25, 3.25], False],
['inputs:a_texcoordf_2', [1.25, 2.25], False],
['inputs:a_texcoordf_3', [1.25, 2.25, 3.25], False],
['inputs:a_texcoordh_2', [1.25, 2.25], False],
['inputs:a_texcoordh_3', [1.25, 2.25, 3.25], False],
['inputs:a_texcoordd_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_texcoordd_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_texcoordf_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_texcoordf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_texcoordh_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_texcoordh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_timecode', 1.25, False],
['inputs:a_timecode_array', [1.25, 2.25], False],
['inputs:a_token', "Rebels", False],
['inputs:a_token_array', ["Han", "Solo"], False],
['inputs:a_uchar', 3, False],
['inputs:a_uchar_array', [3, 4], False],
['inputs:a_uint', 3, False],
['inputs:a_uint_array', [3, 4], False],
['inputs:a_uint64', 3, False],
['inputs:a_uint64_array', [3, 4], False],
['inputs:a_vectord_3', [1.25, 2.25, 3.25], False],
['inputs:a_vectorf_3', [1.25, 2.25, 3.25], False],
['inputs:a_vectorh_3', [1.25, 2.25, 3.25], False],
['inputs:a_vectord_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_vectorf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_vectorh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
],
'outputs': [
['outputs:a_bool', True, False],
['outputs:a_bool_array', [True, True], False],
['outputs:a_colord_3', [1.25, 2.25, 3.25], False],
['outputs:a_colord_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_colorf_3', [1.25, 2.25, 3.25], False],
['outputs:a_colorf_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_colorh_3', [1.25, 2.25, 3.25], False],
['outputs:a_colorh_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_colord_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_colord_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_colorf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_colorf_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_colorh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_colorh_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_double', 1.25, False],
['outputs:a_double_2', [1.25, 2.25], False],
['outputs:a_double_3', [1.25, 2.25, 3.25], False],
['outputs:a_double_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_double_array', [1.25, 2.25], False],
['outputs:a_double_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_double_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_double_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_execution', 3, False],
['outputs:a_float', 1.25, False],
['outputs:a_float_2', [1.25, 2.25], False],
['outputs:a_float_3', [1.25, 2.25, 3.25], False],
['outputs:a_float_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_float_array', [1.25, 2.25], False],
['outputs:a_float_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_float_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_float_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_frame_4', [1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], False],
['outputs:a_frame_4_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25, 20.25, 21.25, 22.25, 23.25, 24.25, 25.25, 26.25]], False],
['outputs:a_half', 1.25, False],
['outputs:a_half_2', [1.25, 2.25], False],
['outputs:a_half_3', [1.25, 2.25, 3.25], False],
['outputs:a_half_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_half_array', [1.25, 2.25], False],
['outputs:a_half_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_half_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_half_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_int', 11, False],
['outputs:a_int_2', [11, 12], False],
['outputs:a_int_3', [11, 12, 13], False],
['outputs:a_int_4', [11, 12, 13, 14], False],
['outputs:a_int_array', [11, 12], False],
['outputs:a_int_2_array', [[11, 12], [13, 14]], False],
['outputs:a_int_3_array', [[11, 12, 13], [14, 15, 16]], False],
['outputs:a_int_4_array', [[11, 12, 13, 14], [15, 16, 17, 18]], False],
['outputs:a_int64', 34567, False],
['outputs:a_int64_array', [45678, 56789], False],
['outputs:a_matrixd_2', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_matrixd_3', [1.25, 2.25, 3.25, 11.25, 12.25, 13.25, 21.25, 22.25, 23.25], False],
['outputs:a_matrixd_4', [1.25, 2.25, 3.25, 4.25, 11.25, 12.25, 13.25, 14.25, 21.25, 22.25, 23.25, 24.25, 31.25, 32.25, 33.25, 34.25], False],
['outputs:a_matrixd_2_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_matrixd_3_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25]], False],
['outputs:a_matrixd_4_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25, 20.25, 21.25, 22.25, 23.25, 24.25, 25.25, 26.25]], False],
['outputs:a_normald_3', [1.25, 2.25, 3.25], False],
['outputs:a_normalf_3', [1.25, 2.25, 3.25], False],
['outputs:a_normalh_3', [1.25, 2.25, 3.25], False],
['outputs:a_normald_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_normalf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_normalh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_objectId', 3, False],
['outputs:a_objectId_array', [3, 4], False],
['outputs:a_pointd_3', [1.25, 2.25, 3.25], False],
['outputs:a_pointf_3', [1.25, 2.25, 3.25], False],
['outputs:a_pointh_3', [1.25, 2.25, 3.25], False],
['outputs:a_pointd_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_pointf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_pointh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_quatd_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_quatf_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_quath_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_quatd_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_quatf_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_quath_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_string', "Palpatine", False],
['outputs:a_texcoordd_2', [1.25, 2.25], False],
['outputs:a_texcoordd_3', [1.25, 2.25, 3.25], False],
['outputs:a_texcoordf_2', [1.25, 2.25], False],
['outputs:a_texcoordf_3', [1.25, 2.25, 3.25], False],
['outputs:a_texcoordh_2', [1.25, 2.25], False],
['outputs:a_texcoordh_3', [1.25, 2.25, 3.25], False],
['outputs:a_texcoordd_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_texcoordd_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_texcoordf_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_texcoordf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_texcoordh_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_texcoordh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_timecode', 1.25, False],
['outputs:a_timecode_array', [1.25, 2.25], False],
['outputs:a_token', "Rebels", False],
['outputs:a_token_array', ["Han", "Solo"], False],
['outputs:a_uchar', 3, False],
['outputs:a_uchar_array', [3, 4], False],
['outputs:a_uint', 3, False],
['outputs:a_uint_array', [3, 4], False],
['outputs:a_uint64', 3, False],
['outputs:a_uint64_array', [3, 4], False],
['outputs:a_vectord_3', [1.25, 2.25, 3.25], False],
['outputs:a_vectorf_3', [1.25, 2.25, 3.25], False],
['outputs:a_vectorh_3', [1.25, 2.25, 3.25], False],
['outputs:a_vectord_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_vectorf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_vectorh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
],
},
]
async def test_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestAllDataTypesCarb", "omni.graph.test.TestAllDataTypesCarb", test_run, test_info)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestAllDataTypesCarb User test case #{i+1}")
async def test_vectorized_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestAllDataTypesCarb","omni.graph.test.TestAllDataTypesCarb", test_run, test_info, 16)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestAllDataTypesCarb User test case #{i+1}", 16)
async def test_thread_safety(self):
import omni.kit
# Generate multiple instances of the test setup to run them concurrently
instance_setup = dict()
for n in range(24):
instance_setup[f"/TestGraph_{n}"] = _TestGraphAndNode()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
for (key, test_info) in instance_setup.items():
test_info = await _test_setup_scene(self, og.Controller(allow_exists_prim=True), key, "TestNode_omni_graph_test_TestAllDataTypesCarb", "omni.graph.test.TestAllDataTypesCarb", test_run, test_info)
self.assertEqual(len(og.get_all_graphs()), 24)
# We want to evaluate all graphs concurrently. Kick them all.
# Evaluate multiple times to skip 2 serial frames and increase chances for a race condition.
for _ in range(10):
await omni.kit.app.get_app().next_update_async()
for (key, test_instance) in instance_setup.items():
_test_verify_scene(self, og.Controller(), test_run, test_info, f"omni.graph.test.TestAllDataTypesCarb User test case #{i+1}, instance{key}")
async def test_data_access(self):
from omni.graph.test.ogn.OgnTestAllDataTypesCarbDatabase import OgnTestAllDataTypesCarbDatabase
(_, (test_node,), _, _) = og.Controller.edit("/TestGraph", {
og.Controller.Keys.CREATE_NODES: ("Template_omni_graph_test_TestAllDataTypesCarb", "omni.graph.test.TestAllDataTypesCarb")
})
database = OgnTestAllDataTypesCarbDatabase(test_node)
self.assertTrue(test_node.is_valid())
node_type_name = test_node.get_type_name()
self.assertEqual(og.GraphRegistry().get_node_type_version(node_type_name), 1)
def _attr_error(attribute: og.Attribute, usd_test: bool) -> str:
test_type = "USD Load" if usd_test else "Database Access"
return f"{node_type_name} {test_type} Test - {attribute.get_name()} value error"
self.assertTrue(test_node.get_attribute_exists("inputs:a_bool"))
attribute = test_node.get_attribute("inputs:a_bool")
db_value = database.inputs.a_bool
expected_value = False
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_bool_array"))
attribute = test_node.get_attribute("inputs:a_bool_array")
db_value = database.inputs.a_bool_array
expected_value = [False, True]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord_3"))
attribute = test_node.get_attribute("inputs:a_colord_3")
db_value = database.inputs.a_colord_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord_3_array"))
attribute = test_node.get_attribute("inputs:a_colord_3_array")
db_value = database.inputs.a_colord_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord_4"))
attribute = test_node.get_attribute("inputs:a_colord_4")
db_value = database.inputs.a_colord_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord_4_array"))
attribute = test_node.get_attribute("inputs:a_colord_4_array")
db_value = database.inputs.a_colord_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf_3"))
attribute = test_node.get_attribute("inputs:a_colorf_3")
db_value = database.inputs.a_colorf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf_3_array"))
attribute = test_node.get_attribute("inputs:a_colorf_3_array")
db_value = database.inputs.a_colorf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf_4"))
attribute = test_node.get_attribute("inputs:a_colorf_4")
db_value = database.inputs.a_colorf_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf_4_array"))
attribute = test_node.get_attribute("inputs:a_colorf_4_array")
db_value = database.inputs.a_colorf_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh_3"))
attribute = test_node.get_attribute("inputs:a_colorh_3")
db_value = database.inputs.a_colorh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh_3_array"))
attribute = test_node.get_attribute("inputs:a_colorh_3_array")
db_value = database.inputs.a_colorh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh_4"))
attribute = test_node.get_attribute("inputs:a_colorh_4")
db_value = database.inputs.a_colorh_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh_4_array"))
attribute = test_node.get_attribute("inputs:a_colorh_4_array")
db_value = database.inputs.a_colorh_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double"))
attribute = test_node.get_attribute("inputs:a_double")
db_value = database.inputs.a_double
expected_value = 1.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_2"))
attribute = test_node.get_attribute("inputs:a_double_2")
db_value = database.inputs.a_double_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_2_array"))
attribute = test_node.get_attribute("inputs:a_double_2_array")
db_value = database.inputs.a_double_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_3"))
attribute = test_node.get_attribute("inputs:a_double_3")
db_value = database.inputs.a_double_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_3_array"))
attribute = test_node.get_attribute("inputs:a_double_3_array")
db_value = database.inputs.a_double_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_4"))
attribute = test_node.get_attribute("inputs:a_double_4")
db_value = database.inputs.a_double_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_4_array"))
attribute = test_node.get_attribute("inputs:a_double_4_array")
db_value = database.inputs.a_double_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_array"))
attribute = test_node.get_attribute("inputs:a_double_array")
db_value = database.inputs.a_double_array
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_execution"))
attribute = test_node.get_attribute("inputs:a_execution")
db_value = database.inputs.a_execution
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float"))
attribute = test_node.get_attribute("inputs:a_float")
db_value = database.inputs.a_float
expected_value = 1.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_2"))
attribute = test_node.get_attribute("inputs:a_float_2")
db_value = database.inputs.a_float_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_2_array"))
attribute = test_node.get_attribute("inputs:a_float_2_array")
db_value = database.inputs.a_float_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_3"))
attribute = test_node.get_attribute("inputs:a_float_3")
db_value = database.inputs.a_float_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_3_array"))
attribute = test_node.get_attribute("inputs:a_float_3_array")
db_value = database.inputs.a_float_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_4"))
attribute = test_node.get_attribute("inputs:a_float_4")
db_value = database.inputs.a_float_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_4_array"))
attribute = test_node.get_attribute("inputs:a_float_4_array")
db_value = database.inputs.a_float_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_array"))
attribute = test_node.get_attribute("inputs:a_float_array")
db_value = database.inputs.a_float_array
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame_4"))
attribute = test_node.get_attribute("inputs:a_frame_4")
db_value = database.inputs.a_frame_4
expected_value = [[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame_4_array"))
attribute = test_node.get_attribute("inputs:a_frame_4_array")
db_value = database.inputs.a_frame_4_array
expected_value = [[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], [[11.0, 12.0, 13.0, 14.0], [15.0, 16.0, 17.0, 18.0], [19.0, 20.0, 21.0, 22.0], [23.0, 24.0, 25.0, 26.0]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half"))
attribute = test_node.get_attribute("inputs:a_half")
db_value = database.inputs.a_half
expected_value = 1.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_2"))
attribute = test_node.get_attribute("inputs:a_half_2")
db_value = database.inputs.a_half_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_2_array"))
attribute = test_node.get_attribute("inputs:a_half_2_array")
db_value = database.inputs.a_half_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_3"))
attribute = test_node.get_attribute("inputs:a_half_3")
db_value = database.inputs.a_half_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_3_array"))
attribute = test_node.get_attribute("inputs:a_half_3_array")
db_value = database.inputs.a_half_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_4"))
attribute = test_node.get_attribute("inputs:a_half_4")
db_value = database.inputs.a_half_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_4_array"))
attribute = test_node.get_attribute("inputs:a_half_4_array")
db_value = database.inputs.a_half_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_array"))
attribute = test_node.get_attribute("inputs:a_half_array")
db_value = database.inputs.a_half_array
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int"))
attribute = test_node.get_attribute("inputs:a_int")
db_value = database.inputs.a_int
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int64"))
attribute = test_node.get_attribute("inputs:a_int64")
db_value = database.inputs.a_int64
expected_value = 12345
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int64_array"))
attribute = test_node.get_attribute("inputs:a_int64_array")
db_value = database.inputs.a_int64_array
expected_value = [12345, 23456]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_2"))
attribute = test_node.get_attribute("inputs:a_int_2")
db_value = database.inputs.a_int_2
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_2_array"))
attribute = test_node.get_attribute("inputs:a_int_2_array")
db_value = database.inputs.a_int_2_array
expected_value = [[1, 2], [3, 4]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_3"))
attribute = test_node.get_attribute("inputs:a_int_3")
db_value = database.inputs.a_int_3
expected_value = [1, 2, 3]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_3_array"))
attribute = test_node.get_attribute("inputs:a_int_3_array")
db_value = database.inputs.a_int_3_array
expected_value = [[1, 2, 3], [4, 5, 6]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_4"))
attribute = test_node.get_attribute("inputs:a_int_4")
db_value = database.inputs.a_int_4
expected_value = [1, 2, 3, 4]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_4_array"))
attribute = test_node.get_attribute("inputs:a_int_4_array")
db_value = database.inputs.a_int_4_array
expected_value = [[1, 2, 3, 4], [5, 6, 7, 8]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_array"))
attribute = test_node.get_attribute("inputs:a_int_array")
db_value = database.inputs.a_int_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_2"))
attribute = test_node.get_attribute("inputs:a_matrixd_2")
db_value = database.inputs.a_matrixd_2
expected_value = [[1.0, 2.0], [3.0, 4.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_2_array"))
attribute = test_node.get_attribute("inputs:a_matrixd_2_array")
db_value = database.inputs.a_matrixd_2_array
expected_value = [[[1.0, 2.0], [3.0, 4.0]], [[11.0, 12.0], [13.0, 14.0]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_3"))
attribute = test_node.get_attribute("inputs:a_matrixd_3")
db_value = database.inputs.a_matrixd_3
expected_value = [[1.0, 2.0, 3.0], [4.0, 5.0, 6.0], [7.0, 8.0, 9.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_3_array"))
attribute = test_node.get_attribute("inputs:a_matrixd_3_array")
db_value = database.inputs.a_matrixd_3_array
expected_value = [[[1.0, 2.0, 3.0], [4.0, 5.0, 6.0], [7.0, 8.0, 9.0]], [[11.0, 12.0, 13.0], [14.0, 15.0, 16.0], [17.0, 18.0, 19.0]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_4"))
attribute = test_node.get_attribute("inputs:a_matrixd_4")
db_value = database.inputs.a_matrixd_4
expected_value = [[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_4_array"))
attribute = test_node.get_attribute("inputs:a_matrixd_4_array")
db_value = database.inputs.a_matrixd_4_array
expected_value = [[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], [[11.0, 12.0, 13.0, 14.0], [15.0, 16.0, 17.0, 18.0], [19.0, 20.0, 21.0, 22.0], [23.0, 24.0, 25.0, 26.0]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald_3"))
attribute = test_node.get_attribute("inputs:a_normald_3")
db_value = database.inputs.a_normald_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald_3_array"))
attribute = test_node.get_attribute("inputs:a_normald_3_array")
db_value = database.inputs.a_normald_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf_3"))
attribute = test_node.get_attribute("inputs:a_normalf_3")
db_value = database.inputs.a_normalf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf_3_array"))
attribute = test_node.get_attribute("inputs:a_normalf_3_array")
db_value = database.inputs.a_normalf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh_3"))
attribute = test_node.get_attribute("inputs:a_normalh_3")
db_value = database.inputs.a_normalh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh_3_array"))
attribute = test_node.get_attribute("inputs:a_normalh_3_array")
db_value = database.inputs.a_normalh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_objectId"))
attribute = test_node.get_attribute("inputs:a_objectId")
db_value = database.inputs.a_objectId
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_objectId_array"))
attribute = test_node.get_attribute("inputs:a_objectId_array")
db_value = database.inputs.a_objectId_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd_3"))
attribute = test_node.get_attribute("inputs:a_pointd_3")
db_value = database.inputs.a_pointd_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd_3_array"))
attribute = test_node.get_attribute("inputs:a_pointd_3_array")
db_value = database.inputs.a_pointd_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf_3"))
attribute = test_node.get_attribute("inputs:a_pointf_3")
db_value = database.inputs.a_pointf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf_3_array"))
attribute = test_node.get_attribute("inputs:a_pointf_3_array")
db_value = database.inputs.a_pointf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh_3"))
attribute = test_node.get_attribute("inputs:a_pointh_3")
db_value = database.inputs.a_pointh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh_3_array"))
attribute = test_node.get_attribute("inputs:a_pointh_3_array")
db_value = database.inputs.a_pointh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd_4"))
attribute = test_node.get_attribute("inputs:a_quatd_4")
db_value = database.inputs.a_quatd_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd_4_array"))
attribute = test_node.get_attribute("inputs:a_quatd_4_array")
db_value = database.inputs.a_quatd_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf_4"))
attribute = test_node.get_attribute("inputs:a_quatf_4")
db_value = database.inputs.a_quatf_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf_4_array"))
attribute = test_node.get_attribute("inputs:a_quatf_4_array")
db_value = database.inputs.a_quatf_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath_4"))
attribute = test_node.get_attribute("inputs:a_quath_4")
db_value = database.inputs.a_quath_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath_4_array"))
attribute = test_node.get_attribute("inputs:a_quath_4_array")
db_value = database.inputs.a_quath_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_string"))
attribute = test_node.get_attribute("inputs:a_string")
db_value = database.inputs.a_string
expected_value = "Rey"
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd_2"))
attribute = test_node.get_attribute("inputs:a_texcoordd_2")
db_value = database.inputs.a_texcoordd_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd_2_array"))
attribute = test_node.get_attribute("inputs:a_texcoordd_2_array")
db_value = database.inputs.a_texcoordd_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd_3"))
attribute = test_node.get_attribute("inputs:a_texcoordd_3")
db_value = database.inputs.a_texcoordd_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd_3_array"))
attribute = test_node.get_attribute("inputs:a_texcoordd_3_array")
db_value = database.inputs.a_texcoordd_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf_2"))
attribute = test_node.get_attribute("inputs:a_texcoordf_2")
db_value = database.inputs.a_texcoordf_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf_2_array"))
attribute = test_node.get_attribute("inputs:a_texcoordf_2_array")
db_value = database.inputs.a_texcoordf_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf_3"))
attribute = test_node.get_attribute("inputs:a_texcoordf_3")
db_value = database.inputs.a_texcoordf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf_3_array"))
attribute = test_node.get_attribute("inputs:a_texcoordf_3_array")
db_value = database.inputs.a_texcoordf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh_2"))
attribute = test_node.get_attribute("inputs:a_texcoordh_2")
db_value = database.inputs.a_texcoordh_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh_2_array"))
attribute = test_node.get_attribute("inputs:a_texcoordh_2_array")
db_value = database.inputs.a_texcoordh_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh_3"))
attribute = test_node.get_attribute("inputs:a_texcoordh_3")
db_value = database.inputs.a_texcoordh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh_3_array"))
attribute = test_node.get_attribute("inputs:a_texcoordh_3_array")
db_value = database.inputs.a_texcoordh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode"))
attribute = test_node.get_attribute("inputs:a_timecode")
db_value = database.inputs.a_timecode
expected_value = 1.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_array"))
attribute = test_node.get_attribute("inputs:a_timecode_array")
db_value = database.inputs.a_timecode_array
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_token"))
attribute = test_node.get_attribute("inputs:a_token")
db_value = database.inputs.a_token
expected_value = "Sith"
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_token_array"))
attribute = test_node.get_attribute("inputs:a_token_array")
db_value = database.inputs.a_token_array
expected_value = ['Kylo', 'Ren']
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uchar"))
attribute = test_node.get_attribute("inputs:a_uchar")
db_value = database.inputs.a_uchar
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uchar_array"))
attribute = test_node.get_attribute("inputs:a_uchar_array")
db_value = database.inputs.a_uchar_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uint"))
attribute = test_node.get_attribute("inputs:a_uint")
db_value = database.inputs.a_uint
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uint64"))
attribute = test_node.get_attribute("inputs:a_uint64")
db_value = database.inputs.a_uint64
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uint64_array"))
attribute = test_node.get_attribute("inputs:a_uint64_array")
db_value = database.inputs.a_uint64_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uint_array"))
attribute = test_node.get_attribute("inputs:a_uint_array")
db_value = database.inputs.a_uint_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord_3"))
attribute = test_node.get_attribute("inputs:a_vectord_3")
db_value = database.inputs.a_vectord_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord_3_array"))
attribute = test_node.get_attribute("inputs:a_vectord_3_array")
db_value = database.inputs.a_vectord_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf_3"))
attribute = test_node.get_attribute("inputs:a_vectorf_3")
db_value = database.inputs.a_vectorf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf_3_array"))
attribute = test_node.get_attribute("inputs:a_vectorf_3_array")
db_value = database.inputs.a_vectorf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh_3"))
attribute = test_node.get_attribute("inputs:a_vectorh_3")
db_value = database.inputs.a_vectorh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh_3_array"))
attribute = test_node.get_attribute("inputs:a_vectorh_3_array")
db_value = database.inputs.a_vectorh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:doNotCompute"))
attribute = test_node.get_attribute("inputs:doNotCompute")
db_value = database.inputs.doNotCompute
expected_value = True
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("outputs:a_bool"))
attribute = test_node.get_attribute("outputs:a_bool")
db_value = database.outputs.a_bool
self.assertTrue(test_node.get_attribute_exists("outputs:a_bool_array"))
attribute = test_node.get_attribute("outputs:a_bool_array")
db_value = database.outputs.a_bool_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord_3"))
attribute = test_node.get_attribute("outputs:a_colord_3")
db_value = database.outputs.a_colord_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord_3_array"))
attribute = test_node.get_attribute("outputs:a_colord_3_array")
db_value = database.outputs.a_colord_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord_4"))
attribute = test_node.get_attribute("outputs:a_colord_4")
db_value = database.outputs.a_colord_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord_4_array"))
attribute = test_node.get_attribute("outputs:a_colord_4_array")
db_value = database.outputs.a_colord_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf_3"))
attribute = test_node.get_attribute("outputs:a_colorf_3")
db_value = database.outputs.a_colorf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf_3_array"))
attribute = test_node.get_attribute("outputs:a_colorf_3_array")
db_value = database.outputs.a_colorf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf_4"))
attribute = test_node.get_attribute("outputs:a_colorf_4")
db_value = database.outputs.a_colorf_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf_4_array"))
attribute = test_node.get_attribute("outputs:a_colorf_4_array")
db_value = database.outputs.a_colorf_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh_3"))
attribute = test_node.get_attribute("outputs:a_colorh_3")
db_value = database.outputs.a_colorh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh_3_array"))
attribute = test_node.get_attribute("outputs:a_colorh_3_array")
db_value = database.outputs.a_colorh_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh_4"))
attribute = test_node.get_attribute("outputs:a_colorh_4")
db_value = database.outputs.a_colorh_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh_4_array"))
attribute = test_node.get_attribute("outputs:a_colorh_4_array")
db_value = database.outputs.a_colorh_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_double"))
attribute = test_node.get_attribute("outputs:a_double")
db_value = database.outputs.a_double
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_2"))
attribute = test_node.get_attribute("outputs:a_double_2")
db_value = database.outputs.a_double_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_2_array"))
attribute = test_node.get_attribute("outputs:a_double_2_array")
db_value = database.outputs.a_double_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_3"))
attribute = test_node.get_attribute("outputs:a_double_3")
db_value = database.outputs.a_double_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_3_array"))
attribute = test_node.get_attribute("outputs:a_double_3_array")
db_value = database.outputs.a_double_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_4"))
attribute = test_node.get_attribute("outputs:a_double_4")
db_value = database.outputs.a_double_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_4_array"))
attribute = test_node.get_attribute("outputs:a_double_4_array")
db_value = database.outputs.a_double_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_array"))
attribute = test_node.get_attribute("outputs:a_double_array")
db_value = database.outputs.a_double_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_execution"))
attribute = test_node.get_attribute("outputs:a_execution")
db_value = database.outputs.a_execution
self.assertTrue(test_node.get_attribute_exists("outputs:a_float"))
attribute = test_node.get_attribute("outputs:a_float")
db_value = database.outputs.a_float
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_2"))
attribute = test_node.get_attribute("outputs:a_float_2")
db_value = database.outputs.a_float_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_2_array"))
attribute = test_node.get_attribute("outputs:a_float_2_array")
db_value = database.outputs.a_float_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_3"))
attribute = test_node.get_attribute("outputs:a_float_3")
db_value = database.outputs.a_float_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_3_array"))
attribute = test_node.get_attribute("outputs:a_float_3_array")
db_value = database.outputs.a_float_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_4"))
attribute = test_node.get_attribute("outputs:a_float_4")
db_value = database.outputs.a_float_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_4_array"))
attribute = test_node.get_attribute("outputs:a_float_4_array")
db_value = database.outputs.a_float_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_array"))
attribute = test_node.get_attribute("outputs:a_float_array")
db_value = database.outputs.a_float_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame_4"))
attribute = test_node.get_attribute("outputs:a_frame_4")
db_value = database.outputs.a_frame_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame_4_array"))
attribute = test_node.get_attribute("outputs:a_frame_4_array")
db_value = database.outputs.a_frame_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_half"))
attribute = test_node.get_attribute("outputs:a_half")
db_value = database.outputs.a_half
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_2"))
attribute = test_node.get_attribute("outputs:a_half_2")
db_value = database.outputs.a_half_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_2_array"))
attribute = test_node.get_attribute("outputs:a_half_2_array")
db_value = database.outputs.a_half_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_3"))
attribute = test_node.get_attribute("outputs:a_half_3")
db_value = database.outputs.a_half_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_3_array"))
attribute = test_node.get_attribute("outputs:a_half_3_array")
db_value = database.outputs.a_half_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_4"))
attribute = test_node.get_attribute("outputs:a_half_4")
db_value = database.outputs.a_half_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_4_array"))
attribute = test_node.get_attribute("outputs:a_half_4_array")
db_value = database.outputs.a_half_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_array"))
attribute = test_node.get_attribute("outputs:a_half_array")
db_value = database.outputs.a_half_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int"))
attribute = test_node.get_attribute("outputs:a_int")
db_value = database.outputs.a_int
self.assertTrue(test_node.get_attribute_exists("outputs:a_int64"))
attribute = test_node.get_attribute("outputs:a_int64")
db_value = database.outputs.a_int64
self.assertTrue(test_node.get_attribute_exists("outputs:a_int64_array"))
attribute = test_node.get_attribute("outputs:a_int64_array")
db_value = database.outputs.a_int64_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_2"))
attribute = test_node.get_attribute("outputs:a_int_2")
db_value = database.outputs.a_int_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_2_array"))
attribute = test_node.get_attribute("outputs:a_int_2_array")
db_value = database.outputs.a_int_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_3"))
attribute = test_node.get_attribute("outputs:a_int_3")
db_value = database.outputs.a_int_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_3_array"))
attribute = test_node.get_attribute("outputs:a_int_3_array")
db_value = database.outputs.a_int_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_4"))
attribute = test_node.get_attribute("outputs:a_int_4")
db_value = database.outputs.a_int_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_4_array"))
attribute = test_node.get_attribute("outputs:a_int_4_array")
db_value = database.outputs.a_int_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_array"))
attribute = test_node.get_attribute("outputs:a_int_array")
db_value = database.outputs.a_int_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_2"))
attribute = test_node.get_attribute("outputs:a_matrixd_2")
db_value = database.outputs.a_matrixd_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_2_array"))
attribute = test_node.get_attribute("outputs:a_matrixd_2_array")
db_value = database.outputs.a_matrixd_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_3"))
attribute = test_node.get_attribute("outputs:a_matrixd_3")
db_value = database.outputs.a_matrixd_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_3_array"))
attribute = test_node.get_attribute("outputs:a_matrixd_3_array")
db_value = database.outputs.a_matrixd_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_4"))
attribute = test_node.get_attribute("outputs:a_matrixd_4")
db_value = database.outputs.a_matrixd_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_4_array"))
attribute = test_node.get_attribute("outputs:a_matrixd_4_array")
db_value = database.outputs.a_matrixd_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald_3"))
attribute = test_node.get_attribute("outputs:a_normald_3")
db_value = database.outputs.a_normald_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald_3_array"))
attribute = test_node.get_attribute("outputs:a_normald_3_array")
db_value = database.outputs.a_normald_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf_3"))
attribute = test_node.get_attribute("outputs:a_normalf_3")
db_value = database.outputs.a_normalf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf_3_array"))
attribute = test_node.get_attribute("outputs:a_normalf_3_array")
db_value = database.outputs.a_normalf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh_3"))
attribute = test_node.get_attribute("outputs:a_normalh_3")
db_value = database.outputs.a_normalh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh_3_array"))
attribute = test_node.get_attribute("outputs:a_normalh_3_array")
db_value = database.outputs.a_normalh_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_objectId"))
attribute = test_node.get_attribute("outputs:a_objectId")
db_value = database.outputs.a_objectId
self.assertTrue(test_node.get_attribute_exists("outputs:a_objectId_array"))
attribute = test_node.get_attribute("outputs:a_objectId_array")
db_value = database.outputs.a_objectId_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd_3"))
attribute = test_node.get_attribute("outputs:a_pointd_3")
db_value = database.outputs.a_pointd_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd_3_array"))
attribute = test_node.get_attribute("outputs:a_pointd_3_array")
db_value = database.outputs.a_pointd_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf_3"))
attribute = test_node.get_attribute("outputs:a_pointf_3")
db_value = database.outputs.a_pointf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf_3_array"))
attribute = test_node.get_attribute("outputs:a_pointf_3_array")
db_value = database.outputs.a_pointf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh_3"))
attribute = test_node.get_attribute("outputs:a_pointh_3")
db_value = database.outputs.a_pointh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh_3_array"))
attribute = test_node.get_attribute("outputs:a_pointh_3_array")
db_value = database.outputs.a_pointh_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd_4"))
attribute = test_node.get_attribute("outputs:a_quatd_4")
db_value = database.outputs.a_quatd_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd_4_array"))
attribute = test_node.get_attribute("outputs:a_quatd_4_array")
db_value = database.outputs.a_quatd_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf_4"))
attribute = test_node.get_attribute("outputs:a_quatf_4")
db_value = database.outputs.a_quatf_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf_4_array"))
attribute = test_node.get_attribute("outputs:a_quatf_4_array")
db_value = database.outputs.a_quatf_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath_4"))
attribute = test_node.get_attribute("outputs:a_quath_4")
db_value = database.outputs.a_quath_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath_4_array"))
attribute = test_node.get_attribute("outputs:a_quath_4_array")
db_value = database.outputs.a_quath_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_string"))
attribute = test_node.get_attribute("outputs:a_string")
db_value = database.outputs.a_string
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd_2"))
attribute = test_node.get_attribute("outputs:a_texcoordd_2")
db_value = database.outputs.a_texcoordd_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd_2_array"))
attribute = test_node.get_attribute("outputs:a_texcoordd_2_array")
db_value = database.outputs.a_texcoordd_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd_3"))
attribute = test_node.get_attribute("outputs:a_texcoordd_3")
db_value = database.outputs.a_texcoordd_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd_3_array"))
attribute = test_node.get_attribute("outputs:a_texcoordd_3_array")
db_value = database.outputs.a_texcoordd_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf_2"))
attribute = test_node.get_attribute("outputs:a_texcoordf_2")
db_value = database.outputs.a_texcoordf_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf_2_array"))
attribute = test_node.get_attribute("outputs:a_texcoordf_2_array")
db_value = database.outputs.a_texcoordf_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf_3"))
attribute = test_node.get_attribute("outputs:a_texcoordf_3")
db_value = database.outputs.a_texcoordf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf_3_array"))
attribute = test_node.get_attribute("outputs:a_texcoordf_3_array")
db_value = database.outputs.a_texcoordf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh_2"))
attribute = test_node.get_attribute("outputs:a_texcoordh_2")
db_value = database.outputs.a_texcoordh_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh_2_array"))
attribute = test_node.get_attribute("outputs:a_texcoordh_2_array")
db_value = database.outputs.a_texcoordh_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh_3"))
attribute = test_node.get_attribute("outputs:a_texcoordh_3")
db_value = database.outputs.a_texcoordh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh_3_array"))
attribute = test_node.get_attribute("outputs:a_texcoordh_3_array")
db_value = database.outputs.a_texcoordh_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode"))
attribute = test_node.get_attribute("outputs:a_timecode")
db_value = database.outputs.a_timecode
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_array"))
attribute = test_node.get_attribute("outputs:a_timecode_array")
db_value = database.outputs.a_timecode_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_token"))
attribute = test_node.get_attribute("outputs:a_token")
db_value = database.outputs.a_token
self.assertTrue(test_node.get_attribute_exists("outputs:a_token_array"))
attribute = test_node.get_attribute("outputs:a_token_array")
db_value = database.outputs.a_token_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_uchar"))
attribute = test_node.get_attribute("outputs:a_uchar")
db_value = database.outputs.a_uchar
self.assertTrue(test_node.get_attribute_exists("outputs:a_uchar_array"))
attribute = test_node.get_attribute("outputs:a_uchar_array")
db_value = database.outputs.a_uchar_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_uint"))
attribute = test_node.get_attribute("outputs:a_uint")
db_value = database.outputs.a_uint
self.assertTrue(test_node.get_attribute_exists("outputs:a_uint64"))
attribute = test_node.get_attribute("outputs:a_uint64")
db_value = database.outputs.a_uint64
self.assertTrue(test_node.get_attribute_exists("outputs:a_uint64_array"))
attribute = test_node.get_attribute("outputs:a_uint64_array")
db_value = database.outputs.a_uint64_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_uint_array"))
attribute = test_node.get_attribute("outputs:a_uint_array")
db_value = database.outputs.a_uint_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord_3"))
attribute = test_node.get_attribute("outputs:a_vectord_3")
db_value = database.outputs.a_vectord_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord_3_array"))
attribute = test_node.get_attribute("outputs:a_vectord_3_array")
db_value = database.outputs.a_vectord_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf_3"))
attribute = test_node.get_attribute("outputs:a_vectorf_3")
db_value = database.outputs.a_vectorf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf_3_array"))
attribute = test_node.get_attribute("outputs:a_vectorf_3_array")
db_value = database.outputs.a_vectorf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh_3"))
attribute = test_node.get_attribute("outputs:a_vectorh_3")
db_value = database.outputs.a_vectorh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh_3_array"))
attribute = test_node.get_attribute("outputs:a_vectorh_3_array")
db_value = database.outputs.a_vectorh_3_array
| 91,236 |
Python
| 56.781507 | 274 | 0.60292 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/TestOgnBundleChildConsumerPy.py
|
import omni.kit.test
import omni.graph.core as og
import omni.graph.core.tests as ogts
from omni.graph.core.tests.omnigraph_test_utils import _TestGraphAndNode
from omni.graph.core.tests.omnigraph_test_utils import _test_clear_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_setup_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_verify_scene
class TestOgn(ogts.OmniGraphTestCase):
async def test_data_access(self):
from omni.graph.test.ogn.OgnBundleChildConsumerPyDatabase import OgnBundleChildConsumerPyDatabase
(_, (test_node,), _, _) = og.Controller.edit("/TestGraph", {
og.Controller.Keys.CREATE_NODES: ("Template_omni_graph_test_BundleChildConsumerPy", "omni.graph.test.BundleChildConsumerPy")
})
database = OgnBundleChildConsumerPyDatabase(test_node)
self.assertTrue(test_node.is_valid())
node_type_name = test_node.get_type_name()
self.assertEqual(og.GraphRegistry().get_node_type_version(node_type_name), 1)
def _attr_error(attribute: og.Attribute, usd_test: bool) -> str:
test_type = "USD Load" if usd_test else "Database Access"
return f"{node_type_name} {test_type} Test - {attribute.get_name()} value error"
self.assertTrue(test_node.get_attribute_exists("inputs:bundle"))
attribute = test_node.get_attribute("inputs:bundle")
db_value = database.inputs.bundle
self.assertTrue(test_node.get_attribute_exists("outputs:numChildren"))
attribute = test_node.get_attribute("outputs:numChildren")
db_value = database.outputs.numChildren
self.assertTrue(test_node.get_attribute_exists("outputs:numSurfaces"))
attribute = test_node.get_attribute("outputs:numSurfaces")
db_value = database.outputs.numSurfaces
| 1,834 |
Python
| 47.289472 | 136 | 0.713195 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/TestOgnTestCppKeywords.py
|
import omni.kit.test
import omni.graph.core as og
import omni.graph.core.tests as ogts
from omni.graph.core.tests.omnigraph_test_utils import _TestGraphAndNode
from omni.graph.core.tests.omnigraph_test_utils import _test_clear_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_setup_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_verify_scene
class TestOgn(ogts.OmniGraphTestCase):
TEST_DATA = [
{
'outputs': [
['outputs:verify', True, False],
],
},
]
async def test_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestCppKeywords", "omni.graph.test.TestCppKeywords", test_run, test_info)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestCppKeywords User test case #{i+1}")
async def test_vectorized_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestCppKeywords","omni.graph.test.TestCppKeywords", test_run, test_info, 16)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestCppKeywords User test case #{i+1}", 16)
async def test_data_access(self):
from omni.graph.test.ogn.OgnTestCppKeywordsDatabase import OgnTestCppKeywordsDatabase
(_, (test_node,), _, _) = og.Controller.edit("/TestGraph", {
og.Controller.Keys.CREATE_NODES: ("Template_omni_graph_test_TestCppKeywords", "omni.graph.test.TestCppKeywords")
})
database = OgnTestCppKeywordsDatabase(test_node)
self.assertTrue(test_node.is_valid())
node_type_name = test_node.get_type_name()
self.assertEqual(og.GraphRegistry().get_node_type_version(node_type_name), 1)
def _attr_error(attribute: og.Attribute, usd_test: bool) -> str:
test_type = "USD Load" if usd_test else "Database Access"
return f"{node_type_name} {test_type} Test - {attribute.get_name()} value error"
self.assertTrue(test_node.get_attribute_exists("inputs:atomic_cancel"))
attribute = test_node.get_attribute("inputs:atomic_cancel")
db_value = database.inputs.atomic_cancel
expected_value = 0.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:atomic_commit"))
attribute = test_node.get_attribute("inputs:atomic_commit")
db_value = database.inputs.atomic_commit
expected_value = 0.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:atomic_noexcept"))
attribute = test_node.get_attribute("inputs:atomic_noexcept")
db_value = database.inputs.atomic_noexcept
expected_value = 0.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:consteval"))
attribute = test_node.get_attribute("inputs:consteval")
db_value = database.inputs.consteval
expected_value = 0.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:constinit"))
attribute = test_node.get_attribute("inputs:constinit")
db_value = database.inputs.constinit
expected_value = 0.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:reflexpr"))
attribute = test_node.get_attribute("inputs:reflexpr")
db_value = database.inputs.reflexpr
expected_value = 0.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:requires"))
attribute = test_node.get_attribute("inputs:requires")
db_value = database.inputs.requires
expected_value = 0.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("outputs:verify"))
attribute = test_node.get_attribute("outputs:verify")
db_value = database.outputs.verify
| 4,865 |
Python
| 48.653061 | 182 | 0.673792 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/__init__.py
|
"""====== GENERATED BY omni.graph.tools - DO NOT EDIT ======"""
import omni.graph.tools._internal as ogi
ogi.import_tests_in_directory(__file__, __name__)
| 155 |
Python
| 37.999991 | 63 | 0.645161 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/TestOgnTestAllDataTypes.py
|
import omni.kit.test
import omni.graph.core as og
import omni.graph.core.tests as ogts
from omni.graph.core.tests.omnigraph_test_utils import _TestGraphAndNode
from omni.graph.core.tests.omnigraph_test_utils import _test_clear_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_setup_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_verify_scene
class TestOgn(ogts.OmniGraphTestCase):
TEST_DATA = [
{
'inputs': [
['inputs:doNotCompute', True, False],
],
'outputs': [
['outputs:a_bool', True, False],
['outputs:a_bool_array', [True, False], False],
['outputs:a_colord_3', [1.5, 2.5, 3.5], False],
['outputs:a_colord_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_colorf_3', [1.5, 2.5, 3.5], False],
['outputs:a_colorf_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_colorh_3', [1.5, 2.5, 3.5], False],
['outputs:a_colorh_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_colord_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_colord_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_colorf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_colorf_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_colorh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_colorh_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_double', 1.5, False],
['outputs:a_double_2', [1.5, 2.5], False],
['outputs:a_double_3', [1.5, 2.5, 3.5], False],
['outputs:a_double_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_double_array', [1.5, 2.5], False],
['outputs:a_double_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_double_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_double_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_execution', 2, False],
['outputs:a_float', 1.5, False],
['outputs:a_float_2', [1.5, 2.5], False],
['outputs:a_float_3', [1.5, 2.5, 3.5], False],
['outputs:a_float_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_float_array', [1.5, 2.5], False],
['outputs:a_float_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_float_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_float_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_frame_4', [1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], False],
['outputs:a_frame_4_array', [[1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], [11.5, 12.5, 13.5, 14.5, 15.5, 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5, 24.5, 25.5, 26.5]], False],
['outputs:a_half', 1.5, False],
['outputs:a_half_2', [1.5, 2.5], False],
['outputs:a_half_3', [1.5, 2.5, 3.5], False],
['outputs:a_half_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_half_array', [1.5, 2.5], False],
['outputs:a_half_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_half_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_half_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_int', 1, False],
['outputs:a_int_2', [1, 2], False],
['outputs:a_int_3', [1, 2, 3], False],
['outputs:a_int_4', [1, 2, 3, 4], False],
['outputs:a_int_array', [1, 2], False],
['outputs:a_int_2_array', [[1, 2], [3, 4]], False],
['outputs:a_int_3_array', [[1, 2, 3], [4, 5, 6]], False],
['outputs:a_int_4_array', [[1, 2, 3, 4], [5, 6, 7, 8]], False],
['outputs:a_int64', 12345, False],
['outputs:a_int64_array', [12345, 23456], False],
['outputs:a_matrixd_2', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_matrixd_3', [1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5], False],
['outputs:a_matrixd_4', [1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], False],
['outputs:a_matrixd_2_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_matrixd_3_array', [[1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5], [11.5, 12.5, 13.5, 14.5, 15.5, 16.5, 17.5, 18.5, 19.5]], False],
['outputs:a_matrixd_4_array', [[1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], [11.5, 12.5, 13.5, 14.5, 15.5, 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5, 24.5, 25.5, 26.5]], False],
['outputs:a_normald_3', [1.5, 2.5, 3.5], False],
['outputs:a_normalf_3', [1.5, 2.5, 3.5], False],
['outputs:a_normalh_3', [1.5, 2.5, 3.5], False],
['outputs:a_normald_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_normalf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_normalh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_objectId', 2, False],
['outputs:a_objectId_array', [2, 3], False],
['outputs:a_path', "/Output", False],
['outputs:a_pointd_3', [1.5, 2.5, 3.5], False],
['outputs:a_pointf_3', [1.5, 2.5, 3.5], False],
['outputs:a_pointh_3', [1.5, 2.5, 3.5], False],
['outputs:a_pointd_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_pointf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_pointh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_quatd_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_quatf_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_quath_4', [1.5, 2.5, 3.5, 4.5], False],
['outputs:a_quatd_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_quatf_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_quath_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['outputs:a_string', "Emperor\n\"Half\" Snoke", False],
['outputs:a_texcoordd_2', [1.5, 2.5], False],
['outputs:a_texcoordd_3', [1.5, 2.5, 3.5], False],
['outputs:a_texcoordf_2', [1.5, 2.5], False],
['outputs:a_texcoordf_3', [1.5, 2.5, 3.5], False],
['outputs:a_texcoordh_2', [1.5, 2.5], False],
['outputs:a_texcoordh_3', [1.5, 2.5, 3.5], False],
['outputs:a_texcoordd_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_texcoordd_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_texcoordf_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_texcoordf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_texcoordh_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['outputs:a_texcoordh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_timecode', 2.5, False],
['outputs:a_timecode_array', [2.5, 3.5], False],
['outputs:a_token', "Jedi\nMaster", False],
['outputs:a_token_array', ["Luke\n\"Whiner\"", "Skywalker"], False],
['outputs:a_uchar', 2, False],
['outputs:a_uchar_array', [2, 3], False],
['outputs:a_uint', 2, False],
['outputs:a_uint_array', [2, 3], False],
['outputs:a_uint64', 2, False],
['outputs:a_uint64_array', [2, 3], False],
['outputs:a_vectord_3', [1.5, 2.5, 3.5], False],
['outputs:a_vectorf_3', [1.5, 2.5, 3.5], False],
['outputs:a_vectorh_3', [1.5, 2.5, 3.5], False],
['outputs:a_vectord_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_vectorf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['outputs:a_vectorh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
],
'state_get': [
['state:a_bool', True, False],
['state:a_bool_array', [True, False], False],
['state:a_colord_3', [1.5, 2.5, 3.5], False],
['state:a_colord_4', [1.5, 2.5, 3.5, 4.5], False],
['state:a_colorf_3', [1.5, 2.5, 3.5], False],
['state:a_colorf_4', [1.5, 2.5, 3.5, 4.5], False],
['state:a_colorh_3', [1.5, 2.5, 3.5], False],
['state:a_colorh_4', [1.5, 2.5, 3.5, 4.5], False],
['state:a_colord_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_colord_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_colorf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_colorf_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_colorh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_colorh_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_double', 1.5, False],
['state:a_double_2', [1.5, 2.5], False],
['state:a_double_3', [1.5, 2.5, 3.5], False],
['state:a_double_4', [1.5, 2.5, 3.5, 4.5], False],
['state:a_double_array', [1.5, 2.5], False],
['state:a_double_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['state:a_double_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_double_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_execution', 2, False],
['state:a_float', 1.5, False],
['state:a_float_2', [1.5, 2.5], False],
['state:a_float_3', [1.5, 2.5, 3.5], False],
['state:a_float_4', [1.5, 2.5, 3.5, 4.5], False],
['state:a_float_array', [1.5, 2.5], False],
['state:a_float_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['state:a_float_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_float_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_frame_4', [1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], False],
['state:a_frame_4_array', [[1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], [11.5, 12.5, 13.5, 14.5, 15.5, 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5, 24.5, 25.5, 26.5]], False],
['state:a_half', 1.5, False],
['state:a_half_2', [1.5, 2.5], False],
['state:a_half_3', [1.5, 2.5, 3.5], False],
['state:a_half_4', [1.5, 2.5, 3.5, 4.5], False],
['state:a_half_array', [1.5, 2.5], False],
['state:a_half_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['state:a_half_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_half_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_int', 1, False],
['state:a_int_2', [1, 2], False],
['state:a_int_3', [1, 2, 3], False],
['state:a_int_4', [1, 2, 3, 4], False],
['state:a_int_array', [1, 2], False],
['state:a_int_2_array', [[1, 2], [3, 4]], False],
['state:a_int_3_array', [[1, 2, 3], [4, 5, 6]], False],
['state:a_int_4_array', [[1, 2, 3, 4], [5, 6, 7, 8]], False],
['state:a_int64', 12345, False],
['state:a_int64_array', [12345, 23456], False],
['state:a_matrixd_2', [1.5, 2.5, 3.5, 4.5], False],
['state:a_matrixd_3', [1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5], False],
['state:a_matrixd_4', [1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], False],
['state:a_matrixd_2_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_matrixd_3_array', [[1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5], [11.5, 12.5, 13.5, 14.5, 15.5, 16.5, 17.5, 18.5, 19.5]], False],
['state:a_matrixd_4_array', [[1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5, 16.5], [11.5, 12.5, 13.5, 14.5, 15.5, 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5, 24.5, 25.5, 26.5]], False],
['state:a_normald_3', [1.5, 2.5, 3.5], False],
['state:a_normalf_3', [1.5, 2.5, 3.5], False],
['state:a_normalh_3', [1.5, 2.5, 3.5], False],
['state:a_normald_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_normalf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_normalh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_objectId', 2, False],
['state:a_objectId_array', [2, 3], False],
['state:a_path', "/State", False],
['state:a_pointd_3', [1.5, 2.5, 3.5], False],
['state:a_pointf_3', [1.5, 2.5, 3.5], False],
['state:a_pointh_3', [1.5, 2.5, 3.5], False],
['state:a_pointd_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_pointf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_pointh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_quatd_4', [1.5, 2.5, 3.5, 4.5], False],
['state:a_quatf_4', [1.5, 2.5, 3.5, 4.5], False],
['state:a_quath_4', [1.5, 2.5, 3.5, 4.5], False],
['state:a_quatd_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_quatf_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_quath_4_array', [[1.5, 2.5, 3.5, 4.5], [11.5, 12.5, 13.5, 14.5]], False],
['state:a_string', "Emperor\n\"Half\" Snoke", False],
['state:a_stringEmpty', "", False],
['state:a_texcoordd_2', [1.5, 2.5], False],
['state:a_texcoordd_3', [1.5, 2.5, 3.5], False],
['state:a_texcoordf_2', [1.5, 2.5], False],
['state:a_texcoordf_3', [1.5, 2.5, 3.5], False],
['state:a_texcoordh_2', [1.5, 2.5], False],
['state:a_texcoordh_3', [1.5, 2.5, 3.5], False],
['state:a_texcoordd_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['state:a_texcoordd_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_texcoordf_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['state:a_texcoordf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_texcoordh_2_array', [[1.5, 2.5], [11.5, 12.5]], False],
['state:a_texcoordh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_timecode', 2.5, False],
['state:a_timecode_array', [2.5, 3.5], False],
['state:a_token', "Jedi\nMaster", False],
['state:a_token_array', ["Luke\n\"Whiner\"", "Skywalker"], False],
['state:a_uchar', 2, False],
['state:a_uchar_array', [2, 3], False],
['state:a_uint', 2, False],
['state:a_uint_array', [2, 3], False],
['state:a_uint64', 2, False],
['state:a_uint64_array', [2, 3], False],
['state:a_vectord_3', [1.5, 2.5, 3.5], False],
['state:a_vectorf_3', [1.5, 2.5, 3.5], False],
['state:a_vectorh_3', [1.5, 2.5, 3.5], False],
['state:a_vectord_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_vectorf_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
['state:a_vectorh_3_array', [[1.5, 2.5, 3.5], [11.5, 12.5, 13.5]], False],
],
},
{
'inputs': [
['inputs:doNotCompute', False, False],
],
'outputs': [
['outputs:a_bool', False, False],
['outputs:a_bool_array', [False, True], False],
['outputs:a_colord_3', [1.0, 2.0, 3.0], False],
['outputs:a_colord_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_colorf_3', [1.0, 2.0, 3.0], False],
['outputs:a_colorf_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_colorh_3', [1.0, 2.0, 3.0], False],
['outputs:a_colorh_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_colord_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_colord_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_colorf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_colorf_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_colorh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_colorh_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_double', 1.0, False],
['outputs:a_double_2', [1.0, 2.0], False],
['outputs:a_double_3', [1.0, 2.0, 3.0], False],
['outputs:a_double_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_double_array', [1.0, 2.0], False],
['outputs:a_double_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_double_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_double_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_execution', 1, False],
['outputs:a_float', 1.0, False],
['outputs:a_float_2', [1.0, 2.0], False],
['outputs:a_float_3', [1.0, 2.0, 3.0], False],
['outputs:a_float_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_float_array', [1.0, 2.0], False],
['outputs:a_float_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_float_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_float_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_frame_4', [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], False],
['outputs:a_frame_4_array', [[1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], [11.0, 12.0, 13.0, 14.0, 15.0, 16.0, 17.0, 18.0, 19.0, 20.0, 21.0, 22.0, 23.0, 24.0, 25.0, 26.0]], False],
['outputs:a_half', 1.0, False],
['outputs:a_half_2', [1.0, 2.0], False],
['outputs:a_half_3', [1.0, 2.0, 3.0], False],
['outputs:a_half_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_half_array', [1.0, 2.0], False],
['outputs:a_half_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_half_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_half_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_int', 1, False],
['outputs:a_int_2', [1, 2], False],
['outputs:a_int_3', [1, 2, 3], False],
['outputs:a_int_4', [1, 2, 3, 4], False],
['outputs:a_int_array', [1, 2], False],
['outputs:a_int_2_array', [[1, 2], [3, 4]], False],
['outputs:a_int_3_array', [[1, 2, 3], [4, 5, 6]], False],
['outputs:a_int_4_array', [[1, 2, 3, 4], [5, 6, 7, 8]], False],
['outputs:a_int64', 12345, False],
['outputs:a_int64_array', [12345, 23456], False],
['outputs:a_matrixd_2', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_matrixd_3', [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0], False],
['outputs:a_matrixd_4', [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], False],
['outputs:a_matrixd_2_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_matrixd_3_array', [[1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0], [11.0, 12.0, 13.0, 14.0, 15.0, 16.0, 17.0, 18.0, 19.0]], False],
['outputs:a_matrixd_4_array', [[1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], [11.0, 12.0, 13.0, 14.0, 15.0, 16.0, 17.0, 18.0, 19.0, 20.0, 21.0, 22.0, 23.0, 24.0, 25.0, 26.0]], False],
['outputs:a_normald_3', [1.0, 2.0, 3.0], False],
['outputs:a_normalf_3', [1.0, 2.0, 3.0], False],
['outputs:a_normalh_3', [1.0, 2.0, 3.0], False],
['outputs:a_normald_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_normalf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_normalh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_objectId', 1, False],
['outputs:a_objectId_array', [1, 2], False],
['outputs:a_path', "/Input", False],
['outputs:a_pointd_3', [1.0, 2.0, 3.0], False],
['outputs:a_pointf_3', [1.0, 2.0, 3.0], False],
['outputs:a_pointh_3', [1.0, 2.0, 3.0], False],
['outputs:a_pointd_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_pointf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_pointh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_quatd_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_quatf_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_quath_4', [1.0, 2.0, 3.0, 4.0], False],
['outputs:a_quatd_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_quatf_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_quath_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['outputs:a_string', "Rey\n\"Palpatine\" Skywalker", False],
['outputs:a_texcoordd_2', [1.0, 2.0], False],
['outputs:a_texcoordd_3', [1.0, 2.0, 3.0], False],
['outputs:a_texcoordf_2', [1.0, 2.0], False],
['outputs:a_texcoordf_3', [1.0, 2.0, 3.0], False],
['outputs:a_texcoordh_2', [1.0, 2.0], False],
['outputs:a_texcoordh_3', [1.0, 2.0, 3.0], False],
['outputs:a_texcoordd_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_texcoordd_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_texcoordf_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_texcoordf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_texcoordh_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['outputs:a_texcoordh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_timecode', 1.0, False],
['outputs:a_timecode_array', [1.0, 2.0], False],
['outputs:a_token', "Sith\nLord", False],
['outputs:a_token_array', ["Kylo\n\"The Putz\"", "Ren"], False],
['outputs:a_uchar', 1, False],
['outputs:a_uchar_array', [1, 2], False],
['outputs:a_uint', 1, False],
['outputs:a_uint_array', [1, 2], False],
['outputs:a_uint64', 1, False],
['outputs:a_uint64_array', [1, 2], False],
['outputs:a_vectord_3', [1.0, 2.0, 3.0], False],
['outputs:a_vectorf_3', [1.0, 2.0, 3.0], False],
['outputs:a_vectorh_3', [1.0, 2.0, 3.0], False],
['outputs:a_vectord_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_vectorf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['outputs:a_vectorh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
],
'state_get': [
['state:a_bool_array', [False, True], False],
['state:a_colord_3', [1.0, 2.0, 3.0], False],
['state:a_colord_4', [1.0, 2.0, 3.0, 4.0], False],
['state:a_colorf_3', [1.0, 2.0, 3.0], False],
['state:a_colorf_4', [1.0, 2.0, 3.0, 4.0], False],
['state:a_colorh_3', [1.0, 2.0, 3.0], False],
['state:a_colorh_4', [1.0, 2.0, 3.0, 4.0], False],
['state:a_colord_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_colord_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_colorf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_colorf_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_colorh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_colorh_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_double', 1.0, False],
['state:a_double_2', [1.0, 2.0], False],
['state:a_double_3', [1.0, 2.0, 3.0], False],
['state:a_double_4', [1.0, 2.0, 3.0, 4.0], False],
['state:a_double_array', [1.0, 2.0], False],
['state:a_double_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['state:a_double_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_double_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_execution', 1, False],
['state:a_float', 1.0, False],
['state:a_float_2', [1.0, 2.0], False],
['state:a_float_3', [1.0, 2.0, 3.0], False],
['state:a_float_4', [1.0, 2.0, 3.0, 4.0], False],
['state:a_float_array', [1.0, 2.0], False],
['state:a_float_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['state:a_float_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_float_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_frame_4', [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], False],
['state:a_frame_4_array', [[1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], [11.0, 12.0, 13.0, 14.0, 15.0, 16.0, 17.0, 18.0, 19.0, 20.0, 21.0, 22.0, 23.0, 24.0, 25.0, 26.0]], False],
['state:a_half', 1.0, False],
['state:a_half_2', [1.0, 2.0], False],
['state:a_half_3', [1.0, 2.0, 3.0], False],
['state:a_half_4', [1.0, 2.0, 3.0, 4.0], False],
['state:a_half_array', [1.0, 2.0], False],
['state:a_half_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['state:a_half_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_half_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_int', 1, False],
['state:a_int_2', [1, 2], False],
['state:a_int_3', [1, 2, 3], False],
['state:a_int_4', [1, 2, 3, 4], False],
['state:a_int_array', [1, 2], False],
['state:a_int_2_array', [[1, 2], [3, 4]], False],
['state:a_int_3_array', [[1, 2, 3], [4, 5, 6]], False],
['state:a_int_4_array', [[1, 2, 3, 4], [5, 6, 7, 8]], False],
['state:a_int64', 12345, False],
['state:a_int64_array', [12345, 23456], False],
['state:a_matrixd_2', [1.0, 2.0, 3.0, 4.0], False],
['state:a_matrixd_3', [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0], False],
['state:a_matrixd_4', [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], False],
['state:a_matrixd_2_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_matrixd_3_array', [[1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0], [11.0, 12.0, 13.0, 14.0, 15.0, 16.0, 17.0, 18.0, 19.0]], False],
['state:a_matrixd_4_array', [[1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0, 13.0, 14.0, 15.0, 16.0], [11.0, 12.0, 13.0, 14.0, 15.0, 16.0, 17.0, 18.0, 19.0, 20.0, 21.0, 22.0, 23.0, 24.0, 25.0, 26.0]], False],
['state:a_normald_3', [1.0, 2.0, 3.0], False],
['state:a_normalf_3', [1.0, 2.0, 3.0], False],
['state:a_normalh_3', [1.0, 2.0, 3.0], False],
['state:a_normald_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_normalf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_normalh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_objectId', 1, False],
['state:a_objectId_array', [1, 2], False],
['state:a_path', "/Input", False],
['state:a_pointd_3', [1.0, 2.0, 3.0], False],
['state:a_pointf_3', [1.0, 2.0, 3.0], False],
['state:a_pointh_3', [1.0, 2.0, 3.0], False],
['state:a_pointd_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_pointf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_pointh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_quatd_4', [1.0, 2.0, 3.0, 4.0], False],
['state:a_quatf_4', [1.0, 2.0, 3.0, 4.0], False],
['state:a_quath_4', [1.0, 2.0, 3.0, 4.0], False],
['state:a_quatd_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_quatf_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_quath_4_array', [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]], False],
['state:a_string', "Rey\n\"Palpatine\" Skywalker", False],
['state:a_stringEmpty', "Rey\n\"Palpatine\" Skywalker", False],
['state:a_texcoordd_2', [1.0, 2.0], False],
['state:a_texcoordd_3', [1.0, 2.0, 3.0], False],
['state:a_texcoordf_2', [1.0, 2.0], False],
['state:a_texcoordf_3', [1.0, 2.0, 3.0], False],
['state:a_texcoordh_2', [1.0, 2.0], False],
['state:a_texcoordh_3', [1.0, 2.0, 3.0], False],
['state:a_texcoordd_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['state:a_texcoordd_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_texcoordf_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['state:a_texcoordf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_texcoordh_2_array', [[1.0, 2.0], [11.0, 12.0]], False],
['state:a_texcoordh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_timecode', 1.0, False],
['state:a_timecode_array', [1.0, 2.0], False],
['state:a_token', "Sith\nLord", False],
['state:a_token_array', ["Kylo\n\"The Putz\"", "Ren"], False],
['state:a_uchar', 1, False],
['state:a_uchar_array', [1, 2], False],
['state:a_uint', 1, False],
['state:a_uint_array', [1, 2], False],
['state:a_uint64', 1, False],
['state:a_uint64_array', [1, 2], False],
['state:a_vectord_3', [1.0, 2.0, 3.0], False],
['state:a_vectorf_3', [1.0, 2.0, 3.0], False],
['state:a_vectorh_3', [1.0, 2.0, 3.0], False],
['state:a_vectord_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_vectorf_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
['state:a_vectorh_3_array', [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]], False],
],
},
{
'inputs': [
['inputs:doNotCompute', False, False],
['inputs:a_bool', True, False],
['inputs:a_bool_array', [True, True], False],
['inputs:a_colord_3', [1.25, 2.25, 3.25], False],
['inputs:a_colord_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_colorf_3', [1.25, 2.25, 3.25], False],
['inputs:a_colorf_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_colorh_3', [1.25, 2.25, 3.25], False],
['inputs:a_colorh_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_colord_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_colord_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_colorf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_colorf_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_colorh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_colorh_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_double', 1.25, False],
['inputs:a_double_2', [1.25, 2.25], False],
['inputs:a_double_3', [1.25, 2.25, 3.25], False],
['inputs:a_double_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_double_array', [1.25, 2.25], False],
['inputs:a_double_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_double_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_double_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_execution', 3, False],
['inputs:a_float', 1.25, False],
['inputs:a_float_2', [1.25, 2.25], False],
['inputs:a_float_3', [1.25, 2.25, 3.25], False],
['inputs:a_float_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_float_array', [1.25, 2.25], False],
['inputs:a_float_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_float_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_float_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_frame_4', [1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], False],
['inputs:a_frame_4_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25, 20.25, 21.25, 22.25, 23.25, 24.25, 25.25, 26.25]], False],
['inputs:a_half', 1.25, False],
['inputs:a_half_2', [1.25, 2.25], False],
['inputs:a_half_3', [1.25, 2.25, 3.25], False],
['inputs:a_half_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_half_array', [1.25, 2.25], False],
['inputs:a_half_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_half_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_half_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_int', 11, False],
['inputs:a_int_2', [11, 12], False],
['inputs:a_int_3', [11, 12, 13], False],
['inputs:a_int_4', [11, 12, 13, 14], False],
['inputs:a_int_array', [11, 12], False],
['inputs:a_int_2_array', [[11, 12], [13, 14]], False],
['inputs:a_int_3_array', [[11, 12, 13], [14, 15, 16]], False],
['inputs:a_int_4_array', [[11, 12, 13, 14], [15, 16, 17, 18]], False],
['inputs:a_int64', 34567, False],
['inputs:a_int64_array', [45678, 56789], False],
['inputs:a_matrixd_2', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_matrixd_3', [1.25, 2.25, 3.25, 11.25, 12.25, 13.25, 21.25, 22.25, 23.25], False],
['inputs:a_matrixd_4', [1.25, 2.25, 3.25, 4.25, 11.25, 12.25, 13.25, 14.25, 21.25, 22.25, 23.25, 24.25, 31.25, 32.25, 33.25, 34.25], False],
['inputs:a_matrixd_2_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_matrixd_3_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25]], False],
['inputs:a_matrixd_4_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25, 20.25, 21.25, 22.25, 23.25, 24.25, 25.25, 26.25]], False],
['inputs:a_normald_3', [1.25, 2.25, 3.25], False],
['inputs:a_normalf_3', [1.25, 2.25, 3.25], False],
['inputs:a_normalh_3', [1.25, 2.25, 3.25], False],
['inputs:a_normald_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_normalf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_normalh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_objectId', 3, False],
['inputs:a_objectId_array', [3, 4], False],
['inputs:a_path', "/Test", False],
['inputs:a_pointd_3', [1.25, 2.25, 3.25], False],
['inputs:a_pointf_3', [1.25, 2.25, 3.25], False],
['inputs:a_pointh_3', [1.25, 2.25, 3.25], False],
['inputs:a_pointd_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_pointf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_pointh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_quatd_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_quatf_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_quath_4', [1.25, 2.25, 3.25, 4.25], False],
['inputs:a_quatd_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_quatf_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_quath_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['inputs:a_string', "Palpatine\n\"TubeMan\" Lives", False],
['inputs:a_texcoordd_2', [1.25, 2.25], False],
['inputs:a_texcoordd_3', [1.25, 2.25, 3.25], False],
['inputs:a_texcoordf_2', [1.25, 2.25], False],
['inputs:a_texcoordf_3', [1.25, 2.25, 3.25], False],
['inputs:a_texcoordh_2', [1.25, 2.25], False],
['inputs:a_texcoordh_3', [1.25, 2.25, 3.25], False],
['inputs:a_texcoordd_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_texcoordd_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_texcoordf_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_texcoordf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_texcoordh_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['inputs:a_texcoordh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_timecode', 1.25, False],
['inputs:a_timecode_array', [1.25, 2.25], False],
['inputs:a_token', "Rebel\nScum", False],
['inputs:a_token_array', ["Han\n\"Indiana\"", "Solo"], False],
['inputs:a_uchar', 3, False],
['inputs:a_uchar_array', [3, 4], False],
['inputs:a_uint', 3, False],
['inputs:a_uint_array', [3, 4], False],
['inputs:a_uint64', 3, False],
['inputs:a_uint64_array', [3, 4], False],
['inputs:a_vectord_3', [1.25, 2.25, 3.25], False],
['inputs:a_vectorf_3', [1.25, 2.25, 3.25], False],
['inputs:a_vectorh_3', [1.25, 2.25, 3.25], False],
['inputs:a_vectord_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_vectorf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['inputs:a_vectorh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
],
'outputs': [
['outputs:a_bool', True, False],
['outputs:a_bool_array', [True, True], False],
['outputs:a_colord_3', [1.25, 2.25, 3.25], False],
['outputs:a_colord_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_colorf_3', [1.25, 2.25, 3.25], False],
['outputs:a_colorf_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_colorh_3', [1.25, 2.25, 3.25], False],
['outputs:a_colorh_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_colord_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_colord_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_colorf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_colorf_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_colorh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_colorh_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_double', 1.25, False],
['outputs:a_double_2', [1.25, 2.25], False],
['outputs:a_double_3', [1.25, 2.25, 3.25], False],
['outputs:a_double_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_double_array', [1.25, 2.25], False],
['outputs:a_double_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_double_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_double_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_execution', 3, False],
['outputs:a_float', 1.25, False],
['outputs:a_float_2', [1.25, 2.25], False],
['outputs:a_float_3', [1.25, 2.25, 3.25], False],
['outputs:a_float_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_float_array', [1.25, 2.25], False],
['outputs:a_float_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_float_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_float_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_frame_4', [1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], False],
['outputs:a_frame_4_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25, 20.25, 21.25, 22.25, 23.25, 24.25, 25.25, 26.25]], False],
['outputs:a_half', 1.25, False],
['outputs:a_half_2', [1.25, 2.25], False],
['outputs:a_half_3', [1.25, 2.25, 3.25], False],
['outputs:a_half_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_half_array', [1.25, 2.25], False],
['outputs:a_half_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_half_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_half_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_int', 11, False],
['outputs:a_int_2', [11, 12], False],
['outputs:a_int_3', [11, 12, 13], False],
['outputs:a_int_4', [11, 12, 13, 14], False],
['outputs:a_int_array', [11, 12], False],
['outputs:a_int_2_array', [[11, 12], [13, 14]], False],
['outputs:a_int_3_array', [[11, 12, 13], [14, 15, 16]], False],
['outputs:a_int_4_array', [[11, 12, 13, 14], [15, 16, 17, 18]], False],
['outputs:a_int64', 34567, False],
['outputs:a_int64_array', [45678, 56789], False],
['outputs:a_matrixd_2', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_matrixd_3', [1.25, 2.25, 3.25, 11.25, 12.25, 13.25, 21.25, 22.25, 23.25], False],
['outputs:a_matrixd_4', [1.25, 2.25, 3.25, 4.25, 11.25, 12.25, 13.25, 14.25, 21.25, 22.25, 23.25, 24.25, 31.25, 32.25, 33.25, 34.25], False],
['outputs:a_matrixd_2_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_matrixd_3_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25]], False],
['outputs:a_matrixd_4_array', [[1.25, 2.25, 3.25, 4.25, 5.25, 6.25, 7.25, 8.25, 9.25, 10.25, 11.25, 12.25, 13.25, 14.25, 15.25, 16.25], [11.25, 12.25, 13.25, 14.25, 15.25, 16.25, 17.25, 18.25, 19.25, 20.25, 21.25, 22.25, 23.25, 24.25, 25.25, 26.25]], False],
['outputs:a_normald_3', [1.25, 2.25, 3.25], False],
['outputs:a_normalf_3', [1.25, 2.25, 3.25], False],
['outputs:a_normalh_3', [1.25, 2.25, 3.25], False],
['outputs:a_normald_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_normalf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_normalh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_objectId', 3, False],
['outputs:a_objectId_array', [3, 4], False],
['outputs:a_path', "/Test", False],
['outputs:a_pointd_3', [1.25, 2.25, 3.25], False],
['outputs:a_pointf_3', [1.25, 2.25, 3.25], False],
['outputs:a_pointh_3', [1.25, 2.25, 3.25], False],
['outputs:a_pointd_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_pointf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_pointh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_quatd_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_quatf_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_quath_4', [1.25, 2.25, 3.25, 4.25], False],
['outputs:a_quatd_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_quatf_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_quath_4_array', [[1.25, 2.25, 3.25, 4.25], [11.25, 12.25, 13.25, 14.25]], False],
['outputs:a_string', "Palpatine\n\"TubeMan\" Lives", False],
['outputs:a_texcoordd_2', [1.25, 2.25], False],
['outputs:a_texcoordd_3', [1.25, 2.25, 3.25], False],
['outputs:a_texcoordf_2', [1.25, 2.25], False],
['outputs:a_texcoordf_3', [1.25, 2.25, 3.25], False],
['outputs:a_texcoordh_2', [1.25, 2.25], False],
['outputs:a_texcoordh_3', [1.25, 2.25, 3.25], False],
['outputs:a_texcoordd_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_texcoordd_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_texcoordf_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_texcoordf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_texcoordh_2_array', [[1.25, 2.25], [11.25, 12.25]], False],
['outputs:a_texcoordh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_timecode', 1.25, False],
['outputs:a_timecode_array', [1.25, 2.25], False],
['outputs:a_token', "Rebel\nScum", False],
['outputs:a_token_array', ["Han\n\"Indiana\"", "Solo"], False],
['outputs:a_uchar', 3, False],
['outputs:a_uchar_array', [3, 4], False],
['outputs:a_uint', 3, False],
['outputs:a_uint_array', [3, 4], False],
['outputs:a_uint64', 3, False],
['outputs:a_uint64_array', [3, 4], False],
['outputs:a_vectord_3', [1.25, 2.25, 3.25], False],
['outputs:a_vectorf_3', [1.25, 2.25, 3.25], False],
['outputs:a_vectorh_3', [1.25, 2.25, 3.25], False],
['outputs:a_vectord_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_vectorf_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
['outputs:a_vectorh_3_array', [[1.25, 2.25, 3.25], [11.25, 12.25, 13.25]], False],
],
},
]
async def test_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestAllDataTypes", "omni.graph.test.TestAllDataTypes", test_run, test_info)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestAllDataTypes User test case #{i+1}")
async def test_vectorized_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestAllDataTypes","omni.graph.test.TestAllDataTypes", test_run, test_info, 16)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestAllDataTypes User test case #{i+1}", 16)
async def test_data_access(self):
from omni.graph.test.ogn.OgnTestAllDataTypesDatabase import OgnTestAllDataTypesDatabase
(_, (test_node,), _, _) = og.Controller.edit("/TestGraph", {
og.Controller.Keys.CREATE_NODES: ("Template_omni_graph_test_TestAllDataTypes", "omni.graph.test.TestAllDataTypes")
})
database = OgnTestAllDataTypesDatabase(test_node)
self.assertTrue(test_node.is_valid())
node_type_name = test_node.get_type_name()
self.assertEqual(og.GraphRegistry().get_node_type_version(node_type_name), 1)
def _attr_error(attribute: og.Attribute, usd_test: bool) -> str:
test_type = "USD Load" if usd_test else "Database Access"
return f"{node_type_name} {test_type} Test - {attribute.get_name()} value error"
self.assertTrue(test_node.get_attribute_exists("inputs:a_bool"))
attribute = test_node.get_attribute("inputs:a_bool")
db_value = database.inputs.a_bool
expected_value = False
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_bool_array"))
attribute = test_node.get_attribute("inputs:a_bool_array")
db_value = database.inputs.a_bool_array
expected_value = [False, True]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord_3"))
attribute = test_node.get_attribute("inputs:a_colord_3")
db_value = database.inputs.a_colord_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord_3_array"))
attribute = test_node.get_attribute("inputs:a_colord_3_array")
db_value = database.inputs.a_colord_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord_4"))
attribute = test_node.get_attribute("inputs:a_colord_4")
db_value = database.inputs.a_colord_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord_4_array"))
attribute = test_node.get_attribute("inputs:a_colord_4_array")
db_value = database.inputs.a_colord_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf_3"))
attribute = test_node.get_attribute("inputs:a_colorf_3")
db_value = database.inputs.a_colorf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf_3_array"))
attribute = test_node.get_attribute("inputs:a_colorf_3_array")
db_value = database.inputs.a_colorf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf_4"))
attribute = test_node.get_attribute("inputs:a_colorf_4")
db_value = database.inputs.a_colorf_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf_4_array"))
attribute = test_node.get_attribute("inputs:a_colorf_4_array")
db_value = database.inputs.a_colorf_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh_3"))
attribute = test_node.get_attribute("inputs:a_colorh_3")
db_value = database.inputs.a_colorh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh_3_array"))
attribute = test_node.get_attribute("inputs:a_colorh_3_array")
db_value = database.inputs.a_colorh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh_4"))
attribute = test_node.get_attribute("inputs:a_colorh_4")
db_value = database.inputs.a_colorh_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh_4_array"))
attribute = test_node.get_attribute("inputs:a_colorh_4_array")
db_value = database.inputs.a_colorh_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double"))
attribute = test_node.get_attribute("inputs:a_double")
db_value = database.inputs.a_double
expected_value = 1.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_2"))
attribute = test_node.get_attribute("inputs:a_double_2")
db_value = database.inputs.a_double_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_2_array"))
attribute = test_node.get_attribute("inputs:a_double_2_array")
db_value = database.inputs.a_double_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_3"))
attribute = test_node.get_attribute("inputs:a_double_3")
db_value = database.inputs.a_double_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_3_array"))
attribute = test_node.get_attribute("inputs:a_double_3_array")
db_value = database.inputs.a_double_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_4"))
attribute = test_node.get_attribute("inputs:a_double_4")
db_value = database.inputs.a_double_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_4_array"))
attribute = test_node.get_attribute("inputs:a_double_4_array")
db_value = database.inputs.a_double_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_array"))
attribute = test_node.get_attribute("inputs:a_double_array")
db_value = database.inputs.a_double_array
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_execution"))
attribute = test_node.get_attribute("inputs:a_execution")
db_value = database.inputs.a_execution
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float"))
attribute = test_node.get_attribute("inputs:a_float")
db_value = database.inputs.a_float
expected_value = 1.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_2"))
attribute = test_node.get_attribute("inputs:a_float_2")
db_value = database.inputs.a_float_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_2_array"))
attribute = test_node.get_attribute("inputs:a_float_2_array")
db_value = database.inputs.a_float_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_3"))
attribute = test_node.get_attribute("inputs:a_float_3")
db_value = database.inputs.a_float_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_3_array"))
attribute = test_node.get_attribute("inputs:a_float_3_array")
db_value = database.inputs.a_float_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_4"))
attribute = test_node.get_attribute("inputs:a_float_4")
db_value = database.inputs.a_float_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_4_array"))
attribute = test_node.get_attribute("inputs:a_float_4_array")
db_value = database.inputs.a_float_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_array"))
attribute = test_node.get_attribute("inputs:a_float_array")
db_value = database.inputs.a_float_array
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame_4"))
attribute = test_node.get_attribute("inputs:a_frame_4")
db_value = database.inputs.a_frame_4
expected_value = [[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame_4_array"))
attribute = test_node.get_attribute("inputs:a_frame_4_array")
db_value = database.inputs.a_frame_4_array
expected_value = [[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], [[11.0, 12.0, 13.0, 14.0], [15.0, 16.0, 17.0, 18.0], [19.0, 20.0, 21.0, 22.0], [23.0, 24.0, 25.0, 26.0]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half"))
attribute = test_node.get_attribute("inputs:a_half")
db_value = database.inputs.a_half
expected_value = 1.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_2"))
attribute = test_node.get_attribute("inputs:a_half_2")
db_value = database.inputs.a_half_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_2_array"))
attribute = test_node.get_attribute("inputs:a_half_2_array")
db_value = database.inputs.a_half_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_3"))
attribute = test_node.get_attribute("inputs:a_half_3")
db_value = database.inputs.a_half_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_3_array"))
attribute = test_node.get_attribute("inputs:a_half_3_array")
db_value = database.inputs.a_half_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_4"))
attribute = test_node.get_attribute("inputs:a_half_4")
db_value = database.inputs.a_half_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_4_array"))
attribute = test_node.get_attribute("inputs:a_half_4_array")
db_value = database.inputs.a_half_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_array"))
attribute = test_node.get_attribute("inputs:a_half_array")
db_value = database.inputs.a_half_array
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int"))
attribute = test_node.get_attribute("inputs:a_int")
db_value = database.inputs.a_int
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int64"))
attribute = test_node.get_attribute("inputs:a_int64")
db_value = database.inputs.a_int64
expected_value = 12345
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int64_array"))
attribute = test_node.get_attribute("inputs:a_int64_array")
db_value = database.inputs.a_int64_array
expected_value = [12345, 23456]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_2"))
attribute = test_node.get_attribute("inputs:a_int_2")
db_value = database.inputs.a_int_2
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_2_array"))
attribute = test_node.get_attribute("inputs:a_int_2_array")
db_value = database.inputs.a_int_2_array
expected_value = [[1, 2], [3, 4]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_3"))
attribute = test_node.get_attribute("inputs:a_int_3")
db_value = database.inputs.a_int_3
expected_value = [1, 2, 3]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_3_array"))
attribute = test_node.get_attribute("inputs:a_int_3_array")
db_value = database.inputs.a_int_3_array
expected_value = [[1, 2, 3], [4, 5, 6]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_4"))
attribute = test_node.get_attribute("inputs:a_int_4")
db_value = database.inputs.a_int_4
expected_value = [1, 2, 3, 4]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_4_array"))
attribute = test_node.get_attribute("inputs:a_int_4_array")
db_value = database.inputs.a_int_4_array
expected_value = [[1, 2, 3, 4], [5, 6, 7, 8]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_int_array"))
attribute = test_node.get_attribute("inputs:a_int_array")
db_value = database.inputs.a_int_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_2"))
attribute = test_node.get_attribute("inputs:a_matrixd_2")
db_value = database.inputs.a_matrixd_2
expected_value = [[1.0, 2.0], [3.0, 4.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_2_array"))
attribute = test_node.get_attribute("inputs:a_matrixd_2_array")
db_value = database.inputs.a_matrixd_2_array
expected_value = [[[1.0, 2.0], [3.0, 4.0]], [[11.0, 12.0], [13.0, 14.0]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_3"))
attribute = test_node.get_attribute("inputs:a_matrixd_3")
db_value = database.inputs.a_matrixd_3
expected_value = [[1.0, 2.0, 3.0], [4.0, 5.0, 6.0], [7.0, 8.0, 9.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_3_array"))
attribute = test_node.get_attribute("inputs:a_matrixd_3_array")
db_value = database.inputs.a_matrixd_3_array
expected_value = [[[1.0, 2.0, 3.0], [4.0, 5.0, 6.0], [7.0, 8.0, 9.0]], [[11.0, 12.0, 13.0], [14.0, 15.0, 16.0], [17.0, 18.0, 19.0]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_4"))
attribute = test_node.get_attribute("inputs:a_matrixd_4")
db_value = database.inputs.a_matrixd_4
expected_value = [[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd_4_array"))
attribute = test_node.get_attribute("inputs:a_matrixd_4_array")
db_value = database.inputs.a_matrixd_4_array
expected_value = [[[1.0, 2.0, 3.0, 4.0], [5.0, 6.0, 7.0, 8.0], [9.0, 10.0, 11.0, 12.0], [13.0, 14.0, 15.0, 16.0]], [[11.0, 12.0, 13.0, 14.0], [15.0, 16.0, 17.0, 18.0], [19.0, 20.0, 21.0, 22.0], [23.0, 24.0, 25.0, 26.0]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald_3"))
attribute = test_node.get_attribute("inputs:a_normald_3")
db_value = database.inputs.a_normald_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald_3_array"))
attribute = test_node.get_attribute("inputs:a_normald_3_array")
db_value = database.inputs.a_normald_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf_3"))
attribute = test_node.get_attribute("inputs:a_normalf_3")
db_value = database.inputs.a_normalf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf_3_array"))
attribute = test_node.get_attribute("inputs:a_normalf_3_array")
db_value = database.inputs.a_normalf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh_3"))
attribute = test_node.get_attribute("inputs:a_normalh_3")
db_value = database.inputs.a_normalh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh_3_array"))
attribute = test_node.get_attribute("inputs:a_normalh_3_array")
db_value = database.inputs.a_normalh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_objectId"))
attribute = test_node.get_attribute("inputs:a_objectId")
db_value = database.inputs.a_objectId
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_objectId_array"))
attribute = test_node.get_attribute("inputs:a_objectId_array")
db_value = database.inputs.a_objectId_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_path"))
attribute = test_node.get_attribute("inputs:a_path")
db_value = database.inputs.a_path
expected_value = "/Input"
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd_3"))
attribute = test_node.get_attribute("inputs:a_pointd_3")
db_value = database.inputs.a_pointd_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd_3_array"))
attribute = test_node.get_attribute("inputs:a_pointd_3_array")
db_value = database.inputs.a_pointd_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf_3"))
attribute = test_node.get_attribute("inputs:a_pointf_3")
db_value = database.inputs.a_pointf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf_3_array"))
attribute = test_node.get_attribute("inputs:a_pointf_3_array")
db_value = database.inputs.a_pointf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh_3"))
attribute = test_node.get_attribute("inputs:a_pointh_3")
db_value = database.inputs.a_pointh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh_3_array"))
attribute = test_node.get_attribute("inputs:a_pointh_3_array")
db_value = database.inputs.a_pointh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd_4"))
attribute = test_node.get_attribute("inputs:a_quatd_4")
db_value = database.inputs.a_quatd_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd_4_array"))
attribute = test_node.get_attribute("inputs:a_quatd_4_array")
db_value = database.inputs.a_quatd_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf_4"))
attribute = test_node.get_attribute("inputs:a_quatf_4")
db_value = database.inputs.a_quatf_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf_4_array"))
attribute = test_node.get_attribute("inputs:a_quatf_4_array")
db_value = database.inputs.a_quatf_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath_4"))
attribute = test_node.get_attribute("inputs:a_quath_4")
db_value = database.inputs.a_quath_4
expected_value = [1.0, 2.0, 3.0, 4.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath_4_array"))
attribute = test_node.get_attribute("inputs:a_quath_4_array")
db_value = database.inputs.a_quath_4_array
expected_value = [[1.0, 2.0, 3.0, 4.0], [11.0, 12.0, 13.0, 14.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_string"))
attribute = test_node.get_attribute("inputs:a_string")
db_value = database.inputs.a_string
expected_value = "Rey\n\"Palpatine\" Skywalker"
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_target"))
attribute = test_node.get_attribute("inputs:a_target")
db_value = database.inputs.a_target
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd_2"))
attribute = test_node.get_attribute("inputs:a_texcoordd_2")
db_value = database.inputs.a_texcoordd_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd_2_array"))
attribute = test_node.get_attribute("inputs:a_texcoordd_2_array")
db_value = database.inputs.a_texcoordd_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd_3"))
attribute = test_node.get_attribute("inputs:a_texcoordd_3")
db_value = database.inputs.a_texcoordd_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd_3_array"))
attribute = test_node.get_attribute("inputs:a_texcoordd_3_array")
db_value = database.inputs.a_texcoordd_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf_2"))
attribute = test_node.get_attribute("inputs:a_texcoordf_2")
db_value = database.inputs.a_texcoordf_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf_2_array"))
attribute = test_node.get_attribute("inputs:a_texcoordf_2_array")
db_value = database.inputs.a_texcoordf_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf_3"))
attribute = test_node.get_attribute("inputs:a_texcoordf_3")
db_value = database.inputs.a_texcoordf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf_3_array"))
attribute = test_node.get_attribute("inputs:a_texcoordf_3_array")
db_value = database.inputs.a_texcoordf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh_2"))
attribute = test_node.get_attribute("inputs:a_texcoordh_2")
db_value = database.inputs.a_texcoordh_2
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh_2_array"))
attribute = test_node.get_attribute("inputs:a_texcoordh_2_array")
db_value = database.inputs.a_texcoordh_2_array
expected_value = [[1.0, 2.0], [11.0, 12.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh_3"))
attribute = test_node.get_attribute("inputs:a_texcoordh_3")
db_value = database.inputs.a_texcoordh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh_3_array"))
attribute = test_node.get_attribute("inputs:a_texcoordh_3_array")
db_value = database.inputs.a_texcoordh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode"))
attribute = test_node.get_attribute("inputs:a_timecode")
db_value = database.inputs.a_timecode
expected_value = 1.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_array"))
attribute = test_node.get_attribute("inputs:a_timecode_array")
db_value = database.inputs.a_timecode_array
expected_value = [1.0, 2.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_token"))
attribute = test_node.get_attribute("inputs:a_token")
db_value = database.inputs.a_token
expected_value = "Sith\nLord"
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_token_array"))
attribute = test_node.get_attribute("inputs:a_token_array")
db_value = database.inputs.a_token_array
expected_value = ['Kylo\n"The Putz"', 'Ren']
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uchar"))
attribute = test_node.get_attribute("inputs:a_uchar")
db_value = database.inputs.a_uchar
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uchar_array"))
attribute = test_node.get_attribute("inputs:a_uchar_array")
db_value = database.inputs.a_uchar_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uint"))
attribute = test_node.get_attribute("inputs:a_uint")
db_value = database.inputs.a_uint
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uint64"))
attribute = test_node.get_attribute("inputs:a_uint64")
db_value = database.inputs.a_uint64
expected_value = 1
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uint64_array"))
attribute = test_node.get_attribute("inputs:a_uint64_array")
db_value = database.inputs.a_uint64_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_uint_array"))
attribute = test_node.get_attribute("inputs:a_uint_array")
db_value = database.inputs.a_uint_array
expected_value = [1, 2]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord_3"))
attribute = test_node.get_attribute("inputs:a_vectord_3")
db_value = database.inputs.a_vectord_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord_3_array"))
attribute = test_node.get_attribute("inputs:a_vectord_3_array")
db_value = database.inputs.a_vectord_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf_3"))
attribute = test_node.get_attribute("inputs:a_vectorf_3")
db_value = database.inputs.a_vectorf_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf_3_array"))
attribute = test_node.get_attribute("inputs:a_vectorf_3_array")
db_value = database.inputs.a_vectorf_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh_3"))
attribute = test_node.get_attribute("inputs:a_vectorh_3")
db_value = database.inputs.a_vectorh_3
expected_value = [1.0, 2.0, 3.0]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh_3_array"))
attribute = test_node.get_attribute("inputs:a_vectorh_3_array")
db_value = database.inputs.a_vectorh_3_array
expected_value = [[1.0, 2.0, 3.0], [11.0, 12.0, 13.0]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:doNotCompute"))
attribute = test_node.get_attribute("inputs:doNotCompute")
db_value = database.inputs.doNotCompute
expected_value = True
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("outputs:a_bool"))
attribute = test_node.get_attribute("outputs:a_bool")
db_value = database.outputs.a_bool
self.assertTrue(test_node.get_attribute_exists("outputs:a_bool_array"))
attribute = test_node.get_attribute("outputs:a_bool_array")
db_value = database.outputs.a_bool_array
self.assertTrue(test_node.get_attribute_exists("outputs_a_bundle"))
attribute = test_node.get_attribute("outputs_a_bundle")
db_value = database.outputs.a_bundle
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord_3"))
attribute = test_node.get_attribute("outputs:a_colord_3")
db_value = database.outputs.a_colord_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord_3_array"))
attribute = test_node.get_attribute("outputs:a_colord_3_array")
db_value = database.outputs.a_colord_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord_4"))
attribute = test_node.get_attribute("outputs:a_colord_4")
db_value = database.outputs.a_colord_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord_4_array"))
attribute = test_node.get_attribute("outputs:a_colord_4_array")
db_value = database.outputs.a_colord_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf_3"))
attribute = test_node.get_attribute("outputs:a_colorf_3")
db_value = database.outputs.a_colorf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf_3_array"))
attribute = test_node.get_attribute("outputs:a_colorf_3_array")
db_value = database.outputs.a_colorf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf_4"))
attribute = test_node.get_attribute("outputs:a_colorf_4")
db_value = database.outputs.a_colorf_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf_4_array"))
attribute = test_node.get_attribute("outputs:a_colorf_4_array")
db_value = database.outputs.a_colorf_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh_3"))
attribute = test_node.get_attribute("outputs:a_colorh_3")
db_value = database.outputs.a_colorh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh_3_array"))
attribute = test_node.get_attribute("outputs:a_colorh_3_array")
db_value = database.outputs.a_colorh_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh_4"))
attribute = test_node.get_attribute("outputs:a_colorh_4")
db_value = database.outputs.a_colorh_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh_4_array"))
attribute = test_node.get_attribute("outputs:a_colorh_4_array")
db_value = database.outputs.a_colorh_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_double"))
attribute = test_node.get_attribute("outputs:a_double")
db_value = database.outputs.a_double
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_2"))
attribute = test_node.get_attribute("outputs:a_double_2")
db_value = database.outputs.a_double_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_2_array"))
attribute = test_node.get_attribute("outputs:a_double_2_array")
db_value = database.outputs.a_double_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_3"))
attribute = test_node.get_attribute("outputs:a_double_3")
db_value = database.outputs.a_double_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_3_array"))
attribute = test_node.get_attribute("outputs:a_double_3_array")
db_value = database.outputs.a_double_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_4"))
attribute = test_node.get_attribute("outputs:a_double_4")
db_value = database.outputs.a_double_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_4_array"))
attribute = test_node.get_attribute("outputs:a_double_4_array")
db_value = database.outputs.a_double_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_array"))
attribute = test_node.get_attribute("outputs:a_double_array")
db_value = database.outputs.a_double_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_execution"))
attribute = test_node.get_attribute("outputs:a_execution")
db_value = database.outputs.a_execution
self.assertTrue(test_node.get_attribute_exists("outputs:a_float"))
attribute = test_node.get_attribute("outputs:a_float")
db_value = database.outputs.a_float
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_2"))
attribute = test_node.get_attribute("outputs:a_float_2")
db_value = database.outputs.a_float_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_2_array"))
attribute = test_node.get_attribute("outputs:a_float_2_array")
db_value = database.outputs.a_float_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_3"))
attribute = test_node.get_attribute("outputs:a_float_3")
db_value = database.outputs.a_float_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_3_array"))
attribute = test_node.get_attribute("outputs:a_float_3_array")
db_value = database.outputs.a_float_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_4"))
attribute = test_node.get_attribute("outputs:a_float_4")
db_value = database.outputs.a_float_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_4_array"))
attribute = test_node.get_attribute("outputs:a_float_4_array")
db_value = database.outputs.a_float_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_array"))
attribute = test_node.get_attribute("outputs:a_float_array")
db_value = database.outputs.a_float_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame_4"))
attribute = test_node.get_attribute("outputs:a_frame_4")
db_value = database.outputs.a_frame_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame_4_array"))
attribute = test_node.get_attribute("outputs:a_frame_4_array")
db_value = database.outputs.a_frame_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_half"))
attribute = test_node.get_attribute("outputs:a_half")
db_value = database.outputs.a_half
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_2"))
attribute = test_node.get_attribute("outputs:a_half_2")
db_value = database.outputs.a_half_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_2_array"))
attribute = test_node.get_attribute("outputs:a_half_2_array")
db_value = database.outputs.a_half_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_3"))
attribute = test_node.get_attribute("outputs:a_half_3")
db_value = database.outputs.a_half_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_3_array"))
attribute = test_node.get_attribute("outputs:a_half_3_array")
db_value = database.outputs.a_half_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_4"))
attribute = test_node.get_attribute("outputs:a_half_4")
db_value = database.outputs.a_half_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_4_array"))
attribute = test_node.get_attribute("outputs:a_half_4_array")
db_value = database.outputs.a_half_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_array"))
attribute = test_node.get_attribute("outputs:a_half_array")
db_value = database.outputs.a_half_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int"))
attribute = test_node.get_attribute("outputs:a_int")
db_value = database.outputs.a_int
self.assertTrue(test_node.get_attribute_exists("outputs:a_int64"))
attribute = test_node.get_attribute("outputs:a_int64")
db_value = database.outputs.a_int64
self.assertTrue(test_node.get_attribute_exists("outputs:a_int64_array"))
attribute = test_node.get_attribute("outputs:a_int64_array")
db_value = database.outputs.a_int64_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_2"))
attribute = test_node.get_attribute("outputs:a_int_2")
db_value = database.outputs.a_int_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_2_array"))
attribute = test_node.get_attribute("outputs:a_int_2_array")
db_value = database.outputs.a_int_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_3"))
attribute = test_node.get_attribute("outputs:a_int_3")
db_value = database.outputs.a_int_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_3_array"))
attribute = test_node.get_attribute("outputs:a_int_3_array")
db_value = database.outputs.a_int_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_4"))
attribute = test_node.get_attribute("outputs:a_int_4")
db_value = database.outputs.a_int_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_4_array"))
attribute = test_node.get_attribute("outputs:a_int_4_array")
db_value = database.outputs.a_int_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_int_array"))
attribute = test_node.get_attribute("outputs:a_int_array")
db_value = database.outputs.a_int_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_2"))
attribute = test_node.get_attribute("outputs:a_matrixd_2")
db_value = database.outputs.a_matrixd_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_2_array"))
attribute = test_node.get_attribute("outputs:a_matrixd_2_array")
db_value = database.outputs.a_matrixd_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_3"))
attribute = test_node.get_attribute("outputs:a_matrixd_3")
db_value = database.outputs.a_matrixd_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_3_array"))
attribute = test_node.get_attribute("outputs:a_matrixd_3_array")
db_value = database.outputs.a_matrixd_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_4"))
attribute = test_node.get_attribute("outputs:a_matrixd_4")
db_value = database.outputs.a_matrixd_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd_4_array"))
attribute = test_node.get_attribute("outputs:a_matrixd_4_array")
db_value = database.outputs.a_matrixd_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald_3"))
attribute = test_node.get_attribute("outputs:a_normald_3")
db_value = database.outputs.a_normald_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald_3_array"))
attribute = test_node.get_attribute("outputs:a_normald_3_array")
db_value = database.outputs.a_normald_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf_3"))
attribute = test_node.get_attribute("outputs:a_normalf_3")
db_value = database.outputs.a_normalf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf_3_array"))
attribute = test_node.get_attribute("outputs:a_normalf_3_array")
db_value = database.outputs.a_normalf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh_3"))
attribute = test_node.get_attribute("outputs:a_normalh_3")
db_value = database.outputs.a_normalh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh_3_array"))
attribute = test_node.get_attribute("outputs:a_normalh_3_array")
db_value = database.outputs.a_normalh_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_objectId"))
attribute = test_node.get_attribute("outputs:a_objectId")
db_value = database.outputs.a_objectId
self.assertTrue(test_node.get_attribute_exists("outputs:a_objectId_array"))
attribute = test_node.get_attribute("outputs:a_objectId_array")
db_value = database.outputs.a_objectId_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_path"))
attribute = test_node.get_attribute("outputs:a_path")
db_value = database.outputs.a_path
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd_3"))
attribute = test_node.get_attribute("outputs:a_pointd_3")
db_value = database.outputs.a_pointd_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd_3_array"))
attribute = test_node.get_attribute("outputs:a_pointd_3_array")
db_value = database.outputs.a_pointd_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf_3"))
attribute = test_node.get_attribute("outputs:a_pointf_3")
db_value = database.outputs.a_pointf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf_3_array"))
attribute = test_node.get_attribute("outputs:a_pointf_3_array")
db_value = database.outputs.a_pointf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh_3"))
attribute = test_node.get_attribute("outputs:a_pointh_3")
db_value = database.outputs.a_pointh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh_3_array"))
attribute = test_node.get_attribute("outputs:a_pointh_3_array")
db_value = database.outputs.a_pointh_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd_4"))
attribute = test_node.get_attribute("outputs:a_quatd_4")
db_value = database.outputs.a_quatd_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd_4_array"))
attribute = test_node.get_attribute("outputs:a_quatd_4_array")
db_value = database.outputs.a_quatd_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf_4"))
attribute = test_node.get_attribute("outputs:a_quatf_4")
db_value = database.outputs.a_quatf_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf_4_array"))
attribute = test_node.get_attribute("outputs:a_quatf_4_array")
db_value = database.outputs.a_quatf_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath_4"))
attribute = test_node.get_attribute("outputs:a_quath_4")
db_value = database.outputs.a_quath_4
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath_4_array"))
attribute = test_node.get_attribute("outputs:a_quath_4_array")
db_value = database.outputs.a_quath_4_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_string"))
attribute = test_node.get_attribute("outputs:a_string")
db_value = database.outputs.a_string
self.assertTrue(test_node.get_attribute_exists("outputs:a_target"))
attribute = test_node.get_attribute("outputs:a_target")
db_value = database.outputs.a_target
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd_2"))
attribute = test_node.get_attribute("outputs:a_texcoordd_2")
db_value = database.outputs.a_texcoordd_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd_2_array"))
attribute = test_node.get_attribute("outputs:a_texcoordd_2_array")
db_value = database.outputs.a_texcoordd_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd_3"))
attribute = test_node.get_attribute("outputs:a_texcoordd_3")
db_value = database.outputs.a_texcoordd_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd_3_array"))
attribute = test_node.get_attribute("outputs:a_texcoordd_3_array")
db_value = database.outputs.a_texcoordd_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf_2"))
attribute = test_node.get_attribute("outputs:a_texcoordf_2")
db_value = database.outputs.a_texcoordf_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf_2_array"))
attribute = test_node.get_attribute("outputs:a_texcoordf_2_array")
db_value = database.outputs.a_texcoordf_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf_3"))
attribute = test_node.get_attribute("outputs:a_texcoordf_3")
db_value = database.outputs.a_texcoordf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf_3_array"))
attribute = test_node.get_attribute("outputs:a_texcoordf_3_array")
db_value = database.outputs.a_texcoordf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh_2"))
attribute = test_node.get_attribute("outputs:a_texcoordh_2")
db_value = database.outputs.a_texcoordh_2
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh_2_array"))
attribute = test_node.get_attribute("outputs:a_texcoordh_2_array")
db_value = database.outputs.a_texcoordh_2_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh_3"))
attribute = test_node.get_attribute("outputs:a_texcoordh_3")
db_value = database.outputs.a_texcoordh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh_3_array"))
attribute = test_node.get_attribute("outputs:a_texcoordh_3_array")
db_value = database.outputs.a_texcoordh_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode"))
attribute = test_node.get_attribute("outputs:a_timecode")
db_value = database.outputs.a_timecode
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_array"))
attribute = test_node.get_attribute("outputs:a_timecode_array")
db_value = database.outputs.a_timecode_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_token"))
attribute = test_node.get_attribute("outputs:a_token")
db_value = database.outputs.a_token
self.assertTrue(test_node.get_attribute_exists("outputs:a_token_array"))
attribute = test_node.get_attribute("outputs:a_token_array")
db_value = database.outputs.a_token_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_uchar"))
attribute = test_node.get_attribute("outputs:a_uchar")
db_value = database.outputs.a_uchar
self.assertTrue(test_node.get_attribute_exists("outputs:a_uchar_array"))
attribute = test_node.get_attribute("outputs:a_uchar_array")
db_value = database.outputs.a_uchar_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_uint"))
attribute = test_node.get_attribute("outputs:a_uint")
db_value = database.outputs.a_uint
self.assertTrue(test_node.get_attribute_exists("outputs:a_uint64"))
attribute = test_node.get_attribute("outputs:a_uint64")
db_value = database.outputs.a_uint64
self.assertTrue(test_node.get_attribute_exists("outputs:a_uint64_array"))
attribute = test_node.get_attribute("outputs:a_uint64_array")
db_value = database.outputs.a_uint64_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_uint_array"))
attribute = test_node.get_attribute("outputs:a_uint_array")
db_value = database.outputs.a_uint_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord_3"))
attribute = test_node.get_attribute("outputs:a_vectord_3")
db_value = database.outputs.a_vectord_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord_3_array"))
attribute = test_node.get_attribute("outputs:a_vectord_3_array")
db_value = database.outputs.a_vectord_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf_3"))
attribute = test_node.get_attribute("outputs:a_vectorf_3")
db_value = database.outputs.a_vectorf_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf_3_array"))
attribute = test_node.get_attribute("outputs:a_vectorf_3_array")
db_value = database.outputs.a_vectorf_3_array
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh_3"))
attribute = test_node.get_attribute("outputs:a_vectorh_3")
db_value = database.outputs.a_vectorh_3
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh_3_array"))
attribute = test_node.get_attribute("outputs:a_vectorh_3_array")
db_value = database.outputs.a_vectorh_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_bool"))
attribute = test_node.get_attribute("state:a_bool")
db_value = database.state.a_bool
self.assertTrue(test_node.get_attribute_exists("state:a_bool_array"))
attribute = test_node.get_attribute("state:a_bool_array")
db_value = database.state.a_bool_array
self.assertTrue(test_node.get_attribute_exists("state_a_bundle"))
attribute = test_node.get_attribute("state_a_bundle")
db_value = database.state.a_bundle
self.assertTrue(test_node.get_attribute_exists("state:a_colord_3"))
attribute = test_node.get_attribute("state:a_colord_3")
db_value = database.state.a_colord_3
self.assertTrue(test_node.get_attribute_exists("state:a_colord_3_array"))
attribute = test_node.get_attribute("state:a_colord_3_array")
db_value = database.state.a_colord_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_colord_4"))
attribute = test_node.get_attribute("state:a_colord_4")
db_value = database.state.a_colord_4
self.assertTrue(test_node.get_attribute_exists("state:a_colord_4_array"))
attribute = test_node.get_attribute("state:a_colord_4_array")
db_value = database.state.a_colord_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_colorf_3"))
attribute = test_node.get_attribute("state:a_colorf_3")
db_value = database.state.a_colorf_3
self.assertTrue(test_node.get_attribute_exists("state:a_colorf_3_array"))
attribute = test_node.get_attribute("state:a_colorf_3_array")
db_value = database.state.a_colorf_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_colorf_4"))
attribute = test_node.get_attribute("state:a_colorf_4")
db_value = database.state.a_colorf_4
self.assertTrue(test_node.get_attribute_exists("state:a_colorf_4_array"))
attribute = test_node.get_attribute("state:a_colorf_4_array")
db_value = database.state.a_colorf_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_colorh_3"))
attribute = test_node.get_attribute("state:a_colorh_3")
db_value = database.state.a_colorh_3
self.assertTrue(test_node.get_attribute_exists("state:a_colorh_3_array"))
attribute = test_node.get_attribute("state:a_colorh_3_array")
db_value = database.state.a_colorh_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_colorh_4"))
attribute = test_node.get_attribute("state:a_colorh_4")
db_value = database.state.a_colorh_4
self.assertTrue(test_node.get_attribute_exists("state:a_colorh_4_array"))
attribute = test_node.get_attribute("state:a_colorh_4_array")
db_value = database.state.a_colorh_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_double"))
attribute = test_node.get_attribute("state:a_double")
db_value = database.state.a_double
self.assertTrue(test_node.get_attribute_exists("state:a_double_2"))
attribute = test_node.get_attribute("state:a_double_2")
db_value = database.state.a_double_2
self.assertTrue(test_node.get_attribute_exists("state:a_double_2_array"))
attribute = test_node.get_attribute("state:a_double_2_array")
db_value = database.state.a_double_2_array
self.assertTrue(test_node.get_attribute_exists("state:a_double_3"))
attribute = test_node.get_attribute("state:a_double_3")
db_value = database.state.a_double_3
self.assertTrue(test_node.get_attribute_exists("state:a_double_3_array"))
attribute = test_node.get_attribute("state:a_double_3_array")
db_value = database.state.a_double_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_double_4"))
attribute = test_node.get_attribute("state:a_double_4")
db_value = database.state.a_double_4
self.assertTrue(test_node.get_attribute_exists("state:a_double_4_array"))
attribute = test_node.get_attribute("state:a_double_4_array")
db_value = database.state.a_double_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_double_array"))
attribute = test_node.get_attribute("state:a_double_array")
db_value = database.state.a_double_array
self.assertTrue(test_node.get_attribute_exists("state:a_execution"))
attribute = test_node.get_attribute("state:a_execution")
db_value = database.state.a_execution
self.assertTrue(test_node.get_attribute_exists("state:a_firstEvaluation"))
attribute = test_node.get_attribute("state:a_firstEvaluation")
db_value = database.state.a_firstEvaluation
self.assertTrue(test_node.get_attribute_exists("state:a_float"))
attribute = test_node.get_attribute("state:a_float")
db_value = database.state.a_float
self.assertTrue(test_node.get_attribute_exists("state:a_float_2"))
attribute = test_node.get_attribute("state:a_float_2")
db_value = database.state.a_float_2
self.assertTrue(test_node.get_attribute_exists("state:a_float_2_array"))
attribute = test_node.get_attribute("state:a_float_2_array")
db_value = database.state.a_float_2_array
self.assertTrue(test_node.get_attribute_exists("state:a_float_3"))
attribute = test_node.get_attribute("state:a_float_3")
db_value = database.state.a_float_3
self.assertTrue(test_node.get_attribute_exists("state:a_float_3_array"))
attribute = test_node.get_attribute("state:a_float_3_array")
db_value = database.state.a_float_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_float_4"))
attribute = test_node.get_attribute("state:a_float_4")
db_value = database.state.a_float_4
self.assertTrue(test_node.get_attribute_exists("state:a_float_4_array"))
attribute = test_node.get_attribute("state:a_float_4_array")
db_value = database.state.a_float_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_float_array"))
attribute = test_node.get_attribute("state:a_float_array")
db_value = database.state.a_float_array
self.assertTrue(test_node.get_attribute_exists("state:a_frame_4"))
attribute = test_node.get_attribute("state:a_frame_4")
db_value = database.state.a_frame_4
self.assertTrue(test_node.get_attribute_exists("state:a_frame_4_array"))
attribute = test_node.get_attribute("state:a_frame_4_array")
db_value = database.state.a_frame_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_half"))
attribute = test_node.get_attribute("state:a_half")
db_value = database.state.a_half
self.assertTrue(test_node.get_attribute_exists("state:a_half_2"))
attribute = test_node.get_attribute("state:a_half_2")
db_value = database.state.a_half_2
self.assertTrue(test_node.get_attribute_exists("state:a_half_2_array"))
attribute = test_node.get_attribute("state:a_half_2_array")
db_value = database.state.a_half_2_array
self.assertTrue(test_node.get_attribute_exists("state:a_half_3"))
attribute = test_node.get_attribute("state:a_half_3")
db_value = database.state.a_half_3
self.assertTrue(test_node.get_attribute_exists("state:a_half_3_array"))
attribute = test_node.get_attribute("state:a_half_3_array")
db_value = database.state.a_half_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_half_4"))
attribute = test_node.get_attribute("state:a_half_4")
db_value = database.state.a_half_4
self.assertTrue(test_node.get_attribute_exists("state:a_half_4_array"))
attribute = test_node.get_attribute("state:a_half_4_array")
db_value = database.state.a_half_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_half_array"))
attribute = test_node.get_attribute("state:a_half_array")
db_value = database.state.a_half_array
self.assertTrue(test_node.get_attribute_exists("state:a_int"))
attribute = test_node.get_attribute("state:a_int")
db_value = database.state.a_int
self.assertTrue(test_node.get_attribute_exists("state:a_int64"))
attribute = test_node.get_attribute("state:a_int64")
db_value = database.state.a_int64
self.assertTrue(test_node.get_attribute_exists("state:a_int64_array"))
attribute = test_node.get_attribute("state:a_int64_array")
db_value = database.state.a_int64_array
self.assertTrue(test_node.get_attribute_exists("state:a_int_2"))
attribute = test_node.get_attribute("state:a_int_2")
db_value = database.state.a_int_2
self.assertTrue(test_node.get_attribute_exists("state:a_int_2_array"))
attribute = test_node.get_attribute("state:a_int_2_array")
db_value = database.state.a_int_2_array
self.assertTrue(test_node.get_attribute_exists("state:a_int_3"))
attribute = test_node.get_attribute("state:a_int_3")
db_value = database.state.a_int_3
self.assertTrue(test_node.get_attribute_exists("state:a_int_3_array"))
attribute = test_node.get_attribute("state:a_int_3_array")
db_value = database.state.a_int_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_int_4"))
attribute = test_node.get_attribute("state:a_int_4")
db_value = database.state.a_int_4
self.assertTrue(test_node.get_attribute_exists("state:a_int_4_array"))
attribute = test_node.get_attribute("state:a_int_4_array")
db_value = database.state.a_int_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_int_array"))
attribute = test_node.get_attribute("state:a_int_array")
db_value = database.state.a_int_array
self.assertTrue(test_node.get_attribute_exists("state:a_matrixd_2"))
attribute = test_node.get_attribute("state:a_matrixd_2")
db_value = database.state.a_matrixd_2
self.assertTrue(test_node.get_attribute_exists("state:a_matrixd_2_array"))
attribute = test_node.get_attribute("state:a_matrixd_2_array")
db_value = database.state.a_matrixd_2_array
self.assertTrue(test_node.get_attribute_exists("state:a_matrixd_3"))
attribute = test_node.get_attribute("state:a_matrixd_3")
db_value = database.state.a_matrixd_3
self.assertTrue(test_node.get_attribute_exists("state:a_matrixd_3_array"))
attribute = test_node.get_attribute("state:a_matrixd_3_array")
db_value = database.state.a_matrixd_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_matrixd_4"))
attribute = test_node.get_attribute("state:a_matrixd_4")
db_value = database.state.a_matrixd_4
self.assertTrue(test_node.get_attribute_exists("state:a_matrixd_4_array"))
attribute = test_node.get_attribute("state:a_matrixd_4_array")
db_value = database.state.a_matrixd_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_normald_3"))
attribute = test_node.get_attribute("state:a_normald_3")
db_value = database.state.a_normald_3
self.assertTrue(test_node.get_attribute_exists("state:a_normald_3_array"))
attribute = test_node.get_attribute("state:a_normald_3_array")
db_value = database.state.a_normald_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_normalf_3"))
attribute = test_node.get_attribute("state:a_normalf_3")
db_value = database.state.a_normalf_3
self.assertTrue(test_node.get_attribute_exists("state:a_normalf_3_array"))
attribute = test_node.get_attribute("state:a_normalf_3_array")
db_value = database.state.a_normalf_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_normalh_3"))
attribute = test_node.get_attribute("state:a_normalh_3")
db_value = database.state.a_normalh_3
self.assertTrue(test_node.get_attribute_exists("state:a_normalh_3_array"))
attribute = test_node.get_attribute("state:a_normalh_3_array")
db_value = database.state.a_normalh_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_objectId"))
attribute = test_node.get_attribute("state:a_objectId")
db_value = database.state.a_objectId
self.assertTrue(test_node.get_attribute_exists("state:a_objectId_array"))
attribute = test_node.get_attribute("state:a_objectId_array")
db_value = database.state.a_objectId_array
self.assertTrue(test_node.get_attribute_exists("state:a_path"))
attribute = test_node.get_attribute("state:a_path")
db_value = database.state.a_path
self.assertTrue(test_node.get_attribute_exists("state:a_pointd_3"))
attribute = test_node.get_attribute("state:a_pointd_3")
db_value = database.state.a_pointd_3
self.assertTrue(test_node.get_attribute_exists("state:a_pointd_3_array"))
attribute = test_node.get_attribute("state:a_pointd_3_array")
db_value = database.state.a_pointd_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_pointf_3"))
attribute = test_node.get_attribute("state:a_pointf_3")
db_value = database.state.a_pointf_3
self.assertTrue(test_node.get_attribute_exists("state:a_pointf_3_array"))
attribute = test_node.get_attribute("state:a_pointf_3_array")
db_value = database.state.a_pointf_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_pointh_3"))
attribute = test_node.get_attribute("state:a_pointh_3")
db_value = database.state.a_pointh_3
self.assertTrue(test_node.get_attribute_exists("state:a_pointh_3_array"))
attribute = test_node.get_attribute("state:a_pointh_3_array")
db_value = database.state.a_pointh_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_quatd_4"))
attribute = test_node.get_attribute("state:a_quatd_4")
db_value = database.state.a_quatd_4
self.assertTrue(test_node.get_attribute_exists("state:a_quatd_4_array"))
attribute = test_node.get_attribute("state:a_quatd_4_array")
db_value = database.state.a_quatd_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_quatf_4"))
attribute = test_node.get_attribute("state:a_quatf_4")
db_value = database.state.a_quatf_4
self.assertTrue(test_node.get_attribute_exists("state:a_quatf_4_array"))
attribute = test_node.get_attribute("state:a_quatf_4_array")
db_value = database.state.a_quatf_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_quath_4"))
attribute = test_node.get_attribute("state:a_quath_4")
db_value = database.state.a_quath_4
self.assertTrue(test_node.get_attribute_exists("state:a_quath_4_array"))
attribute = test_node.get_attribute("state:a_quath_4_array")
db_value = database.state.a_quath_4_array
self.assertTrue(test_node.get_attribute_exists("state:a_string"))
attribute = test_node.get_attribute("state:a_string")
db_value = database.state.a_string
self.assertTrue(test_node.get_attribute_exists("state:a_stringEmpty"))
attribute = test_node.get_attribute("state:a_stringEmpty")
db_value = database.state.a_stringEmpty
self.assertTrue(test_node.get_attribute_exists("state:a_target"))
attribute = test_node.get_attribute("state:a_target")
db_value = database.state.a_target
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordd_2"))
attribute = test_node.get_attribute("state:a_texcoordd_2")
db_value = database.state.a_texcoordd_2
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordd_2_array"))
attribute = test_node.get_attribute("state:a_texcoordd_2_array")
db_value = database.state.a_texcoordd_2_array
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordd_3"))
attribute = test_node.get_attribute("state:a_texcoordd_3")
db_value = database.state.a_texcoordd_3
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordd_3_array"))
attribute = test_node.get_attribute("state:a_texcoordd_3_array")
db_value = database.state.a_texcoordd_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordf_2"))
attribute = test_node.get_attribute("state:a_texcoordf_2")
db_value = database.state.a_texcoordf_2
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordf_2_array"))
attribute = test_node.get_attribute("state:a_texcoordf_2_array")
db_value = database.state.a_texcoordf_2_array
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordf_3"))
attribute = test_node.get_attribute("state:a_texcoordf_3")
db_value = database.state.a_texcoordf_3
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordf_3_array"))
attribute = test_node.get_attribute("state:a_texcoordf_3_array")
db_value = database.state.a_texcoordf_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordh_2"))
attribute = test_node.get_attribute("state:a_texcoordh_2")
db_value = database.state.a_texcoordh_2
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordh_2_array"))
attribute = test_node.get_attribute("state:a_texcoordh_2_array")
db_value = database.state.a_texcoordh_2_array
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordh_3"))
attribute = test_node.get_attribute("state:a_texcoordh_3")
db_value = database.state.a_texcoordh_3
self.assertTrue(test_node.get_attribute_exists("state:a_texcoordh_3_array"))
attribute = test_node.get_attribute("state:a_texcoordh_3_array")
db_value = database.state.a_texcoordh_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_timecode"))
attribute = test_node.get_attribute("state:a_timecode")
db_value = database.state.a_timecode
self.assertTrue(test_node.get_attribute_exists("state:a_timecode_array"))
attribute = test_node.get_attribute("state:a_timecode_array")
db_value = database.state.a_timecode_array
self.assertTrue(test_node.get_attribute_exists("state:a_token"))
attribute = test_node.get_attribute("state:a_token")
db_value = database.state.a_token
self.assertTrue(test_node.get_attribute_exists("state:a_token_array"))
attribute = test_node.get_attribute("state:a_token_array")
db_value = database.state.a_token_array
self.assertTrue(test_node.get_attribute_exists("state:a_uchar"))
attribute = test_node.get_attribute("state:a_uchar")
db_value = database.state.a_uchar
self.assertTrue(test_node.get_attribute_exists("state:a_uchar_array"))
attribute = test_node.get_attribute("state:a_uchar_array")
db_value = database.state.a_uchar_array
self.assertTrue(test_node.get_attribute_exists("state:a_uint"))
attribute = test_node.get_attribute("state:a_uint")
db_value = database.state.a_uint
self.assertTrue(test_node.get_attribute_exists("state:a_uint64"))
attribute = test_node.get_attribute("state:a_uint64")
db_value = database.state.a_uint64
self.assertTrue(test_node.get_attribute_exists("state:a_uint64_array"))
attribute = test_node.get_attribute("state:a_uint64_array")
db_value = database.state.a_uint64_array
self.assertTrue(test_node.get_attribute_exists("state:a_uint_array"))
attribute = test_node.get_attribute("state:a_uint_array")
db_value = database.state.a_uint_array
self.assertTrue(test_node.get_attribute_exists("state:a_vectord_3"))
attribute = test_node.get_attribute("state:a_vectord_3")
db_value = database.state.a_vectord_3
self.assertTrue(test_node.get_attribute_exists("state:a_vectord_3_array"))
attribute = test_node.get_attribute("state:a_vectord_3_array")
db_value = database.state.a_vectord_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_vectorf_3"))
attribute = test_node.get_attribute("state:a_vectorf_3")
db_value = database.state.a_vectorf_3
self.assertTrue(test_node.get_attribute_exists("state:a_vectorf_3_array"))
attribute = test_node.get_attribute("state:a_vectorf_3_array")
db_value = database.state.a_vectorf_3_array
self.assertTrue(test_node.get_attribute_exists("state:a_vectorh_3"))
attribute = test_node.get_attribute("state:a_vectorh_3")
db_value = database.state.a_vectorh_3
self.assertTrue(test_node.get_attribute_exists("state:a_vectorh_3_array"))
attribute = test_node.get_attribute("state:a_vectorh_3_array")
db_value = database.state.a_vectorh_3_array
| 132,676 |
Python
| 58.046284 | 274 | 0.574663 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/TestOgnTestNanInf.py
|
import omni.kit.test
import omni.graph.core as og
import omni.graph.core.tests as ogts
from omni.graph.core.tests.omnigraph_test_utils import _TestGraphAndNode
from omni.graph.core.tests.omnigraph_test_utils import _test_clear_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_setup_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_verify_scene
class TestOgn(ogts.OmniGraphTestCase):
TEST_DATA = [
{
'inputs': [
['inputs:a_colord3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_colord3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_colord4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_colord4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_colord3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_colord3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_colord4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_colord4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_colorf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_colorf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_colorf4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_colorf4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_colorf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_colorf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_colorf4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_colorf4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_colorh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_colorh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_colorh4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_colorh4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_colorh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_colorh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_colorh4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_colorh4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_double_inf', float("-Inf"), False],
['inputs:a_double_ninf', float("Inf"), False],
['inputs:a_double2_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_double2_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_double3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_double3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_double4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_double4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_double_array_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_double_array_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_double2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['inputs:a_double2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['inputs:a_double3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_double3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_double4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_double4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_float_inf', float("-Inf"), False],
['inputs:a_float_ninf', float("Inf"), False],
['inputs:a_float2_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_float2_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_float3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_float3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_float4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_float4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_float_array_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_float_array_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_float2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['inputs:a_float2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['inputs:a_float3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_float3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_float4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_float4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_frame4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_frame4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_frame4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_frame4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_half_inf', float("-Inf"), False],
['inputs:a_half_ninf', float("Inf"), False],
['inputs:a_half2_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_half2_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_half3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_half3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_half4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_half4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_half_array_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_half_array_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_half2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['inputs:a_half2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['inputs:a_half3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_half3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_half4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_half4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_matrixd2_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_matrixd2_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_matrixd3_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_matrixd3_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_matrixd4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_matrixd4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_matrixd2_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_matrixd2_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_matrixd3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_matrixd3_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_matrixd4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_matrixd4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_normald3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_normald3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_normald3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_normald3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_normalf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_normalf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_normalf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_normalf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_normalh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_normalh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_normalh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_normalh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_pointd3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_pointd3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_pointd3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_pointd3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_pointf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_pointf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_pointf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_pointf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_pointh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_pointh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_pointh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_pointh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_quatd4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_quatd4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_quatd4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_quatd4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_quatf4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_quatf4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_quatf4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_quatf4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_quath4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_quath4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_quath4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_quath4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_texcoordd2_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_texcoordd2_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_texcoordd3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_texcoordd3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_texcoordd2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['inputs:a_texcoordd2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['inputs:a_texcoordd3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_texcoordd3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_texcoordf2_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_texcoordf2_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_texcoordf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_texcoordf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_texcoordf2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['inputs:a_texcoordf2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['inputs:a_texcoordf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_texcoordf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_texcoordh2_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_texcoordh2_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_texcoordh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_texcoordh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_texcoordh2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['inputs:a_texcoordh2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['inputs:a_texcoordh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_texcoordh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_timecode_inf', float("-Inf"), False],
['inputs:a_timecode_ninf', float("Inf"), False],
['inputs:a_timecode_array_inf', [float("-Inf"), float("-Inf")], False],
['inputs:a_timecode_array_ninf', [float("Inf"), float("Inf")], False],
['inputs:a_vectord3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_vectord3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_vectord3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_vectord3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_vectorf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_vectorf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_vectorf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_vectorf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['inputs:a_vectorh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['inputs:a_vectorh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['inputs:a_vectorh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['inputs:a_vectorh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
],
'outputs': [
['outputs:a_colord3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_colord3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_colord4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_colord4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_colord3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_colord3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_colord4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_colord4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_colorf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_colorf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_colorf4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_colorf4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_colorf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_colorf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_colorf4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_colorf4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_colorh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_colorh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_colorh4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_colorh4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_colorh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_colorh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_colorh4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_colorh4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_double_inf', float("-Inf"), False],
['outputs:a_double_ninf', float("Inf"), False],
['outputs:a_double2_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_double2_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_double3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_double3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_double4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_double4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_double_array_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_double_array_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_double2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['outputs:a_double2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['outputs:a_double3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_double3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_double4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_double4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_float_inf', float("-Inf"), False],
['outputs:a_float_ninf', float("Inf"), False],
['outputs:a_float2_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_float2_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_float3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_float3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_float4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_float4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_float_array_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_float_array_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_float2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['outputs:a_float2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['outputs:a_float3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_float3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_float4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_float4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_frame4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_frame4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_frame4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_frame4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_half_inf', float("-Inf"), False],
['outputs:a_half_ninf', float("Inf"), False],
['outputs:a_half2_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_half2_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_half3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_half3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_half4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_half4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_half_array_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_half_array_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_half2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['outputs:a_half2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['outputs:a_half3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_half3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_half4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_half4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_matrixd2_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_matrixd2_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_matrixd3_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_matrixd3_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_matrixd4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_matrixd4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_matrixd2_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_matrixd2_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_matrixd3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_matrixd3_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_matrixd4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_matrixd4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_normald3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_normald3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_normald3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_normald3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_normalf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_normalf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_normalf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_normalf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_normalh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_normalh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_normalh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_normalh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_pointd3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_pointd3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_pointd3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_pointd3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_pointf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_pointf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_pointf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_pointf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_pointh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_pointh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_pointh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_pointh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_quatd4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_quatd4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_quatd4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_quatd4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_quatf4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_quatf4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_quatf4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_quatf4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_quath4_inf', [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_quath4_ninf', [float("Inf"), float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_quath4_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_quath4_array_ninf', [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_texcoordd2_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_texcoordd2_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_texcoordd3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_texcoordd3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_texcoordd2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['outputs:a_texcoordd2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['outputs:a_texcoordd3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_texcoordd3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_texcoordf2_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_texcoordf2_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_texcoordf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_texcoordf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_texcoordf2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['outputs:a_texcoordf2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['outputs:a_texcoordf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_texcoordf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_texcoordh2_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_texcoordh2_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_texcoordh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_texcoordh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_texcoordh2_array_inf', [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], False],
['outputs:a_texcoordh2_array_ninf', [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], False],
['outputs:a_texcoordh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_texcoordh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_timecode_inf', float("-Inf"), False],
['outputs:a_timecode_ninf', float("Inf"), False],
['outputs:a_timecode_array_inf', [float("-Inf"), float("-Inf")], False],
['outputs:a_timecode_array_ninf', [float("Inf"), float("Inf")], False],
['outputs:a_vectord3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_vectord3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_vectord3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_vectord3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_vectorf3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_vectorf3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_vectorf3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_vectorf3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
['outputs:a_vectorh3_inf', [float("-Inf"), float("-Inf"), float("-Inf")], False],
['outputs:a_vectorh3_ninf', [float("Inf"), float("Inf"), float("Inf")], False],
['outputs:a_vectorh3_array_inf', [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], False],
['outputs:a_vectorh3_array_ninf', [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], False],
],
},
]
async def test_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestNanInf", "omni.graph.test.TestNanInf", test_run, test_info)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestNanInf User test case #{i+1}")
async def test_vectorized_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestNanInf","omni.graph.test.TestNanInf", test_run, test_info, 16)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestNanInf User test case #{i+1}", 16)
async def test_thread_safety(self):
import omni.kit
# Generate multiple instances of the test setup to run them concurrently
instance_setup = dict()
for n in range(24):
instance_setup[f"/TestGraph_{n}"] = _TestGraphAndNode()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
for (key, test_info) in instance_setup.items():
test_info = await _test_setup_scene(self, og.Controller(allow_exists_prim=True), key, "TestNode_omni_graph_test_TestNanInf", "omni.graph.test.TestNanInf", test_run, test_info)
self.assertEqual(len(og.get_all_graphs()), 24)
# We want to evaluate all graphs concurrently. Kick them all.
# Evaluate multiple times to skip 2 serial frames and increase chances for a race condition.
for _ in range(10):
await omni.kit.app.get_app().next_update_async()
for (key, test_instance) in instance_setup.items():
_test_verify_scene(self, og.Controller(), test_run, test_info, f"omni.graph.test.TestNanInf User test case #{i+1}, instance{key}")
async def test_data_access(self):
from omni.graph.test.ogn.OgnTestNanInfDatabase import OgnTestNanInfDatabase
(_, (test_node,), _, _) = og.Controller.edit("/TestGraph", {
og.Controller.Keys.CREATE_NODES: ("Template_omni_graph_test_TestNanInf", "omni.graph.test.TestNanInf")
})
database = OgnTestNanInfDatabase(test_node)
self.assertTrue(test_node.is_valid())
node_type_name = test_node.get_type_name()
self.assertEqual(og.GraphRegistry().get_node_type_version(node_type_name), 1)
def _attr_error(attribute: og.Attribute, usd_test: bool) -> str:
test_type = "USD Load" if usd_test else "Database Access"
return f"{node_type_name} {test_type} Test - {attribute.get_name()} value error"
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord3_array_inf"))
attribute = test_node.get_attribute("inputs:a_colord3_array_inf")
db_value = database.inputs.a_colord3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord3_array_nan"))
attribute = test_node.get_attribute("inputs:a_colord3_array_nan")
db_value = database.inputs.a_colord3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_colord3_array_ninf")
db_value = database.inputs.a_colord3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord3_array_snan"))
attribute = test_node.get_attribute("inputs:a_colord3_array_snan")
db_value = database.inputs.a_colord3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord3_inf"))
attribute = test_node.get_attribute("inputs:a_colord3_inf")
db_value = database.inputs.a_colord3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord3_nan"))
attribute = test_node.get_attribute("inputs:a_colord3_nan")
db_value = database.inputs.a_colord3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord3_ninf"))
attribute = test_node.get_attribute("inputs:a_colord3_ninf")
db_value = database.inputs.a_colord3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord3_snan"))
attribute = test_node.get_attribute("inputs:a_colord3_snan")
db_value = database.inputs.a_colord3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord4_array_inf"))
attribute = test_node.get_attribute("inputs:a_colord4_array_inf")
db_value = database.inputs.a_colord4_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord4_array_nan"))
attribute = test_node.get_attribute("inputs:a_colord4_array_nan")
db_value = database.inputs.a_colord4_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_colord4_array_ninf")
db_value = database.inputs.a_colord4_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord4_array_snan"))
attribute = test_node.get_attribute("inputs:a_colord4_array_snan")
db_value = database.inputs.a_colord4_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord4_inf"))
attribute = test_node.get_attribute("inputs:a_colord4_inf")
db_value = database.inputs.a_colord4_inf
expected_value = [float("Inf"), float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord4_nan"))
attribute = test_node.get_attribute("inputs:a_colord4_nan")
db_value = database.inputs.a_colord4_nan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord4_ninf"))
attribute = test_node.get_attribute("inputs:a_colord4_ninf")
db_value = database.inputs.a_colord4_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colord4_snan"))
attribute = test_node.get_attribute("inputs:a_colord4_snan")
db_value = database.inputs.a_colord4_snan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf3_array_inf"))
attribute = test_node.get_attribute("inputs:a_colorf3_array_inf")
db_value = database.inputs.a_colorf3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf3_array_nan"))
attribute = test_node.get_attribute("inputs:a_colorf3_array_nan")
db_value = database.inputs.a_colorf3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_colorf3_array_ninf")
db_value = database.inputs.a_colorf3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf3_array_snan"))
attribute = test_node.get_attribute("inputs:a_colorf3_array_snan")
db_value = database.inputs.a_colorf3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf3_inf"))
attribute = test_node.get_attribute("inputs:a_colorf3_inf")
db_value = database.inputs.a_colorf3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf3_nan"))
attribute = test_node.get_attribute("inputs:a_colorf3_nan")
db_value = database.inputs.a_colorf3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf3_ninf"))
attribute = test_node.get_attribute("inputs:a_colorf3_ninf")
db_value = database.inputs.a_colorf3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf3_snan"))
attribute = test_node.get_attribute("inputs:a_colorf3_snan")
db_value = database.inputs.a_colorf3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf4_array_inf"))
attribute = test_node.get_attribute("inputs:a_colorf4_array_inf")
db_value = database.inputs.a_colorf4_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf4_array_nan"))
attribute = test_node.get_attribute("inputs:a_colorf4_array_nan")
db_value = database.inputs.a_colorf4_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_colorf4_array_ninf")
db_value = database.inputs.a_colorf4_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf4_array_snan"))
attribute = test_node.get_attribute("inputs:a_colorf4_array_snan")
db_value = database.inputs.a_colorf4_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf4_inf"))
attribute = test_node.get_attribute("inputs:a_colorf4_inf")
db_value = database.inputs.a_colorf4_inf
expected_value = [float("Inf"), float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf4_nan"))
attribute = test_node.get_attribute("inputs:a_colorf4_nan")
db_value = database.inputs.a_colorf4_nan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf4_ninf"))
attribute = test_node.get_attribute("inputs:a_colorf4_ninf")
db_value = database.inputs.a_colorf4_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorf4_snan"))
attribute = test_node.get_attribute("inputs:a_colorf4_snan")
db_value = database.inputs.a_colorf4_snan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh3_array_inf"))
attribute = test_node.get_attribute("inputs:a_colorh3_array_inf")
db_value = database.inputs.a_colorh3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh3_array_nan"))
attribute = test_node.get_attribute("inputs:a_colorh3_array_nan")
db_value = database.inputs.a_colorh3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_colorh3_array_ninf")
db_value = database.inputs.a_colorh3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh3_array_snan"))
attribute = test_node.get_attribute("inputs:a_colorh3_array_snan")
db_value = database.inputs.a_colorh3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh3_inf"))
attribute = test_node.get_attribute("inputs:a_colorh3_inf")
db_value = database.inputs.a_colorh3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh3_nan"))
attribute = test_node.get_attribute("inputs:a_colorh3_nan")
db_value = database.inputs.a_colorh3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh3_ninf"))
attribute = test_node.get_attribute("inputs:a_colorh3_ninf")
db_value = database.inputs.a_colorh3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh3_snan"))
attribute = test_node.get_attribute("inputs:a_colorh3_snan")
db_value = database.inputs.a_colorh3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh4_array_inf"))
attribute = test_node.get_attribute("inputs:a_colorh4_array_inf")
db_value = database.inputs.a_colorh4_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh4_array_nan"))
attribute = test_node.get_attribute("inputs:a_colorh4_array_nan")
db_value = database.inputs.a_colorh4_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_colorh4_array_ninf")
db_value = database.inputs.a_colorh4_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh4_array_snan"))
attribute = test_node.get_attribute("inputs:a_colorh4_array_snan")
db_value = database.inputs.a_colorh4_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh4_inf"))
attribute = test_node.get_attribute("inputs:a_colorh4_inf")
db_value = database.inputs.a_colorh4_inf
expected_value = [float("Inf"), float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh4_nan"))
attribute = test_node.get_attribute("inputs:a_colorh4_nan")
db_value = database.inputs.a_colorh4_nan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh4_ninf"))
attribute = test_node.get_attribute("inputs:a_colorh4_ninf")
db_value = database.inputs.a_colorh4_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_colorh4_snan"))
attribute = test_node.get_attribute("inputs:a_colorh4_snan")
db_value = database.inputs.a_colorh4_snan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double2_array_inf"))
attribute = test_node.get_attribute("inputs:a_double2_array_inf")
db_value = database.inputs.a_double2_array_inf
expected_value = [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double2_array_nan"))
attribute = test_node.get_attribute("inputs:a_double2_array_nan")
db_value = database.inputs.a_double2_array_nan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double2_array_ninf"))
attribute = test_node.get_attribute("inputs:a_double2_array_ninf")
db_value = database.inputs.a_double2_array_ninf
expected_value = [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double2_array_snan"))
attribute = test_node.get_attribute("inputs:a_double2_array_snan")
db_value = database.inputs.a_double2_array_snan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double2_inf"))
attribute = test_node.get_attribute("inputs:a_double2_inf")
db_value = database.inputs.a_double2_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double2_nan"))
attribute = test_node.get_attribute("inputs:a_double2_nan")
db_value = database.inputs.a_double2_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double2_ninf"))
attribute = test_node.get_attribute("inputs:a_double2_ninf")
db_value = database.inputs.a_double2_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double2_snan"))
attribute = test_node.get_attribute("inputs:a_double2_snan")
db_value = database.inputs.a_double2_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double3_array_inf"))
attribute = test_node.get_attribute("inputs:a_double3_array_inf")
db_value = database.inputs.a_double3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double3_array_nan"))
attribute = test_node.get_attribute("inputs:a_double3_array_nan")
db_value = database.inputs.a_double3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_double3_array_ninf")
db_value = database.inputs.a_double3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double3_array_snan"))
attribute = test_node.get_attribute("inputs:a_double3_array_snan")
db_value = database.inputs.a_double3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double3_inf"))
attribute = test_node.get_attribute("inputs:a_double3_inf")
db_value = database.inputs.a_double3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double3_nan"))
attribute = test_node.get_attribute("inputs:a_double3_nan")
db_value = database.inputs.a_double3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double3_ninf"))
attribute = test_node.get_attribute("inputs:a_double3_ninf")
db_value = database.inputs.a_double3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double3_snan"))
attribute = test_node.get_attribute("inputs:a_double3_snan")
db_value = database.inputs.a_double3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double4_array_inf"))
attribute = test_node.get_attribute("inputs:a_double4_array_inf")
db_value = database.inputs.a_double4_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double4_array_nan"))
attribute = test_node.get_attribute("inputs:a_double4_array_nan")
db_value = database.inputs.a_double4_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_double4_array_ninf")
db_value = database.inputs.a_double4_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double4_array_snan"))
attribute = test_node.get_attribute("inputs:a_double4_array_snan")
db_value = database.inputs.a_double4_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double4_inf"))
attribute = test_node.get_attribute("inputs:a_double4_inf")
db_value = database.inputs.a_double4_inf
expected_value = [float("Inf"), float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double4_nan"))
attribute = test_node.get_attribute("inputs:a_double4_nan")
db_value = database.inputs.a_double4_nan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double4_ninf"))
attribute = test_node.get_attribute("inputs:a_double4_ninf")
db_value = database.inputs.a_double4_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double4_snan"))
attribute = test_node.get_attribute("inputs:a_double4_snan")
db_value = database.inputs.a_double4_snan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_array_inf"))
attribute = test_node.get_attribute("inputs:a_double_array_inf")
db_value = database.inputs.a_double_array_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_array_nan"))
attribute = test_node.get_attribute("inputs:a_double_array_nan")
db_value = database.inputs.a_double_array_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_array_ninf"))
attribute = test_node.get_attribute("inputs:a_double_array_ninf")
db_value = database.inputs.a_double_array_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_array_snan"))
attribute = test_node.get_attribute("inputs:a_double_array_snan")
db_value = database.inputs.a_double_array_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_inf"))
attribute = test_node.get_attribute("inputs:a_double_inf")
db_value = database.inputs.a_double_inf
expected_value = float("Inf")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_nan"))
attribute = test_node.get_attribute("inputs:a_double_nan")
db_value = database.inputs.a_double_nan
expected_value = float("NaN")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_ninf"))
attribute = test_node.get_attribute("inputs:a_double_ninf")
db_value = database.inputs.a_double_ninf
expected_value = float("-Inf")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_double_snan"))
attribute = test_node.get_attribute("inputs:a_double_snan")
db_value = database.inputs.a_double_snan
expected_value = float("NaN")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float2_array_inf"))
attribute = test_node.get_attribute("inputs:a_float2_array_inf")
db_value = database.inputs.a_float2_array_inf
expected_value = [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float2_array_nan"))
attribute = test_node.get_attribute("inputs:a_float2_array_nan")
db_value = database.inputs.a_float2_array_nan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float2_array_ninf"))
attribute = test_node.get_attribute("inputs:a_float2_array_ninf")
db_value = database.inputs.a_float2_array_ninf
expected_value = [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float2_array_snan"))
attribute = test_node.get_attribute("inputs:a_float2_array_snan")
db_value = database.inputs.a_float2_array_snan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float2_inf"))
attribute = test_node.get_attribute("inputs:a_float2_inf")
db_value = database.inputs.a_float2_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float2_nan"))
attribute = test_node.get_attribute("inputs:a_float2_nan")
db_value = database.inputs.a_float2_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float2_ninf"))
attribute = test_node.get_attribute("inputs:a_float2_ninf")
db_value = database.inputs.a_float2_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float2_snan"))
attribute = test_node.get_attribute("inputs:a_float2_snan")
db_value = database.inputs.a_float2_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float3_array_inf"))
attribute = test_node.get_attribute("inputs:a_float3_array_inf")
db_value = database.inputs.a_float3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float3_array_nan"))
attribute = test_node.get_attribute("inputs:a_float3_array_nan")
db_value = database.inputs.a_float3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_float3_array_ninf")
db_value = database.inputs.a_float3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float3_array_snan"))
attribute = test_node.get_attribute("inputs:a_float3_array_snan")
db_value = database.inputs.a_float3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float3_inf"))
attribute = test_node.get_attribute("inputs:a_float3_inf")
db_value = database.inputs.a_float3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float3_nan"))
attribute = test_node.get_attribute("inputs:a_float3_nan")
db_value = database.inputs.a_float3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float3_ninf"))
attribute = test_node.get_attribute("inputs:a_float3_ninf")
db_value = database.inputs.a_float3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float3_snan"))
attribute = test_node.get_attribute("inputs:a_float3_snan")
db_value = database.inputs.a_float3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float4_array_inf"))
attribute = test_node.get_attribute("inputs:a_float4_array_inf")
db_value = database.inputs.a_float4_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float4_array_nan"))
attribute = test_node.get_attribute("inputs:a_float4_array_nan")
db_value = database.inputs.a_float4_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_float4_array_ninf")
db_value = database.inputs.a_float4_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float4_array_snan"))
attribute = test_node.get_attribute("inputs:a_float4_array_snan")
db_value = database.inputs.a_float4_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float4_inf"))
attribute = test_node.get_attribute("inputs:a_float4_inf")
db_value = database.inputs.a_float4_inf
expected_value = [float("Inf"), float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float4_nan"))
attribute = test_node.get_attribute("inputs:a_float4_nan")
db_value = database.inputs.a_float4_nan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float4_ninf"))
attribute = test_node.get_attribute("inputs:a_float4_ninf")
db_value = database.inputs.a_float4_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float4_snan"))
attribute = test_node.get_attribute("inputs:a_float4_snan")
db_value = database.inputs.a_float4_snan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_array_inf"))
attribute = test_node.get_attribute("inputs:a_float_array_inf")
db_value = database.inputs.a_float_array_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_array_nan"))
attribute = test_node.get_attribute("inputs:a_float_array_nan")
db_value = database.inputs.a_float_array_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_array_ninf"))
attribute = test_node.get_attribute("inputs:a_float_array_ninf")
db_value = database.inputs.a_float_array_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_array_snan"))
attribute = test_node.get_attribute("inputs:a_float_array_snan")
db_value = database.inputs.a_float_array_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_inf"))
attribute = test_node.get_attribute("inputs:a_float_inf")
db_value = database.inputs.a_float_inf
expected_value = float("Inf")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_nan"))
attribute = test_node.get_attribute("inputs:a_float_nan")
db_value = database.inputs.a_float_nan
expected_value = float("NaN")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_ninf"))
attribute = test_node.get_attribute("inputs:a_float_ninf")
db_value = database.inputs.a_float_ninf
expected_value = float("-Inf")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_float_snan"))
attribute = test_node.get_attribute("inputs:a_float_snan")
db_value = database.inputs.a_float_snan
expected_value = float("NaN")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame4_array_inf"))
attribute = test_node.get_attribute("inputs:a_frame4_array_inf")
db_value = database.inputs.a_frame4_array_inf
expected_value = [[[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame4_array_nan"))
attribute = test_node.get_attribute("inputs:a_frame4_array_nan")
db_value = database.inputs.a_frame4_array_nan
expected_value = [[[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_frame4_array_ninf")
db_value = database.inputs.a_frame4_array_ninf
expected_value = [[[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame4_array_snan"))
attribute = test_node.get_attribute("inputs:a_frame4_array_snan")
db_value = database.inputs.a_frame4_array_snan
expected_value = [[[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame4_inf"))
attribute = test_node.get_attribute("inputs:a_frame4_inf")
db_value = database.inputs.a_frame4_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame4_nan"))
attribute = test_node.get_attribute("inputs:a_frame4_nan")
db_value = database.inputs.a_frame4_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame4_ninf"))
attribute = test_node.get_attribute("inputs:a_frame4_ninf")
db_value = database.inputs.a_frame4_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_frame4_snan"))
attribute = test_node.get_attribute("inputs:a_frame4_snan")
db_value = database.inputs.a_frame4_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half2_array_inf"))
attribute = test_node.get_attribute("inputs:a_half2_array_inf")
db_value = database.inputs.a_half2_array_inf
expected_value = [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half2_array_nan"))
attribute = test_node.get_attribute("inputs:a_half2_array_nan")
db_value = database.inputs.a_half2_array_nan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half2_array_ninf"))
attribute = test_node.get_attribute("inputs:a_half2_array_ninf")
db_value = database.inputs.a_half2_array_ninf
expected_value = [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half2_array_snan"))
attribute = test_node.get_attribute("inputs:a_half2_array_snan")
db_value = database.inputs.a_half2_array_snan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half2_inf"))
attribute = test_node.get_attribute("inputs:a_half2_inf")
db_value = database.inputs.a_half2_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half2_nan"))
attribute = test_node.get_attribute("inputs:a_half2_nan")
db_value = database.inputs.a_half2_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half2_ninf"))
attribute = test_node.get_attribute("inputs:a_half2_ninf")
db_value = database.inputs.a_half2_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half2_snan"))
attribute = test_node.get_attribute("inputs:a_half2_snan")
db_value = database.inputs.a_half2_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half3_array_inf"))
attribute = test_node.get_attribute("inputs:a_half3_array_inf")
db_value = database.inputs.a_half3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half3_array_nan"))
attribute = test_node.get_attribute("inputs:a_half3_array_nan")
db_value = database.inputs.a_half3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_half3_array_ninf")
db_value = database.inputs.a_half3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half3_array_snan"))
attribute = test_node.get_attribute("inputs:a_half3_array_snan")
db_value = database.inputs.a_half3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half3_inf"))
attribute = test_node.get_attribute("inputs:a_half3_inf")
db_value = database.inputs.a_half3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half3_nan"))
attribute = test_node.get_attribute("inputs:a_half3_nan")
db_value = database.inputs.a_half3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half3_ninf"))
attribute = test_node.get_attribute("inputs:a_half3_ninf")
db_value = database.inputs.a_half3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half3_snan"))
attribute = test_node.get_attribute("inputs:a_half3_snan")
db_value = database.inputs.a_half3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half4_array_inf"))
attribute = test_node.get_attribute("inputs:a_half4_array_inf")
db_value = database.inputs.a_half4_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half4_array_nan"))
attribute = test_node.get_attribute("inputs:a_half4_array_nan")
db_value = database.inputs.a_half4_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_half4_array_ninf")
db_value = database.inputs.a_half4_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half4_array_snan"))
attribute = test_node.get_attribute("inputs:a_half4_array_snan")
db_value = database.inputs.a_half4_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half4_inf"))
attribute = test_node.get_attribute("inputs:a_half4_inf")
db_value = database.inputs.a_half4_inf
expected_value = [float("Inf"), float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half4_nan"))
attribute = test_node.get_attribute("inputs:a_half4_nan")
db_value = database.inputs.a_half4_nan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half4_ninf"))
attribute = test_node.get_attribute("inputs:a_half4_ninf")
db_value = database.inputs.a_half4_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half4_snan"))
attribute = test_node.get_attribute("inputs:a_half4_snan")
db_value = database.inputs.a_half4_snan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_array_inf"))
attribute = test_node.get_attribute("inputs:a_half_array_inf")
db_value = database.inputs.a_half_array_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_array_nan"))
attribute = test_node.get_attribute("inputs:a_half_array_nan")
db_value = database.inputs.a_half_array_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_array_ninf"))
attribute = test_node.get_attribute("inputs:a_half_array_ninf")
db_value = database.inputs.a_half_array_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_array_snan"))
attribute = test_node.get_attribute("inputs:a_half_array_snan")
db_value = database.inputs.a_half_array_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_inf"))
attribute = test_node.get_attribute("inputs:a_half_inf")
db_value = database.inputs.a_half_inf
expected_value = float("Inf")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_nan"))
attribute = test_node.get_attribute("inputs:a_half_nan")
db_value = database.inputs.a_half_nan
expected_value = float("NaN")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_ninf"))
attribute = test_node.get_attribute("inputs:a_half_ninf")
db_value = database.inputs.a_half_ninf
expected_value = float("-Inf")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_half_snan"))
attribute = test_node.get_attribute("inputs:a_half_snan")
db_value = database.inputs.a_half_snan
expected_value = float("NaN")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd2_array_inf"))
attribute = test_node.get_attribute("inputs:a_matrixd2_array_inf")
db_value = database.inputs.a_matrixd2_array_inf
expected_value = [[[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]], [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd2_array_nan"))
attribute = test_node.get_attribute("inputs:a_matrixd2_array_nan")
db_value = database.inputs.a_matrixd2_array_nan
expected_value = [[[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd2_array_ninf"))
attribute = test_node.get_attribute("inputs:a_matrixd2_array_ninf")
db_value = database.inputs.a_matrixd2_array_ninf
expected_value = [[[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]], [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd2_array_snan"))
attribute = test_node.get_attribute("inputs:a_matrixd2_array_snan")
db_value = database.inputs.a_matrixd2_array_snan
expected_value = [[[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]], [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd2_inf"))
attribute = test_node.get_attribute("inputs:a_matrixd2_inf")
db_value = database.inputs.a_matrixd2_inf
expected_value = [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd2_nan"))
attribute = test_node.get_attribute("inputs:a_matrixd2_nan")
db_value = database.inputs.a_matrixd2_nan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd2_ninf"))
attribute = test_node.get_attribute("inputs:a_matrixd2_ninf")
db_value = database.inputs.a_matrixd2_ninf
expected_value = [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd2_snan"))
attribute = test_node.get_attribute("inputs:a_matrixd2_snan")
db_value = database.inputs.a_matrixd2_snan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd3_array_inf"))
attribute = test_node.get_attribute("inputs:a_matrixd3_array_inf")
db_value = database.inputs.a_matrixd3_array_inf
expected_value = [[[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]], [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd3_array_nan"))
attribute = test_node.get_attribute("inputs:a_matrixd3_array_nan")
db_value = database.inputs.a_matrixd3_array_nan
expected_value = [[[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_matrixd3_array_ninf")
db_value = database.inputs.a_matrixd3_array_ninf
expected_value = [[[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]], [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd3_array_snan"))
attribute = test_node.get_attribute("inputs:a_matrixd3_array_snan")
db_value = database.inputs.a_matrixd3_array_snan
expected_value = [[[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd3_inf"))
attribute = test_node.get_attribute("inputs:a_matrixd3_inf")
db_value = database.inputs.a_matrixd3_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd3_nan"))
attribute = test_node.get_attribute("inputs:a_matrixd3_nan")
db_value = database.inputs.a_matrixd3_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd3_ninf"))
attribute = test_node.get_attribute("inputs:a_matrixd3_ninf")
db_value = database.inputs.a_matrixd3_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd3_snan"))
attribute = test_node.get_attribute("inputs:a_matrixd3_snan")
db_value = database.inputs.a_matrixd3_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd4_array_inf"))
attribute = test_node.get_attribute("inputs:a_matrixd4_array_inf")
db_value = database.inputs.a_matrixd4_array_inf
expected_value = [[[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]], [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd4_array_nan"))
attribute = test_node.get_attribute("inputs:a_matrixd4_array_nan")
db_value = database.inputs.a_matrixd4_array_nan
expected_value = [[[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_matrixd4_array_ninf")
db_value = database.inputs.a_matrixd4_array_ninf
expected_value = [[[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]], [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd4_array_snan"))
attribute = test_node.get_attribute("inputs:a_matrixd4_array_snan")
db_value = database.inputs.a_matrixd4_array_snan
expected_value = [[[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]], [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd4_inf"))
attribute = test_node.get_attribute("inputs:a_matrixd4_inf")
db_value = database.inputs.a_matrixd4_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd4_nan"))
attribute = test_node.get_attribute("inputs:a_matrixd4_nan")
db_value = database.inputs.a_matrixd4_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd4_ninf"))
attribute = test_node.get_attribute("inputs:a_matrixd4_ninf")
db_value = database.inputs.a_matrixd4_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_matrixd4_snan"))
attribute = test_node.get_attribute("inputs:a_matrixd4_snan")
db_value = database.inputs.a_matrixd4_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald3_array_inf"))
attribute = test_node.get_attribute("inputs:a_normald3_array_inf")
db_value = database.inputs.a_normald3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald3_array_nan"))
attribute = test_node.get_attribute("inputs:a_normald3_array_nan")
db_value = database.inputs.a_normald3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_normald3_array_ninf")
db_value = database.inputs.a_normald3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald3_array_snan"))
attribute = test_node.get_attribute("inputs:a_normald3_array_snan")
db_value = database.inputs.a_normald3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald3_inf"))
attribute = test_node.get_attribute("inputs:a_normald3_inf")
db_value = database.inputs.a_normald3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald3_nan"))
attribute = test_node.get_attribute("inputs:a_normald3_nan")
db_value = database.inputs.a_normald3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald3_ninf"))
attribute = test_node.get_attribute("inputs:a_normald3_ninf")
db_value = database.inputs.a_normald3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normald3_snan"))
attribute = test_node.get_attribute("inputs:a_normald3_snan")
db_value = database.inputs.a_normald3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf3_array_inf"))
attribute = test_node.get_attribute("inputs:a_normalf3_array_inf")
db_value = database.inputs.a_normalf3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf3_array_nan"))
attribute = test_node.get_attribute("inputs:a_normalf3_array_nan")
db_value = database.inputs.a_normalf3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_normalf3_array_ninf")
db_value = database.inputs.a_normalf3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf3_array_snan"))
attribute = test_node.get_attribute("inputs:a_normalf3_array_snan")
db_value = database.inputs.a_normalf3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf3_inf"))
attribute = test_node.get_attribute("inputs:a_normalf3_inf")
db_value = database.inputs.a_normalf3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf3_nan"))
attribute = test_node.get_attribute("inputs:a_normalf3_nan")
db_value = database.inputs.a_normalf3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf3_ninf"))
attribute = test_node.get_attribute("inputs:a_normalf3_ninf")
db_value = database.inputs.a_normalf3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalf3_snan"))
attribute = test_node.get_attribute("inputs:a_normalf3_snan")
db_value = database.inputs.a_normalf3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh3_array_inf"))
attribute = test_node.get_attribute("inputs:a_normalh3_array_inf")
db_value = database.inputs.a_normalh3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh3_array_nan"))
attribute = test_node.get_attribute("inputs:a_normalh3_array_nan")
db_value = database.inputs.a_normalh3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_normalh3_array_ninf")
db_value = database.inputs.a_normalh3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh3_array_snan"))
attribute = test_node.get_attribute("inputs:a_normalh3_array_snan")
db_value = database.inputs.a_normalh3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh3_inf"))
attribute = test_node.get_attribute("inputs:a_normalh3_inf")
db_value = database.inputs.a_normalh3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh3_nan"))
attribute = test_node.get_attribute("inputs:a_normalh3_nan")
db_value = database.inputs.a_normalh3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh3_ninf"))
attribute = test_node.get_attribute("inputs:a_normalh3_ninf")
db_value = database.inputs.a_normalh3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_normalh3_snan"))
attribute = test_node.get_attribute("inputs:a_normalh3_snan")
db_value = database.inputs.a_normalh3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd3_array_inf"))
attribute = test_node.get_attribute("inputs:a_pointd3_array_inf")
db_value = database.inputs.a_pointd3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd3_array_nan"))
attribute = test_node.get_attribute("inputs:a_pointd3_array_nan")
db_value = database.inputs.a_pointd3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_pointd3_array_ninf")
db_value = database.inputs.a_pointd3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd3_array_snan"))
attribute = test_node.get_attribute("inputs:a_pointd3_array_snan")
db_value = database.inputs.a_pointd3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd3_inf"))
attribute = test_node.get_attribute("inputs:a_pointd3_inf")
db_value = database.inputs.a_pointd3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd3_nan"))
attribute = test_node.get_attribute("inputs:a_pointd3_nan")
db_value = database.inputs.a_pointd3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd3_ninf"))
attribute = test_node.get_attribute("inputs:a_pointd3_ninf")
db_value = database.inputs.a_pointd3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointd3_snan"))
attribute = test_node.get_attribute("inputs:a_pointd3_snan")
db_value = database.inputs.a_pointd3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf3_array_inf"))
attribute = test_node.get_attribute("inputs:a_pointf3_array_inf")
db_value = database.inputs.a_pointf3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf3_array_nan"))
attribute = test_node.get_attribute("inputs:a_pointf3_array_nan")
db_value = database.inputs.a_pointf3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_pointf3_array_ninf")
db_value = database.inputs.a_pointf3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf3_array_snan"))
attribute = test_node.get_attribute("inputs:a_pointf3_array_snan")
db_value = database.inputs.a_pointf3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf3_inf"))
attribute = test_node.get_attribute("inputs:a_pointf3_inf")
db_value = database.inputs.a_pointf3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf3_nan"))
attribute = test_node.get_attribute("inputs:a_pointf3_nan")
db_value = database.inputs.a_pointf3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf3_ninf"))
attribute = test_node.get_attribute("inputs:a_pointf3_ninf")
db_value = database.inputs.a_pointf3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointf3_snan"))
attribute = test_node.get_attribute("inputs:a_pointf3_snan")
db_value = database.inputs.a_pointf3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh3_array_inf"))
attribute = test_node.get_attribute("inputs:a_pointh3_array_inf")
db_value = database.inputs.a_pointh3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh3_array_nan"))
attribute = test_node.get_attribute("inputs:a_pointh3_array_nan")
db_value = database.inputs.a_pointh3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_pointh3_array_ninf")
db_value = database.inputs.a_pointh3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh3_array_snan"))
attribute = test_node.get_attribute("inputs:a_pointh3_array_snan")
db_value = database.inputs.a_pointh3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh3_inf"))
attribute = test_node.get_attribute("inputs:a_pointh3_inf")
db_value = database.inputs.a_pointh3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh3_nan"))
attribute = test_node.get_attribute("inputs:a_pointh3_nan")
db_value = database.inputs.a_pointh3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh3_ninf"))
attribute = test_node.get_attribute("inputs:a_pointh3_ninf")
db_value = database.inputs.a_pointh3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_pointh3_snan"))
attribute = test_node.get_attribute("inputs:a_pointh3_snan")
db_value = database.inputs.a_pointh3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd4_array_inf"))
attribute = test_node.get_attribute("inputs:a_quatd4_array_inf")
db_value = database.inputs.a_quatd4_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd4_array_nan"))
attribute = test_node.get_attribute("inputs:a_quatd4_array_nan")
db_value = database.inputs.a_quatd4_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_quatd4_array_ninf")
db_value = database.inputs.a_quatd4_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd4_array_snan"))
attribute = test_node.get_attribute("inputs:a_quatd4_array_snan")
db_value = database.inputs.a_quatd4_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd4_inf"))
attribute = test_node.get_attribute("inputs:a_quatd4_inf")
db_value = database.inputs.a_quatd4_inf
expected_value = [float("Inf"), float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd4_nan"))
attribute = test_node.get_attribute("inputs:a_quatd4_nan")
db_value = database.inputs.a_quatd4_nan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd4_ninf"))
attribute = test_node.get_attribute("inputs:a_quatd4_ninf")
db_value = database.inputs.a_quatd4_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatd4_snan"))
attribute = test_node.get_attribute("inputs:a_quatd4_snan")
db_value = database.inputs.a_quatd4_snan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf4_array_inf"))
attribute = test_node.get_attribute("inputs:a_quatf4_array_inf")
db_value = database.inputs.a_quatf4_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf4_array_nan"))
attribute = test_node.get_attribute("inputs:a_quatf4_array_nan")
db_value = database.inputs.a_quatf4_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_quatf4_array_ninf")
db_value = database.inputs.a_quatf4_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf4_array_snan"))
attribute = test_node.get_attribute("inputs:a_quatf4_array_snan")
db_value = database.inputs.a_quatf4_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf4_inf"))
attribute = test_node.get_attribute("inputs:a_quatf4_inf")
db_value = database.inputs.a_quatf4_inf
expected_value = [float("Inf"), float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf4_nan"))
attribute = test_node.get_attribute("inputs:a_quatf4_nan")
db_value = database.inputs.a_quatf4_nan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf4_ninf"))
attribute = test_node.get_attribute("inputs:a_quatf4_ninf")
db_value = database.inputs.a_quatf4_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quatf4_snan"))
attribute = test_node.get_attribute("inputs:a_quatf4_snan")
db_value = database.inputs.a_quatf4_snan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath4_array_inf"))
attribute = test_node.get_attribute("inputs:a_quath4_array_inf")
db_value = database.inputs.a_quath4_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath4_array_nan"))
attribute = test_node.get_attribute("inputs:a_quath4_array_nan")
db_value = database.inputs.a_quath4_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath4_array_ninf"))
attribute = test_node.get_attribute("inputs:a_quath4_array_ninf")
db_value = database.inputs.a_quath4_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath4_array_snan"))
attribute = test_node.get_attribute("inputs:a_quath4_array_snan")
db_value = database.inputs.a_quath4_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath4_inf"))
attribute = test_node.get_attribute("inputs:a_quath4_inf")
db_value = database.inputs.a_quath4_inf
expected_value = [float("Inf"), float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath4_nan"))
attribute = test_node.get_attribute("inputs:a_quath4_nan")
db_value = database.inputs.a_quath4_nan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath4_ninf"))
attribute = test_node.get_attribute("inputs:a_quath4_ninf")
db_value = database.inputs.a_quath4_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_quath4_snan"))
attribute = test_node.get_attribute("inputs:a_quath4_snan")
db_value = database.inputs.a_quath4_snan
expected_value = [float("NaN"), float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd2_array_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordd2_array_inf")
db_value = database.inputs.a_texcoordd2_array_inf
expected_value = [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd2_array_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordd2_array_nan")
db_value = database.inputs.a_texcoordd2_array_nan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd2_array_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordd2_array_ninf")
db_value = database.inputs.a_texcoordd2_array_ninf
expected_value = [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd2_array_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordd2_array_snan")
db_value = database.inputs.a_texcoordd2_array_snan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd2_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordd2_inf")
db_value = database.inputs.a_texcoordd2_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd2_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordd2_nan")
db_value = database.inputs.a_texcoordd2_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd2_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordd2_ninf")
db_value = database.inputs.a_texcoordd2_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd2_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordd2_snan")
db_value = database.inputs.a_texcoordd2_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd3_array_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordd3_array_inf")
db_value = database.inputs.a_texcoordd3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd3_array_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordd3_array_nan")
db_value = database.inputs.a_texcoordd3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordd3_array_ninf")
db_value = database.inputs.a_texcoordd3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd3_array_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordd3_array_snan")
db_value = database.inputs.a_texcoordd3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd3_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordd3_inf")
db_value = database.inputs.a_texcoordd3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd3_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordd3_nan")
db_value = database.inputs.a_texcoordd3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd3_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordd3_ninf")
db_value = database.inputs.a_texcoordd3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordd3_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordd3_snan")
db_value = database.inputs.a_texcoordd3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf2_array_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordf2_array_inf")
db_value = database.inputs.a_texcoordf2_array_inf
expected_value = [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf2_array_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordf2_array_nan")
db_value = database.inputs.a_texcoordf2_array_nan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf2_array_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordf2_array_ninf")
db_value = database.inputs.a_texcoordf2_array_ninf
expected_value = [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf2_array_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordf2_array_snan")
db_value = database.inputs.a_texcoordf2_array_snan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf2_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordf2_inf")
db_value = database.inputs.a_texcoordf2_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf2_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordf2_nan")
db_value = database.inputs.a_texcoordf2_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf2_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordf2_ninf")
db_value = database.inputs.a_texcoordf2_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf2_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordf2_snan")
db_value = database.inputs.a_texcoordf2_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf3_array_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordf3_array_inf")
db_value = database.inputs.a_texcoordf3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf3_array_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordf3_array_nan")
db_value = database.inputs.a_texcoordf3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordf3_array_ninf")
db_value = database.inputs.a_texcoordf3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf3_array_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordf3_array_snan")
db_value = database.inputs.a_texcoordf3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf3_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordf3_inf")
db_value = database.inputs.a_texcoordf3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf3_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordf3_nan")
db_value = database.inputs.a_texcoordf3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf3_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordf3_ninf")
db_value = database.inputs.a_texcoordf3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordf3_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordf3_snan")
db_value = database.inputs.a_texcoordf3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh2_array_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordh2_array_inf")
db_value = database.inputs.a_texcoordh2_array_inf
expected_value = [[float("Inf"), float("Inf")], [float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh2_array_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordh2_array_nan")
db_value = database.inputs.a_texcoordh2_array_nan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh2_array_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordh2_array_ninf")
db_value = database.inputs.a_texcoordh2_array_ninf
expected_value = [[float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh2_array_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordh2_array_snan")
db_value = database.inputs.a_texcoordh2_array_snan
expected_value = [[float("NaN"), float("NaN")], [float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh2_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordh2_inf")
db_value = database.inputs.a_texcoordh2_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh2_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordh2_nan")
db_value = database.inputs.a_texcoordh2_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh2_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordh2_ninf")
db_value = database.inputs.a_texcoordh2_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh2_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordh2_snan")
db_value = database.inputs.a_texcoordh2_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh3_array_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordh3_array_inf")
db_value = database.inputs.a_texcoordh3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh3_array_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordh3_array_nan")
db_value = database.inputs.a_texcoordh3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordh3_array_ninf")
db_value = database.inputs.a_texcoordh3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh3_array_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordh3_array_snan")
db_value = database.inputs.a_texcoordh3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh3_inf"))
attribute = test_node.get_attribute("inputs:a_texcoordh3_inf")
db_value = database.inputs.a_texcoordh3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh3_nan"))
attribute = test_node.get_attribute("inputs:a_texcoordh3_nan")
db_value = database.inputs.a_texcoordh3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh3_ninf"))
attribute = test_node.get_attribute("inputs:a_texcoordh3_ninf")
db_value = database.inputs.a_texcoordh3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_texcoordh3_snan"))
attribute = test_node.get_attribute("inputs:a_texcoordh3_snan")
db_value = database.inputs.a_texcoordh3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_array_inf"))
attribute = test_node.get_attribute("inputs:a_timecode_array_inf")
db_value = database.inputs.a_timecode_array_inf
expected_value = [float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_array_nan"))
attribute = test_node.get_attribute("inputs:a_timecode_array_nan")
db_value = database.inputs.a_timecode_array_nan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_array_ninf"))
attribute = test_node.get_attribute("inputs:a_timecode_array_ninf")
db_value = database.inputs.a_timecode_array_ninf
expected_value = [float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_array_snan"))
attribute = test_node.get_attribute("inputs:a_timecode_array_snan")
db_value = database.inputs.a_timecode_array_snan
expected_value = [float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_inf"))
attribute = test_node.get_attribute("inputs:a_timecode_inf")
db_value = database.inputs.a_timecode_inf
expected_value = float("Inf")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_nan"))
attribute = test_node.get_attribute("inputs:a_timecode_nan")
db_value = database.inputs.a_timecode_nan
expected_value = float("NaN")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_ninf"))
attribute = test_node.get_attribute("inputs:a_timecode_ninf")
db_value = database.inputs.a_timecode_ninf
expected_value = float("-Inf")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_timecode_snan"))
attribute = test_node.get_attribute("inputs:a_timecode_snan")
db_value = database.inputs.a_timecode_snan
expected_value = float("NaN")
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord3_array_inf"))
attribute = test_node.get_attribute("inputs:a_vectord3_array_inf")
db_value = database.inputs.a_vectord3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord3_array_nan"))
attribute = test_node.get_attribute("inputs:a_vectord3_array_nan")
db_value = database.inputs.a_vectord3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_vectord3_array_ninf")
db_value = database.inputs.a_vectord3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord3_array_snan"))
attribute = test_node.get_attribute("inputs:a_vectord3_array_snan")
db_value = database.inputs.a_vectord3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord3_inf"))
attribute = test_node.get_attribute("inputs:a_vectord3_inf")
db_value = database.inputs.a_vectord3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord3_nan"))
attribute = test_node.get_attribute("inputs:a_vectord3_nan")
db_value = database.inputs.a_vectord3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord3_ninf"))
attribute = test_node.get_attribute("inputs:a_vectord3_ninf")
db_value = database.inputs.a_vectord3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectord3_snan"))
attribute = test_node.get_attribute("inputs:a_vectord3_snan")
db_value = database.inputs.a_vectord3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf3_array_inf"))
attribute = test_node.get_attribute("inputs:a_vectorf3_array_inf")
db_value = database.inputs.a_vectorf3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf3_array_nan"))
attribute = test_node.get_attribute("inputs:a_vectorf3_array_nan")
db_value = database.inputs.a_vectorf3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_vectorf3_array_ninf")
db_value = database.inputs.a_vectorf3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf3_array_snan"))
attribute = test_node.get_attribute("inputs:a_vectorf3_array_snan")
db_value = database.inputs.a_vectorf3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf3_inf"))
attribute = test_node.get_attribute("inputs:a_vectorf3_inf")
db_value = database.inputs.a_vectorf3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf3_nan"))
attribute = test_node.get_attribute("inputs:a_vectorf3_nan")
db_value = database.inputs.a_vectorf3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf3_ninf"))
attribute = test_node.get_attribute("inputs:a_vectorf3_ninf")
db_value = database.inputs.a_vectorf3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorf3_snan"))
attribute = test_node.get_attribute("inputs:a_vectorf3_snan")
db_value = database.inputs.a_vectorf3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh3_array_inf"))
attribute = test_node.get_attribute("inputs:a_vectorh3_array_inf")
db_value = database.inputs.a_vectorh3_array_inf
expected_value = [[float("Inf"), float("Inf"), float("Inf")], [float("Inf"), float("Inf"), float("Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh3_array_nan"))
attribute = test_node.get_attribute("inputs:a_vectorh3_array_nan")
db_value = database.inputs.a_vectorh3_array_nan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh3_array_ninf"))
attribute = test_node.get_attribute("inputs:a_vectorh3_array_ninf")
db_value = database.inputs.a_vectorh3_array_ninf
expected_value = [[float("-Inf"), float("-Inf"), float("-Inf")], [float("-Inf"), float("-Inf"), float("-Inf")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh3_array_snan"))
attribute = test_node.get_attribute("inputs:a_vectorh3_array_snan")
db_value = database.inputs.a_vectorh3_array_snan
expected_value = [[float("NaN"), float("NaN"), float("NaN")], [float("NaN"), float("NaN"), float("NaN")]]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh3_inf"))
attribute = test_node.get_attribute("inputs:a_vectorh3_inf")
db_value = database.inputs.a_vectorh3_inf
expected_value = [float("Inf"), float("Inf"), float("Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh3_nan"))
attribute = test_node.get_attribute("inputs:a_vectorh3_nan")
db_value = database.inputs.a_vectorh3_nan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh3_ninf"))
attribute = test_node.get_attribute("inputs:a_vectorh3_ninf")
db_value = database.inputs.a_vectorh3_ninf
expected_value = [float("-Inf"), float("-Inf"), float("-Inf")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:a_vectorh3_snan"))
attribute = test_node.get_attribute("inputs:a_vectorh3_snan")
db_value = database.inputs.a_vectorh3_snan
expected_value = [float("NaN"), float("NaN"), float("NaN")]
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord3_array_inf"))
attribute = test_node.get_attribute("outputs:a_colord3_array_inf")
db_value = database.outputs.a_colord3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord3_array_nan"))
attribute = test_node.get_attribute("outputs:a_colord3_array_nan")
db_value = database.outputs.a_colord3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_colord3_array_ninf")
db_value = database.outputs.a_colord3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord3_array_snan"))
attribute = test_node.get_attribute("outputs:a_colord3_array_snan")
db_value = database.outputs.a_colord3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord3_inf"))
attribute = test_node.get_attribute("outputs:a_colord3_inf")
db_value = database.outputs.a_colord3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord3_nan"))
attribute = test_node.get_attribute("outputs:a_colord3_nan")
db_value = database.outputs.a_colord3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord3_ninf"))
attribute = test_node.get_attribute("outputs:a_colord3_ninf")
db_value = database.outputs.a_colord3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord3_snan"))
attribute = test_node.get_attribute("outputs:a_colord3_snan")
db_value = database.outputs.a_colord3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord4_array_inf"))
attribute = test_node.get_attribute("outputs:a_colord4_array_inf")
db_value = database.outputs.a_colord4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord4_array_nan"))
attribute = test_node.get_attribute("outputs:a_colord4_array_nan")
db_value = database.outputs.a_colord4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_colord4_array_ninf")
db_value = database.outputs.a_colord4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord4_array_snan"))
attribute = test_node.get_attribute("outputs:a_colord4_array_snan")
db_value = database.outputs.a_colord4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord4_inf"))
attribute = test_node.get_attribute("outputs:a_colord4_inf")
db_value = database.outputs.a_colord4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord4_nan"))
attribute = test_node.get_attribute("outputs:a_colord4_nan")
db_value = database.outputs.a_colord4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord4_ninf"))
attribute = test_node.get_attribute("outputs:a_colord4_ninf")
db_value = database.outputs.a_colord4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colord4_snan"))
attribute = test_node.get_attribute("outputs:a_colord4_snan")
db_value = database.outputs.a_colord4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf3_array_inf"))
attribute = test_node.get_attribute("outputs:a_colorf3_array_inf")
db_value = database.outputs.a_colorf3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf3_array_nan"))
attribute = test_node.get_attribute("outputs:a_colorf3_array_nan")
db_value = database.outputs.a_colorf3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_colorf3_array_ninf")
db_value = database.outputs.a_colorf3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf3_array_snan"))
attribute = test_node.get_attribute("outputs:a_colorf3_array_snan")
db_value = database.outputs.a_colorf3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf3_inf"))
attribute = test_node.get_attribute("outputs:a_colorf3_inf")
db_value = database.outputs.a_colorf3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf3_nan"))
attribute = test_node.get_attribute("outputs:a_colorf3_nan")
db_value = database.outputs.a_colorf3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf3_ninf"))
attribute = test_node.get_attribute("outputs:a_colorf3_ninf")
db_value = database.outputs.a_colorf3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf3_snan"))
attribute = test_node.get_attribute("outputs:a_colorf3_snan")
db_value = database.outputs.a_colorf3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf4_array_inf"))
attribute = test_node.get_attribute("outputs:a_colorf4_array_inf")
db_value = database.outputs.a_colorf4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf4_array_nan"))
attribute = test_node.get_attribute("outputs:a_colorf4_array_nan")
db_value = database.outputs.a_colorf4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_colorf4_array_ninf")
db_value = database.outputs.a_colorf4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf4_array_snan"))
attribute = test_node.get_attribute("outputs:a_colorf4_array_snan")
db_value = database.outputs.a_colorf4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf4_inf"))
attribute = test_node.get_attribute("outputs:a_colorf4_inf")
db_value = database.outputs.a_colorf4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf4_nan"))
attribute = test_node.get_attribute("outputs:a_colorf4_nan")
db_value = database.outputs.a_colorf4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf4_ninf"))
attribute = test_node.get_attribute("outputs:a_colorf4_ninf")
db_value = database.outputs.a_colorf4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorf4_snan"))
attribute = test_node.get_attribute("outputs:a_colorf4_snan")
db_value = database.outputs.a_colorf4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh3_array_inf"))
attribute = test_node.get_attribute("outputs:a_colorh3_array_inf")
db_value = database.outputs.a_colorh3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh3_array_nan"))
attribute = test_node.get_attribute("outputs:a_colorh3_array_nan")
db_value = database.outputs.a_colorh3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_colorh3_array_ninf")
db_value = database.outputs.a_colorh3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh3_array_snan"))
attribute = test_node.get_attribute("outputs:a_colorh3_array_snan")
db_value = database.outputs.a_colorh3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh3_inf"))
attribute = test_node.get_attribute("outputs:a_colorh3_inf")
db_value = database.outputs.a_colorh3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh3_nan"))
attribute = test_node.get_attribute("outputs:a_colorh3_nan")
db_value = database.outputs.a_colorh3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh3_ninf"))
attribute = test_node.get_attribute("outputs:a_colorh3_ninf")
db_value = database.outputs.a_colorh3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh3_snan"))
attribute = test_node.get_attribute("outputs:a_colorh3_snan")
db_value = database.outputs.a_colorh3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh4_array_inf"))
attribute = test_node.get_attribute("outputs:a_colorh4_array_inf")
db_value = database.outputs.a_colorh4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh4_array_nan"))
attribute = test_node.get_attribute("outputs:a_colorh4_array_nan")
db_value = database.outputs.a_colorh4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_colorh4_array_ninf")
db_value = database.outputs.a_colorh4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh4_array_snan"))
attribute = test_node.get_attribute("outputs:a_colorh4_array_snan")
db_value = database.outputs.a_colorh4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh4_inf"))
attribute = test_node.get_attribute("outputs:a_colorh4_inf")
db_value = database.outputs.a_colorh4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh4_nan"))
attribute = test_node.get_attribute("outputs:a_colorh4_nan")
db_value = database.outputs.a_colorh4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh4_ninf"))
attribute = test_node.get_attribute("outputs:a_colorh4_ninf")
db_value = database.outputs.a_colorh4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_colorh4_snan"))
attribute = test_node.get_attribute("outputs:a_colorh4_snan")
db_value = database.outputs.a_colorh4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double2_array_inf"))
attribute = test_node.get_attribute("outputs:a_double2_array_inf")
db_value = database.outputs.a_double2_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double2_array_nan"))
attribute = test_node.get_attribute("outputs:a_double2_array_nan")
db_value = database.outputs.a_double2_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double2_array_ninf"))
attribute = test_node.get_attribute("outputs:a_double2_array_ninf")
db_value = database.outputs.a_double2_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double2_array_snan"))
attribute = test_node.get_attribute("outputs:a_double2_array_snan")
db_value = database.outputs.a_double2_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double2_inf"))
attribute = test_node.get_attribute("outputs:a_double2_inf")
db_value = database.outputs.a_double2_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double2_nan"))
attribute = test_node.get_attribute("outputs:a_double2_nan")
db_value = database.outputs.a_double2_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double2_ninf"))
attribute = test_node.get_attribute("outputs:a_double2_ninf")
db_value = database.outputs.a_double2_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double2_snan"))
attribute = test_node.get_attribute("outputs:a_double2_snan")
db_value = database.outputs.a_double2_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double3_array_inf"))
attribute = test_node.get_attribute("outputs:a_double3_array_inf")
db_value = database.outputs.a_double3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double3_array_nan"))
attribute = test_node.get_attribute("outputs:a_double3_array_nan")
db_value = database.outputs.a_double3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_double3_array_ninf")
db_value = database.outputs.a_double3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double3_array_snan"))
attribute = test_node.get_attribute("outputs:a_double3_array_snan")
db_value = database.outputs.a_double3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double3_inf"))
attribute = test_node.get_attribute("outputs:a_double3_inf")
db_value = database.outputs.a_double3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double3_nan"))
attribute = test_node.get_attribute("outputs:a_double3_nan")
db_value = database.outputs.a_double3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double3_ninf"))
attribute = test_node.get_attribute("outputs:a_double3_ninf")
db_value = database.outputs.a_double3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double3_snan"))
attribute = test_node.get_attribute("outputs:a_double3_snan")
db_value = database.outputs.a_double3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double4_array_inf"))
attribute = test_node.get_attribute("outputs:a_double4_array_inf")
db_value = database.outputs.a_double4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double4_array_nan"))
attribute = test_node.get_attribute("outputs:a_double4_array_nan")
db_value = database.outputs.a_double4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_double4_array_ninf")
db_value = database.outputs.a_double4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double4_array_snan"))
attribute = test_node.get_attribute("outputs:a_double4_array_snan")
db_value = database.outputs.a_double4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double4_inf"))
attribute = test_node.get_attribute("outputs:a_double4_inf")
db_value = database.outputs.a_double4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double4_nan"))
attribute = test_node.get_attribute("outputs:a_double4_nan")
db_value = database.outputs.a_double4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double4_ninf"))
attribute = test_node.get_attribute("outputs:a_double4_ninf")
db_value = database.outputs.a_double4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double4_snan"))
attribute = test_node.get_attribute("outputs:a_double4_snan")
db_value = database.outputs.a_double4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_array_inf"))
attribute = test_node.get_attribute("outputs:a_double_array_inf")
db_value = database.outputs.a_double_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_array_nan"))
attribute = test_node.get_attribute("outputs:a_double_array_nan")
db_value = database.outputs.a_double_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_array_ninf"))
attribute = test_node.get_attribute("outputs:a_double_array_ninf")
db_value = database.outputs.a_double_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_array_snan"))
attribute = test_node.get_attribute("outputs:a_double_array_snan")
db_value = database.outputs.a_double_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_inf"))
attribute = test_node.get_attribute("outputs:a_double_inf")
db_value = database.outputs.a_double_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_nan"))
attribute = test_node.get_attribute("outputs:a_double_nan")
db_value = database.outputs.a_double_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_ninf"))
attribute = test_node.get_attribute("outputs:a_double_ninf")
db_value = database.outputs.a_double_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_double_snan"))
attribute = test_node.get_attribute("outputs:a_double_snan")
db_value = database.outputs.a_double_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float2_array_inf"))
attribute = test_node.get_attribute("outputs:a_float2_array_inf")
db_value = database.outputs.a_float2_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float2_array_nan"))
attribute = test_node.get_attribute("outputs:a_float2_array_nan")
db_value = database.outputs.a_float2_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float2_array_ninf"))
attribute = test_node.get_attribute("outputs:a_float2_array_ninf")
db_value = database.outputs.a_float2_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float2_array_snan"))
attribute = test_node.get_attribute("outputs:a_float2_array_snan")
db_value = database.outputs.a_float2_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float2_inf"))
attribute = test_node.get_attribute("outputs:a_float2_inf")
db_value = database.outputs.a_float2_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float2_nan"))
attribute = test_node.get_attribute("outputs:a_float2_nan")
db_value = database.outputs.a_float2_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float2_ninf"))
attribute = test_node.get_attribute("outputs:a_float2_ninf")
db_value = database.outputs.a_float2_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float2_snan"))
attribute = test_node.get_attribute("outputs:a_float2_snan")
db_value = database.outputs.a_float2_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float3_array_inf"))
attribute = test_node.get_attribute("outputs:a_float3_array_inf")
db_value = database.outputs.a_float3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float3_array_nan"))
attribute = test_node.get_attribute("outputs:a_float3_array_nan")
db_value = database.outputs.a_float3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_float3_array_ninf")
db_value = database.outputs.a_float3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float3_array_snan"))
attribute = test_node.get_attribute("outputs:a_float3_array_snan")
db_value = database.outputs.a_float3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float3_inf"))
attribute = test_node.get_attribute("outputs:a_float3_inf")
db_value = database.outputs.a_float3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float3_nan"))
attribute = test_node.get_attribute("outputs:a_float3_nan")
db_value = database.outputs.a_float3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float3_ninf"))
attribute = test_node.get_attribute("outputs:a_float3_ninf")
db_value = database.outputs.a_float3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float3_snan"))
attribute = test_node.get_attribute("outputs:a_float3_snan")
db_value = database.outputs.a_float3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float4_array_inf"))
attribute = test_node.get_attribute("outputs:a_float4_array_inf")
db_value = database.outputs.a_float4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float4_array_nan"))
attribute = test_node.get_attribute("outputs:a_float4_array_nan")
db_value = database.outputs.a_float4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_float4_array_ninf")
db_value = database.outputs.a_float4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float4_array_snan"))
attribute = test_node.get_attribute("outputs:a_float4_array_snan")
db_value = database.outputs.a_float4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float4_inf"))
attribute = test_node.get_attribute("outputs:a_float4_inf")
db_value = database.outputs.a_float4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float4_nan"))
attribute = test_node.get_attribute("outputs:a_float4_nan")
db_value = database.outputs.a_float4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float4_ninf"))
attribute = test_node.get_attribute("outputs:a_float4_ninf")
db_value = database.outputs.a_float4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float4_snan"))
attribute = test_node.get_attribute("outputs:a_float4_snan")
db_value = database.outputs.a_float4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_array_inf"))
attribute = test_node.get_attribute("outputs:a_float_array_inf")
db_value = database.outputs.a_float_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_array_nan"))
attribute = test_node.get_attribute("outputs:a_float_array_nan")
db_value = database.outputs.a_float_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_array_ninf"))
attribute = test_node.get_attribute("outputs:a_float_array_ninf")
db_value = database.outputs.a_float_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_array_snan"))
attribute = test_node.get_attribute("outputs:a_float_array_snan")
db_value = database.outputs.a_float_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_inf"))
attribute = test_node.get_attribute("outputs:a_float_inf")
db_value = database.outputs.a_float_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_nan"))
attribute = test_node.get_attribute("outputs:a_float_nan")
db_value = database.outputs.a_float_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_ninf"))
attribute = test_node.get_attribute("outputs:a_float_ninf")
db_value = database.outputs.a_float_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_float_snan"))
attribute = test_node.get_attribute("outputs:a_float_snan")
db_value = database.outputs.a_float_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame4_array_inf"))
attribute = test_node.get_attribute("outputs:a_frame4_array_inf")
db_value = database.outputs.a_frame4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame4_array_nan"))
attribute = test_node.get_attribute("outputs:a_frame4_array_nan")
db_value = database.outputs.a_frame4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_frame4_array_ninf")
db_value = database.outputs.a_frame4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame4_array_snan"))
attribute = test_node.get_attribute("outputs:a_frame4_array_snan")
db_value = database.outputs.a_frame4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame4_inf"))
attribute = test_node.get_attribute("outputs:a_frame4_inf")
db_value = database.outputs.a_frame4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame4_nan"))
attribute = test_node.get_attribute("outputs:a_frame4_nan")
db_value = database.outputs.a_frame4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame4_ninf"))
attribute = test_node.get_attribute("outputs:a_frame4_ninf")
db_value = database.outputs.a_frame4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_frame4_snan"))
attribute = test_node.get_attribute("outputs:a_frame4_snan")
db_value = database.outputs.a_frame4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half2_array_inf"))
attribute = test_node.get_attribute("outputs:a_half2_array_inf")
db_value = database.outputs.a_half2_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half2_array_nan"))
attribute = test_node.get_attribute("outputs:a_half2_array_nan")
db_value = database.outputs.a_half2_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half2_array_ninf"))
attribute = test_node.get_attribute("outputs:a_half2_array_ninf")
db_value = database.outputs.a_half2_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half2_array_snan"))
attribute = test_node.get_attribute("outputs:a_half2_array_snan")
db_value = database.outputs.a_half2_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half2_inf"))
attribute = test_node.get_attribute("outputs:a_half2_inf")
db_value = database.outputs.a_half2_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half2_nan"))
attribute = test_node.get_attribute("outputs:a_half2_nan")
db_value = database.outputs.a_half2_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half2_ninf"))
attribute = test_node.get_attribute("outputs:a_half2_ninf")
db_value = database.outputs.a_half2_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half2_snan"))
attribute = test_node.get_attribute("outputs:a_half2_snan")
db_value = database.outputs.a_half2_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half3_array_inf"))
attribute = test_node.get_attribute("outputs:a_half3_array_inf")
db_value = database.outputs.a_half3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half3_array_nan"))
attribute = test_node.get_attribute("outputs:a_half3_array_nan")
db_value = database.outputs.a_half3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_half3_array_ninf")
db_value = database.outputs.a_half3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half3_array_snan"))
attribute = test_node.get_attribute("outputs:a_half3_array_snan")
db_value = database.outputs.a_half3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half3_inf"))
attribute = test_node.get_attribute("outputs:a_half3_inf")
db_value = database.outputs.a_half3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half3_nan"))
attribute = test_node.get_attribute("outputs:a_half3_nan")
db_value = database.outputs.a_half3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half3_ninf"))
attribute = test_node.get_attribute("outputs:a_half3_ninf")
db_value = database.outputs.a_half3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half3_snan"))
attribute = test_node.get_attribute("outputs:a_half3_snan")
db_value = database.outputs.a_half3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half4_array_inf"))
attribute = test_node.get_attribute("outputs:a_half4_array_inf")
db_value = database.outputs.a_half4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half4_array_nan"))
attribute = test_node.get_attribute("outputs:a_half4_array_nan")
db_value = database.outputs.a_half4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_half4_array_ninf")
db_value = database.outputs.a_half4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half4_array_snan"))
attribute = test_node.get_attribute("outputs:a_half4_array_snan")
db_value = database.outputs.a_half4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half4_inf"))
attribute = test_node.get_attribute("outputs:a_half4_inf")
db_value = database.outputs.a_half4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half4_nan"))
attribute = test_node.get_attribute("outputs:a_half4_nan")
db_value = database.outputs.a_half4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half4_ninf"))
attribute = test_node.get_attribute("outputs:a_half4_ninf")
db_value = database.outputs.a_half4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half4_snan"))
attribute = test_node.get_attribute("outputs:a_half4_snan")
db_value = database.outputs.a_half4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_array_inf"))
attribute = test_node.get_attribute("outputs:a_half_array_inf")
db_value = database.outputs.a_half_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_array_nan"))
attribute = test_node.get_attribute("outputs:a_half_array_nan")
db_value = database.outputs.a_half_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_array_ninf"))
attribute = test_node.get_attribute("outputs:a_half_array_ninf")
db_value = database.outputs.a_half_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_array_snan"))
attribute = test_node.get_attribute("outputs:a_half_array_snan")
db_value = database.outputs.a_half_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_inf"))
attribute = test_node.get_attribute("outputs:a_half_inf")
db_value = database.outputs.a_half_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_nan"))
attribute = test_node.get_attribute("outputs:a_half_nan")
db_value = database.outputs.a_half_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_ninf"))
attribute = test_node.get_attribute("outputs:a_half_ninf")
db_value = database.outputs.a_half_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_half_snan"))
attribute = test_node.get_attribute("outputs:a_half_snan")
db_value = database.outputs.a_half_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd2_array_inf"))
attribute = test_node.get_attribute("outputs:a_matrixd2_array_inf")
db_value = database.outputs.a_matrixd2_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd2_array_nan"))
attribute = test_node.get_attribute("outputs:a_matrixd2_array_nan")
db_value = database.outputs.a_matrixd2_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd2_array_ninf"))
attribute = test_node.get_attribute("outputs:a_matrixd2_array_ninf")
db_value = database.outputs.a_matrixd2_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd2_array_snan"))
attribute = test_node.get_attribute("outputs:a_matrixd2_array_snan")
db_value = database.outputs.a_matrixd2_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd2_inf"))
attribute = test_node.get_attribute("outputs:a_matrixd2_inf")
db_value = database.outputs.a_matrixd2_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd2_nan"))
attribute = test_node.get_attribute("outputs:a_matrixd2_nan")
db_value = database.outputs.a_matrixd2_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd2_ninf"))
attribute = test_node.get_attribute("outputs:a_matrixd2_ninf")
db_value = database.outputs.a_matrixd2_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd2_snan"))
attribute = test_node.get_attribute("outputs:a_matrixd2_snan")
db_value = database.outputs.a_matrixd2_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd3_array_inf"))
attribute = test_node.get_attribute("outputs:a_matrixd3_array_inf")
db_value = database.outputs.a_matrixd3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd3_array_nan"))
attribute = test_node.get_attribute("outputs:a_matrixd3_array_nan")
db_value = database.outputs.a_matrixd3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_matrixd3_array_ninf")
db_value = database.outputs.a_matrixd3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd3_array_snan"))
attribute = test_node.get_attribute("outputs:a_matrixd3_array_snan")
db_value = database.outputs.a_matrixd3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd3_inf"))
attribute = test_node.get_attribute("outputs:a_matrixd3_inf")
db_value = database.outputs.a_matrixd3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd3_nan"))
attribute = test_node.get_attribute("outputs:a_matrixd3_nan")
db_value = database.outputs.a_matrixd3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd3_ninf"))
attribute = test_node.get_attribute("outputs:a_matrixd3_ninf")
db_value = database.outputs.a_matrixd3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd3_snan"))
attribute = test_node.get_attribute("outputs:a_matrixd3_snan")
db_value = database.outputs.a_matrixd3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd4_array_inf"))
attribute = test_node.get_attribute("outputs:a_matrixd4_array_inf")
db_value = database.outputs.a_matrixd4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd4_array_nan"))
attribute = test_node.get_attribute("outputs:a_matrixd4_array_nan")
db_value = database.outputs.a_matrixd4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_matrixd4_array_ninf")
db_value = database.outputs.a_matrixd4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd4_array_snan"))
attribute = test_node.get_attribute("outputs:a_matrixd4_array_snan")
db_value = database.outputs.a_matrixd4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd4_inf"))
attribute = test_node.get_attribute("outputs:a_matrixd4_inf")
db_value = database.outputs.a_matrixd4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd4_nan"))
attribute = test_node.get_attribute("outputs:a_matrixd4_nan")
db_value = database.outputs.a_matrixd4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd4_ninf"))
attribute = test_node.get_attribute("outputs:a_matrixd4_ninf")
db_value = database.outputs.a_matrixd4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_matrixd4_snan"))
attribute = test_node.get_attribute("outputs:a_matrixd4_snan")
db_value = database.outputs.a_matrixd4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald3_array_inf"))
attribute = test_node.get_attribute("outputs:a_normald3_array_inf")
db_value = database.outputs.a_normald3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald3_array_nan"))
attribute = test_node.get_attribute("outputs:a_normald3_array_nan")
db_value = database.outputs.a_normald3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_normald3_array_ninf")
db_value = database.outputs.a_normald3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald3_array_snan"))
attribute = test_node.get_attribute("outputs:a_normald3_array_snan")
db_value = database.outputs.a_normald3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald3_inf"))
attribute = test_node.get_attribute("outputs:a_normald3_inf")
db_value = database.outputs.a_normald3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald3_nan"))
attribute = test_node.get_attribute("outputs:a_normald3_nan")
db_value = database.outputs.a_normald3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald3_ninf"))
attribute = test_node.get_attribute("outputs:a_normald3_ninf")
db_value = database.outputs.a_normald3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normald3_snan"))
attribute = test_node.get_attribute("outputs:a_normald3_snan")
db_value = database.outputs.a_normald3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf3_array_inf"))
attribute = test_node.get_attribute("outputs:a_normalf3_array_inf")
db_value = database.outputs.a_normalf3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf3_array_nan"))
attribute = test_node.get_attribute("outputs:a_normalf3_array_nan")
db_value = database.outputs.a_normalf3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_normalf3_array_ninf")
db_value = database.outputs.a_normalf3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf3_array_snan"))
attribute = test_node.get_attribute("outputs:a_normalf3_array_snan")
db_value = database.outputs.a_normalf3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf3_inf"))
attribute = test_node.get_attribute("outputs:a_normalf3_inf")
db_value = database.outputs.a_normalf3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf3_nan"))
attribute = test_node.get_attribute("outputs:a_normalf3_nan")
db_value = database.outputs.a_normalf3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf3_ninf"))
attribute = test_node.get_attribute("outputs:a_normalf3_ninf")
db_value = database.outputs.a_normalf3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalf3_snan"))
attribute = test_node.get_attribute("outputs:a_normalf3_snan")
db_value = database.outputs.a_normalf3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh3_array_inf"))
attribute = test_node.get_attribute("outputs:a_normalh3_array_inf")
db_value = database.outputs.a_normalh3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh3_array_nan"))
attribute = test_node.get_attribute("outputs:a_normalh3_array_nan")
db_value = database.outputs.a_normalh3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_normalh3_array_ninf")
db_value = database.outputs.a_normalh3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh3_array_snan"))
attribute = test_node.get_attribute("outputs:a_normalh3_array_snan")
db_value = database.outputs.a_normalh3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh3_inf"))
attribute = test_node.get_attribute("outputs:a_normalh3_inf")
db_value = database.outputs.a_normalh3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh3_nan"))
attribute = test_node.get_attribute("outputs:a_normalh3_nan")
db_value = database.outputs.a_normalh3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh3_ninf"))
attribute = test_node.get_attribute("outputs:a_normalh3_ninf")
db_value = database.outputs.a_normalh3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_normalh3_snan"))
attribute = test_node.get_attribute("outputs:a_normalh3_snan")
db_value = database.outputs.a_normalh3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd3_array_inf"))
attribute = test_node.get_attribute("outputs:a_pointd3_array_inf")
db_value = database.outputs.a_pointd3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd3_array_nan"))
attribute = test_node.get_attribute("outputs:a_pointd3_array_nan")
db_value = database.outputs.a_pointd3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_pointd3_array_ninf")
db_value = database.outputs.a_pointd3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd3_array_snan"))
attribute = test_node.get_attribute("outputs:a_pointd3_array_snan")
db_value = database.outputs.a_pointd3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd3_inf"))
attribute = test_node.get_attribute("outputs:a_pointd3_inf")
db_value = database.outputs.a_pointd3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd3_nan"))
attribute = test_node.get_attribute("outputs:a_pointd3_nan")
db_value = database.outputs.a_pointd3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd3_ninf"))
attribute = test_node.get_attribute("outputs:a_pointd3_ninf")
db_value = database.outputs.a_pointd3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointd3_snan"))
attribute = test_node.get_attribute("outputs:a_pointd3_snan")
db_value = database.outputs.a_pointd3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf3_array_inf"))
attribute = test_node.get_attribute("outputs:a_pointf3_array_inf")
db_value = database.outputs.a_pointf3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf3_array_nan"))
attribute = test_node.get_attribute("outputs:a_pointf3_array_nan")
db_value = database.outputs.a_pointf3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_pointf3_array_ninf")
db_value = database.outputs.a_pointf3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf3_array_snan"))
attribute = test_node.get_attribute("outputs:a_pointf3_array_snan")
db_value = database.outputs.a_pointf3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf3_inf"))
attribute = test_node.get_attribute("outputs:a_pointf3_inf")
db_value = database.outputs.a_pointf3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf3_nan"))
attribute = test_node.get_attribute("outputs:a_pointf3_nan")
db_value = database.outputs.a_pointf3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf3_ninf"))
attribute = test_node.get_attribute("outputs:a_pointf3_ninf")
db_value = database.outputs.a_pointf3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointf3_snan"))
attribute = test_node.get_attribute("outputs:a_pointf3_snan")
db_value = database.outputs.a_pointf3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh3_array_inf"))
attribute = test_node.get_attribute("outputs:a_pointh3_array_inf")
db_value = database.outputs.a_pointh3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh3_array_nan"))
attribute = test_node.get_attribute("outputs:a_pointh3_array_nan")
db_value = database.outputs.a_pointh3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_pointh3_array_ninf")
db_value = database.outputs.a_pointh3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh3_array_snan"))
attribute = test_node.get_attribute("outputs:a_pointh3_array_snan")
db_value = database.outputs.a_pointh3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh3_inf"))
attribute = test_node.get_attribute("outputs:a_pointh3_inf")
db_value = database.outputs.a_pointh3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh3_nan"))
attribute = test_node.get_attribute("outputs:a_pointh3_nan")
db_value = database.outputs.a_pointh3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh3_ninf"))
attribute = test_node.get_attribute("outputs:a_pointh3_ninf")
db_value = database.outputs.a_pointh3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_pointh3_snan"))
attribute = test_node.get_attribute("outputs:a_pointh3_snan")
db_value = database.outputs.a_pointh3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd4_array_inf"))
attribute = test_node.get_attribute("outputs:a_quatd4_array_inf")
db_value = database.outputs.a_quatd4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd4_array_nan"))
attribute = test_node.get_attribute("outputs:a_quatd4_array_nan")
db_value = database.outputs.a_quatd4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_quatd4_array_ninf")
db_value = database.outputs.a_quatd4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd4_array_snan"))
attribute = test_node.get_attribute("outputs:a_quatd4_array_snan")
db_value = database.outputs.a_quatd4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd4_inf"))
attribute = test_node.get_attribute("outputs:a_quatd4_inf")
db_value = database.outputs.a_quatd4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd4_nan"))
attribute = test_node.get_attribute("outputs:a_quatd4_nan")
db_value = database.outputs.a_quatd4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd4_ninf"))
attribute = test_node.get_attribute("outputs:a_quatd4_ninf")
db_value = database.outputs.a_quatd4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatd4_snan"))
attribute = test_node.get_attribute("outputs:a_quatd4_snan")
db_value = database.outputs.a_quatd4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf4_array_inf"))
attribute = test_node.get_attribute("outputs:a_quatf4_array_inf")
db_value = database.outputs.a_quatf4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf4_array_nan"))
attribute = test_node.get_attribute("outputs:a_quatf4_array_nan")
db_value = database.outputs.a_quatf4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_quatf4_array_ninf")
db_value = database.outputs.a_quatf4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf4_array_snan"))
attribute = test_node.get_attribute("outputs:a_quatf4_array_snan")
db_value = database.outputs.a_quatf4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf4_inf"))
attribute = test_node.get_attribute("outputs:a_quatf4_inf")
db_value = database.outputs.a_quatf4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf4_nan"))
attribute = test_node.get_attribute("outputs:a_quatf4_nan")
db_value = database.outputs.a_quatf4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf4_ninf"))
attribute = test_node.get_attribute("outputs:a_quatf4_ninf")
db_value = database.outputs.a_quatf4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quatf4_snan"))
attribute = test_node.get_attribute("outputs:a_quatf4_snan")
db_value = database.outputs.a_quatf4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath4_array_inf"))
attribute = test_node.get_attribute("outputs:a_quath4_array_inf")
db_value = database.outputs.a_quath4_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath4_array_nan"))
attribute = test_node.get_attribute("outputs:a_quath4_array_nan")
db_value = database.outputs.a_quath4_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath4_array_ninf"))
attribute = test_node.get_attribute("outputs:a_quath4_array_ninf")
db_value = database.outputs.a_quath4_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath4_array_snan"))
attribute = test_node.get_attribute("outputs:a_quath4_array_snan")
db_value = database.outputs.a_quath4_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath4_inf"))
attribute = test_node.get_attribute("outputs:a_quath4_inf")
db_value = database.outputs.a_quath4_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath4_nan"))
attribute = test_node.get_attribute("outputs:a_quath4_nan")
db_value = database.outputs.a_quath4_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath4_ninf"))
attribute = test_node.get_attribute("outputs:a_quath4_ninf")
db_value = database.outputs.a_quath4_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_quath4_snan"))
attribute = test_node.get_attribute("outputs:a_quath4_snan")
db_value = database.outputs.a_quath4_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd2_array_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordd2_array_inf")
db_value = database.outputs.a_texcoordd2_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd2_array_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordd2_array_nan")
db_value = database.outputs.a_texcoordd2_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd2_array_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordd2_array_ninf")
db_value = database.outputs.a_texcoordd2_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd2_array_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordd2_array_snan")
db_value = database.outputs.a_texcoordd2_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd2_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordd2_inf")
db_value = database.outputs.a_texcoordd2_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd2_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordd2_nan")
db_value = database.outputs.a_texcoordd2_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd2_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordd2_ninf")
db_value = database.outputs.a_texcoordd2_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd2_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordd2_snan")
db_value = database.outputs.a_texcoordd2_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd3_array_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordd3_array_inf")
db_value = database.outputs.a_texcoordd3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd3_array_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordd3_array_nan")
db_value = database.outputs.a_texcoordd3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordd3_array_ninf")
db_value = database.outputs.a_texcoordd3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd3_array_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordd3_array_snan")
db_value = database.outputs.a_texcoordd3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd3_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordd3_inf")
db_value = database.outputs.a_texcoordd3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd3_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordd3_nan")
db_value = database.outputs.a_texcoordd3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd3_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordd3_ninf")
db_value = database.outputs.a_texcoordd3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordd3_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordd3_snan")
db_value = database.outputs.a_texcoordd3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf2_array_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordf2_array_inf")
db_value = database.outputs.a_texcoordf2_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf2_array_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordf2_array_nan")
db_value = database.outputs.a_texcoordf2_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf2_array_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordf2_array_ninf")
db_value = database.outputs.a_texcoordf2_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf2_array_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordf2_array_snan")
db_value = database.outputs.a_texcoordf2_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf2_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordf2_inf")
db_value = database.outputs.a_texcoordf2_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf2_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordf2_nan")
db_value = database.outputs.a_texcoordf2_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf2_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordf2_ninf")
db_value = database.outputs.a_texcoordf2_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf2_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordf2_snan")
db_value = database.outputs.a_texcoordf2_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf3_array_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordf3_array_inf")
db_value = database.outputs.a_texcoordf3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf3_array_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordf3_array_nan")
db_value = database.outputs.a_texcoordf3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordf3_array_ninf")
db_value = database.outputs.a_texcoordf3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf3_array_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordf3_array_snan")
db_value = database.outputs.a_texcoordf3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf3_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordf3_inf")
db_value = database.outputs.a_texcoordf3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf3_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordf3_nan")
db_value = database.outputs.a_texcoordf3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf3_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordf3_ninf")
db_value = database.outputs.a_texcoordf3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordf3_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordf3_snan")
db_value = database.outputs.a_texcoordf3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh2_array_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordh2_array_inf")
db_value = database.outputs.a_texcoordh2_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh2_array_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordh2_array_nan")
db_value = database.outputs.a_texcoordh2_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh2_array_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordh2_array_ninf")
db_value = database.outputs.a_texcoordh2_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh2_array_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordh2_array_snan")
db_value = database.outputs.a_texcoordh2_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh2_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordh2_inf")
db_value = database.outputs.a_texcoordh2_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh2_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordh2_nan")
db_value = database.outputs.a_texcoordh2_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh2_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordh2_ninf")
db_value = database.outputs.a_texcoordh2_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh2_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordh2_snan")
db_value = database.outputs.a_texcoordh2_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh3_array_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordh3_array_inf")
db_value = database.outputs.a_texcoordh3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh3_array_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordh3_array_nan")
db_value = database.outputs.a_texcoordh3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordh3_array_ninf")
db_value = database.outputs.a_texcoordh3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh3_array_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordh3_array_snan")
db_value = database.outputs.a_texcoordh3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh3_inf"))
attribute = test_node.get_attribute("outputs:a_texcoordh3_inf")
db_value = database.outputs.a_texcoordh3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh3_nan"))
attribute = test_node.get_attribute("outputs:a_texcoordh3_nan")
db_value = database.outputs.a_texcoordh3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh3_ninf"))
attribute = test_node.get_attribute("outputs:a_texcoordh3_ninf")
db_value = database.outputs.a_texcoordh3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_texcoordh3_snan"))
attribute = test_node.get_attribute("outputs:a_texcoordh3_snan")
db_value = database.outputs.a_texcoordh3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_array_inf"))
attribute = test_node.get_attribute("outputs:a_timecode_array_inf")
db_value = database.outputs.a_timecode_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_array_nan"))
attribute = test_node.get_attribute("outputs:a_timecode_array_nan")
db_value = database.outputs.a_timecode_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_array_ninf"))
attribute = test_node.get_attribute("outputs:a_timecode_array_ninf")
db_value = database.outputs.a_timecode_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_array_snan"))
attribute = test_node.get_attribute("outputs:a_timecode_array_snan")
db_value = database.outputs.a_timecode_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_inf"))
attribute = test_node.get_attribute("outputs:a_timecode_inf")
db_value = database.outputs.a_timecode_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_nan"))
attribute = test_node.get_attribute("outputs:a_timecode_nan")
db_value = database.outputs.a_timecode_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_ninf"))
attribute = test_node.get_attribute("outputs:a_timecode_ninf")
db_value = database.outputs.a_timecode_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_timecode_snan"))
attribute = test_node.get_attribute("outputs:a_timecode_snan")
db_value = database.outputs.a_timecode_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord3_array_inf"))
attribute = test_node.get_attribute("outputs:a_vectord3_array_inf")
db_value = database.outputs.a_vectord3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord3_array_nan"))
attribute = test_node.get_attribute("outputs:a_vectord3_array_nan")
db_value = database.outputs.a_vectord3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_vectord3_array_ninf")
db_value = database.outputs.a_vectord3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord3_array_snan"))
attribute = test_node.get_attribute("outputs:a_vectord3_array_snan")
db_value = database.outputs.a_vectord3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord3_inf"))
attribute = test_node.get_attribute("outputs:a_vectord3_inf")
db_value = database.outputs.a_vectord3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord3_nan"))
attribute = test_node.get_attribute("outputs:a_vectord3_nan")
db_value = database.outputs.a_vectord3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord3_ninf"))
attribute = test_node.get_attribute("outputs:a_vectord3_ninf")
db_value = database.outputs.a_vectord3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectord3_snan"))
attribute = test_node.get_attribute("outputs:a_vectord3_snan")
db_value = database.outputs.a_vectord3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf3_array_inf"))
attribute = test_node.get_attribute("outputs:a_vectorf3_array_inf")
db_value = database.outputs.a_vectorf3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf3_array_nan"))
attribute = test_node.get_attribute("outputs:a_vectorf3_array_nan")
db_value = database.outputs.a_vectorf3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_vectorf3_array_ninf")
db_value = database.outputs.a_vectorf3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf3_array_snan"))
attribute = test_node.get_attribute("outputs:a_vectorf3_array_snan")
db_value = database.outputs.a_vectorf3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf3_inf"))
attribute = test_node.get_attribute("outputs:a_vectorf3_inf")
db_value = database.outputs.a_vectorf3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf3_nan"))
attribute = test_node.get_attribute("outputs:a_vectorf3_nan")
db_value = database.outputs.a_vectorf3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf3_ninf"))
attribute = test_node.get_attribute("outputs:a_vectorf3_ninf")
db_value = database.outputs.a_vectorf3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorf3_snan"))
attribute = test_node.get_attribute("outputs:a_vectorf3_snan")
db_value = database.outputs.a_vectorf3_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh3_array_inf"))
attribute = test_node.get_attribute("outputs:a_vectorh3_array_inf")
db_value = database.outputs.a_vectorh3_array_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh3_array_nan"))
attribute = test_node.get_attribute("outputs:a_vectorh3_array_nan")
db_value = database.outputs.a_vectorh3_array_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh3_array_ninf"))
attribute = test_node.get_attribute("outputs:a_vectorh3_array_ninf")
db_value = database.outputs.a_vectorh3_array_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh3_array_snan"))
attribute = test_node.get_attribute("outputs:a_vectorh3_array_snan")
db_value = database.outputs.a_vectorh3_array_snan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh3_inf"))
attribute = test_node.get_attribute("outputs:a_vectorh3_inf")
db_value = database.outputs.a_vectorh3_inf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh3_nan"))
attribute = test_node.get_attribute("outputs:a_vectorh3_nan")
db_value = database.outputs.a_vectorh3_nan
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh3_ninf"))
attribute = test_node.get_attribute("outputs:a_vectorh3_ninf")
db_value = database.outputs.a_vectorh3_ninf
self.assertTrue(test_node.get_attribute_exists("outputs:a_vectorh3_snan"))
attribute = test_node.get_attribute("outputs:a_vectorh3_snan")
db_value = database.outputs.a_vectorh3_snan
| 239,039 |
Python
| 63.921238 | 542 | 0.666423 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/TestOgnTestTupleArrays.py
|
import omni.kit.test
import omni.graph.core as og
import omni.graph.core.tests as ogts
from omni.graph.core.tests.omnigraph_test_utils import _TestGraphAndNode
from omni.graph.core.tests.omnigraph_test_utils import _test_clear_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_setup_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_verify_scene
class TestOgn(ogts.OmniGraphTestCase):
TEST_DATA = [
{
'inputs': [
['inputs:float3Array', [[1.0, 2.0, 3.0], [2.0, 3.0, 4.0]], False],
['inputs:multiplier', 3.0, False],
],
'outputs': [
['outputs:float3Array', [[3.0, 6.0, 9.0], [6.0, 9.0, 12.0]], False],
],
},
]
async def test_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TupleArrays", "omni.graph.test.TupleArrays", test_run, test_info)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TupleArrays User test case #{i+1}")
async def test_vectorized_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TupleArrays","omni.graph.test.TupleArrays", test_run, test_info, 16)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TupleArrays User test case #{i+1}", 16)
async def test_data_access(self):
from omni.graph.test.ogn.OgnTestTupleArraysDatabase import OgnTestTupleArraysDatabase
(_, (test_node,), _, _) = og.Controller.edit("/TestGraph", {
og.Controller.Keys.CREATE_NODES: ("Template_omni_graph_test_TupleArrays", "omni.graph.test.TupleArrays")
})
database = OgnTestTupleArraysDatabase(test_node)
self.assertTrue(test_node.is_valid())
node_type_name = test_node.get_type_name()
self.assertEqual(og.GraphRegistry().get_node_type_version(node_type_name), 1)
def _attr_error(attribute: og.Attribute, usd_test: bool) -> str:
test_type = "USD Load" if usd_test else "Database Access"
return f"{node_type_name} {test_type} Test - {attribute.get_name()} value error"
self.assertTrue(test_node.get_attribute_exists("inputs:float3Array"))
attribute = test_node.get_attribute("inputs:float3Array")
db_value = database.inputs.float3Array
expected_value = []
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:multiplier"))
attribute = test_node.get_attribute("inputs:multiplier")
db_value = database.inputs.multiplier
expected_value = 1.0
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("outputs:float3Array"))
attribute = test_node.get_attribute("outputs:float3Array")
db_value = database.outputs.float3Array
| 3,534 |
Python
| 48.097222 | 174 | 0.651669 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/ogn/tests/TestOgnTestAllowedTokens.py
|
import omni.kit.test
import omni.graph.core as og
import omni.graph.core.tests as ogts
from omni.graph.core.tests.omnigraph_test_utils import _TestGraphAndNode
from omni.graph.core.tests.omnigraph_test_utils import _test_clear_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_setup_scene
from omni.graph.core.tests.omnigraph_test_utils import _test_verify_scene
class TestOgn(ogts.OmniGraphTestCase):
TEST_DATA = [
{
'inputs': [
['inputs:simpleTokens', "red", False],
['inputs:specialTokens', "<", False],
],
'outputs': [
['outputs:combinedTokens', "red<", False],
],
},
{
'inputs': [
['inputs:simpleTokens', "green", False],
['inputs:specialTokens', ">", False],
],
'outputs': [
['outputs:combinedTokens', "green>", False],
],
},
{
'inputs': [
['inputs:simpleTokens', "blue", False],
['inputs:specialTokens', "<", False],
],
'outputs': [
['outputs:combinedTokens', "blue<", False],
],
},
]
async def test_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestAllowedTokens", "omni.graph.test.TestAllowedTokens", test_run, test_info)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestAllowedTokens User test case #{i+1}")
async def test_vectorized_generated(self):
test_info = _TestGraphAndNode()
controller = og.Controller()
for i, test_run in enumerate(self.TEST_DATA):
await _test_clear_scene(self, test_run)
test_info = await _test_setup_scene(self, controller, "/TestGraph", "TestNode_omni_graph_test_TestAllowedTokens","omni.graph.test.TestAllowedTokens", test_run, test_info, 16)
await controller.evaluate(test_info.graph)
_test_verify_scene(self, controller, test_run, test_info, f"omni.graph.test.TestAllowedTokens User test case #{i+1}", 16)
async def test_data_access(self):
from omni.graph.test.ogn.OgnTestAllowedTokensDatabase import OgnTestAllowedTokensDatabase
(_, (test_node,), _, _) = og.Controller.edit("/TestGraph", {
og.Controller.Keys.CREATE_NODES: ("Template_omni_graph_test_TestAllowedTokens", "omni.graph.test.TestAllowedTokens")
})
database = OgnTestAllowedTokensDatabase(test_node)
self.assertTrue(test_node.is_valid())
node_type_name = test_node.get_type_name()
self.assertEqual(og.GraphRegistry().get_node_type_version(node_type_name), 1)
def _attr_error(attribute: og.Attribute, usd_test: bool) -> str:
test_type = "USD Load" if usd_test else "Database Access"
return f"{node_type_name} {test_type} Test - {attribute.get_name()} value error"
self.assertTrue(test_node.get_attribute_exists("inputs:simpleTokens"))
attribute = test_node.get_attribute("inputs:simpleTokens")
db_value = database.inputs.simpleTokens
expected_value = "red"
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("inputs:specialTokens"))
attribute = test_node.get_attribute("inputs:specialTokens")
db_value = database.inputs.specialTokens
expected_value = ">"
ogts.verify_values(expected_value, db_value, _attr_error(attribute, False))
self.assertTrue(test_node.get_attribute_exists("outputs:combinedTokens"))
attribute = test_node.get_attribute("outputs:combinedTokens")
db_value = database.outputs.combinedTokens
| 4,103 |
Python
| 44.6 | 186 | 0.622715 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/_impl/extension.py
|
"""Support required by the Carbonite extension loader"""
import omni.ext
from ..bindings._omni_graph_test import acquire_interface as _acquire_interface # noqa: PLE0402
from ..bindings._omni_graph_test import release_interface as _release_interface # noqa: PLE0402
class _PublicExtension(omni.ext.IExt):
"""Object that tracks the lifetime of the Python part of the extension loading"""
def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs)
self.__interface = None
def on_startup(self):
"""Set up initial conditions for the Python part of the extension"""
self.__interface = _acquire_interface()
def on_shutdown(self):
"""Shutting down this part of the extension prepares it for hot reload"""
if self.__interface is not None:
_release_interface(self.__interface)
self.__interface = None
| 899 |
Python
| 36.499998 | 96 | 0.667408 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/tests/test_rewire_exec_input.py
|
"""Tests reparenting workflows"""
import omni.graph.core as og
import omni.graph.core.tests as ogts
# ======================================================================
class TestRewireExecInput(ogts.OmniGraphTestCase):
"""Run tests that exercises execution of nodes after various connection and disconnection of attributes."""
async def test_rewire_exec_input_from_same_named_outputs(self):
"""Test making a 2nd connection to an exec input already connected to at upstream attrib of the same name."""
# Load the test scene which has:
# OnImpulse (A1) node --> (A) input of ExpectInputEnabledTest node: output (A) --> Counter (A) node.
# OnImpulse (A2) node --> (no connections)
# OnImpulse (B) node --> (B) input of same ExpectInputEnabledTestnode: output (B) --> Counter (B) node.
(result, error) = await ogts.load_test_file("TestRewireExecInput.usda", use_caller_subdirectory=True)
self.assertTrue(result, error)
impulse_a_1 = "/World/ActionGraph/on_impulse_event_A1"
impulse_a_2 = "/World/ActionGraph/on_impulse_event_A2"
impulse_b = "/World/ActionGraph/on_impulse_event_B"
counter_a = "/World/ActionGraph/counter_A"
counter_b = "/World/ActionGraph/counter_B"
exec_test_input_a = "/World/ActionGraph/execinputenabledtest.inputs:execInA"
# Ensure initial state
# Ensure the counters starts at 0
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_a)), 0)
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_b)), 0)
# Trigger impulse A1 and verify counters are (A) 1, (B) 0
og.Controller.set(og.Controller.attribute("state:enableImpulse", impulse_a_1), True)
await og.Controller.evaluate()
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_a)), 1)
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_b)), 0)
# Trigger impulse B and verify counters are (A) 1, (B) 1
og.Controller.set(og.Controller.attribute("state:enableImpulse", impulse_b), True)
await og.Controller.evaluate()
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_a)), 1)
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_b)), 1)
# Reconnect wires
# Connect OnImpulse A2 to the same (A) input of ExecInputEnabledTest node while OnImpulse A1 is still
# connected to it
keys = og.Controller.Keys
og.Controller.edit(
"/World/ActionGraph", {keys.CONNECT: [(impulse_a_2 + ".outputs:execOut", exec_test_input_a)]}
)
# Disconnect impulse A1 from the ExecInputEnabledTest node. This could have been done in 1 call to .edit()
# but this order very much matters for this bug https://nvidia-omniverse.atlassian.net/browse/OM-51679
# so extra explicitly ordering the operations for this test
og.Controller.edit(
"/World/ActionGraph", {keys.DISCONNECT: [(impulse_a_1 + ".outputs:execOut", exec_test_input_a)]}
)
# Validate the fix for ExecInputEnabledTest's (A) input being set to active
# Trigger impulse A2 and verify counters are (A) 2, (B) 1
og.Controller.set(og.Controller.attribute("state:enableImpulse", impulse_a_2), True)
await og.Controller.evaluate()
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_a)), 2)
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_b)), 1)
# Validate that (A) input is deactive such that (B) input still works
# Trigger impulse B and verify counters are (A) 2, (B) 2
og.Controller.set(og.Controller.attribute("state:enableImpulse", impulse_b), True)
await og.Controller.evaluate()
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_a)), 2)
self.assertEqual(og.Controller.get(og.Controller.attribute("state:count", counter_b)), 2)
| 4,162 |
Python
| 53.064934 | 117 | 0.666987 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/tests/test_sim_cycle_dependencies.py
|
import omni.graph.core as og
import omni.graph.core.tests as ogts
class TestSimCycleDependencies(ogts.OmniGraphTestCase):
# ----------------------------------------------------------------------
async def test_compute_counts(self):
# Create a dirty_push graph with two ConstantInt nodes feeding into
# an Add node.
(graph, (input_a, input_b, output, pynode), _, _) = og.Controller.edit(
{"graph_path": "/TestGraph", "evaluator_name": "dirty_push"},
{
og.Controller.Keys.CREATE_NODES: [
("inputA", "omni.graph.nodes.ConstantInt"),
("inputB", "omni.graph.nodes.ConstantInt"),
("output", "omni.graph.nodes.Add"),
("pyNode", "omni.graph.test.ComputeErrorPy"),
],
og.Controller.Keys.CONNECT: [
("inputA.inputs:value", "output.inputs:a"),
("inputB.inputs:value", "output.inputs:b"),
],
og.Controller.Keys.SET_VALUES: [("inputA.inputs:value", 3), ("inputB.inputs:value", 5)],
},
)
self.assertTrue(graph is not None)
self.assertTrue(graph.is_valid())
# There have been no update ticks so no computation should have happened.
self.assertEqual(input_a.get_compute_count(), 0)
self.assertEqual(input_b.get_compute_count(), 0)
self.assertEqual(output.get_compute_count(), 0)
self.assertEqual(pynode.get_compute_count(), 0)
# Wait for an update tick, then check counts.
await og.Controller.evaluate(graph)
self.assertEqual(input_a.get_compute_count(), 1)
self.assertEqual(input_b.get_compute_count(), 1)
self.assertEqual(output.get_compute_count(), 1)
self.assertEqual(pynode.get_compute_count(), 1)
# With nothing new dirtied, another tick should not change counts.
await og.Controller.evaluate(graph)
self.assertEqual(input_a.get_compute_count(), 1)
self.assertEqual(input_b.get_compute_count(), 1)
self.assertEqual(output.get_compute_count(), 1)
self.assertEqual(pynode.get_compute_count(), 1)
# This is a push graph. Pulling the output should not invoke any
# more evaluation.
sum_attr = output.get_attribute("outputs:sum")
self.assertEqual(sum_attr.get(), 8)
await og.Controller.evaluate(graph)
self.assertEqual(input_a.get_compute_count(), 1)
self.assertEqual(input_b.get_compute_count(), 1)
self.assertEqual(output.get_compute_count(), 1)
self.assertEqual(pynode.get_compute_count(), 1)
# Change input_a. Only the counts on input_a and output should change.
attr_a = input_a.get_attribute("inputs:value")
attr_a.set(9)
await og.Controller.evaluate(graph)
self.assertEqual(sum_attr.get(), 14)
self.assertEqual(input_a.get_compute_count(), 2)
self.assertEqual(input_b.get_compute_count(), 1)
self.assertEqual(output.get_compute_count(), 2)
self.assertEqual(pynode.get_compute_count(), 1)
# Manually increment the count on input_a.
self.assertEqual(input_a.increment_compute_count(), 3)
self.assertEqual(input_a.get_compute_count(), 3)
self.assertEqual(input_b.get_compute_count(), 1)
self.assertEqual(output.get_compute_count(), 2)
self.assertEqual(pynode.get_compute_count(), 1)
# Change the python node's input to make sure that its
# compute count increments during evaluate as well.
dummy_in_attr = pynode.get_attribute("inputs:dummyIn")
dummy_in_attr.set(-1)
self.assertEqual(pynode.get_compute_count(), 1)
await og.Controller.evaluate(graph)
self.assertEqual(pynode.get_compute_count(), 2)
# Manually increment the python node's counter.
self.assertEqual(pynode.increment_compute_count(), 3)
| 3,994 |
Python
| 44.397727 | 104 | 0.608162 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/tests/test_rename_and_reparent.py
|
"""Tests reparenting and renaming workflows"""
from math import isclose, nan
import omni.graph.core as og
import omni.graph.core.tests as ogts
import omni.kit.test
import omni.usd
# ======================================================================
class TestRenameAndReparent(ogts.OmniGraphTestCase):
"""Run tests that exercises the renaming and reparenting of prims involved in the graph"""
async def verify_basic_setup(self):
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
graph = omni.graph.core.get_all_graphs()[0]
await og.Controller.evaluate(graph)
# make sure the setup is working to start with:
bundle_inspector_node = og.Controller.node("/World/graph/bundle_inspector")
bundle_inspector_output_values_attr = bundle_inspector_node.get_attribute("outputs:values")
output_value = og.Controller.get(bundle_inspector_output_values_attr)
# FSD may insert other values in the output_value
def to_float(f):
try:
return float(f)
except ValueError:
return nan
# self.assertEqual(float(output_value[0]), 118.0, 0.01)
self.assertTrue(any(isclose(to_float(f), 118.0) for f in output_value))
# mutate the "size" attribute of the cube, which should get picked up by the bundle inspector down
# the line
cube_prim = stage.GetPrimAtPath("/World/Cube")
self.assertIsNotNone(cube_prim)
size_attr = cube_prim.GetAttribute("size")
self.assertIsNotNone(size_attr)
size_attr.Set(119.0)
await omni.kit.app.get_app().next_update_async()
output_value = og.Controller.get(bundle_inspector_output_values_attr)
self.assertTrue(any(isclose(to_float(f), 119.0) for f in output_value))
async def test_reparent_graph(self):
"""Test basic reparenting operations. Here we have a graph that we first reparent under 1 xform then
we create another xform and parent the first xform under that
"""
(result, error) = await ogts.load_test_file("TestBundleGraphReparent.usda", use_caller_subdirectory=True)
self.assertTrue(result, error)
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
# make sure the setup is working to start with:
await self.verify_basic_setup()
cube_prim = stage.GetPrimAtPath("/World/Cube")
size_attr = cube_prim.GetAttribute("size")
# create an xform, and parent our graph under it.
parent_xform_path = omni.usd.get_stage_next_free_path(stage, "/World/" + "parent_xform1", True)
_ = stage.DefinePrim(parent_xform_path, "Xform")
omni.kit.commands.execute("MovePrim", path_from="/World/graph", path_to="/World/parent_xform1/graph")
size_attr.Set(120.0)
await omni.kit.app.get_app().next_update_async()
# must refetch the node and attribute, as these have been destroyed by the move:
bundle_inspector_node = og.Controller.node("/World/parent_xform1/graph/bundle_inspector")
bundle_inspector_output_values_attr = bundle_inspector_node.get_attribute("outputs:values")
output_value = og.Controller.get(bundle_inspector_output_values_attr)
# make sure the graph is still working
self.assertEqual(float(output_value[0]), 120.0, 0.01)
# create another xform, and parent our previous parent xform under it.
parent_xform_path2 = omni.usd.get_stage_next_free_path(stage, "/World/" + "parent_xform2", True)
stage.DefinePrim(parent_xform_path2, "Xform")
omni.kit.commands.execute(
"MovePrim", path_from="/World/parent_xform1", path_to="/World/parent_xform2/parent_xform1"
)
size_attr.Set(121.0)
await omni.kit.app.get_app().next_update_async()
# must refetch the node and attribute, as these have been destroyed by the move:
bundle_inspector_node = og.Controller.node("/World/parent_xform2/parent_xform1/graph/bundle_inspector")
bundle_inspector_output_values_attr = bundle_inspector_node.get_attribute("outputs:values")
output_value = og.Controller.get(bundle_inspector_output_values_attr)
# make sure the graph is still working
self.assertEqual(float(output_value[0]), 121.0, 0.01)
async def test_simple_rename(self):
(result, error) = await ogts.load_test_file("TestBundleGraphReparent.usda", use_caller_subdirectory=True)
self.assertTrue(result, error)
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
# make sure the setup is working to start with:
await self.verify_basic_setup()
cube_prim = stage.GetPrimAtPath("/World/Cube")
size_attr = cube_prim.GetAttribute("size")
# try renaming the graph:
omni.kit.commands.execute("MovePrim", path_from="/World/graph", path_to="/World/graph_renamed")
size_attr.Set(120.0)
await omni.kit.app.get_app().next_update_async()
# must refetch the node and attribute, as these have been destroyed by the move:
bundle_inspector_node = og.Controller.node("/World/graph_renamed/bundle_inspector")
bundle_inspector_output_values_attr = bundle_inspector_node.get_attribute("outputs:values")
output_value = og.Controller.get(bundle_inspector_output_values_attr)
# make sure the graph is still working
self.assertEqual(float(output_value[0]), 120.0, 0.01)
# try renaming a node within the graph:
omni.kit.commands.execute(
"MovePrim",
path_from="/World/graph_renamed/bundle_inspector",
path_to="/World/graph_renamed/bundle_inspector_renamed",
)
size_attr.Set(121.0)
await omni.kit.app.get_app().next_update_async()
# must refetch the node and attribute, as these have been destroyed by the move:
bundle_inspector_node = og.Controller.node("/World/graph_renamed/bundle_inspector_renamed")
bundle_inspector_output_values_attr = bundle_inspector_node.get_attribute("outputs:values")
output_value = og.Controller.get(bundle_inspector_output_values_attr)
# make sure the graph is still working
self.assertEqual(float(output_value[0]), 121.0, 0.01)
async def test_reparent_primnode(self):
"""Test reparenting of prim nodes, which, because of all the special case handling needs its own test"""
(result, error) = await ogts.load_test_file("TestBundleGraphReparent.usda", use_caller_subdirectory=True)
self.assertTrue(result, error)
controller = og.Controller()
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
# make sure the setup is working to start with:
await self.verify_basic_setup()
# verify bundle inspector is reading cube attribs
count = og.Controller.get(controller.attribute("outputs:count", "/World/graph/bundle_inspector"))
self.assertGreaterEqual(count, 9)
# create an xform, and parent our graph under it.
parent_xform_path = omni.usd.get_stage_next_free_path(stage, "/World/" + "parent_xform1", True)
_ = stage.DefinePrim(parent_xform_path, "Xform")
omni.kit.commands.execute("MovePrim", path_from="/World/Cube", path_to="/World/parent_xform1/Cube")
await controller.evaluate()
# check that bundle inspector is still functional
count = og.Controller.get(controller.attribute("outputs:count", "/World/graph/bundle_inspector"))
self.assertGreaterEqual(count, 9)
| 7,672 |
Python
| 46.364197 | 113 | 0.661887 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/tests/test_bugs.py
|
"""Test cases reproducing bugs that need to be fixed"""
import os
import tempfile
import omni.graph.core as og
import omni.graph.core.tests as ogts
import omni.kit.test
import omni.usd
from omni.kit import commands as kit_commands
# ======================================================================
class TestBugs(ogts.OmniGraphTestCase):
"""Run a simple unit test that exercises graph functionality"""
TEST_GRAPH_PATH = "/World/TestGraph"
# ----------------------------------------------------------------------
async def test_om_29829(self):
"""Undo of a connect raises a pxr.Tf.ErrorException"""
controller = og.Controller()
keys = og.Controller.Keys
controller.edit(
self.TEST_GRAPH_PATH,
{
keys.CREATE_NODES: [
("SrcNode", "omni.graph.tutorials.ArrayData"),
("DstNode", "omni.graph.tutorials.ArrayData"),
],
keys.CONNECT: ("SrcNode.outputs:result", "DstNode.inputs:original"),
},
)
(success, error) = kit_commands.execute("Undo")
self.assertTrue(success, f"Failed to process an undo - {error}")
# ----------------------------------------------------------------------
async def test_crash_on_reload_referenced_og(self):
"""Tests OM-41534"""
context = omni.usd.get_context()
(result, error) = await ogts.load_test_file("ReferenceMaster.usd", use_caller_subdirectory=True)
self.assertTrue(result, f"{error}")
n_graphs = len(og.get_all_graphs())
await context.reopen_stage_async()
await omni.kit.app.get_app().next_update_async()
# Verify we have the expected number of graphs
graphs = og.get_all_graphs()
self.assertEqual(len(graphs), n_graphs, f"{graphs}")
# ----------------------------------------------------------------------
async def test_get_node_type(self):
"""OM-41093: Test that node types returned from get_node_type match the actual underlying node type"""
controller = og.Controller()
keys = og.Controller.Keys
# One of each type of node is sufficient for the test as implementation is consistent for .ogn nodes
python_node_type = "omni.graph.test.TupleArrays"
cpp_node_type = "omni.graph.test.TypeResolution"
(_, (python_node, cpp_node), _, _) = controller.edit(
self.TEST_GRAPH_PATH,
{
keys.CREATE_NODES: [
("PythonNode", python_node_type),
("CppNode", cpp_node_type),
]
},
)
self.assertEqual(python_node.get_node_type().get_node_type(), python_node_type)
self.assertEqual(cpp_node.get_node_type().get_node_type(), cpp_node_type)
# ----------------------------------------------------------------------
async def test_duplicate_graph(self):
"""OM-41661: Tests that ComputeGraph can be duplicated"""
(result, error) = await ogts.load_test_file("ReferencedGraph.usd", use_caller_subdirectory=True)
context = omni.usd.get_context()
stage = context.get_stage()
self.assertTrue(result, f"{error}")
graphs_list_1 = og.get_all_graphs()
n_graphs = len(graphs_list_1)
old_prim_path = "/World/PushGraph"
old_prim = stage.GetPrimAtPath(old_prim_path)
self.assertTrue(old_prim.IsValid())
new_prim_path = omni.usd.get_stage_next_free_path(stage, old_prim_path, False)
omni.kit.commands.execute("CopyPrim", path_from=old_prim_path, path_to=new_prim_path, exclusive_select=False)
await omni.kit.app.get_app().next_update_async()
new_prim = stage.GetPrimAtPath(new_prim_path)
self.assertTrue(new_prim.IsValid())
# Verify we have the expected number of graphs
graphs_list_2 = og.get_all_graphs()
self.assertGreater(len(graphs_list_2), n_graphs, f"{graphs_list_2}")
# OM-43564: Temporarily comment out the test below
# new_graph = next((g for g in graphs_list_2 if g.get_path_to_graph() == "/World/PushGraph_01"))
# Verify that it is being evaluated
# controller = og.Controller(og.Controller.attribute(f"{new_prim_path}/on_tick.outputs:timeSinceStart"))
# t0 = controller.get()
# await controller.evaluate(new_graph)
# t1 = controller.get()
# self.assertGreater(t1, t0)
# ----------------------------------------------------------------------
async def test_delete_graphs(self):
"""OM-42006: Tests that ComputeGraph can be deleted"""
(result, error) = await ogts.load_test_file("ReferencedGraph.usd", use_caller_subdirectory=True)
context = omni.usd.get_context()
stage = context.get_stage()
self.assertTrue(result, f"{error}")
graphs_list_1 = og.get_all_graphs()
n_graphs = len(graphs_list_1)
src_prim_path = "/World/PushGraph"
self.assertTrue(stage.GetPrimAtPath(src_prim_path).IsValid())
new_prim_paths = []
# Make a bunch of copies of our graph and then delete them
for _ in range(10):
new_prim_paths.append(omni.usd.get_stage_next_free_path(stage, src_prim_path, False))
omni.kit.commands.execute(
"CopyPrim", path_from=src_prim_path, path_to=new_prim_paths[-1], exclusive_select=False
)
await omni.kit.app.get_app().next_update_async()
new_graphs = [og.get_graph_by_path(p) for p in new_prim_paths]
for g in new_graphs:
self.assertTrue(g)
graphs_list_2 = og.get_all_graphs()
self.assertEqual(len(graphs_list_2), n_graphs + len(new_prim_paths), f"{graphs_list_2}")
# Delete all but the last 2 copies
omni.kit.commands.execute("DeletePrims", paths=new_prim_paths[0:-2])
# verify prims are gone and graphs have been invalidated
for new_prim_path in new_prim_paths[0:-2]:
self.assertFalse(stage.GetPrimAtPath(new_prim_path).IsValid())
for g in new_graphs[0:-2]:
self.assertFalse(g)
# Verify we have the expected number of graphs
graphs_list_3 = og.get_all_graphs()
self.assertEqual(len(graphs_list_3), n_graphs + 2, f"{graphs_list_3}")
# Now delete nodes from within the last 2
nodes_to_delete = [p + "/write_prim_attribute" for p in new_prim_paths[-2:]] + [
p + "/on_tick" for p in new_prim_paths[-2:]
]
omni.kit.commands.execute("DeletePrims", paths=nodes_to_delete)
# Check they are gone
for p in nodes_to_delete:
self.assertFalse(stage.GetPrimAtPath(p).IsValid())
for p in new_prim_paths[-2:]:
graph = og.get_graph_by_path(p)
self.assertTrue(graph)
self.assertFalse(graph.get_node("write_prim_attribute"))
self.assertFalse(graph.get_node("on_tick"))
# ----------------------------------------------------------------------
async def test_om_43741(self):
"""Unresolved optional extended attribute fails to run compute"""
keys = og.Controller.Keys
controller = og.Controller()
(graph, (test_node, _, _), _, _) = controller.edit(
self.TEST_GRAPH_PATH,
{
keys.CREATE_NODES: [
("TestNode", "omni.graph.test.TestOptionalExtendedAttribute"),
("Input", "omni.graph.nodes.ConstantInt"),
("Output", "omni.graph.tutorials.SimpleData"),
],
keys.SET_VALUES: [
("Input.inputs:value", 5),
("Output.inputs:a_int", 11),
],
},
)
await controller.evaluate(graph)
result_other = og.Controller.attribute("outputs:other", test_node)
result_optional = og.Controller.attribute("outputs:optional", test_node)
# With nothing connected the node should run the compute on the "other" attributes
self.assertEqual(3, result_other.get(), "No connections")
with self.assertRaises(TypeError):
result_optional.get()
# With just the input connected neither output should be computed
controller.edit(graph, {keys.CONNECT: ("Input.inputs:value", "TestNode.inputs:optional")})
await controller.evaluate(graph)
self.assertEqual(10, result_other.get(), "Only input connected")
with self.assertRaises(TypeError):
result_optional.get()
# With input and output connected the optional output should be computed
controller.edit(
graph,
{
keys.CONNECT: ("TestNode.outputs:optional", "Output.inputs:a_int"),
},
)
await controller.evaluate(graph)
self.assertEqual(10, result_other.get(), "Both input and output connected")
self.assertEqual(5, result_optional.get(), "Both input and output connected")
# ----------------------------------------------------------------------
async def test_delete_graphs_by_parent(self):
"""OM-45753: Tests that OmniGraphs are cleaned up when their parent is deleted"""
context = omni.usd.get_context()
stage = context.get_stage()
cube_prim = stage.DefinePrim("/World/Cube", "Cube")
cube2_prim = stage.DefinePrim("/World/Cube2", "Cube")
graph1_path = "/World/Cube/TestGraph1"
graph2_path = "/World/Cube/TestGraph2"
keys = og.Controller.Keys
controller1 = og.Controller()
(graph1, nodes1, _, _) = controller1.edit(
graph1_path,
{
keys.CREATE_NODES: [
("Input", "omni.graph.nodes.ConstantInt"),
],
keys.SET_VALUES: [
("Input.inputs:value", 1),
],
},
)
await controller1.evaluate(graph1)
controller2 = og.Controller()
(graph2, _, _, _) = controller2.edit(
graph2_path,
{
keys.CREATE_NODES: [
("Input", "omni.graph.nodes.ConstantInt"),
],
keys.SET_VALUES: [
("Input.inputs:value", 2),
],
},
)
await controller2.evaluate(graph2)
# verify we don't screw up when a sibling is deleted
omni.kit.commands.execute("DeletePrims", paths=[cube2_prim.GetPath().pathString, nodes1[0].get_prim_path()])
self.assertTrue(graph1)
graphs = og.get_all_graphs()
self.assertEqual(2, len(graphs))
# delete the parent prim and verify OG graph is gone and our graph wrapper has been invalidated
omni.kit.commands.execute("DeletePrims", paths=[cube_prim.GetPath().pathString])
self.assertFalse(stage.GetPrimAtPath(graph1_path).IsValid())
self.assertFalse(stage.GetPrimAtPath(graph2_path).IsValid())
graphs = og.get_all_graphs()
self.assertEqual(0, len(graphs))
self.assertFalse(graph1)
self.assertFalse(graph2)
# ----------------------------------------------------------------------
async def test_graphs_in_sublayer_load(self):
"""OM-46106:Tests the graphs located in added sublayers are correct loaded"""
self.assertEqual(len(og.get_all_graphs_and_subgraphs()), 0)
# insert a new layer with a single graph
await ogts.insert_sublayer("TestGraphVariables.usda", True)
self.assertEqual(len(og.get_all_graphs_and_subgraphs()), 1)
# insert another layer containing multiple graphs
await ogts.insert_sublayer("TestObjectIdentification.usda", True)
self.assertEqual(len(og.get_all_graphs_and_subgraphs()), 7)
# ----------------------------------------------------------------------
async def test_om_70414(self):
"""
Regression tests that loading a file with a non-zero start time doesn't
crash on load.
This can cause a simulation update without a stage attached.
"""
(result, error) = await ogts.load_test_file("TestOM70414.usda", use_caller_subdirectory=True)
self.assertTrue(result, f"{error}")
# ----------------------------------------------------------------------
async def test_om_73311(self):
"""Test that validates a resolved string using omni:graph:attrValue is accessable through the API"""
(result, error) = await ogts.load_test_file("TestResolvedString.usda", use_caller_subdirectory=True)
self.assertTrue(result, f"{error}")
self.assertTrue(og.get_graph_by_path("/World/Graph").is_valid())
self.assertTrue(og.Controller.node("/World/Graph/write_prim").is_valid())
attribute = og.Controller.attribute("/World/Graph/write_prim.inputs:value")
self.assertEquals(og.Controller.get(attribute), "chocolateChip")
# ----------------------------------------------------------------------
async def test_om_83905_token_array_crash(self):
"""Test that copying token array when restoring saved, unresolved values doesn't crash"""
controller = og.Controller()
keys = og.Controller.Keys
(graph, (node,), _, _) = controller.edit(
"/TestGraph",
{
keys.CREATE_NODES: [("ToString", "omni.graph.nodes.ToString")],
keys.CREATE_PRIMS: [("/Prim1", {}), ("/Prim2", {})],
keys.SET_VALUES: [("ToString.inputs:value", {"type": "token[]", "value": ["/Prim1", "/Prim2"]})],
},
)
await controller.evaluate(graph)
attr = node.get_attribute("inputs:value")
self.assertEqual(attr.get(), ["/Prim1", "/Prim2"])
# Save and reload this file
with tempfile.TemporaryDirectory() as tmp_dir_name:
tmp_file_path = os.path.join(tmp_dir_name, "tmp.usda")
result = omni.usd.get_context().save_as_stage(tmp_file_path)
self.assertTrue(result)
# refresh the stage
await omni.usd.get_context().new_stage_async()
# reload
(result, error) = await ogts.load_test_file(str(tmp_file_path))
self.assertTrue(result, error)
node = og.get_node_by_path("/TestGraph/ToString")
attr = node.get_attribute("inputs:value")
self.assertEqual(attr.get(), ["/Prim1", "/Prim2"])
| 14,545 |
Python
| 42.550898 | 117 | 0.561155 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/tests/test_omnigraph_examples.py
|
import math
import re
import omni.graph.core as og
import omni.graph.core.tests as ogts
import omni.kit.test
import omni.timeline
import omni.usd
from pxr import Gf, Sdf, UsdGeom
def example_deformer1(input_point, width, height, freq):
tx = freq * (input_point[0] - width) / width
ty = 1.5 * freq * (input_point[1] - width) / width
return Gf.Vec3f(input_point[0], input_point[1], input_point[2] + height * (math.sin(tx) + math.cos(ty)))
def example_deformer2(input_point, threshold):
return Gf.Vec3f(input_point[0], input_point[1], min(input_point[2], threshold))
class TestOmniGraphExamples(ogts.OmniGraphTestCase):
async def verify_example_deformer(self, deformer_path: str = "/defaultPrim/testDeformer"):
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
controller = og.Controller()
input_grid = stage.GetPrimAtPath("/defaultPrim/inputGrid")
self.assertEqual(input_grid.GetTypeName(), "Mesh")
input_points_attr = input_grid.GetAttribute("points")
self.assertIsNotNone(input_points_attr)
output_grid = stage.GetPrimAtPath("/defaultPrim/outputGrid")
self.assertEqual(output_grid.GetTypeName(), "Mesh")
output_points_attr = output_grid.GetAttribute("points")
self.assertIsNotNone(output_points_attr)
test_deformer = stage.GetPrimAtPath(deformer_path)
multiplier_attr = test_deformer.GetAttribute("inputs:multiplier")
wavelength_attr = test_deformer.GetAttribute("inputs:wavelength")
multiplier = multiplier_attr.Get()
width = 310.0
if wavelength_attr:
wavelength = wavelength_attr.Get()
if wavelength:
width = wavelength
height = multiplier * 10.0
freq = 10.0
# check that the deformer applies the correct deformation
input_points = input_points_attr.Get()
output_points = output_points_attr.Get()
for input_point, output_point in zip(input_points, output_points):
point = example_deformer1(input_point, width, height, freq)
self.assertEqual(point[0], output_point[0])
self.assertEqual(point[1], output_point[1])
# verify that the z-coordinates computed by the test and the deformer match to three decimal places
self.assertAlmostEqual(point[2], output_point[2], 3)
# need to wait for next update to propagate the attribute change from USD
multiplier_attr_set = multiplier_attr.Set(0.0)
self.assertTrue(multiplier_attr_set)
await controller.evaluate()
# check that the deformer with a zero multiplier leaves the grid undeformed
input_points = input_points_attr.Get()
output_points = output_points_attr.Get()
for input_point, output_point in zip(input_points, output_points):
self.assertEqual(input_point, output_point)
# ----------------------------------------------------------------------
async def do_example_deformer(self, with_cuda):
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
(input_grid, output_grid) = ogts.create_input_and_output_grid_meshes(stage)
input_points_attr = input_grid.GetPointsAttr()
output_points_attr = output_grid.GetPointsAttr()
keys = og.Controller.Keys
controller = og.Controller()
(graph, _, _, _) = controller.edit(
"/defaultPrim/PushGraph",
{
keys.CREATE_NODES: [
("ReadPoints", "omni.graph.nodes.ReadPrimAttribute"),
("WritePoints", "omni.graph.nodes.WritePrimAttribute"),
("testDeformer", f"omni.graph.examples.cpp.{'Deformer1Gpu' if with_cuda else 'Deformer1'}"),
],
keys.SET_VALUES: [
("ReadPoints.inputs:name", input_points_attr.GetName()),
("ReadPoints.inputs:primPath", "/defaultPrim/inputGrid"),
("ReadPoints.inputs:usePath", True),
("WritePoints.inputs:name", output_points_attr.GetName()),
("WritePoints.inputs:primPath", "/defaultPrim/outputGrid"),
("WritePoints.inputs:usePath", True),
("testDeformer.inputs:multiplier", 3.0),
("testDeformer.inputs:wavelength", 310.0),
],
},
)
controller.edit(
"/defaultPrim/PushGraph",
{
keys.CONNECT: [
("ReadPoints.outputs:value", "testDeformer.inputs:points"),
("testDeformer.outputs:points", "WritePoints.inputs:value"),
]
},
)
# Wait for USD notice handler to construct the underlying compute graph. Calls it twice because on the first
# pass the node additions will be deferred, to ensure that the graph is completely set up when they are added.
await controller.evaluate(graph)
await self.verify_example_deformer("/defaultPrim/PushGraph/testDeformer")
# ----------------------------------------------------------------------
async def test_example_deformer_gpu(self):
await self.do_example_deformer(True)
# ----------------------------------------------------------------------
async def test_example_deformer(self):
await self.do_example_deformer(False)
# ----------------------------------------------------------------------
async def test_three_deformers_dirty_push(self):
(result, error) = await og.load_example_file("ExampleThreeDeformersDirtyPush.usda")
self.assertTrue(result, error)
controller = og.Controller()
graph_path = "/World/DirtyPushGraph"
stage = omni.usd.get_context().get_stage()
input_grid = stage.GetPrimAtPath("/World/inputGrid")
self.assertEqual(input_grid.GetTypeName(), "Mesh")
input_points_attr = input_grid.GetAttribute("points")
self.assertIsNotNone(input_points_attr)
output_grid = stage.GetPrimAtPath("/World/outputGrid")
self.assertEqual(output_grid.GetTypeName(), "Mesh")
output_points_attr = output_grid.GetAttribute("points")
self.assertIsNotNone(output_points_attr)
deformer1 = stage.GetPrimAtPath(f"{graph_path}/deformer1")
multiplier_attr1 = deformer1.GetAttribute("inputs:multiplier")
wavelength_attr1 = deformer1.GetAttribute("inputs:wavelength")
multiplier1 = multiplier_attr1.Get()
width1 = 1.0
if wavelength_attr1:
wavelength1 = wavelength_attr1.Get()
if wavelength1:
width1 = wavelength1
height1 = multiplier1 * 10.0
deformer2 = stage.GetPrimAtPath(f"{graph_path}/deformer2")
multiplier_attr2 = deformer2.GetAttribute("inputs:multiplier")
wavelength_attr2 = deformer2.GetAttribute("inputs:wavelength")
multiplier2 = multiplier_attr2.Get()
width2 = 1.0
if wavelength_attr2:
wavelength2 = wavelength_attr2.Get()
if wavelength2:
width2 = wavelength2
height2 = multiplier2 * 10.0
deformer3 = stage.GetPrimAtPath(f"{graph_path}/deformer3")
threshold_attr3 = deformer3.GetAttribute("inputs:threshold")
threshold3 = threshold_attr3.Get()
freq = 10.0
# check that the chained deformers apply the correct deformation
input_points = input_points_attr.Get()
output_points = output_points_attr.Get()
for input_point, output_point in zip(input_points, output_points):
point = example_deformer1(input_point, width1, height1, freq)
point = example_deformer1(point, width2, height2, freq)
point = example_deformer2(point, threshold3)
self.assertEqual(point[0], output_point[0])
self.assertEqual(point[1], output_point[1])
# verify that the z-coordinates computed by the test and the deformers match to four decimal places
self.assertAlmostEqual(point[2], output_point[2], 4)
# need to wait for next update to propagate the attribute change from USD
multiplier_attr1.Set(0.0)
multiplier_attr2.Set(0.0)
threshold_attr3.Set(999.0)
await controller.evaluate()
await omni.kit.app.get_app().next_update_async()
# check that the deformers leave the grid un-deformed
input_points = input_points_attr.Get()
output_points = output_points_attr.Get()
for input_point, output_point in zip(input_points, output_points):
self.assertEqual(input_point, output_point)
async def verify_inverse_kinematics(self):
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
controller = og.Controller()
ref_transform = Gf.Matrix4d()
ref_transform.SetIdentity()
# Verify initial configuration where the end effector is at the goal position
goal_sphere = UsdGeom.Sphere(stage.GetPrimAtPath("/Goal"))
goal_transform = goal_sphere.GetLocalTransformation()
ref_transform.SetTranslate(Gf.Vec3d(0, 0, 2))
self.assertEqual(goal_transform, ref_transform)
joint_paths = ["/Hip", "/Knee", "/Ankle"]
for i, joint_path in enumerate(joint_paths):
joint_cube = UsdGeom.Cube(stage.GetPrimAtPath(joint_path))
joint_transform = joint_cube.GetLocalTransformation()
ref_transform.SetTranslate(Gf.Vec3d(0, 0, 6 - 2 * i))
self.assertEqual(joint_transform, ref_transform)
# Move the goal outside of the reachable space of the end effector. Verify that the end effector
# doesn't move.
goal_translate_op = goal_sphere.AddTranslateOp()
goal_translate_op_set = goal_translate_op.Set(Gf.Vec3d(0, 0, -2))
self.assertTrue(goal_translate_op_set)
await controller.evaluate()
for i, joint_path in enumerate(joint_paths):
joint_cube = UsdGeom.Cube(stage.GetPrimAtPath(joint_path))
joint_transform = joint_cube.GetLocalTransformation()
ref_transform.SetTranslate(Gf.Vec3d(0, 0, 6 - 2 * i))
self.assertEqual(joint_transform, ref_transform)
async def test_inverse_kinematics(self):
(result, error) = await og.load_example_file("ExampleIK.usda")
self.assertTrue(result, error)
await self.verify_inverse_kinematics()
async def test_update_node_version(self):
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
controller = og.Controller()
(input_grid, output_grid) = ogts.create_input_and_output_grid_meshes(stage)
input_points_attr = input_grid.GetPointsAttr()
output_points_attr = output_grid.GetPointsAttr()
keys = og.Controller.Keys
controller = og.Controller()
(push_graph, _, _, _) = controller.edit(
"/defaultPrim/pushGraph",
{
keys.CREATE_NODES: [
("ReadPoints", "omni.graph.nodes.ReadPrimAttribute"),
("WritePoints", "omni.graph.nodes.WritePrimAttribute"),
],
keys.SET_VALUES: [
("ReadPoints.inputs:name", input_points_attr.GetName()),
("ReadPoints.inputs:primPath", "/defaultPrim/inputGrid"),
("ReadPoints.inputs:usePath", True),
("WritePoints.inputs:name", output_points_attr.GetName()),
("WritePoints.inputs:primPath", "/defaultPrim/outputGrid"),
("WritePoints.inputs:usePath", True),
],
},
)
test_deformer = stage.DefinePrim("/defaultPrim/pushGraph/testVersionedDeformer", "OmniGraphNode")
test_deformer.GetAttribute("node:type").Set("omni.graph.examples.cpp.VersionedDeformer")
test_deformer.GetAttribute("node:typeVersion").Set(0)
deformer_input_points = test_deformer.CreateAttribute("inputs:points", Sdf.ValueTypeNames.Point3fArray)
deformer_input_points.Set([(0, 0, 0)] * 1024)
deformer_output_points = test_deformer.CreateAttribute("outputs:points", Sdf.ValueTypeNames.Point3fArray)
deformer_output_points.Set([(0, 0, 0)] * 1024)
multiplier_attr = test_deformer.CreateAttribute("multiplier", Sdf.ValueTypeNames.Float)
multiplier_attr.Set(3)
await controller.evaluate()
controller.edit(
push_graph,
{
keys.CONNECT: [
("ReadPoints.outputs:value", deformer_input_points.GetPath().pathString),
(deformer_output_points.GetPath().pathString, "WritePoints.inputs:value"),
]
},
)
# Wait for USD notice handler to construct the underlying compute graph
await controller.evaluate()
# Node version update happens as the nodes are constructed and checked against the node type
multiplier_attr = test_deformer.GetAttribute("multiplier")
self.assertFalse(multiplier_attr.IsValid())
wavelength_attr = test_deformer.GetAttribute("inputs:wavelength")
self.assertIsNotNone(wavelength_attr)
self.assertEqual(wavelength_attr.GetTypeName(), Sdf.ValueTypeNames.Float)
# attrib value should be initialized to 50
og_attr = controller.node("/defaultPrim/pushGraph/testVersionedDeformer").get_attribute("inputs:wavelength")
self.assertEqual(og_attr.get(), 50.0)
async def test_multiple_deformers(self):
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
controller = og.Controller()
keys = controller.Keys
push_graph = stage.DefinePrim("/defaultPrim/pushGraph", "OmniGraph")
push_graph.CreateAttribute("graph:name", Sdf.ValueTypeNames.Token).Set("pushgraph")
input_grid = ogts.create_grid_mesh(
stage, "/defaultPrim/inputGrid", counts=(32, 32), display_color=(0.2784314, 0.64705884, 1)
)
input_points_attr = input_grid.GetPointsAttr()
output_grids = [
ogts.create_grid_mesh(
stage, f"/defaultPrim/outputGrid{i}", counts=(32, 32), display_color=(0.784314, 0.64705884, 0.1)
)
for i in range(4)
]
prims_to_expose = [(og.Controller.PrimExposureType.AS_ATTRIBUTES, "/defaultPrim/inputGrid", "InputGrid")] + [
(og.Controller.PrimExposureType.AS_WRITABLE, f"/defaultPrim/outputGrid{i}", f"OutputGrid{i}")
for i in range(4)
]
(graph, _, _, _) = controller.edit(
"/DeformerGraph",
{
keys.CREATE_NODES: [(f"deformer{i}", "omni.graph.examples.cpp.Deformer1") for i in range(4)],
keys.EXPOSE_PRIMS: prims_to_expose,
keys.SET_VALUES: [(f"deformer{i}.inputs:multiplier", i) for i in range(4)]
+ [(f"deformer{i}.inputs:wavelength", 310.0) for i in range(4)],
},
)
# Wait for USD notice handler to construct the underlying compute graph and resolve the output types
await controller.evaluate()
await omni.kit.app.get_app().next_update_async()
controller.edit(
graph,
{
keys.CONNECT: [("InputGrid.outputs:points", f"deformer{i}.inputs:points") for i in range(4)]
+ [(f"deformer{i}.outputs:points", f"OutputGrid{i}.inputs:points") for i in range(4)]
},
)
await controller.evaluate()
width = 310.0
freq = 10.0
# # Check that the deformer applies the correct deformation
input_points = input_points_attr.Get()
for i, output_grid in enumerate(output_grids):
height = 10.0 * i
output_points = output_grid.GetPointsAttr().Get()
for input_point, output_point in zip(input_points, output_points):
point = example_deformer1(input_point, width, height, freq)
self.assertEqual(point[0], output_point[0])
self.assertEqual(point[1], output_point[1])
# verify that the z-coordinates computed by the test and the deformer match to three decimal places
self.assertAlmostEqual(point[2], output_point[2], 3)
# ----------------------------------------------------------------------
async def test_create_all_builtins(self):
"""Test state after manually creating a graph with one of each builtin node type"""
all_builtin_types = [
node_type_name for node_type_name in og.get_registered_nodes() if node_type_name.startswith("omni.graph")
]
stage = omni.usd.get_context().get_stage()
re_bare_name = re.compile(r"([^\.]*)$")
def builtin_name(builtin_type):
"""Return a canonical node name for the builtin node type name"""
builtin_match = re_bare_name.search(builtin_type)
if builtin_match:
return f"{builtin_match.group(1)[0].upper()}{builtin_match.group(1)[1:]}".replace(".", "")
return f"{builtin_type.upper()}".replace(".", "")
all_builtin_names = [builtin_name(name) for name in all_builtin_types]
og.Controller.create_graph("/BuiltinsGraph")
for node_name, node_type in zip(all_builtin_names, all_builtin_types):
path = omni.usd.get_stage_next_free_path(stage, "/BuiltinsGraph/" + node_name, True)
_ = og.GraphController.create_node(path, node_type)
new_prim = stage.GetPrimAtPath(path)
self.assertIsNotNone(new_prim)
# Delete all of the nodes before the compute graph is created as some of the nodes
# rely on more detailed initialization to avoid crashing.
await omni.kit.stage_templates.new_stage_async()
# ----------------------------------------------------------------------
async def test_registered_node_types(self):
registered_nodes = og.get_registered_nodes()
self.assertGreater(len(registered_nodes), 0)
# Check for a known type to see we are returning a sensible list of registered types
self.assertEqual("omni.graph.tutorials.SimpleData" in registered_nodes, True)
| 18,425 |
Python
| 45.065 | 118 | 0.608141 |
omniverse-code/kit/exts/omni.graph.test/omni/graph/test/tests/test_gather_scatter.py
|
"""Basic tests of the compute graph"""
import unittest
import omni.graph.core as og
import omni.graph.core.tests as ogts
import omni.kit.test
import omni.usd
from pxr import Gf, UsdGeom
# ======================================================================
class TestGatherScatter(ogts.OmniGraphTestCase):
"""Run tests that exercises gather / scatter functionality"""
TEST_GRAPH_PATH = "/World/TestGraph"
# ----------------------------------------------------------------------
@unittest.skip("Crashes on Linux")
async def test_simple_gather_scatter(self):
"""
Basic idea of the test: we have two cubes in the scene. We gather their translation and velocity
attributes, bounce them per frame, and then scatter the resulting position back to the cubes
"""
with og.Settings.temporary(og.USE_SCHEMA_PRIMS_SETTING, True):
with og.Settings.temporary(og.ALLOW_IMPLICIT_GRAPH_SETTING, True):
(result, error) = await ogts.load_test_file(
"TestBounceGatherScatter.usda", use_caller_subdirectory=True
)
self.assertTrue(result, str(error))
graph = omni.graph.core.get_current_graph()
box0_node = graph.get_node("/Stage/box_0_0")
translate_attr = box0_node.get_attribute("xformOp:translate")
translate = og.Controller.get(translate_attr)
# ! must cache the value as translate is a reference so will automatically be mutated by the next frame
t0 = translate[2]
await omni.kit.app.get_app().next_update_async()
translate = og.Controller.get(translate_attr)
diff = abs(translate[2] - t0)
self.assertGreater(diff, 0.0)
# ----------------------------------------------------------------------
async def test_gather_by_path(self):
"""
Basic idea of the test: we have three cubes in the scene. We use a node to query their paths by type,
then we feed this to the gather by path node, which vectorizes the data. Finally the vectorized data is
passed to a sample bounce node that does not use bundles. Instead it relies on the bucketId passed down
to bounce the cubes.
"""
with og.Settings.temporary(og.Settings.UPDATE_TO_USD, True):
(result, error) = await ogts.load_test_file("TestGatherByPath.usda", use_caller_subdirectory=True)
self.assertTrue(result, str(error))
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
cube_prim = stage.GetPrimAtPath("/World/Cube_00")
cube_translate_attr = cube_prim.GetAttribute("xformOp:translate")
t0 = cube_translate_attr.Get()[2]
await omni.kit.app.get_app().next_update_async()
t1 = cube_translate_attr.Get()[2]
diff = abs(t1 - t0)
self.assertGreater(diff, 0.0)
# ----------------------------------------------------------------------
async def test_gatherprototype_set_gathered_attribute(self):
"""Tests the SetGatheredAttribute node, part of GatherPrototype"""
controller = og.Controller()
keys = og.Controller.Keys
(graph, (test_set_node, _, _, _), (_, xform1, xform2, xform_tagged1, _), _,) = controller.edit(
self.TEST_GRAPH_PATH,
{
keys.CREATE_NODES: [
("TestSet", "omni.graph.nodes.SetGatheredAttribute"),
("GatherByPath", "omni.graph.nodes.GatherByPath"),
],
keys.CREATE_PRIMS: [
("Empty", {}),
("Xform1", {"_translate": ("pointd[3]", [0, 0, 0])}),
("Xform2", {"_translate": ("pointd[3]", [0, 0, 0])}),
("XformTagged1", {"foo": ("token", ""), "_translate": ("pointd[3]", [0, 0, 0])}),
("Tagged1", {"foo": ("token", "")}),
],
keys.EXPOSE_PRIMS: [
(og.Controller.PrimExposureType.AS_WRITABLE, "/Xform1", "Write1"),
(og.Controller.PrimExposureType.AS_WRITABLE, "/Xform2", "Write2"),
],
keys.CONNECT: ("GatherByPath.outputs:gatherId", "TestSet.inputs:gatherId"),
keys.SET_VALUES: [
("GatherByPath.inputs:primPaths", ["/Xform1", "/Xform2"]),
("GatherByPath.inputs:attributes", "_translate"),
("GatherByPath.inputs:allAttributes", False),
("GatherByPath.inputs:shouldWriteBack", True),
("TestSet.inputs:name", "_translate"),
("TestSet.inputs:value", [[1, 2, 3], [4, 5, 6]], "double[3][]"),
],
},
)
await controller.evaluate(graph)
self.assertEqual(
Gf.Vec3d(*og.Controller.get(controller.attribute("inputs:value", test_set_node))[0]), Gf.Vec3d(1, 2, 3)
)
self.assertEqual(
Gf.Vec3d(*og.Controller.get(controller.attribute("inputs:value", test_set_node))[1]), Gf.Vec3d(4, 5, 6)
)
self.assertEqual(Gf.Vec3d(*xform1.GetAttribute("_translate").Get()), Gf.Vec3d(1, 2, 3))
self.assertEqual(Gf.Vec3d(*xform2.GetAttribute("_translate").Get()), Gf.Vec3d(4, 5, 6))
self.assertEqual(Gf.Vec3d(*xform_tagged1.GetAttribute("_translate").Get()), Gf.Vec3d(0, 0, 0))
# Test write mask
controller.edit(
self.TEST_GRAPH_PATH,
{
keys.SET_VALUES: [
("TestSet.inputs:mask", [True, False]),
("TestSet.inputs:value", [[0, 0, 0], [0, 0, 0]], "double[3][]"),
]
},
)
await controller.evaluate(graph)
self.assertEqual(Gf.Vec3d(*xform1.GetAttribute("_translate").Get()), Gf.Vec3d(0, 0, 0))
self.assertEqual(Gf.Vec3d(*xform2.GetAttribute("_translate").Get()), Gf.Vec3d(4, 5, 6))
# Test scaler broadcast
controller.edit(
self.TEST_GRAPH_PATH,
{
keys.SET_VALUES: [
("TestSet.inputs:mask", [True, True]),
("TestSet.inputs:value", [1, 2, 3], "double[3]"),
]
},
)
await controller.evaluate(graph)
self.assertEqual(Gf.Vec3d(*xform1.GetAttribute("_translate").Get()), Gf.Vec3d(1, 2, 3))
self.assertEqual(Gf.Vec3d(*xform2.GetAttribute("_translate").Get()), Gf.Vec3d(1, 2, 3))
# Test scaler broadcast + mask
controller.edit(
self.TEST_GRAPH_PATH,
{
keys.SET_VALUES: [
("TestSet.inputs:mask", [False, True]),
("TestSet.inputs:value", [1, 1, 1], "double[3]"),
]
},
)
await controller.evaluate(graph)
self.assertEqual(Gf.Vec3d(*xform1.GetAttribute("_translate").Get()), Gf.Vec3d(1, 2, 3))
self.assertEqual(Gf.Vec3d(*xform2.GetAttribute("_translate").Get()), Gf.Vec3d(1, 1, 1))
# ----------------------------------------------------------------------
async def test_gatherprototype_performance(self):
"""Exercises the GatherPrototype for the purpose of performance measurement"""
# Test will include test_dim^3 elements
test_dim = 5
test_iterations = 10
controller = og.Controller()
keys = og.Controller.Keys
(graph, _, _, _) = controller.edit(
self.TEST_GRAPH_PATH,
{
keys.CREATE_NODES: [
("GetPrimPaths", "omni.graph.nodes.FindPrims"),
("GatherByPath", "omni.graph.nodes.GatherByPath"),
("Get", "omni.graph.nodes.GetGatheredAttribute"),
("Mult", "omni.graph.nodes.Multiply"),
("ConstV", "omni.graph.nodes.ConstantVec3d"),
("Set", "omni.graph.nodes.SetGatheredAttribute"),
],
keys.CREATE_PRIMS: [
(f"Test_{x}_{y}_{z}", {"_translate": ("pointd[3]", [x * test_dim, y * test_dim, z * test_dim])})
for x in range(1, test_dim + 1)
for y in range(1, test_dim + 1)
for z in range(1, test_dim + 1)
],
keys.EXPOSE_PRIMS: [
(og.Controller.PrimExposureType.AS_WRITABLE, f"/Test_{x}_{y}_{z}", f"Write_{x}_{y}_{z}")
for x in range(1, test_dim + 1)
for y in range(1, test_dim + 1)
for z in range(1, test_dim + 1)
],
keys.CONNECT: [
("GetPrimPaths.outputs:primPaths", "GatherByPath.inputs:primPaths"),
("GatherByPath.outputs:gatherId", "Get.inputs:gatherId"),
("Get.outputs:value", "Mult.inputs:a"),
("ConstV.inputs:value", "Mult.inputs:b"),
("Mult.outputs:product", "Set.inputs:value"),
("GatherByPath.outputs:gatherId", "Set.inputs:gatherId"),
],
keys.SET_VALUES: [
("GetPrimPaths.inputs:namePrefix", "Test_"),
("GatherByPath.inputs:attributes", "_translate"),
("GatherByPath.inputs:allAttributes", False),
("GatherByPath.inputs:shouldWriteBack", True),
("Get.inputs:name", "_translate"),
("Set.inputs:name", "_translate"),
("ConstV.inputs:value", [10, 20, 30]),
],
},
)
await controller.evaluate(graph)
# Sanity check it did one and only one evaluation
val = Gf.Vec3d(*controller.prim("/Test_2_1_1").GetAttribute("_translate").Get())
expected = Gf.Vec3d(test_dim * 2 * 10, test_dim * 20, test_dim * 30)
self.assertEqual(val, expected)
import time
t0 = time.time()
for _ in range(test_iterations):
await controller.evaluate(graph)
dt = time.time() - t0
print(f"{dt:3.2}s for {test_iterations} iterations of {test_dim**3} elements")
# ----------------------------------------------------------------------
async def test_gatherprototype_hydra_fastpath(self):
"""Tests the Gather Prototype Hydra attribute creation feature"""
usd_context = omni.usd.get_context()
stage = usd_context.get_stage()
controller = og.Controller()
keys = og.Controller.Keys
cube1 = UsdGeom.Xformable(ogts.create_cube(stage, "Test_Xform1", (1, 1, 1)))
cube1.AddTranslateOp().Set(Gf.Vec3d(1, 2, 3))
cube1.AddRotateXYZOp().Set((90, 0, 0))
cube2 = UsdGeom.Xformable(ogts.create_cube(stage, "Test_Xform2", (1, 1, 1)))
cube2.AddTranslateOp().Set(Gf.Vec3d(4, 5, 6))
cube2.AddRotateZOp().Set(90)
(graph, _, _, _) = controller.edit(
self.TEST_GRAPH_PATH,
{
keys.CREATE_NODES: [
("GatherByPath", "omni.graph.nodes.GatherByPath"),
("GetWorldPos", "omni.graph.nodes.GetGatheredAttribute"),
("GetWorldOrient", "omni.graph.nodes.GetGatheredAttribute"),
],
keys.CONNECT: [
("GatherByPath.outputs:gatherId", "GetWorldPos.inputs:gatherId"),
("GatherByPath.outputs:gatherId", "GetWorldOrient.inputs:gatherId"),
],
keys.SET_VALUES: [
("GatherByPath.inputs:primPaths", ["/Test_Xform1", "/Test_Xform2"]),
("GatherByPath.inputs:hydraFastPath", "World"),
("GetWorldPos.inputs:name", "_worldPosition"),
("GetWorldOrient.inputs:name", "_worldOrientation"),
],
},
)
await controller.evaluate(graph)
# Check that hydra attribs were added and that they match what we expect
vals = og.Controller.get(controller.attribute("outputs:value", "GetWorldPos", graph))
self.assertEqual(len(vals), 2)
self.assertEqual(Gf.Vec3d(*vals[1]), Gf.Vec3d([4, 5, 6]))
vals = og.Controller.get(controller.attribute("outputs:value", "GetWorldOrient", graph))
self.assertEqual(len(vals), 2)
val = vals[1].tolist()
got = Gf.Quatd(val[2], val[0], val[1], val[2])
expected = Gf.Transform(cube2.GetLocalTransformation()).GetRotation().GetQuat()
self.assertAlmostEqual(got.GetReal(), expected.GetReal())
for e, e2 in zip(got.GetImaginary(), expected.GetImaginary()):
self.assertAlmostEqual(e, e2)
# switch to Local mode
controller.edit(
self.TEST_GRAPH_PATH,
{
keys.CREATE_NODES: ("GetLocalMatrix", "omni.graph.nodes.GetGatheredAttribute"),
keys.CONNECT: ("GatherByPath.outputs:gatherId", "GetLocalMatrix.inputs:gatherId"),
keys.SET_VALUES: [
("GatherByPath.inputs:hydraFastPath", "Local"),
("GetLocalMatrix.inputs:name", "_localMatrix"),
],
},
)
await controller.evaluate(graph)
vals = og.Controller.get(controller.attribute("outputs:value", "GetLocalMatrix", graph))
self.assertEqual(len(vals), 2)
got = Gf.Matrix4d(*vals[1].tolist())
expected = cube2.GetLocalTransformation()
self.assertEqual(got, expected)
# ----------------------------------------------------------------------
async def test_gatherprototype_writeback(self):
"""Tests the Gather Prototype Writeback to USD feature
Curently fails on linux only... Temporarily comment out during investigation...
controller = og.Controller()
keys = og.Controller.Keys
(
graph,
_,
(writeback_prim, no_writeback_prim),
_,
) = controller.edit(self.TEST_GRAPH_PATH, {
keys.CREATE_NODES: [
("GatherByPathWriteback", "omni.graph.nodes.GatherByPath"),
("GatherByPathNoWriteback", "omni.graph.nodes.GatherByPath"),
("SetWriteback", "omni.graph.nodes.SetGatheredAttribute"),
("SetNoWriteback", "omni.graph.nodes.SetGatheredAttribute")
],
keys.CREATE_PRIMS: [
("XformWriteback", {"_translate": ("pointd[3]", [0, 0, 0])}),
("XformNoWriteback", {"_translate": ("pointd[3]", [0, 0, 0])}),
],
keys.EXPOSE_PRIMS: (og.Controller.PrimExposureType.AS_WRITABLE, "/XformWriteback", "WritePrim"),
keys.CONNECT: [
("GatherByPathWriteback.outputs:gatherId", "SetWriteback.inputs:gatherId"),
("GatherByPathNoWriteback.outputs:gatherId", "SetNoWriteback.inputs:gatherId")
],
keys.SET_VALUES: [
("GatherByPathWriteback.inputs:primPaths", ["/XformWriteback"]),
("GatherByPathNoWriteback.inputs:primPaths", ["/XformNoWriteback"]),
("GatherByPathWriteback.inputs:attributes", "_translate"),
("GatherByPathWriteback.inputs:allAttributes", False),
("GatherByPathWriteback.inputs:shouldWriteBack", True),
("GatherByPathNoWriteback.inputs:attributes", "_translate"),
("GatherByPathNoWriteback.inputs:allAttributes", False),
("GatherByPathNoWriteback.inputs:shouldWriteBack", False),
("SetWriteback.inputs:name", "_translate"),
("SetWriteback.inputs:value", {"type": "double[3][]", "value": [[1, 2, 3]]}),
("SetNoWriteback.inputs:name", "_translate"),
("SetNoWriteback.inputs:value", {"type": "double[3][]", "value": [[1, 2, 3]]})
],
})
await controller.evaluate(graph)
# Check that the attribs in USD were only changed for the specified prim
write_back_attrib = writeback_prim.GetAttribute("_translate")
no_write_back_attrib = no_writeback_prim.GetAttribute("_translate")
self.assertEqual(write_back_attrib.Get(), Gf.Vec3d(1, 2, 3))
self.assertEqual(no_write_back_attrib.Get(), Gf.Vec3d(0, 0, 0))
"""
# ----------------------------------------------------------------------
async def test_gatherprototype_repeated_paths(self):
"""Tests the Gather Prototype with repeated prim paths in the input"""
controller = og.Controller()
keys = og.Controller.Keys
# Test the Getter. Getter should get two of the same data
(graph, (_, get_attrib_node, _), (xform_prim,), _,) = controller.edit(
self.TEST_GRAPH_PATH,
{
keys.CREATE_NODES: [
("GatherByPath", "omni.graph.nodes.GatherByPath"),
("GetAttrib", "omni.graph.nodes.GetGatheredAttribute"),
],
keys.CREATE_PRIMS: ("Xform", {"_translate": ["pointd[3]", [1, 2, 3]]}),
keys.EXPOSE_PRIMS: (og.Controller.PrimExposureType.AS_WRITABLE, "/Xform", "WritePrim"),
keys.CONNECT: [("GatherByPath.outputs:gatherId", "GetAttrib.inputs:gatherId")],
keys.SET_VALUES: [
("GatherByPath.inputs:primPaths", ["/Xform", "/Xform"]),
("GatherByPath.inputs:attributes", "_translate"),
("GatherByPath.inputs:allAttributes", False),
("GetAttrib.inputs:name", "_translate"),
],
},
)
await controller.evaluate(graph)
vals = og.Controller.get(controller.attribute("outputs:value", get_attrib_node))
self.assertEqual(len(vals), 2)
self.assertEqual(Gf.Vec3d(*vals[0]), Gf.Vec3d([1, 2, 3]))
self.assertEqual(Gf.Vec3d(*vals[1]), Gf.Vec3d([1, 2, 3]))
self.assertEqual(Gf.Vec3d(*xform_prim.GetAttribute("_translate").Get()), Gf.Vec3d(1, 2, 3))
# Test the Setter. Both masks should change the same prim value
controller.edit(
self.TEST_GRAPH_PATH,
{
keys.CREATE_NODES: ("SetAttrib", "omni.graph.nodes.SetGatheredAttribute"),
keys.CONNECT: ("GatherByPath.outputs:gatherId", "SetAttrib.inputs:gatherId"),
keys.SET_VALUES: [
("SetAttrib.inputs:name", "_translate"),
("SetAttrib.inputs:mask", [True, False]),
("SetAttrib.inputs:value", [[4, 5, 6], [7, 8, 9]], "double[3][]"),
("GatherByPath.inputs:shouldWriteBack", True),
],
},
)
await controller.evaluate(graph)
self.assertEqual(Gf.Vec3d(*xform_prim.GetAttribute("_translate").Get()), Gf.Vec3d(4, 5, 6))
controller.edit(self.TEST_GRAPH_PATH, {keys.SET_VALUES: ("SetAttrib.inputs:mask", [False, True])})
await controller.evaluate(graph)
self.assertEqual(Gf.Vec3d(*xform_prim.GetAttribute("_translate").Get()), Gf.Vec3d(7, 8, 9))
| 19,291 |
Python
| 46.870968 | 119 | 0.530817 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.