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

refactor: Rename and move is_undefined, OneOrSeq #3491

Merged
merged 5 commits into from
Jul 22, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 2 additions & 1 deletion altair/utils/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -13,7 +13,7 @@
from .html import spec_to_html
from .plugin_registry import PluginRegistry
from .deprecation import AltairDeprecationWarning, deprecated, deprecated_warn
from .schemapi import Undefined, Optional
from .schemapi import Undefined, Optional, is_undefined


__all__ = (
Expand All @@ -28,6 +28,7 @@
"display_traceback",
"infer_encoding_types",
"infer_vegalite_type_for_pandas",
"is_undefined",
"parse_shorthand",
"sanitize_narwhals_dataframe",
"sanitize_pandas_dataframe",
Expand Down
13 changes: 13 additions & 0 deletions altair/utils/schemapi.py
Original file line number Diff line number Diff line change
Expand Up @@ -787,6 +787,19 @@ def func_2(
"""


def is_undefined(obj: Any) -> TypeIs[UndefinedType]:
"""Type-safe singleton check for `UndefinedType`.

Notes
-----
- Using `obj is Undefined` does not narrow from `UndefinedType` in a union.
- Due to the assumption that other `UndefinedType`'s could exist.
- Current [typing spec advises](https://typing.readthedocs.io/en/latest/spec/concepts.html#support-for-singleton-types-in-unions) using an `Enum`.
- Otherwise, requires an explicit guard to inform the type checker.
"""
return obj is Undefined


class SchemaBase:
"""Base class for schema wrappers.

Expand Down
51 changes: 9 additions & 42 deletions altair/vegalite/v5/api.py
Original file line number Diff line number Diff line change
Expand Up @@ -14,7 +14,6 @@
Union,
TYPE_CHECKING,
TypeVar,
Sequence,
Protocol,
)
from typing_extensions import TypeAlias
Expand Down Expand Up @@ -45,10 +44,6 @@
from typing import TypedDict
else:
from typing_extensions import TypedDict
if sys.version_info >= (3, 12):
from typing import TypeAliasType
else:
from typing_extensions import TypeAliasType

if TYPE_CHECKING:
from ...utils.core import DataFrameLike
Expand Down Expand Up @@ -107,7 +102,6 @@
TopLevelSelectionParameter,
SelectionParameter,
InlineDataset,
UndefinedType,
)
from altair.expr.core import (
BinaryExpression,
Expand All @@ -126,26 +120,12 @@
AggregateOp_T,
MultiTimeUnit_T,
SingleTimeUnit_T,
OneOrSeq,
)


ChartDataType: TypeAlias = Optional[Union[DataType, core.Data, str, core.Generator]]
_TSchemaBase = TypeVar("_TSchemaBase", bound=core.SchemaBase)
_T = TypeVar("_T")
_OneOrSeq = TypeAliasType("_OneOrSeq", Union[_T, Sequence[_T]], type_params=(_T,))
"""One of ``_T`` specified type(s), or a `Sequence` of such.

Examples
--------
The parameters ``short``, ``long`` accept the same range of types::

# ruff: noqa: UP006, UP007

def func(
short: _OneOrSeq[str | bool | float],
long: Union[str, bool, float, Sequence[Union[str, bool, float]],
): ...
"""


# ------------------------------------------------------------------------
Expand Down Expand Up @@ -181,7 +161,7 @@ def _consolidate_data(data: Any, context: Any) -> Any:
kwds = {}

if isinstance(data, core.InlineData):
if _is_undefined(data.name) and not _is_undefined(data.values):
if utils.is_undefined(data.name) and not utils.is_undefined(data.values):
if isinstance(data.values, core.InlineDataset):
values = data.to_dict()["values"]
else:
Expand All @@ -192,7 +172,7 @@ def _consolidate_data(data: Any, context: Any) -> Any:
values = data["values"]
kwds = {k: v for k, v in data.items() if k != "values"}

if not _is_undefined(values):
if not utils.is_undefined(values):
name = _dataset_name(values)
data = core.NamedData(name=name, **kwds)
context.setdefault("datasets", {})[name] = values
Expand Down Expand Up @@ -416,7 +396,7 @@ def _from_expr(self, expr) -> SelectionExpression:

def check_fields_and_encodings(parameter: Parameter, field_name: str) -> bool:
param = parameter.param
if _is_undefined(param) or isinstance(param, core.VariableParameter):
if utils.is_undefined(param) or isinstance(param, core.VariableParameter):
return False
for prop in ["fields", "encodings"]:
try:
Expand Down Expand Up @@ -485,19 +465,6 @@ def _is_test_predicate(obj: Any) -> TypeIs[_TestPredicateType]:
return isinstance(obj, (str, _expr_core.Expression, core.PredicateComposition))


def _is_undefined(obj: Any) -> TypeIs[UndefinedType]:
"""Type-safe singleton check for `UndefinedType`.

Notes
-----
- Using `obj is Undefined` does not narrow from `UndefinedType` in a union.
- Due to the assumption that other `UndefinedType`'s could exist.
- Current [typing spec advises](https://typing.readthedocs.io/en/latest/spec/concepts.html#support-for-singleton-types-in-unions) using an `Enum`.
- Otherwise, requires an explicit guard to inform the type checker.
"""
return obj is Undefined


def _get_predicate_expr(p: Parameter) -> Optional[str | SchemaBase]:
# https://vega.github.io/vega-lite/docs/predicate.html
return getattr(p.param, "expr", Undefined)
Expand All @@ -509,7 +476,7 @@ def _predicate_to_condition(
condition: _ConditionType
if isinstance(predicate, Parameter):
predicate_expr = _get_predicate_expr(predicate)
if predicate.param_type == "selection" or _is_undefined(predicate_expr):
if predicate.param_type == "selection" or utils.is_undefined(predicate_expr):
condition = {"param": predicate.name}
if isinstance(empty, bool):
condition["empty"] = empty
Expand Down Expand Up @@ -585,7 +552,7 @@ class _ConditionExtra(TypedDict, closed=True, total=False): # type: ignore[call
param: Parameter | str
test: _TestPredicateType
value: Any
__extra_items__: _StatementType | _OneOrSeq[_LiteralValue]
__extra_items__: _StatementType | OneOrSeq[_LiteralValue]


_Condition: TypeAlias = _ConditionExtra
Expand Down Expand Up @@ -696,7 +663,7 @@ def _parse_when(
**constraints: _FieldEqualType,
) -> _ConditionType:
composed: _PredicateType
if _is_undefined(predicate):
if utils.is_undefined(predicate):
if more_predicates or constraints:
composed = _parse_when_compose(more_predicates, constraints)
else:
Expand Down Expand Up @@ -1106,7 +1073,7 @@ def param(
empty_remap = {"none": False, "all": True}
parameter = Parameter(name)

if not _is_undefined(empty):
if not utils.is_undefined(empty):
if isinstance(empty, bool) and not isinstance(empty, str):
parameter.empty = empty
elif empty in empty_remap:
Expand Down Expand Up @@ -1624,7 +1591,7 @@ def to_dict(

copy = _top_schema_base(self).copy(deep=False)
original_data = getattr(copy, "data", Undefined)
if not _is_undefined(original_data):
if not utils.is_undefined(original_data):
try:
data = _to_eager_narwhals_dataframe(original_data)
except TypeError:
Expand Down
21 changes: 19 additions & 2 deletions altair/vegalite/v5/schema/_typing.py
Original file line number Diff line number Diff line change
Expand Up @@ -4,9 +4,9 @@

from __future__ import annotations

from typing import Any, Literal, Mapping
from typing import Any, Literal, Mapping, Sequence, TypeVar, Union

from typing_extensions import TypeAlias
from typing_extensions import TypeAlias, TypeAliasType

__all__ = [
"AggregateOp_T",
Expand All @@ -32,6 +32,7 @@
"Mark_T",
"MultiTimeUnit_T",
"NonArgAggregateOp_T",
"OneOrSeq",
"Orient_T",
"Orientation_T",
"ProjectionType_T",
Expand Down Expand Up @@ -60,6 +61,22 @@
]


T = TypeVar("T")
OneOrSeq = TypeAliasType("OneOrSeq", Union[T, Sequence[T]], type_params=(T,))
"""One of ``T`` specified type(s), or a `Sequence` of such.

Examples
--------
The parameters ``short``, ``long`` accept the same range of types::

# ruff: noqa: UP006, UP007

def func(
short: OneOrSeq[str | bool | float],
long: Union[str, bool, float, Sequence[Union[str, bool, float]],
): ...
"""

Map: TypeAlias = Mapping[str, Any]
AggregateOp_T: TypeAlias = Literal[
"argmax",
Expand Down
24 changes: 23 additions & 1 deletion tools/generate_schema_wrapper.py
Original file line number Diff line number Diff line change
Expand Up @@ -232,6 +232,26 @@ def encode({encode_method_args}) -> Self:
return copy
'''

# NOTE: Not yet reasonable to generalize `TypeAliasType`, `TypeVar`
# Revisit if this starts to become more common
TYPING_EXTRA: Final = '''
T = TypeVar("T")
OneOrSeq = TypeAliasType("OneOrSeq", Union[T, Sequence[T]], type_params=(T,))
"""One of ``T`` specified type(s), or a `Sequence` of such.

Examples
--------
The parameters ``short``, ``long`` accept the same range of types::

# ruff: noqa: UP006, UP007

def func(
short: OneOrSeq[str | bool | float],
long: Union[str, bool, float, Sequence[Union[str, bool, float]],
): ...
"""
'''


class SchemaGenerator(codegen.SchemaGenerator):
schema_class_template = textwrap.dedent(
Expand Down Expand Up @@ -815,7 +835,9 @@ def vegalite_main(skip_download: bool = False) -> None:
)
print(msg)
TypeAliasTracer.update_aliases(("Map", "Mapping[str, Any]"))
TypeAliasTracer.write_module(fp_typing, header=HEADER)
TypeAliasTracer.write_module(
fp_typing, "OneOrSeq", header=HEADER, extra=TYPING_EXTRA
)
# Write the pre-generated modules
for fp, contents in files.items():
print(f"Writing\n {schemafile!s}\n ->{fp!s}")
Expand Down
13 changes: 13 additions & 0 deletions tools/schemapi/schemapi.py
Original file line number Diff line number Diff line change
Expand Up @@ -785,6 +785,19 @@ def func_2(
"""


def is_undefined(obj: Any) -> TypeIs[UndefinedType]:
"""Type-safe singleton check for `UndefinedType`.

Notes
-----
- Using `obj is Undefined` does not narrow from `UndefinedType` in a union.
- Due to the assumption that other `UndefinedType`'s could exist.
- Current [typing spec advises](https://typing.readthedocs.io/en/latest/spec/concepts.html#support-for-singleton-types-in-unions) using an `Enum`.
- Otherwise, requires an explicit guard to inform the type checker.
"""
return obj is Undefined


class SchemaBase:
"""Base class for schema wrappers.

Expand Down
17 changes: 10 additions & 7 deletions tools/schemapi/utils.py
Original file line number Diff line number Diff line change
Expand Up @@ -71,8 +71,8 @@ def __init__(
self._aliases: dict[str, str] = {}
self._imports: Sequence[str] = (
"from __future__ import annotations\n",
"from typing import Literal, Mapping, Any",
"from typing_extensions import TypeAlias",
"from typing import Any, Literal, Mapping, TypeVar, Sequence, Union",
"from typing_extensions import TypeAlias, TypeAliasType",
)
self._cmd_check: list[str] = ["--fix"]
self._cmd_format: Sequence[str] = ruff_format or ()
Expand Down Expand Up @@ -141,28 +141,31 @@ def is_cached(self, tp: str, /) -> bool:
return tp in self._literals_invert or tp in self._literals

def write_module(
self, fp: Path, *extra_imports: str, header: LiteralString
self, fp: Path, *extra_all: str, header: LiteralString, extra: LiteralString
) -> None:
"""Write all collected `TypeAlias`'s to `fp`.

Parameters
----------
fp
Path to new module.
*extra_imports
Follows `self._imports` block.
*extra_all
Any manually spelled types to be exported.
header
`tools.generate_schema_wrapper.HEADER`.
extra
`tools.generate_schema_wrapper.TYPING_EXTRA`.
"""
ruff_format = ["ruff", "format", fp]
if self._cmd_format:
ruff_format.extend(self._cmd_format)
commands = (["ruff", "check", fp, *self._cmd_check], ruff_format)
static = (header, "\n", *self._imports, *extra_imports, "\n\n")
static = (header, "\n", *self._imports, "\n\n")
self.update_aliases(*sorted(self._literals.items(), key=itemgetter(0)))
all_ = [*iter(self._aliases), *extra_all]
it = chain(
static,
[f"__all__ = {list(self._aliases)}", "\n\n"],
[f"__all__ = {all_}", "\n\n", extra],
self.generate_aliases(),
)
fp.write_text("\n".join(it), encoding="utf-8")
Expand Down