Skip to content

Commit b1e66e2

Browse files
authored
Remove snake_case -> camelCase prop conversion (#1263)
1 parent d906dc8 commit b1e66e2

23 files changed

+159
-183
lines changed

docs/source/about/changelog.rst

+1
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,7 @@ Unreleased
3232
- :pull:`1113` - Renamed the ``use_location`` hook's ``search`` attribute to ``query_string``.
3333
- :pull:`1113` - Renamed the ``use_location`` hook's ``pathname`` attribute to ``path``.
3434
- :pull:`1113` - Renamed ``reactpy.config.REACTPY_DEBUG_MODE`` to ``reactpy.config.REACTPY_DEBUG``.
35+
- :pull:`1263` - ReactPy no longer auto-converts ``snake_case`` props to ``camelCase``. It is now the responsibility of the user to ensure that props are in the correct format.
3536

3637
**Removed**
3738

pyproject.toml

+7-4
Original file line numberDiff line numberDiff line change
@@ -18,11 +18,12 @@ authors = [
1818
]
1919
requires-python = ">=3.9"
2020
classifiers = [
21-
"Development Status :: 4 - Beta",
21+
"Development Status :: 5 - Production/Stable",
2222
"Programming Language :: Python",
23-
"Programming Language :: Python :: 3.9",
2423
"Programming Language :: Python :: 3.10",
2524
"Programming Language :: Python :: 3.11",
25+
"Programming Language :: Python :: 3.12",
26+
"Programming Language :: Python :: 3.13",
2627
"Programming Language :: Python :: Implementation :: CPython",
2728
"Programming Language :: Python :: Implementation :: PyPy",
2829
]
@@ -60,6 +61,9 @@ license-files = { paths = ["LICENSE"] }
6061
[tool.hatch.envs.default]
6162
installer = "uv"
6263

64+
[project.scripts]
65+
reactpy = "reactpy._console.cli:entry_point"
66+
6367
[[tool.hatch.build.hooks.build-scripts.scripts]]
6468
# Note: `hatch` can't be called within `build-scripts` when installing packages in editable mode, so we have to write the commands long-form
6569
commands = [
@@ -162,8 +166,6 @@ extra-dependencies = [
162166
"mypy==1.8",
163167
"types-toml",
164168
"types-click",
165-
"types-tornado",
166-
"types-flask",
167169
"types-requests",
168170
]
169171

@@ -194,6 +196,7 @@ test = [
194196
]
195197
build = [
196198
'hatch run "src/build_scripts/clean_js_dir.py"',
199+
'bun install --cwd "src/js"',
197200
'hatch run javascript:build_event_to_object',
198201
'hatch run javascript:build_client',
199202
'hatch run javascript:build_app',

src/js/packages/@reactpy/client/package.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
{
22
"name": "@reactpy/client",
3-
"version": "0.3.2",
3+
"version": "1.0.0",
44
"description": "A client for ReactPy implemented in React",
55
"author": "Ryan Morshead",
66
"license": "MIT",

src/js/packages/@reactpy/client/src/vdom.tsx

+1-32
Original file line numberDiff line numberDiff line change
@@ -152,8 +152,7 @@ export function createAttributes(
152152
createEventHandler(client, name, handler),
153153
),
154154
),
155-
// Convert snake_case to camelCase names
156-
}).map(normalizeAttribute),
155+
}),
157156
);
158157
}
159158

@@ -182,33 +181,3 @@ function createEventHandler(
182181
},
183182
];
184183
}
185-
186-
function normalizeAttribute([key, value]: [string, any]): [string, any] {
187-
let normKey = key;
188-
let normValue = value;
189-
190-
if (key === "style" && typeof value === "object") {
191-
normValue = Object.fromEntries(
192-
Object.entries(value).map(([k, v]) => [snakeToCamel(k), v]),
193-
);
194-
} else if (
195-
key.startsWith("data_") ||
196-
key.startsWith("aria_") ||
197-
DASHED_HTML_ATTRS.includes(key)
198-
) {
199-
normKey = key.split("_").join("-");
200-
} else {
201-
normKey = snakeToCamel(key);
202-
}
203-
return [normKey, normValue];
204-
}
205-
206-
function snakeToCamel(str: string): string {
207-
return str.replace(/([_][a-z])/g, (group) =>
208-
group.toUpperCase().replace("_", ""),
209-
);
210-
}
211-
212-
// see list of HTML attributes with dashes in them:
213-
// https://developer.mozilla.org/en-US/docs/Web/HTML/Attributes#attribute_list
214-
const DASHED_HTML_ATTRS = ["accept_charset", "http_equiv"];

src/reactpy/__main__.py

