diff --git a/pyproject.toml b/pyproject.toml index c26ef43..1c83a1e 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -35,4 +35,4 @@ dependencies = [ tealish = "tealish.cli:cli" [tool.setuptools.package-data] -tealish = ["langspec.json", "tealish_expressions.tx"] +tealish = ["langspec.json", "tealish_expressions.tx", "scaffold/**"] diff --git a/tealish/cli.py b/tealish/cli.py index e5b9668..d882dea 100644 --- a/tealish/cli.py +++ b/tealish/cli.py @@ -1,18 +1,25 @@ import json import pathlib +from os import getcwd +from shutil import copytree +from typing import IO, List, Optional, Tuple + import click -from typing import List, Optional, Tuple, IO -from tealish import compile_program, reformat_program + +from tealish import compile_program, config, reformat_program +from tealish.build import assemble_with_algod, assemble_with_goal from tealish.errors import CompileError, ParseError from tealish.langspec import ( fetch_langspec, get_active_langspec, - packaged_lang_spec, local_lang_spec, + packaged_lang_spec, ) -from tealish.build import assemble_with_goal, assemble_with_algod from tealish.utils import TealishMap +# TODO: consider using config to modify project structure +# TODO: make recursive building a flag? + def _build( path: pathlib.Path, @@ -21,28 +28,43 @@ def _build( quiet: bool = False, ) -> None: paths: List[pathlib.Path] + if path.is_dir(): - paths = list(path.glob("*.tl")) + paths = [file.resolve().as_posix() for file in path.rglob("*.tl")] + if len(paths) == 0: + raise click.ClickException( + f"{path.name} and all of its subdirectories do not contain any Tealish files - aborting." + ) + else: + if not path.name.endswith(".tl"): + raise click.ClickException(f"{path.name} is not a Tealish file - aborting.") + paths = [path.resolve().as_posix()] + path = path.parent + + if not config.is_using_config: + _build_path = path / "build" + _contracts_path = path else: - paths = [path] + _build_path = config.build_path + _contracts_path = config.contracts_path - for path in paths: - output_path = pathlib.Path(path).parent / "build" - output_path.mkdir(exist_ok=True) - filename = pathlib.Path(path).name + for p in paths: + filename = str(p).replace(f"{str(_contracts_path)}", f"{str(_build_path)}") base_filename = filename.replace(".tl", "") # Teal - teal_filename = output_path / f"{base_filename}.teal" + teal_filename = pathlib.Path(f"{base_filename}.teal") if not quiet: - click.echo(f"Compiling {path} to {teal_filename}") - teal, tealish_map = _compile_program(open(path).read()) + # TODO: change relative to build/contracts directories to avoid long prints + click.echo(f"Compiling {p} to {teal_filename}") + teal, tealish_map = _compile_program(open(p).read()) teal_string = "\n".join(teal + [""]) + teal_filename.parent.mkdir(parents=True, exist_ok=True) with open(teal_filename, "w") as f: f.write("\n".join(teal + [""])) if assembler: - tok_filename = output_path / f"{base_filename}.teal.tok" + tok_filename = f"{base_filename}.teal.tok" if assembler == "goal": if not quiet: click.echo( @@ -74,13 +96,42 @@ def _build( f.write(bytecode) # Source Map tealish_map.update_from_teal_sourcemap(sourcemap) - map_filename = output_path / f"{base_filename}.map.json" + map_filename = f"{base_filename}.map.json" if not quiet: click.echo(f"Writing source map to {map_filename}") with open(map_filename, "w") as f: f.write(json.dumps(tealish_map.as_dict()).replace("],", "],\n")) +def _create_project( + project_name: str, + template: str, + quiet: bool = False, +) -> None: + project_path = pathlib.Path(getcwd()) / project_name + + if not quiet: + click.echo( + f'Starting a new Tealish project named "{project_name}" with {template} template...' + ) + + # Only pure algosdk implementation for now. + # Can have other templates in the future like Algojig, Beaker, etc. + if template == "algosdk" or template is None: + # Relies on the template project being in Tealish package. + # Not ideal as they would all be downloaded when Tealish is downloaded. + # Templates should rather be in their own repositories and separately maintained. + # TODO: change to pulling from GitHub. + copytree( + pathlib.Path(__file__).parent / "scaffold", + project_path, + ignore=lambda x, y: ["__pycache__"], + ) + + if not quiet: + click.echo(f'Done - project "{project_name}" is ready for take off!') + + def _compile_program(source: str) -> Tuple[List[str], TealishMap]: try: teal, map = compile_program(source) @@ -100,6 +151,15 @@ def cli(ctx: click.Context, quiet: bool) -> None: ctx.obj["quiet"] = quiet +@click.command() +@click.argument("project_name", type=str) +@click.option("--template", type=click.Choice(["algosdk"], case_sensitive=False)) +@click.pass_context +def start(ctx: click.Context, project_name: str, template: str): + """Start a new Tealish project""" + _create_project(project_name, template, quiet=ctx.obj["quiet"]) + + @click.command() @click.argument("path", type=click.Path(exists=True, path_type=pathlib.Path)) @click.pass_context @@ -218,6 +278,7 @@ def langspec_diff(url: str) -> None: langspec.add_command(langspec_fetch, "fetch") langspec.add_command(langspec_diff, "diff") +cli.add_command(start) cli.add_command(compile) cli.add_command(build) cli.add_command(format) diff --git a/tealish/config.py b/tealish/config.py new file mode 100644 index 0000000..3d5de73 --- /dev/null +++ b/tealish/config.py @@ -0,0 +1,33 @@ +import json +from os import getcwd +from pathlib import Path + +CONFIG_FILE_NAME = "tealish.json" + +is_using_config = False + +project_root_path = Path(getcwd()) + +# Check if config file is present - if found then we assume the directory +# it's in must be the project root. +while True: + if (project_root_path / CONFIG_FILE_NAME).is_file(): + is_using_config = True + break + if len(project_root_path.parts) == 1: + break + project_root_path = project_root_path.parent + +if is_using_config: + with open(project_root_path / CONFIG_FILE_NAME) as f: + config = json.load(f) + try: + build_dir_name: str = config["directories"]["build"] + build_path = project_root_path / build_dir_name + except KeyError: + build_path = project_root_path / "build" # default + try: + contracts_dir_name: str = config["directories"]["contracts"] + contracts_path = project_root_path / contracts_dir_name + except KeyError: + contracts_path = project_root_path / "contracts" # default diff --git a/tealish/scaffold/.gitignore b/tealish/scaffold/.gitignore new file mode 100644 index 0000000..80999c2 --- /dev/null +++ b/tealish/scaffold/.gitignore @@ -0,0 +1,133 @@ +# Byte-compiled / optimized / DLL files +__pycache__/ +*.py[cod] +*$py.class + +# C extensions +*.so + +# Distribution / packaging +.Python +# build/ +develop-eggs/ +dist/ +downloads/ +eggs/ +.eggs/ +lib/ +lib64/ +parts/ +sdist/ +var/ +wheels/ +pip-wheel-metadata/ +share/python-wheels/ +*.egg-info/ +.installed.cfg +*.egg +MANIFEST + +# PyInstaller +# Usually these files are written by a python script from a template +# before PyInstaller builds the exe, so as to inject date/other infos into it. +*.manifest +*.spec + +# Installer logs +pip-log.txt +pip-delete-this-directory.txt + +# Unit test / coverage reports +htmlcov/ +.tox/ +.nox/ +.coverage +.coverage.* +.cache +nosetests.xml +coverage.xml +*.cover +*.py,cover +.hypothesis/ +.pytest_cache/ + +# Translations +*.mo +*.pot + +# Django stuff: +*.log +local_settings.py +db.sqlite3 +db.sqlite3-journal + +# Flask stuff: +instance/ +.webassets-cache + +# Scrapy stuff: +.scrapy + +# Sphinx documentation +docs/_build/ + +# PyBuilder +target/ + +# Jupyter Notebook +.ipynb_checkpoints + +# IPython +profile_default/ +ipython_config.py + +# pyenv +.python-version + +# pipenv +# According to pypa/pipenv#598, it is recommended to include Pipfile.lock in version control. +# However, in case of collaboration, if having platform-specific dependencies or dependencies +# having no cross-platform support, pipenv may install dependencies that don't work, or not +# install all needed dependencies. +#Pipfile.lock + +# PEP 582; used by e.g. github.com/David-OConnor/pyflow +__pypackages__/ + +# Celery stuff +celerybeat-schedule +celerybeat.pid + +# SageMath parsed files +*.sage.py + +# Environments +.env +.venv +env/ +venv/ +ENV/ +env.bak/ +venv.bak/ + +# Spyder project settings +.spyderproject +.spyproject + +# Rope project settings +.ropeproject + +# mkdocs documentation +/site + +# mypy +.mypy_cache/ +.dmypy.json +dmypy.json + +# Pyre type checker +.pyre/ + +.DS_Store +.idea +.vscode/ diff --git a/tealish/scaffold/contracts/example/approval.tl b/tealish/scaffold/contracts/example/approval.tl new file mode 100644 index 0000000..d192a6f --- /dev/null +++ b/tealish/scaffold/contracts/example/approval.tl @@ -0,0 +1,69 @@ +#pragma version 8 + +if Txn.ApplicationID == 0: + # Handle Create App + exit(1) +end + +switch Txn.OnCompletion: + NoOp: main + OptIn: opt_in + CloseOut: close_out + UpdateApplication: update_app + DeleteApplication: delete_app +end + +block opt_in: + # Handle Opt In + # some statements here + # exit(1) + + # OR + # Disallow Opt In + exit(0) +end + +block close_out: + # Handle Close Out + # some statements here + # exit(1) + + # OR + # Disallow Closing Out + exit(0) +end + +block update_app: + # Handle Update App + # Example: Only allow the Creator to update the app + # exit(Txn.Sender == Global.CreatorAddress) + # exit(1) + + # OR + # Disallow Update App + exit(0) +end + +block delete_app: + # Handle Delete App + # Example: Only allow the Creator to update the app + # exit(Txn.Sender == Global.CreatorAddress) + # exit(1) + + # OR + # Disallow Delete App + exit(0) +end + +block main: + switch Txn.ApplicationArgs[0]: + "hello": hello + end + + block hello: + log("Hello, world!") + exit(1) + end + + exit(1) +end diff --git a/tealish/scaffold/contracts/example/clear.tl b/tealish/scaffold/contracts/example/clear.tl new file mode 100644 index 0000000..e7832fd --- /dev/null +++ b/tealish/scaffold/contracts/example/clear.tl @@ -0,0 +1,3 @@ +#pragma version 8 + +exit(1) \ No newline at end of file diff --git a/tealish/scaffold/requirements.txt b/tealish/scaffold/requirements.txt new file mode 100644 index 0000000..bf5af30 --- /dev/null +++ b/tealish/scaffold/requirements.txt @@ -0,0 +1,3 @@ +black==23.1.0 +py-algorand-sdk==2.0.0 +tealish==0.0.2 \ No newline at end of file diff --git a/tealish/scaffold/tealish.json b/tealish/scaffold/tealish.json new file mode 100644 index 0000000..eea2a2e --- /dev/null +++ b/tealish/scaffold/tealish.json @@ -0,0 +1,6 @@ +{ + "directories": { + "build": "build", + "contracts": "contracts" + } +} \ No newline at end of file diff --git a/tealish/scaffold/tests/__init__.py b/tealish/scaffold/tests/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/tealish/scaffold/tests/test_app.py b/tealish/scaffold/tests/test_app.py new file mode 100644 index 0000000..85562dc --- /dev/null +++ b/tealish/scaffold/tests/test_app.py @@ -0,0 +1,53 @@ +from base64 import b64decode +from unittest import TestCase + +from algosdk.atomic_transaction_composer import ( + AtomicTransactionComposer, + TransactionWithSigner, +) +from algosdk.transaction import ( + ApplicationCallTxn, + OnComplete, + StateSchema, +) + +from util.app import deploy_app +from util.account import create_new_funded_account +from util.client import algod_client + + +class TestApp(TestCase): + def setUp(self) -> None: + ( + self.manager_address, + self.manager_txn_signer, + ) = create_new_funded_account() + + self.app_id, self.app_address = deploy_app( + self.manager_txn_signer, + "example/approval.teal", + "example/clear.teal", + algod_client.suggested_params(), + StateSchema(num_uints=0, num_byte_slices=0), + StateSchema(num_uints=0, num_byte_slices=0), + ) + + def test_hello(self): + atc = AtomicTransactionComposer() + atc.add_transaction( + TransactionWithSigner( + txn=ApplicationCallTxn( + sender=self.manager_address, + sp=algod_client.suggested_params(), + index=self.app_id, + on_complete=OnComplete.NoOpOC.real, + app_args=["hello"], + ), + signer=self.manager_txn_signer, + ) + ) + tx_id = atc.execute(algod_client, 5).tx_ids[0] + logs: list[bytes] = algod_client.pending_transaction_info(tx_id)["logs"] + + self.assertEqual(len(logs), 1) + self.assertEqual(b64decode(logs.pop()).decode(), "Hello, world!") diff --git a/tealish/scaffold/util/__init__.py b/tealish/scaffold/util/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/tealish/scaffold/util/account.py b/tealish/scaffold/util/account.py new file mode 100644 index 0000000..af66445 --- /dev/null +++ b/tealish/scaffold/util/account.py @@ -0,0 +1,72 @@ +from algosdk.account import generate_account +from algosdk.atomic_transaction_composer import ( + AccountTransactionSigner, + AtomicTransactionComposer, + TransactionWithSigner, +) +from algosdk.transaction import PaymentTxn + +from util.client import algod_client, kmd_client + +DEFAULT_KMD_WALLET_NAME = "unencrypted-default-wallet" +DEFAULT_KMD_WALLET_PASSWORD = "" + + +def create_new_funded_account() -> tuple[str, AccountTransactionSigner]: + private, address = generate_account() + transaction_signer = AccountTransactionSigner(private) + _fund_account(address) + + return address, transaction_signer + + +def _fund_account( + receiver_address: str, + initial_funds=1_000_000_000, +) -> None: + funding_address, funding_private = _get_funding_account() + atc = AtomicTransactionComposer() + atc.add_transaction( + TransactionWithSigner( + txn=PaymentTxn( + sender=funding_address, + sp=algod_client.suggested_params(), + receiver=receiver_address, + amt=initial_funds, + ), + signer=AccountTransactionSigner(funding_private), + ) + ) + atc.execute(algod_client, 5) + + +def _get_funding_account() -> tuple[str, str]: + wallets = kmd_client.list_wallets() + + wallet_id = None + for wallet in wallets: + if wallet["name"] == DEFAULT_KMD_WALLET_NAME: + wallet_id = wallet["id"] + break + + if wallet_id is None: + raise Exception("Wallet {} not found.".format(DEFAULT_KMD_WALLET_NAME)) + + wallet_handle = kmd_client.init_wallet_handle( + wallet_id, DEFAULT_KMD_WALLET_PASSWORD + ) + + addresses = kmd_client.list_keys(wallet_handle) + + for address in addresses: + account_info = algod_client.account_info(address) + if ( + account_info["status"] != "Offline" + and account_info["amount"] > 1_000_000_000 + ): + private = kmd_client.export_key( + wallet_handle, DEFAULT_KMD_WALLET_PASSWORD, address + ) + return address, private + + raise Exception("Cannot find a funding account.") diff --git a/tealish/scaffold/util/app.py b/tealish/scaffold/util/app.py new file mode 100644 index 0000000..2eccf1f --- /dev/null +++ b/tealish/scaffold/util/app.py @@ -0,0 +1,58 @@ +from base64 import b64decode + +from algosdk.account import address_from_private_key +from algosdk.atomic_transaction_composer import ( + AccountTransactionSigner, + AtomicTransactionComposer, + TransactionWithSigner, +) +from algosdk.logic import get_application_address +from algosdk.transaction import ( + ApplicationCreateTxn, + OnComplete, + StateSchema, + SuggestedParams, +) +from tealish import config + +from util.client import algod_client + + +def deploy_app( + txn_signer: AccountTransactionSigner, + approval_name: str, + clear_name: str, + sp: SuggestedParams, + global_schema: StateSchema, + local_schema: StateSchema, +) -> tuple[int, str]: + # Assumes config exists at project root + with open(config.build_path / approval_name) as approval: + with open(config.build_path / clear_name) as clear: + address = address_from_private_key(txn_signer.private_key) + + atc = AtomicTransactionComposer() + atc.add_transaction( + TransactionWithSigner( + txn=ApplicationCreateTxn( + sender=address, + sp=sp, + on_complete=OnComplete.NoOpOC.real, + approval_program=_compile_program(approval.read()), + clear_program=_compile_program(clear.read()), + global_schema=global_schema, + local_schema=local_schema, + ), + signer=txn_signer, + ) + ) + tx_id = atc.execute(algod_client, 5).tx_ids[0] + app_id = algod_client.pending_transaction_info(tx_id)["application-index"] + app_address = get_application_address(app_id) + + return app_id, app_address + + +def _compile_program(source_code: str) -> bytes: + compile_response = algod_client.compile(source_code) + return b64decode(compile_response["result"]) diff --git a/tealish/scaffold/util/client.py b/tealish/scaffold/util/client.py new file mode 100644 index 0000000..7754fc1 --- /dev/null +++ b/tealish/scaffold/util/client.py @@ -0,0 +1,16 @@ +from algosdk.kmd import KMDClient +from algosdk.v2client.algod import AlgodClient +from algosdk.v2client.indexer import IndexerClient + +ALGOD_ADDRESS = "http://localhost:4001" +ALGOD_TOKEN = "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + +INDEXER_ADDRESS = "http://localhost:8980" +INDEXER_TOKEN = "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + +KMD_ADDRESS = "http://localhost:4002" +KMD_TOKEN = "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + +algod_client = AlgodClient(ALGOD_TOKEN, ALGOD_ADDRESS) +indexer_client = IndexerClient(INDEXER_TOKEN, INDEXER_ADDRESS) +kmd_client = KMDClient(KMD_TOKEN, KMD_ADDRESS) diff --git a/tealish/scaffold/util/state_decode.py b/tealish/scaffold/util/state_decode.py new file mode 100644 index 0000000..d24ace4 --- /dev/null +++ b/tealish/scaffold/util/state_decode.py @@ -0,0 +1,43 @@ +# From the Beaker framework (https://github.com/algorand-devrel/beaker) +# Very useful for decoding key/value pairs like global and local storage + +from base64 import b64decode +from typing import Any + + +def decode_state( + state: list[dict[str, Any]], raw=False +) -> dict[str | bytes, bytes | str | int | None]: + decoded_state: dict[str | bytes, bytes | str | int | None] = {} + + for sv in state: + raw_key = b64decode(sv["key"]) + + key: str | bytes = raw_key if raw else _str_or_hex(raw_key) + val: str | bytes | int | None + + action = ( + sv["value"]["action"] if "action" in sv["value"] else sv["value"]["type"] + ) + + match action: + case 1: + raw_val = b64decode(sv["value"]["bytes"]) + val = raw_val if raw else _str_or_hex(raw_val) + case 2: + val = sv["value"]["uint"] + case 3: + val = None + + decoded_state[key] = val + return decoded_state + + +def _str_or_hex(v: bytes) -> str: + decoded: str = "" + try: + decoded = v.decode("utf-8") + except Exception: + decoded = v.hex() + + return decoded diff --git a/tests/everything.tl b/tests/everything.tl index 38d6a6c..9c74c14 100644 --- a/tests/everything.tl +++ b/tests/everything.tl @@ -29,7 +29,7 @@ item1.name = "xyz" assert(item1.id > 0) log(item1.name) -# Delcaration without assignment +# Declaration without assignment int balance int exists # Multiple assignment