Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Subcomponent notation #1285

Merged
merged 13 commits into from
Mar 26, 2025
3 changes: 3 additions & 0 deletions .github/workflows/check.yml
Original file line number Diff line number Diff line change
Expand Up @@ -37,6 +37,9 @@ jobs:
run-cmd: "hatch run docs:check"
python-version: '["3.11"]'
test-javascript:
# Temporarily disabled, tests are broken but a rewrite is intended
# https://github.com/reactive-python/reactpy/issues/1196
if: 0
uses: ./.github/workflows/.hatch-run.yml
with:
job-name: "{1}"
Expand Down
1 change: 1 addition & 0 deletions docs/source/about/changelog.rst
Original file line number Diff line number Diff line change
Expand Up @@ -29,6 +29,7 @@ Unreleased
- :pull:`1281` - ``reactpy.html`` will now automatically flatten lists recursively (ex. ``reactpy.html(["child1", ["child2"]])``)
- :pull:`1281` - Added ``reactpy.Vdom`` primitive interface for creating VDOM dictionaries.
- :pull:`1281` - Added type hints to ``reactpy.html`` attributes.
- :pull:`1285` - Added support for nested components in web modules

**Changed**

Expand Down
53 changes: 45 additions & 8 deletions src/js/packages/@reactpy/client/src/vdom.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -78,15 +78,16 @@ function createImportSourceElement(props: {
stringifyImportSource(props.model.importSource),
);
return null;
} else if (!props.module[props.model.tagName]) {
log.error(
"Module from source " +
stringifyImportSource(props.currentImportSource) +
` does not export ${props.model.tagName}`,
);
return null;
} else {
type = props.module[props.model.tagName];
type = getComponentFromModule(
props.module,
props.model.tagName,
props.model.importSource,
);
if (!type) {
// Error message logged within getComponentFromModule
return null;
}
}
} else {
type = props.model.tagName;
Expand All @@ -103,6 +104,42 @@ function createImportSourceElement(props: {
);
}

function getComponentFromModule(
module: ReactPyModule,
componentName: string,
importSource: ReactPyVdomImportSource,
): any {
/* Gets the component with the provided name from the provided module.

Built specifically to work on inifinitely deep nested components.
For example, component "My.Nested.Component" is accessed from
ModuleA like so: ModuleA["My"]["Nested"]["Component"].
*/
const componentParts: string[] = componentName.split(".");
let Component: any = null;
for (let i = 0; i < componentParts.length; i++) {
const iterAttr = componentParts[i];
Component = i == 0 ? module[iterAttr] : Component[iterAttr];
if (!Component) {
if (i == 0) {
log.error(
"Module from source " +
stringifyImportSource(importSource) +
` does not export ${iterAttr}`,
);
} else {
console.error(
`Component ${componentParts.slice(0, i).join(".")} from source ` +
stringifyImportSource(importSource) +
` does not have subcomponent ${iterAttr}`,
);
}
break;
}
}
return Component;
}

function isImportSourceEqual(
source1: ReactPyVdomImportSource,
source2: ReactPyVdomImportSource,
Expand Down
11 changes: 11 additions & 0 deletions src/reactpy/core/vdom.py
Original file line number Diff line number Diff line change
Expand Up @@ -135,6 +135,17 @@ def __init__(
self.__module__ = module_name
self.__qualname__ = f"{module_name}.{tag_name}"

def __getattr__(self, attr: str) -> Vdom:
"""Supports accessing nested web module components"""
if not self.import_source:
msg = "Nested components can only be accessed on web module components."
raise AttributeError(msg)
return Vdom(
f"{self.__name__}.{attr}",
allow_children=self.allow_children,
import_source=self.import_source,
)

@overload
def __call__(
self, attributes: VdomAttributes, /, *children: VdomChildren
Expand Down
8 changes: 6 additions & 2 deletions src/reactpy/web/module.py
Original file line number Diff line number Diff line change
Expand Up @@ -260,14 +260,18 @@ def export(
if isinstance(export_names, str):
if (
web_module.export_names is not None
and export_names not in web_module.export_names
and export_names.split(".")[0] not in web_module.export_names
):
msg = f"{web_module.source!r} does not export {export_names!r}"
raise ValueError(msg)
return _make_export(web_module, export_names, fallback, allow_children)
else:
if web_module.export_names is not None:
missing = sorted(set(export_names).difference(web_module.export_names))
missing = sorted(
{e.split(".")[0] for e in export_names}.difference(
web_module.export_names
)
)
if missing:
msg = f"{web_module.source!r} does not export {missing!r}"
raise ValueError(msg)
Expand Down
15 changes: 12 additions & 3 deletions tests/test_core/test_vdom.py
Original file line number Diff line number Diff line change
Expand Up @@ -71,11 +71,11 @@ def test_is_vdom(result, value):
{"tagName": "div", "attributes": {"tagName": "div"}},
),
(
reactpy.Vdom("div")((i for i in range(3))),
reactpy.Vdom("div")(i for i in range(3)),
{"tagName": "div", "children": [0, 1, 2]},
),
(
reactpy.Vdom("div")((x**2 for x in [1, 2, 3])),
reactpy.Vdom("div")(x**2 for x in [1, 2, 3]),
{"tagName": "div", "children": [1, 4, 9]},
),
(
Expand Down Expand Up @@ -123,6 +123,15 @@ def test_make_vdom_constructor():
assert no_children() == {"tagName": "no-children"}


def test_nested_html_access_raises_error():
elmt = Vdom("div")

with pytest.raises(
AttributeError, match="can only be accessed on web module components"
):
elmt.fails()


@pytest.mark.parametrize(
"value",
[
Expand Down Expand Up @@ -293,7 +302,7 @@ def test_invalid_vdom(value, error_message_pattern):
@pytest.mark.skipif(not REACTPY_DEBUG.current, reason="Only warns in debug mode")
def test_warn_cannot_verify_keypath_for_genereators():
with pytest.warns(UserWarning) as record:
reactpy.Vdom("div")((1 for i in range(10)))
reactpy.Vdom("div")(1 for i in range(10))
assert len(record) == 1
assert (
record[0]
Expand Down
6 changes: 5 additions & 1 deletion tests/test_utils.py
Original file line number Diff line number Diff line change
Expand Up @@ -188,7 +188,11 @@ def test_string_to_reactpy(case):
# 8: Infer ReactJS `key` from the `key` attribute
{
"source": '<div key="my-key"></div>',
"model": {"tagName": "div", "attributes": {"key": "my-key"}, "key": "my-key"},
"model": {
"tagName": "div",
"attributes": {"key": "my-key"},
"key": "my-key",
},
},
],
)
Expand Down
14 changes: 14 additions & 0 deletions tests/test_web/js_fixtures/subcomponent-notation.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,14 @@
import React from "https://esm.sh/[email protected]"
import ReactDOM from "https://esm.sh/[email protected]/client"
import {InputGroup, Form} from "https://esm.sh/[email protected][email protected],[email protected],[email protected]&exports=InputGroup,Form";
export {InputGroup, Form};

export function bind(node, config) {
const root = ReactDOM.createRoot(node);
return {
create: (type, props, children) =>
React.createElement(type, props, ...children),
render: (element) => root.render(element),
unmount: () => root.unmount()
};
}
Loading