file_path
stringlengths 21
224
| content
stringlengths 0
80.8M
|
---|---|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_23/scripts/use_tokens.py | # SPDX-License-Identifier: Apache-2.0
# https://docs.omniverse.nvidia.com/py/kit/docs/guide/tokens.html
import carb.tokens
from pathlib import Path
path = Path("${shared_documents}") / "maticodes.foo"
resolved_path = carb.tokens.get_tokens_interface().resolve(str(path))
print(resolved_path) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_23/scripts/simple_instancer.py | # SPDX-License-Identifier: Apache-2.0
import omni.usd
from pxr import Usd, UsdGeom, Sdf, Gf
stage: Usd.Stage = omni.usd.get_context().get_stage()
prim_path = Sdf.Path("/World/MyInstancer")
instancer: UsdGeom.PointInstancer = UsdGeom.PointInstancer.Define(stage, prim_path)
proto_container = UsdGeom.Scope.Define(stage, prim_path.AppendPath("Prototypes"))
shapes = []
shapes.append(UsdGeom.Cube.Define(stage, proto_container.GetPath().AppendPath("Cube")))
shapes.append(UsdGeom.Sphere.Define(stage, proto_container.GetPath().AppendPath("Sphere")))
shapes.append(UsdGeom.Cone.Define(stage, proto_container.GetPath().AppendPath("Cone")))
instancer.CreatePositionsAttr([Gf.Vec3f(0, 0, 0), Gf.Vec3f(2, 0, 0), Gf.Vec3f(4, 0, 0)])
instancer.CreatePrototypesRel().SetTargets([shape.GetPath() for shape in shapes])
instancer.CreateProtoIndicesAttr([0, 1, 2]) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_23/scripts/one_widget_in_container.py | # SPDX-License-Identifier: Apache-2.0
import omni.ui as ui
my_window = ui.Window("Example Window", width=300, height=300)
with my_window.frame:
with ui.VStack():
with ui.CollapsableFrame():
with ui.VStack():
ui.FloatField()
ui.FloatField()
ui.Button("Button 1") |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_23/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2022-09-23: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2022-09-23"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2022_09_23".
[[python.module]]
name = "maticodes.doh_2022_09_23"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_23/docs/README.md | # Developer Office Hour - 09/23/2022
This is the sample code from the Developer Office Hour held on 09/23/2022, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- How do I query the selected item in a ui.ComboBox?
- How do I use Kit tokens?
- Why do I only see one widget in my UI container?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_09/maticodes/doh_2022_09_09/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.kit.commands
import omni.ui as ui
import omni.usd
from pxr import Gf, Sdf
# Check out: USDColorModel
# C:\ext_projects\omni-dev-office-hours\app\kit\exts\omni.example.ui\omni\example\ui\scripts\colorwidget_doc.py
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self._color_model = None
self._color_changed_subs = []
self._path_model = None
self._change_info_path_subscription = None
self._path_changed_sub = None
self._stage = omni.usd.get_context().get_stage()
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("Property Path")
self._path_model = ui.StringField().model
self._path_changed_sub = self._path_model.subscribe_value_changed_fn(
self._on_path_changed
)
ui.Label("Color")
with ui.HStack(spacing=5):
self._color_model = ui.ColorWidget(width=0, height=0).model
for item in self._color_model.get_item_children():
component = self._color_model.get_item_value_model(item)
self._color_changed_subs.append(component.subscribe_value_changed_fn(self._on_color_changed))
ui.FloatField(component)
def _on_mtl_attr_changed(self, path):
color_attr = self._stage.GetAttributeAtPath(path)
color_model_items = self._color_model.get_item_children()
if color_attr:
color = color_attr.Get()
for i in range(len(color)):
component = self._color_model.get_item_value_model(color_model_items[i])
component.set_value(color[i])
def _on_path_changed(self, model):
if Sdf.Path.IsValidPathString(model.as_string):
attr_path = Sdf.Path(model.as_string)
color_attr = self._stage.GetAttributeAtPath(attr_path)
if color_attr:
self._change_info_path_subscription = omni.usd.get_watcher().subscribe_to_change_info_path(
attr_path,
self._on_mtl_attr_changed
)
def _on_color_changed(self, model):
values = []
for item in self._color_model.get_item_children():
component = self._color_model.get_item_value_model(item)
values.append(component.as_float)
if Sdf.Path.IsValidPathString(self._path_model.as_string):
attr_path = Sdf.Path(self._path_model.as_string)
color_attr = self._stage.GetAttributeAtPath(attr_path)
if color_attr:
color_attr.Set(Gf.Vec3f(*values[0:3]))
def destroy(self) -> None:
self._change_info_path_subscription = None
self._color_changed_subs = None
self._path_changed_sub = None
return super().destroy()
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2022_09_09] Dev Office Hours Extension (2022-09-09) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2022_09_09] Dev Office Hours Extension (2022-09-09) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_09/maticodes/doh_2022_09_09/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_09/scripts/undo_group.py | # SPDX-License-Identifier: Apache-2.0
import omni.kit.commands
import omni.kit.undo
# Requires Ctrl+Z twice to undo
omni.kit.commands.execute('CreateMeshPrimWithDefaultXform',
prim_type='Cube')
omni.kit.commands.execute('CreateMeshPrimWithDefaultXform',
prim_type='Cube')
# Grouped into one undo
with omni.kit.undo.group():
omni.kit.commands.execute('CreateMeshPrimWithDefaultXform',
prim_type='Cube')
omni.kit.commands.execute('CreateMeshPrimWithDefaultXform',
prim_type='Cube') |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_09/scripts/skip_undo_history.py | # SPDX-License-Identifier: Apache-2.0
import omni.kit.commands
import omni.kit.primitive.mesh as mesh_cmds
# Creates history
omni.kit.commands.execute('CreateMeshPrimWithDefaultXform',
prim_type='Cube')
# Doesn't create history
mesh_cmds.CreateMeshPrimWithDefaultXformCommand("Cube").do()
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_09/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2022-09-09: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2022-09-09"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2022_09_09".
[[python.module]]
name = "maticodes.doh_2022_09_09"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_09/docs/README.md | # Developer Office Hour - 09/09/2022
This is the sample code from the Developer Office Hour held on 09/09/2022, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- How do I connect a ColorWidget to the base color of a material at a specific path?
- How do I create an undo group?
- How do I avoid adding a command to the undo history?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_08_18/maticodes/doh_2023_08_18/extension.py | # SPDX-License-Identifier: Apache-2.0
import asyncio
from pathlib import Path
import carb
import omni.ext
import omni.ui as ui
import omni.usd
test_stage_path = Path(__file__).parent.parent.parent / "data" / "test_stage.usd"
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info(test_stage_path)
# Synch option
# omni.usd.get_context().open_stage(str(test_stage_path))
# Async Option
# asyncio.ensure_future(self.open_stage())
# Async with Callback
omni.usd.get_context().open_stage_with_callback(str(test_stage_path), self.on_stage_open_finished)
ui.Button("Click Me", clicked_fn=clicked)
async def open_stage(self):
(result, error) = await omni.usd.get_context().open_stage_async(str(test_stage_path))
#Now that we've waited for the scene to open, we should be able to get the stage
stage = omni.usd.get_context().get_stage()
print (f"opened stage {stage} with result {result}")
def on_stage_open_finished(self, result: bool, path: str):
stage = omni.usd.get_context().get_stage()
print (f"opened stage {stage} with result {result}")
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2023_08_18] Dev Office Hours Extension (2023-08-18) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2023_08_18] Dev Office Hours Extension (2023-08-18) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_08_18/maticodes/doh_2023_08_18/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_08_18/scripts/my_script.py | # SPDX-License-Identifier: Apache-2.0 |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_08_18/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2023-08-18: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2023-08-18"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2023_08_18".
[[python.module]]
name = "maticodes.doh_2023_08_18"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_08_18/docs/README.md | # Developer Office Hour - 08/18/2023
This is the sample code from the Developer Office Hour held on 08/18/2023, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- 02:16 - How do I programmatically open a Stage in Kit?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/maticodes/doh_2022_08_26/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2022_08_26] Dev Office Hours Extension (2022-08-26) startup")
def on_shutdown(self):
carb.log_info("[maticodes.doh_2022_08_26] Dev Office Hours Extension (2022-08-26) shutdown")
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/maticodes/doh_2022_08_26/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/maticodes/doh_2022_08_26/math.py | # SPDX-License-Identifier: Apache-2.0
def add(a, b):
return a + b |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/scripts/get_world_pos.py | # SPDX-License-Identifier: Apache-2.0
import omni.usd
from pxr import Usd, Gf
stage = omni.usd.get_context().get_stage()
prim = stage.GetPrimAtPath("/World/Xform/Cube")
matrix:Gf.Matrix4d = omni.usd.get_world_transform_matrix(prim, time_code=Usd.TimeCode.Default())
translation = matrix.ExtractTranslation()
print(translation) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/scripts/mouse_cursor_shape.py | # SPDX-License-Identifier: Apache-2.0
####################################
# MUST ENABLE omni.kit.window.cursor
####################################
import carb
import omni.kit.window.cursor
cursor = omni.kit.window.cursor.get_main_window_cursor()
# OPTIONS:
# carb.windowing.CursorStandardShape.ARROW
# carb.windowing.CursorStandardShape.IBEAM
# carb.windowing.CursorStandardShape.VERTICAL_RESIZE
# carb.windowing.CursorStandardShape.HORIZONTAL_RESIZE
# carb.windowing.CursorStandardShape.HAND
# carb.windowing.CursorStandardShape.CROSSHAIR
cursor.override_cursor_shape(carb.windowing.CursorStandardShape.CROSSHAIR)
# clear back to arrow
cursor.clear_overridden_cursor_shape() |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/scripts/refresh_combobox.py | # SPDX-License-Identifier: Apache-2.0
import omni.ui as ui
def next_num(n):
while True:
yield n
n += 1
my_window = ui.Window("Example Window", width=300, height=300)
item_changed_sub = None
with my_window.frame:
with ui.VStack():
combo = ui.ComboBox(0, "Option1", "Option2", "Option3")
# I'm just using this to generate unique data
nums = next_num(0)
def clicked():
# clear the list
items = combo.model.get_item_children()
for item in items:
combo.model.remove_item(item)
# generate a new list
for x in range(5):
combo.model.append_child_item(None, ui.SimpleIntModel(next(nums)))
ui.Button("Regenerate Combo", clicked_fn=clicked) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/scripts/focus_prim.py | # SPDX-License-Identifier: Apache-2.0
#######################################
# MUST ENABLE omni.kit.viewport.utility
#######################################
from omni.kit.viewport.utility import get_active_viewport, frame_viewport_selection
import omni.usd
# Select what you want to focus on
selection = omni.usd.get_selection()
selection.set_selected_prim_paths(["/World/Cube"], True)
# focus on selection
active_viewport = get_active_viewport()
if active_viewport:
frame_viewport_selection(active_viewport) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/scripts/corner_rounding.py | # SPDX-License-Identifier: Apache-2.0
import omni.ui as ui
my_window = ui.Window("Example Window", width=300, height=300)
with my_window.frame:
with ui.VStack():
ui.Rectangle(style={
"background_color": ui.color(1.0, 0.0, 0.0),
"border_radius":20.0
})
ui.Rectangle(style={
"background_color": ui.color(0.0, 1.0, 0.0),
"border_radius":20.0,
"corner_flag": ui.CornerFlag.BOTTOM
})
ui.Rectangle(style={
"background_color": ui.color(0.0, 0.0, 1.0),
"border_radius":20.0,
"corner_flag": ui.CornerFlag.TOP
})
ui.Rectangle(style={
"background_color": ui.color(1.0, 0.0, 1.0),
"border_radius":20.0,
"corner_flag": ui.CornerFlag.TOP_RIGHT
}) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2022-08-26: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2022-08-26"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2022_08_26".
[[python.module]]
name = "maticodes.doh_2022_08_26"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_08_26/docs/README.md | # Developer Office Hour - 08/26/2022
This is the sample code from the Developer Office Hour held on 08/26/2022, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- How do I execute arbitrary code from VSCode in Omniverse?
- How do I create omni.ui.Rectangle with only top or bottom rounded corners?
- How do I update a list of items in a ui.ComboBox without rebuilding the widget?
- How do I change the shape of the mouse cursor?
- How do I get the world position of a prim?
- What are the conventions for naming extensions?
- How do I add a custom window in the Window menu?
- How do I share Python code between extensions?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_26/maticodes/doh_2023_05_26/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2023_05_26] Dev Office Hours Extension (2023-05-26) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2023_05_26] Dev Office Hours Extension (2023-05-26) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_26/maticodes/doh_2023_05_26/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_26/scripts/get_references.py | # SPDX-License-Identifier: Apache-2.0
import omni.usd
stage = omni.usd.get_context().get_stage()
prim = stage.GetPrimAtPath("/World/Xform")
refs = prim.GetMetadata("references").ApplyOperations([])
for ref in refs:
print(ref.primPath)
print(ref.assetPath)
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_26/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2023-05-26: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2023-05-26"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2023_05_26".
[[python.module]]
name = "maticodes.doh_2023_05_26"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_26/docs/README.md | # Developer Office Hour - 05/26/2023
This is the sample code from the Developer Office Hour held on 05/26/2023, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- 02:29 - How do I get an Omniverse app to pick up a new environment variable?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_04_07/maticodes/doh_2023_04_07/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2023_04_07] Dev Office Hours Extension (2023-04-07) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2023_04_07] Dev Office Hours Extension (2023-04-07) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_04_07/maticodes/doh_2023_04_07/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_04_07/scripts/current_frame_number.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.timeline
itimeline = omni.timeline.get_timeline_interface()
current_seconds = itimeline.get_current_time()
fps = itimeline.get_time_codes_per_seconds()
current_frame = current_seconds * fps
print(f"Current Frame: {current_frame}") |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_04_07/scripts/get_local_transform.py | # SPDX-License-Identifier: Apache-2.0
from pxr import Gf, UsdGeom, Usd
import omni.usd
def decompose_matrix(mat: Gf.Matrix4d):
reversed_ident_mtx = reversed(Gf.Matrix3d())
translate = mat.ExtractTranslation()
scale = Gf.Vec3d(*(v.GetLength() for v in mat.ExtractRotationMatrix()))
#must remove scaling from mtx before calculating rotations
mat.Orthonormalize()
#without reversed this seems to return angles in ZYX order
rotate = Gf.Vec3d(*reversed(mat.ExtractRotation().Decompose(*reversed_ident_mtx)))
return translate, rotate, scale
stage = omni.usd.get_context().get_stage()
prim = stage.GetPrimAtPath("/World/Cube")
xform = UsdGeom.Xformable(prim)
local_transformation: Gf.Matrix4d = xform.GetLocalTransformation()
print(decompose_matrix(local_transformation))
def get_local_rot(prim: Usd.Prim):
return prim.GetAttribute("xformOp:rotateXYZ").Get()
print(get_local_rot(prim))
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_04_07/scripts/sceneui_behavior.py | # SPDX-License-Identifier: Apache-2.0
from omni.kit.viewport.utility import get_active_viewport_window
import omni.ui as ui
from omni.kit.scripting import BehaviorScript
from omni.ui import scene as sc
from omni.ui import color as cl
class NewScript(BehaviorScript):
def on_init(self):
print(f"{__class__.__name__}.on_init()->{self.prim_path}")
self.viewport_window = get_active_viewport_window()
self.frame = self.viewport_window.get_frame("Super Duper Cool!")
def on_destroy(self):
print(f"{__class__.__name__}.on_destroy()->{self.prim_path}")
def test(self):
print("Hello")
def on_play(self):
print(f"{__class__.__name__}.on_play()->{self.prim_path}")
with self.frame:
# Create a default SceneView (it has a default camera-model)
self._scene_view = sc.SceneView()
# Add the manipulator into the SceneView's scene
with self._scene_view.scene:
sc.Rectangle(5, 5, thickness=2, wireframe=False, color=cl.red)
# Register the SceneView with the Viewport to get projection and view updates
self.viewport_window.viewport_api.add_scene_view(self._scene_view)
def on_pause(self):
print(f"{__class__.__name__}.on_pause()->{self.prim_path}")
def on_stop(self):
print(f"{__class__.__name__}.on_stop()->{self.prim_path}")
if self._scene_view:
# Empty the SceneView of any elements it may have
self._scene_view.scene.clear()
# Be a good citizen, and un-register the SceneView from Viewport updates
if self.viewport_window:
self.viewport_window.viewport_api.remove_scene_view(self._scene_view)
# Remove our references to these objects
self._scene_view = None
self.frame.destroy()
def on_update(self, current_time: float, delta_time: float):
# print(f"{__class__.__name__}.on_update(current_time={current_time}, delta_time={delta_time})->{self.prim_path}")
pass
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_04_07/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2023-04-07: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2023-04-07"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2023_04_07".
[[python.module]]
name = "maticodes.doh_2023_04_07"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_04_07/docs/README.md | # Developer Office Hour - 04/07/2023
This is the sample code from the Developer Office Hour held on 04/07/2023, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- Where can I find extension API documentation?
- How do I get the current frame number?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_05/maticodes/doh_2023_05_05/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2023_05_05] Dev Office Hours Extension (2023-05-05) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2023_05_05] Dev Office Hours Extension (2023-05-05) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_05/maticodes/doh_2023_05_05/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_05/scripts/omnilive.py | # SPDX-License-Identifier: Apache-2.0
from omni.kit.usd.layers import get_live_syncing
import omni.client
import asyncio
UNIQUE_SESSION_NAME = "my_unique_session"
# Get the interface
live_syncing = get_live_syncing()
# Create a session
live_session = live_syncing.create_live_session(UNIQUE_SESSION_NAME)
# Simulate joining a session
for session in live_syncing.get_all_live_sessions():
if session.name == UNIQUE_SESSION_NAME:
live_syncing.join_live_session(session)
break
# Merge changes into base layer and disconnect from live session
loop = asyncio.get_event_loop()
loop.create_task(live_syncing.merge_and_stop_live_session_async(layer_identifier=session.base_layer_identifier))
# Disconnect from live session without merging. When you reconnect, changes will still be in your live session.
live_syncing.stop_live_session(session.base_layer_identifier)
# Delete the session once you're all done. You can add a callback for the second arg to know if completed.
omni.client.delete_with_callback(session.url, lambda: None) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_05/scripts/change_renderer.py | # SPDX-License-Identifier: Apache-2.0
# RTX Path Tracing
import omni.kit.actions.core
action_registry = omni.kit.actions.core.get_action_registry()
action = action_registry.get_action("omni.kit.viewport.actions", "set_renderer_rtx_pathtracing")
action.execute()
# RTX Real-Time
import omni.kit.actions.core
action_registry = omni.kit.actions.core.get_action_registry()
action = action_registry.get_action("omni.kit.viewport.actions", "set_renderer_rtx_realtime")
action.execute()
# Storm
import omni.kit.actions.core
action_registry = omni.kit.actions.core.get_action_registry()
action = action_registry.get_action("omni.kit.viewport.actions", "set_renderer_pxr_storm")
action.execute()
# Iray
import omni.kit.actions.core
action_registry = omni.kit.actions.core.get_action_registry()
action = action_registry.get_action("omni.kit.viewport.actions", "set_renderer_iray")
action.execute() |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_05/scripts/change_variants.py | # SPDX-License-Identifier: Apache-2.0
from pxr import Usd, UsdGeom
import omni.usd
stage = omni.usd.get_context().get_stage()
world_prim = stage.GetPrimAtPath("/World")
vset = world_prim.GetVariantSets().AddVariantSet('shapes')
vset.AddVariant('cube')
vset.AddVariant('sphere')
vset.AddVariant('cone')
vset.SetVariantSelection('cube')
with vset.GetVariantEditContext():
UsdGeom.Cube.Define(stage, "/World/Cube")
vset.SetVariantSelection('sphere')
with vset.GetVariantEditContext():
UsdGeom.Sphere.Define(stage, "/World/Sphere")
vset.SetVariantSelection('cone')
with vset.GetVariantEditContext():
UsdGeom.Cone.Define(stage, "/World/Cone")
stage = omni.usd.get_context().get_stage()
world_prim = stage.GetPrimAtPath("/World")
vsets = world_prim.GetVariantSets()
vset = vsets.GetVariantSet("shapes")
vset.SetVariantSelection("cone") |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_05/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2023-05-05: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2023-05-05"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2023_05_05".
[[python.module]]
name = "maticodes.doh_2023_05_05"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_05/docs/README.md | # Developer Office Hour - 05/05/2023
This is the sample code from the Developer Office Hour held on 05/05/2023, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- 02:05 - How can I programmatically create and join an OmniLive session?
- 14:17 - How can I programmatically change the renderer to RTX Real-Time, RTX Path Tracing, Iray, or Storm?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_09/maticodes/doh_2022_12_09/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2022_12_09] Dev Office Hours Extension (2022-12-09) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2022_12_09] Dev Office Hours Extension (2022-12-09) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_09/maticodes/doh_2022_12_09/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_09/scripts/screenshot_viewport.py | # SPDX-License-Identifier: Apache-2.0
from omni.kit.viewport.utility import get_active_viewport, capture_viewport_to_file
vp_api = get_active_viewport()
capture_viewport_to_file(vp_api, r"C:\temp\screenshot.png") |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_09/scripts/collect_asset.py | # SPDX-License-Identifier: Apache-2.0
import asyncio
from omni.kit.tool.collect.collector import Collector
async def collect_async(input_usd, output_dir, usd_only, flat_collection, mtl_only, prog_cb, finish_cb):
"""Collect input_usd related assets to output_dir.
Args:
input_usd (str): The usd stage to be collected.
output_dir (str): The target dir to collect the usd stage to.
usd_only (bool): Collects usd files only or not. It will ignore all asset types.
flat_collection (bool): Collects stage without keeping the original dir structure.
mtl_only (bool): Collects material and textures only or not. It will ignore all other asset types.
prog_cb: Progress callback function
finish_cb: Finish callback function
"""
collector = Collector(input_usd, output_dir, usd_only, flat_collection, mtl_only)
await collector.collect(prog_cb, finish_cb)
def finished():
print("Finished!")
asyncio.ensure_future(collect_async(r"C:\temp\bookcase.usd", r"C:\temp\test_collect",
False, False, False, None, finished)) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_09/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2022-12-09: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2022-12-09"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2022_12_09".
[[python.module]]
name = "maticodes.doh_2022_12_09"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_09/docs/README.md | # Developer Office Hour - 12/09/2022
This is the sample code from the Developer Office Hour held on 12/09/2022, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- How do I Collect Asset using Python to share a full Omniverse project?
- How do I capture a screenshot of the viewport?
- How do I change the visibility of a prim using Action Graph?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_03_31/maticodes/doh_2023_03_31/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
import omni.audioplayer
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
# audio_player = omni.audioplayer.AudioPlayer()
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2023_03_31] Dev Office Hours Extension (2023-03-31) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2023_03_31] Dev Office Hours Extension (2023-03-31) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_03_31/maticodes/doh_2023_03_31/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_03_31/scripts/viewport_ui.py | # SPDX-License-Identifier: Apache-2.0
from omni.kit.scripting import BehaviorScript
from omni.kit.viewport.utility import get_active_viewport_window
import omni.ui as ui
class ViewportUi(BehaviorScript):
def on_init(self):
# print(f"{__class__.__name__}.on_init()->{self.prim_path}")
self.frame = None
def on_destroy(self):
print(f"{__class__.__name__}.on_destroy()->{self.prim_path}")
if self.frame is not None:
self.frame.destroy()
self.frame = None
def test(self):
print("Hello World!")
def on_play(self):
print(f"{__class__.__name__}.on_play()->{self.prim_path}")
self.viewport_window = get_active_viewport_window()
self.frame = self.viewport_window.get_frame("Really cool id")
with self.frame:
with ui.Placer(offset_x=10, offset_y=50):
with ui.HStack():
ui.Button("Test", width=50, height=50, clicked_fn=self.test)
def on_pause(self):
print(f"{__class__.__name__}.on_pause()->{self.prim_path}")
def on_stop(self):
print(f"{__class__.__name__}.on_stop()->{self.prim_path}")
if self.frame is not None:
self.frame.destroy()
self.frame = None
def on_update(self, current_time: float, delta_time: float):
# print(f"{__class__.__name__}.on_update(current_time={current_time}, delta_time={delta_time})->{self.prim_path}")
pass
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_03_31/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2023-03-31: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2023-03-31"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
"omni.audioplayer" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2023_03_31".
[[python.module]]
name = "maticodes.doh_2023_03_31"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_03_31/docs/README.md | # Developer Office Hour - 03/31/2023
This is the sample code from the Developer Office Hour held on 03/31/2023, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- How do I add UI widgets to the viewport in a BehaviorScript (Python Scripting Component)?
- How do I add extension dependencies to my custom extension? |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_16/maticodes/doh_2022_12_16/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2022_12_16] Dev Office Hours Extension (2022-12-16) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2022_12_16] Dev Office Hours Extension (2022-12-16) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_16/maticodes/doh_2022_12_16/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_16/scripts/script_node.py | # SPDX-License-Identifier: Apache-2.0
# This script is executed the first time the script node computes, or the next time it computes after this script
# is modified or the 'Reset' button is pressed.
# The following callback functions may be defined in this script:
# setup(db): Called immediately after this script is executed
# compute(db): Called every time the node computes (should always be defined)
# cleanup(db): Called when the node is deleted or the reset button is pressed (if setup(db) was called before)
# Defining setup(db) and cleanup(db) is optional, but if compute(db) is not defined then this script node will run
# in legacy mode, where the entire script is executed on every compute and the callback functions above are ignored.
# Available variables:
# db: og.Database The node interface, attributes are db.inputs.data, db.outputs.data.
# Use db.log_error, db.log_warning to report problems.
# Note that this is available outside of the callbacks only to support legacy mode.
# og: The OmniGraph module
# Import statements, function/class definitions, and global variables may be placed outside of the callbacks.
# Variables may also be added to the db.internal_state state object.
# Example code snippet:
import math
UNITS = "cm"
def calculate_circumfrence(radius):
return 2 * math.pi * radius
def setup(db):
state = db.internal_state
state.radius = 1
def compute(db):
state = db.internal_state
circumfrence = calculate_circumfrence(state.radius)
print(f"{circumfrence} {UNITS}")
print(f"My Input: {db.inputs.my_input}")
db.outputs.foo = False
state.radius += 1
# To see more examples, click on the Code Snippets button below. |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_16/scripts/file_import.py | # SPDX-License-Identifier: Apache-2.0
# https://docs.omniverse.nvidia.com/kit/docs/omni.kit.window.file_importer/latest/Overview.html
from omni.kit.window.file_importer import get_file_importer
from typing import List
file_importer = get_file_importer()
def import_handler(filename: str, dirname: str, selections: List[str] = []):
# NOTE: Get user inputs from self._import_options, if needed.
print(f"> Import '{filename}' from '{dirname}' or selected files '{selections}'")
file_importer.show_window(
title="Import File",
import_handler=import_handler
)
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_16/scripts/file_exporter.py | # SPDX-License-Identifier: Apache-2.0
# https://docs.omniverse.nvidia.com/kit/docs/omni.kit.window.file_exporter/latest/index.html
from omni.kit.window.file_exporter import get_file_exporter
from typing import List
file_exporter = get_file_exporter()
def export_handler(filename: str, dirname: str, extension: str = "", selections: List[str] = []):
# NOTE: Get user inputs from self._export_options, if needed.
print(f"> Export As '{filename}{extension}' to '{dirname}' with additional selections '{selections}'")
file_exporter.show_window(
title="Export As ...",
export_button_label="Save",
export_handler=export_handler,
) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_16/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2022-12-16: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2022-12-16"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2022_12_16".
[[python.module]]
name = "maticodes.doh_2022_12_16"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_12_16/docs/README.md | # Developer Office Hour - 12/16/2022
This is the sample code from the Developer Office Hour held on 12/16/2022, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- Where are the API docs for extensions?
- How do I browse for a file for import?
- How do I browse for a file for export?
- How do I use the Script Node? (using compute function)
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_09_08/maticodes/doh_2023_09_08/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2023_09_08] Dev Office Hours Extension (2023-09-08) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2023_09_08] Dev Office Hours Extension (2023-09-08) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_09_08/maticodes/doh_2023_09_08/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_09_08/scripts/sub_event.py | # SPDX-License-Identifier: Apache-2.0
# App/Subscribe to Update Events
import carb.events
import omni.kit.app
update_stream = omni.kit.app.get_app().get_update_event_stream()
def on_update(e: carb.events.IEvent):
print(f"Update: {e.payload['dt']}")
sub = update_stream.create_subscription_to_pop(on_update, name="My Subscription Name")
# Remember to cleanup your subscription when you're done with them (e.g. during shutdown)
# sub = None |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_09_08/scripts/trigger_every_N.py |
# App/Subscribe to Update Events
import carb.events
import omni.kit.app
import omni.timeline
update_stream = omni.kit.app.get_app().get_update_event_stream()
every_N = 5 # seconds
elapsed = 0
update_sub = None
def on_update(e: carb.events.IEvent):
global elapsed
elapsed += e.payload["dt"]
if elapsed >= every_N:
print(f"{every_N} seconds have passed. Fire!")
elapsed = 0
# print(f"Update: {elapsed}")
def on_play(e: carb.events.IEvent):
global update_sub
update_sub = update_stream.create_subscription_to_pop(on_update, name="My Subscription Name")
def on_stop(e: carb.events.IEvent):
global update_sub
update_sub = None
itimeline: omni.timeline.ITimeline = omni.timeline.get_timeline_interface()
play_sub = itimeline.get_timeline_event_stream().create_subscription_to_pop_by_type(omni.timeline.TimelineEventType.PLAY, on_play)
stop_sub = itimeline.get_timeline_event_stream().create_subscription_to_pop_by_type(omni.timeline.TimelineEventType.STOP, on_stop)
# Remember to unsub by setting variables to None.
update_sub = None
play_sub = None
stop_sub = None |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_09_08/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2023-09-08: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2023-09-08"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2023_09_08".
[[python.module]]
name = "maticodes.doh_2023_09_08"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_09_08/docs/README.md | # Developer Office Hour - 09/08/2023
This is the sample code from the Developer Office Hour held on 09/08/2023, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- 2:22 - How do I listen for or subscribe to an event in Omniverse Kit?
- 15:14 - How do I run a function every N seconds during playback?
- 44:00 - How do I link to a DLL with an extension?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_10_21/maticodes/doh_2022_10_21/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyCoolComponent:
def __init__(self):
with ui.HStack():
ui.Label("My Field")
ui.StringField()
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
self.build_field_with_label()
MyCoolComponent()
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
def build_field_with_label(self):
with ui.HStack():
ui.Label("My Field")
ui.StringField()
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2022_10_21] Dev Office Hours Extension (2022-10-21) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2022_10_21] Dev Office Hours Extension (2022-10-21) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_10_21/maticodes/doh_2022_10_21/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_10_21/scripts/my_script.py | # SPDX-License-Identifier: Apache-2.0
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_10_21/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2022-10-21: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2022-10-21"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2022_10_21".
[[python.module]]
name = "maticodes.doh_2022_10_21"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_10_21/docs/README.md | # Developer Office Hour - 10/21/2022
This is the sample code from the Developer Office Hour held on 10/21/2022, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
1. Where are Omniverse logs located?
2. Where is the data directory for an Omniverse app?
3. What is link_app.bat?
4. How do I get intellisense working in VS Code? |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_30/maticodes/doh_2022_09_30/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2022_09_30] Dev Office Hours Extension (2022-09-30) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2022_09_30] Dev Office Hours Extension (2022-09-30) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_30/maticodes/doh_2022_09_30/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_30/scripts/curve_widths.py | # SPDX-License-Identifier: Apache-2.0
import omni.usd
from pxr import UsdGeom
stage = omni.usd.get_context().get_stage()
prim = stage.GetPrimAtPath("/World/BasisCurves")
prim.GetAttribute("widths").Set([5, 10,5, 10,5, 10,5, 10,5, 10,5, 10,5])
curves: UsdGeom.BasisCurves = UsdGeom.BasisCurves(prim)
print(curves.GetWidthsInterpolation()) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_30/scripts/omnigraph.py | """
https://docs.omniverse.nvidia.com/py/kit/source/extensions/omni.graph/docs/index.html
https://docs.omniverse.nvidia.com/py/kit/source/extensions/omni.graph/docs/controller.html#howto-omnigraph-controller
"""
import omni.graph.core as og
controller: og.Controller = og.Controller()
keys = og.Controller.Keys
# Create an Action Graph
# SPDX-License-Identifier: Apache-2.0
graph = controller.create_graph({
"graph_path": "/World/CameraAim",
"evaluator_name": "execution" # This makes it Action Graph
})
# Create some nodes
_, nodes, _, _ = controller.edit(graph, {keys.CREATE_NODES: ("OnTick", "omni.graph.action.OnTick")})
on_tick = nodes[0]
_, nodes, _, _ = controller.edit(graph, {keys.CREATE_NODES: ("SetCameraTarget", "omni.graph.ui.SetCameraTarget")})
set_cam_target = nodes[0]
# Edit an attribute
# /World/CameraAim/OnTick.inputs:onlyPlayback
controller.edit(graph, {keys.SET_VALUES: (on_tick.get_attribute("inputs:onlyPlayback"), False)})
# Connect two attributes
controller.connect(on_tick.get_attribute("outputs:tick"), set_cam_target.get_attribute("inputs:execIn"))
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_30/scripts/vp2.py | # SPDX-License-Identifier: Apache-2.0
# DON'T DO THIS ANYMORE
import omni.kit.viewport_legacy
viewport_interface = omni.kit.viewport_legacy.acquire_viewport_interface()
vp_win = viewport_interface.get_viewport_window()
print(vp_win)
# DO THIS
import omni.kit.viewport.utility as vp_util
vp_win = vp_util.get_active_viewport_window()
print(vp_win)
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_30/scripts/docking.py | # SPDX-License-Identifier: Apache-2.0
import omni.ui as ui
my_window = ui.Window("Example Window", width=300, height=300)
with my_window.frame:
with ui.VStack():
f = ui.FloatField()
def clicked(f=f):
print("clicked")
f.model.set_value(f.model.get_value_as_float() + 1)
ui.Button("Plus One", clicked_fn=clicked)
my_window.dock_in_window("Property", ui.DockPosition.SAME)
ui.dock_window_in_window(my_window.title, "Property", ui.DockPosition.RIGHT, 0.1)
my_window.deferred_dock_in("Content", ui.DockPolicy.CURRENT_WINDOW_IS_ACTIVE)
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_30/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2022-09-30: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2022-09-30"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2022_09_30".
[[python.module]]
name = "maticodes.doh_2022_09_30"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_09_30/docs/README.md | # Developer Office Hour - 09/30/2022
This is the sample code from the Developer Office Hour held on 09/30/2022, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- Why is the legacy viewport API not working anymore?
- How do I create an OmniGraph using Python scripting?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_11_04/maticodes/doh_2022_11_04/extension.py | # SPDX-License-Identifier: Apache-2.0
from pathlib import Path
import carb
import numpy as np
import omni.ext
import omni.kit.app
import omni.ui as ui
from PIL import Image
class MyWindow(ui.Window):
def __init__(self, ext_path, title: str = None, **kwargs):
super().__init__(title, **kwargs)
data_dir = Path(ext_path) / "data"
files = list(data_dir.glob("*"))
self.images = []
for f in files:
with Image.open(f) as img:
np_data = np.asarray(img).data
data = img.getdata()
self.images.append((np_data, data, img.size))
self.provider = ui.ByteImageProvider()
if hasattr(self.provider, "set_data_array"):
self.provider.set_data_array(self.images[0][0], self.images[0][2])
else:
self.provider.set_bytes_data(self.images[0][1], self.images[0][2])
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.ImageWithProvider(self.provider, width=100, height=100)
def clicked():
img = self.images.pop()
self.images.insert(0, img)
if hasattr(self.provider, "set_data_array"):
self.provider.set_data_array(img[0], img[2])
else:
self.provider.set_bytes_data(img[1], img[2])
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2022_11_04] Dev Office Hours Extension (2022-11-04) startup")
manager = omni.kit.app.get_app().get_extension_manager()
ext_path = manager.get_extension_path(ext_id)
self._window = MyWindow(ext_path, "MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2022_11_04] Dev Office Hours Extension (2022-11-04) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_11_04/maticodes/doh_2022_11_04/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_11_04/scripts/progress_bar.py | # SPDX-License-Identifier: Apache-2.0
import omni.ui as ui
style = {
"color": ui.color.red,
"background_color": ui.color.blue,
"secondary_color": ui.color.white,
}
class CustomProgressValueModel(ui.AbstractValueModel):
"""An example of custom float model that can be used for progress bar"""
def __init__(self, value: float):
super().__init__()
self._value = value
def set_value(self, value):
"""Reimplemented set"""
try:
value = float(value)
except ValueError:
value = None
if value != self._value:
# Tell the widget that the model is changed
self._value = value
self._value_changed()
def get_value_as_float(self):
return self._value
def get_value_as_string(self):
return f"{self._value*100:.0f}%"
my_window = ui.Window("Example Window", width=300, height=300)
with my_window.frame:
with ui.VStack():
model = CustomProgressValueModel(0.0)
pb = ui.ProgressBar(model, style=style, height=0)
# pb = ui.ProgressBar(style=style, height=0)
def clicked():
print("clicked")
value = pb.model.as_float
pb.model.set_value(value + 0.1)
ui.Button("Plus One", clicked_fn=clicked)
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_11_04/scripts/loop.py | # SPDX-License-Identifier: Apache-2.0
my_list = [1,2,3]
s = set([1,2,3])
d = {"one": 1, "two": 2}
t = (1,2,3)
# range, enumerate, filter, map, zip
# https://docs.python.org/3.7/library/functions.html
# Topics to research: Iterable, iterator, generator
from pxr import Vt, Gf
for i, x in enumerate(my_list):
print(i, x)
for x in Gf.Vec3f([1,2,3]):
print(x)
my_usd_arr = Vt.BoolArray([False, True, False])
print(type(my_usd_arr))
for x in my_usd_arr:
print(x)
for i, x in Vt.BoolArray([False, True, False]):
print(i, x)
class PowTwo:
num = 1
def __iter__(self):
return self
def __next__(self):
self.num = self.num * 2
if self.num > 32:
raise StopIteration()
return self.num
pow2 = PowTwo()
# for x in pow2:
# print(x)
print(next(pow2))
print(next(pow2))
print(next(pow2))
print(next(pow2))
print(next(pow2))
print(next(pow2))
print(next(pow2)) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_11_04/scripts/ext_names.txt | Extension Naming Recommendations
- my_name.my_pkg.etc
- my_name should be unique to you or your org
- my_name should not be omni
funkyboy.asset
maticodes.asset
NOT stephen.asset
My Recommendations:
- Follow PEP 423
- try short names, but if you need compound names then use underscore
- maticodes.my_asset
- all lower case
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_11_04/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2022-11-04: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2022-11-04"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2022_11_04".
[[python.module]]
name = "maticodes.doh_2022_11_04"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2022_11_04/docs/README.md | # Developer Office Hour - 11/04/2022
This is the sample code from the Developer Office Hour held on 11/04/2022, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- How can I display dynamic images within a frame?
- What can I use a for loop with?
- How do I create a progress bar?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_12/maticodes/doh_2023_05_12/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2023_05_12] Dev Office Hours Extension (2023-05-12) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2023_05_12] Dev Office Hours Extension (2023-05-12) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_12/maticodes/doh_2023_05_12/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_12/scripts/my_script.py | # SPDX-License-Identifier: Apache-2.0
import omni.ui as ui |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_12/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2023-05-12: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2023-05-12"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2023_05_12".
[[python.module]]
name = "maticodes.doh_2023_05_12"
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_05_12/docs/README.md | # Developer Office Hour - 05/12/2023
This is the sample code from the Developer Office Hour held on 05/12/2023, Mati answered some developer questions
from the NVIDIA Omniverse forums regarding Kit, Omniverse Code, Python, and USD.
## Questions
- 02:30 - How do you add two windows from one extension?
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_01_20/maticodes/doh_2023_01_20/extension.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.ext
import omni.ui as ui
class MyWindow(ui.Window):
def __init__(self, title: str = None, **kwargs):
super().__init__(title, **kwargs)
self.frame.set_build_fn(self._build_window)
def _build_window(self):
with ui.ScrollingFrame():
with ui.VStack(height=0):
ui.Label("My Label")
def clicked():
carb.log_info("Button Clicked!")
ui.Button("Click Me", clicked_fn=clicked)
class MyExtension(omni.ext.IExt):
def on_startup(self, ext_id):
carb.log_info("[maticodes.doh_2023_01_20] Dev Office Hours Extension (2023-01-20) startup")
self._window = MyWindow("MyWindow", width=300, height=300)
def on_shutdown(self):
carb.log_info("[maticodes.doh_2023_01_20] Dev Office Hours Extension (2023-01-20) shutdown")
if self._window:
self._window.destroy()
self._window = None
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_01_20/maticodes/doh_2023_01_20/__init__.py | # SPDX-License-Identifier: Apache-2.0
from .extension import *
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_01_20/scripts/check_omni_file_exists.py | # SPDX-License-Identifier: Apache-2.0
import omni.client
result, list_entry = omni.client.stat("omniverse://localhost/Users/test/helloworld_py.usd")
if result == omni.client.Result.OK:
# Do things
print(list_entry)
# When a file doesn't exist, the result is omni.client.Result.ERROR_NOT_FOUND
result, list_entry = omni.client.stat("omniverse://localhost/Users/test/fake.usd")
print(result, list_entry) |
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_01_20/scripts/duplicate_prim.py | # SPDX-License-Identifier: Apache-2.0
# paths_to
import omni.kit.commands
result = omni.kit.commands.execute('CopyPrims',
paths_from=['/World/Cube'],
paths_to=["/World/MyCopiedCube"],
duplicate_layers=False,
combine_layers=False,
flatten_references=False)
print(result)
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_01_20/scripts/selection_changed_event.py | # SPDX-License-Identifier: Apache-2.0
import carb
import omni.usd
usd_ctx = omni.usd.get_context()
def on_selection_changed(event: carb.events.IEvent):
print("Selection Changed")
# https://docs.omniverse.nvidia.com/prod_kit/prod_kit/python-snippets/selection/get-current-selected-prims.html
selection = usd_ctx.get_selection().get_selected_prim_paths()
print(f"New selection: {selection}")
sel_sub = usd_ctx.get_stage_event_stream().create_subscription_to_pop_by_type(omni.usd.StageEventType.SELECTION_CHANGED, on_selection_changed)
# Don't forget to unsubscribe when you're done with it or when your extension shuts down.
sel_sub.unsubscribe()
|
mati-nvidia/developer-office-hours/exts/maticodes.doh_2023_01_20/config/extension.toml | [package]
# Semantic Versionning is used: https://semver.org/
version = "1.0.0"
# The title and description fields are primarily for displaying extension info in UI
title = "2023-01-20: Dev Office Hours"
description="Sample code from the Dev Office Hour held on 2023-01-20"
# Path (relative to the root) or content of readme markdown file for UI.
readme = "docs/README.md"
# URL of the extension source repository.
repository = ""
# One of categories for UI.
category = "Example"
# Keywords for the extension
keywords = ["kit", "example"]
# Use omni.ui to build simple UI
[dependencies]
"omni.kit.uiapp" = {}
# Main python module this extension provides, it will be publicly available as "import maticodes.doh_2023_01_20".
[[python.module]]
name = "maticodes.doh_2023_01_20"
|