Skip to content
Merged
Show file tree
Hide file tree
Changes from 6 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
4 changes: 4 additions & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,10 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0
## [Unreleased]
### Added
* Added a compiler metadata flag for suppressing warnings when Var indirection is unavoidable (#1052)
* Added the `--emit-generated-python` CLI argument to control whether generated Python code strings are stored by the runtime for each compiled namespace (#1045)

### Changed
* The compiler will issue a warning when adding any alias that might conflict with any other alias (#1045)

### Fixed
* Basilisp now respects the value of Python's `sys.dont_write_bytecode` flag when generating bytecode (#1054)
Expand Down
25 changes: 25 additions & 0 deletions docs/runtime.rst
Original file line number Diff line number Diff line change
Expand Up @@ -111,6 +111,31 @@ This is roughly analogous to the Java classpath in Clojure.
These values may be set manually, but are more often configured by some project management tool such as Poetry or defined in your Python virtualenv.
These values may also be set via :ref:`cli` arguments.

.. _namespace_imports:

Namespace Imports
^^^^^^^^^^^^^^^^^

Basilisp compiles Lisp code into Python code in Python modules exactly the same way the Python compiler does.
The Python code compiled by the Basilisp compiler expects certain features to be available at runtime beyond the standard Python builtins.
To support this, the Python modules compiled by Basilisp automatically import a number of modules both from the Basilisp runtime, the Python standard library, and Basilisp's Python dependencies.
In Basilisp modules (particularly :lpy:ns:`basilisp.core`) you may find references to such modules without any corresponding :lpy:form:`import`.

The modules imported by default are given below:

- ``attr`` (from the `attrs <https://www.attrs.org/en/stable/>`_ project)
- :external:py:mod:`builtins` (Basilisp users should prefer the ``python`` namespace for calling :ref:`python_builtins`)
- :external:py:mod:`functools`
- :external:py:mod:`io`
- :external:py:mod:`importlib`
- :external:py:mod:`operator`
- :external:py:mod:`sys`
- The majority of the modules in ``basilisp.lang.*``

.. warning::

Using any of these names (particularly the Python standard library module names) as an alias for a required namespace or imported Python module will trigger a warning.

.. _vars:

Vars
Expand Down
2 changes: 2 additions & 0 deletions pyproject.toml
Original file line number Diff line number Diff line change
Expand Up @@ -85,6 +85,7 @@ exclude = '''
\.git
| \.hg
| \.cache
| \.graalvenv
| \.mypy_cache
| \.pytest_cache
| \.tox
Expand Down Expand Up @@ -133,6 +134,7 @@ skip = [
".env",
".hg",
".git",
".graalvenv",
".mypy_cache",
".pytest_cache",
".tox",
Expand Down
14 changes: 14 additions & 0 deletions src/basilisp/cli.py
Original file line number Diff line number Diff line change
Expand Up @@ -307,6 +307,20 @@ def _add_debug_arg_group(parser: argparse.ArgumentParser) -> None:
"(env: BASILISP_LOGGING_LEVEL; default: WARNING)"
),
)
group.add_argument(
"--emit-generated-python",
action=_set_envvar_action(
"BASILISP_EMIT_GENERATED_PYTHON", parent=argparse._StoreAction
),
nargs="?",
const=True,
type=_to_bool,
help=(
"if true, store generated Python code in `*generated-python*` dynamic "
"Vars within each namespace (env: BASILISP_EMIT_GENERATED_PYTHON; "
"default: true)"
),
)


def _add_import_arg_group(parser: argparse.ArgumentParser) -> None:
Expand Down
6 changes: 0 additions & 6 deletions src/basilisp/core.lpy
Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

These are all implicitly imported by the compiler.

Original file line number Diff line number Diff line change
Expand Up @@ -6,8 +6,6 @@
datetime
decimal
fractions
functools
importlib
importlib.util
math
multiprocessing
Expand All @@ -20,10 +18,6 @@
[time :as py-time]
uuid)

(import* attr)

(import* basilisp.lang.multifn)

(def ^{:doc "Create a list from the arguments."
:arglists '([& args])}
list
Expand Down
1 change: 0 additions & 1 deletion src/basilisp/io.lpy
Original file line number Diff line number Diff line change
Expand Up @@ -5,7 +5,6 @@
streams from a wide variety of different input types as well as utility functions for
interacting with the filesystem."
(:import
io
os.path
pathlib
shutil
Expand Down
2 changes: 1 addition & 1 deletion src/basilisp/lang/compiler/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -139,7 +139,7 @@ def _emit_ast_string(
# TODO: eventually, this default should become "false" but during this
# period of heavy development, having it set to "true" by default
# is tremendously useful
if os.getenv("BASILISP_EMIT_GENERATED_PYTHON", "true") != "true":
if os.getenv("BASILISP_EMIT_GENERATED_PYTHON", "true").lower() != "true":
return

if runtime.print_generated_python():
Expand Down
65 changes: 64 additions & 1 deletion src/basilisp/lang/compiler/analyzer.py
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,7 @@
import re
import sys
import uuid
from collections import defaultdict
from datetime import datetime
from decimal import Decimal
from fractions import Fraction
Expand All @@ -35,6 +36,7 @@
)

import attr
from typing_extensions import Literal

from basilisp.lang import keyword as kw
from basilisp.lang import list as llist
Expand Down Expand Up @@ -611,7 +613,7 @@ def syntax_position(self) -> NodeSyntacticPosition:
def get_node_env(self, pos: Optional[NodeSyntacticPosition] = None) -> NodeEnv:
"""Return the current Node environment.

If a synax position is given, it will be included in the environment.
If a syntax position is given, it will be included in the environment.
Otherwise, the position will be set to None."""
return NodeEnv(
ns=self.current_ns, file=self.filename, pos=pos, func_ctx=self.func_ctx
Expand Down Expand Up @@ -2505,6 +2507,55 @@ def _if_ast(form: ISeq, ctx: AnalyzerContext) -> If:
)


T_alias_node = TypeVar("T_alias_node", ImportAlias, RequireAlias)


def _do_warn_on_import_or_require_name_clash(
ctx: AnalyzerContext,
alias_nodes: List[T_alias_node],
action: Literal["import", "require"],
) -> None:
assert alias_nodes, "Must have at least one alias"

# Fetch these locally to avoid triggering more locks than we need to
current_ns = ctx.current_ns
aliases, import_aliases, imports = (
current_ns.aliases,
current_ns.import_aliases,
current_ns.imports,
)

# Identify duplicates in the import list first
name_to_nodes = defaultdict(list)
for node in alias_nodes:
name_to_nodes[(node.alias or node.name)].append(node)

for name, nodes in name_to_nodes.items():
if len(nodes) < 2:
continue

logger.warning(f"duplicate name or alias '{name}' in {action}")

# Now check against names in the namespace
for name, nodes in name_to_nodes.items():
name_sym = sym.symbol(name)
node, *_ = nodes

if name_sym in aliases:
logger.warning(
f"name '{name}' may shadow an existing alias in '{current_ns}'"
)
if name_sym in import_aliases:
logger.warning(
f"name '{name}' may be shadowed by an existing import alias in "
f"'{current_ns}'"
)
if name_sym in imports:
logger.warning(
f"name '{name}' may be shadowed by an existing import in '{current_ns}'"
)


def _import_ast(form: ISeq, ctx: AnalyzerContext) -> Import:
assert form.first == SpecialForm.IMPORT

Expand Down Expand Up @@ -2567,6 +2618,12 @@ def _import_ast(form: ISeq, ctx: AnalyzerContext) -> Import:
)
)

if not aliases:
raise ctx.AnalyzerException(
"import forms must name at least one module", form=form
)

_do_warn_on_import_or_require_name_clash(ctx, aliases, "import")
return Import(
form=form,
aliases=aliases,
Expand Down Expand Up @@ -3103,6 +3160,12 @@ def _require_ast(form: ISeq, ctx: AnalyzerContext) -> Require:
)
)

if not aliases:
raise ctx.AnalyzerException(
"require forms must name at least one namespace", form=form
)

_do_warn_on_import_or_require_name_clash(ctx, aliases, "require")
return Require(
form=form,
aliases=aliases,
Expand Down
3 changes: 3 additions & 0 deletions src/basilisp/lang/compiler/constants.py
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
from basilisp.lang import keyword as kw
from basilisp.lang import symbol as sym
from basilisp.lang.util import genname


class SpecialForm:
Expand Down Expand Up @@ -32,6 +33,8 @@ class SpecialForm:

DEFAULT_COMPILER_FILE_PATH = "NO_SOURCE_PATH"

OPERATOR_ALIAS = genname("operator")

SYM_ABSTRACT_META_KEY = kw.keyword("abstract")
SYM_ABSTRACT_MEMBERS_META_KEY = kw.keyword("abstract-members")
SYM_ASYNC_META_KEY = kw.keyword("async")
Expand Down
33 changes: 26 additions & 7 deletions src/basilisp/lang/compiler/generator.py
Original file line number Diff line number Diff line change
Expand Up @@ -46,6 +46,7 @@
from basilisp.lang.compiler.constants import (
DEFAULT_COMPILER_FILE_PATH,
INTERFACE_KW,
OPERATOR_ALIAS,
REST_KW,
SYM_DYNAMIC_META_KEY,
SYM_REDEF_META_KEY,
Expand Down Expand Up @@ -684,6 +685,13 @@ def _var_ns_as_python_sym(name: str) -> str:
#######################


_ATTR_ALIAS = genname("attr")
_BUILTINS_ALIAS = genname("builtins")
_FUNCTOOLS_ALIAS = genname("functools")
_IMPORTLIB_ALIAS = genname("importlib")
_IO_ALIAS = genname("io")
_SYS_ALIAS = genname("sys")

_ATOM_ALIAS = genname("atom")
_COMPILER_ALIAS = genname("compiler")
_CORE_ALIAS = genname("core")
Expand All @@ -706,9 +714,17 @@ def _var_ns_as_python_sym(name: str) -> str:
_VEC_ALIAS = genname("vec")
_VOLATILE_ALIAS = genname("volatile")
_VAR_ALIAS = genname("Var")
_UNION_ALIAS = genname("Union")
_UTIL_ALIAS = genname("langutil")

_MODULE_ALIASES = {
"attr": _ATTR_ALIAS,
"builtins": _BUILTINS_ALIAS,
"functools": _FUNCTOOLS_ALIAS,
"importlib": _IMPORTLIB_ALIAS,
"io": _IO_ALIAS,
"operator": OPERATOR_ALIAS,
"sys": _SYS_ALIAS,
"basilisp.lang.atom": _ATOM_ALIAS,
"basilisp.lang.compiler": _COMPILER_ALIAS,
"basilisp.core": _CORE_ALIAS,
Expand All @@ -732,6 +748,9 @@ def _var_ns_as_python_sym(name: str) -> str:
"basilisp.lang.volatile": _VOLATILE_ALIAS,
"basilisp.lang.util": _UTIL_ALIAS,
}
assert set(_MODULE_ALIASES.keys()).issuperset(
map(lambda s: s.name, runtime.Namespace.DEFAULT_IMPORTS)
), "All default Namespace imports should have generator aliases"

_NS_VAR_VALUE = f"{_NS_VAR}.value"

Expand All @@ -753,16 +772,16 @@ def _var_ns_as_python_sym(name: str) -> str:
_INTERN_VAR_FN_NAME = _load_attr(f"{_VAR_ALIAS}.intern")
_INTERN_UNBOUND_VAR_FN_NAME = _load_attr(f"{_VAR_ALIAS}.intern_unbound")
_FIND_VAR_FN_NAME = _load_attr(f"{_VAR_ALIAS}.find_safe")
_ATTR_CLASS_DECORATOR_NAME = _load_attr("attr.define")
_ATTR_FROZEN_DECORATOR_NAME = _load_attr("attr.frozen")
_ATTRIB_FIELD_FN_NAME = _load_attr("attr.field")
_ATTR_CLASS_DECORATOR_NAME = _load_attr(f"{_ATTR_ALIAS}.define")
_ATTR_FROZEN_DECORATOR_NAME = _load_attr(f"{_ATTR_ALIAS}.frozen")
_ATTRIB_FIELD_FN_NAME = _load_attr(f"{_ATTR_ALIAS}.field")
_COERCE_SEQ_FN_NAME = _load_attr(f"{_RUNTIME_ALIAS}.to_seq")
_BASILISP_FN_FN_NAME = _load_attr(f"{_RUNTIME_ALIAS}._basilisp_fn")
_FN_WITH_ATTRS_FN_NAME = _load_attr(f"{_RUNTIME_ALIAS}._with_attrs")
_BASILISP_TYPE_FN_NAME = _load_attr(f"{_RUNTIME_ALIAS}._basilisp_type")
_BASILISP_WITH_META_INTERFACE_NAME = _load_attr(f"{_INTERFACES_ALIAS}.IWithMeta")
_BUILTINS_IMPORT_FN_NAME = _load_attr("builtins.__import__")
_IMPORTLIB_IMPORT_MODULE_FN_NAME = _load_attr("importlib.import_module")
_BUILTINS_IMPORT_FN_NAME = _load_attr(f"{_BUILTINS_ALIAS}.__import__")
_IMPORTLIB_IMPORT_MODULE_FN_NAME = _load_attr(f"{_IMPORTLIB_ALIAS}.import_module")
_LISP_FN_APPLY_KWARGS_FN_NAME = _load_attr(f"{_RUNTIME_ALIAS}._lisp_fn_apply_kwargs")
_LISP_FN_COLLECT_KWARGS_FN_NAME = _load_attr(
f"{_RUNTIME_ALIAS}._lisp_fn_collect_kwargs"
Expand Down Expand Up @@ -1964,7 +1983,7 @@ def fn(*args):
ret_ann_deps.extend(ret_ann.dependencies)
ret_ann_ast = (
ast.Subscript(
value=ast.Name(id="Union", ctx=ast.Load()),
value=ast.Name(id=_UNION_ALIAS, ctx=ast.Load()),
slice=ast_index(ast.Tuple(elts=ret_ann_asts, ctx=ast.Load())),
ctx=ast.Load(),
)
Expand Down Expand Up @@ -3922,7 +3941,7 @@ def _from_module_imports() -> Iterable[ast.ImportFrom]:
ast.ImportFrom(
module="typing",
names=[
ast.alias(name="Union", asname=None),
ast.alias(name="Union", asname=_UNION_ALIAS),
],
level=0,
),
Expand Down
3 changes: 2 additions & 1 deletion src/basilisp/lang/compiler/optimizer.py
Original file line number Diff line number Diff line change
Expand Up @@ -4,6 +4,7 @@
from contextlib import contextmanager
from typing import Deque, Iterable, List, Optional, Set

from basilisp.lang.compiler.constants import OPERATOR_ALIAS
from basilisp.lang.compiler.utils import ast_FunctionDef, ast_index


Expand Down Expand Up @@ -43,7 +44,7 @@ def _optimize_operator_call_attr( # pylint: disable=too-many-return-statements
Using Python operators directly will allow for more direct bytecode to be
emitted by the Python compiler and take advantage of any additional performance
improvements in future versions of Python."""
if isinstance(fn.value, ast.Name) and fn.value.id == "operator":
if isinstance(fn.value, ast.Name) and fn.value.id == OPERATOR_ALIAS:
binop = {
"add": ast.Add,
"and_": ast.BitAnd,
Expand Down
Loading
Loading