-19
This file was deleted.

src/reactpy/_console/cli.py

+19
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,19 @@
1+
"""Entry point for the ReactPy CLI."""
2+
3+
import click
4+
5+
import reactpy
6+
from reactpy._console.rewrite_props import rewrite_props
7+
8+
9+
@click.group()
10+
@click.version_option(version=reactpy.__version__, prog_name=reactpy.__name__)
11+
def entry_point() -> None:
12+
pass
13+
14+
15+
entry_point.add_command(rewrite_props)
16+
17+
18+
if __name__ == "__main__":
19+
entry_point()
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,6 @@
11
from __future__ import annotations
22

33
import ast
4-
import re
54
from copy import copy
65
from keyword import kwlist
76
from pathlib import Path
@@ -15,59 +14,80 @@
1514
rewrite_changed_nodes,
1615
)
1716

18-
CAMEL_CASE_SUB_PATTERN = re.compile(r"(?<!^)(?=[A-Z])")
19-
2017

2118
@click.command()
2219
@click.argument("paths", nargs=-1, type=click.Path(exists=True))
23-
def rewrite_camel_case_props(paths: list[str]) -> None:
24-
"""Rewrite camelCase props to snake_case"""
25-
20+
def rewrite_props(paths: list[str]) -> None:
21+
"""Rewrite snake_case props to camelCase within <PATHS>."""
2622
for p in map(Path, paths):
23+
# Process each file or recursively process each Python file in directories
2724
for f in [p] if p.is_file() else p.rglob("*.py"):
2825
result = generate_rewrite(file=f, source=f.read_text(encoding="utf-8"))
2926
if result is not None:
3027
f.write_text(result)
3128

3229

3330
def generate_rewrite(file: Path, source: str) -> str | None:
34-
tree = ast.parse(source)
31+
"""Generate the rewritten source code if changes are detected"""
32+
tree = ast.parse(source) # Parse the source code into an AST
3533

36-
changed = find_nodes_to_change(tree)
34+
changed = find_nodes_to_change(tree) # Find nodes that need to be changed
3735
if not changed:
38-
return None
36+
return None # Return None if no changes are needed
3937

40-
new = rewrite_changed_nodes(file, source, tree, changed)
38+
new = rewrite_changed_nodes(
39+
file, source, tree, changed
40+
) # Rewrite the changed nodes
4141
return new
4242

4343

4444
def find_nodes_to_change(tree: ast.AST) -> list[ChangedNode]:
45+
"""Find nodes in the AST that need to be changed"""
4546
changed: list[ChangedNode] = []
4647
for el_info in find_element_constructor_usages(tree):
48+
# Check if the props need to be rewritten
4749
if _rewrite_props(el_info.props, _construct_prop_item):
50+
# Add the changed node to the list
4851
changed.append(ChangedNode(el_info.call, el_info.parents))
4952
return changed
5053

5154

5255
def conv_attr_name(name: str) -> str:
53-
new_name = CAMEL_CASE_SUB_PATTERN.sub("_", name).lower()
54-
return f"{new_name}_" if new_name in kwlist else new_name
56+
"""Convert snake_case attribute name to camelCase"""
57+
# Return early if the value is a Python keyword
58+
if name in kwlist:
59+
return name
60+
61+
# Return early if the value is not snake_case
62+
if "_" not in name:
63+
return name
64+
65+
# Split the string by underscores
66+
components = name.split("_")
67+
68+
# Capitalize the first letter of each component except the first one
69+
# and join them together
70+
return components[0] + "".join(x.title() for x in components[1:])
5571

5672

5773
def _construct_prop_item(key: str, value: ast.expr) -> tuple[str, ast.expr]:
74+
"""Construct a new prop item with the converted key and possibly modified value"""
5875
if key == "style" and isinstance(value, (ast.Dict, ast.Call)):
76+
# Create a copy of the value to avoid modifying the original
5977
new_value = copy(value)
6078
if _rewrite_props(
6179
new_value,
6280
lambda k, v: (
6381
(k, v)
64-
# avoid infinite recursion
82+
# Avoid infinite recursion
6583
if k == "style"
6684
else _construct_prop_item(k, v)
6785
),
6886
):
87+
# Update the value if changes were made
6988
value = new_value
7089
else:
90+
# Convert the key to camelCase
7191
key = conv_attr_name(key)
7292
return key, value
7393

@@ -76,12 +96,15 @@ def _rewrite_props(
7696
props_node: ast.Dict | ast.Call,
7797
constructor: Callable[[str, ast.expr], tuple[str, ast.expr]],
7898
) -> bool:
99+
"""Rewrite the props in the given AST node using the provided constructor"""
100+
did_change = False
79101
if isinstance(props_node, ast.Dict):
80-
did_change = False
81102
keys: list[ast.expr | None] = []
82103
values: list[ast.expr] = []
104+
# Iterate over the keys and values in the dictionary
83105
for k, v in zip(props_node.keys, props_node.values):
84106
if isinstance(k, ast.Constant) and isinstance(k.value, str):
107+
# Construct the new key and value
85108
k_value, new_v = constructor(k.value, v)
86109
if k_value != k.value or new_v is not v:
87110
did_change = True
@@ -90,20 +113,22 @@ def _rewrite_props(
90113
keys.append(k)
91114
values.append(v)
92115
if not did_change:
93-
return False
116+
return False # Return False if no changes were made
94117
props_node.keys = keys
95118
props_node.values = values
96119
else:
97120
did_change = False
98121
keywords: list[ast.keyword] = []
122+
# Iterate over the keywords in the call
99123
for kw in props_node.keywords:
100124
if kw.arg is not None:
125+
# Construct the new keyword argument and value
101126
kw_arg, kw_value = constructor(kw.arg, kw.value)
102127
if kw_arg != kw.arg or kw_value is not kw.value:
103128
did_change = True
104129
kw = ast.keyword(arg=kw_arg, value=kw_value)
105130
keywords.append(kw)
106131
if not did_change:
107-
return False
132+
return False # Return False if no changes were made
108133
props_node.keywords = keywords
109134
return True

src/reactpy/testing/backend.py

+4-1
Original file line numberDiff line numberDiff line change
@@ -16,6 +16,7 @@
1616
from reactpy.config import REACTPY_TESTS_DEFAULT_TIMEOUT
1717
from reactpy.core.component import component
1818
from reactpy.core.hooks import use_callback, use_effect, use_state
19+
from reactpy.testing.common import GITHUB_ACTIONS
1920
from reactpy.testing.logs import (
2021
LogAssertionError,
2122
capture_reactpy_logs,
@@ -138,7 +139,9 @@ async def __aexit__(
138139
msg = "Unexpected logged exception"
139140
raise LogAssertionError(msg) from logged_errors[0]
140141

141-
await asyncio.wait_for(self.webserver.shutdown(), timeout=60)
142+
await asyncio.wait_for(
143+
self.webserver.shutdown(), timeout=60 if GITHUB_ACTIONS else 5
144+
)
142145

143146
async def restart(self) -> None:
144147
"""Restart the server"""

src/reactpy/testing/common.py

+9
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@
22

33
import asyncio
44
import inspect
5+
import os
56
import shutil
67
import time
78
from collections.abc import Awaitable
@@ -28,6 +29,14 @@ def clear_reactpy_web_modules_dir() -> None:
2829

2930

3031
_DEFAULT_POLL_DELAY = 0.1
32+
GITHUB_ACTIONS = os.getenv("GITHUB_ACTIONS", "False") in {
33+
"y",
34+
"yes",
35+
"t",
36+
"true",
37+
"on",
38+
"1",
39+
}
3140

3241

3342
class poll(Generic[_R]): # noqa: N801

src/reactpy/widgets.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -73,7 +73,7 @@ def sync_inputs(event: dict[str, Any]) -> None:
7373

7474
inputs: list[VdomDict] = []
7575
for attrs in attributes:
76-
inputs.append(html.input({**attrs, "on_change": sync_inputs, "value": value}))
76+
inputs.append(html.input({**attrs, "onChange": sync_inputs, "value": value}))
7777

7878
return inputs
7979

tests/conftest.py

+1-8
Original file line numberDiff line numberDiff line change
@@ -19,17 +19,10 @@
1919
capture_reactpy_logs,
2020
clear_reactpy_web_modules_dir,
2121
)
22+
from reactpy.testing.common import GITHUB_ACTIONS
2223

2324
REACTPY_ASYNC_RENDERING.set_current(True)
2425
REACTPY_DEBUG.set_current(True)
25-
GITHUB_ACTIONS = os.getenv("GITHUB_ACTIONS", "False") in {
26-
"y",
27-
"yes",
28-
"t",
29-
"true",
30-
"on",
31-
"1",
32-
}
3326

3427

3528
def pytest_addoption(parser: Parser) -> None:

tests/test_asgi/test_standalone.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -40,7 +40,7 @@ def Counter():
4040
return reactpy.html.button(
4141
{
4242
"id": "counter",
43-
"on_click": lambda event: set_count(lambda old_count: old_count + 1),
43+
"onClick": lambda event: set_count(lambda old_count: old_count + 1),
4444
},
4545
f"Count: {count}",
4646
)

0 commit comments

Comments
 (0)