Skip to content
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
5 changes: 5 additions & 0 deletions Makefile
Original file line number Diff line number Diff line change
Expand Up @@ -6,6 +6,7 @@ all: check tests
# testing:

tests_cli = tests/cli/
tests_nano = tests/nanocontracts/ tests/tx/test_indexes_nc_history.py tests/resources/nanocontracts/
tests_lib = $(filter-out ${tests_cli} tests/__pycache__/, $(dir $(wildcard tests/*/.)))
tests_ci = extras/github/

Expand All @@ -24,6 +25,10 @@ pytest_flags = -p no:warnings --cov-report=term --cov-report=html --cov-report=x
#--implicit-reexport
#--no-implicit-reexport

.PHONY: tests-nano
tests-nano:
pytest --durations=10 --cov-report=html --cov=hathor/nanocontracts/ --cov-config=.coveragerc_full -p no:warnings $(tests_nano)

.PHONY: tests-cli
tests-cli:
pytest --durations=10 --cov=hathor/cli/ --cov-config=.coveragerc_full --cov-fail-under=27 -p no:warnings $(tests_cli)
Expand Down
94 changes: 94 additions & 0 deletions tests/nanocontracts/test_execution_verification.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,94 @@
# Copyright 2025 Hathor Labs
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.

import pytest

from hathor.nanocontracts import Blueprint, Context, public
from hathor.nanocontracts.exception import (
BlueprintDoesNotExist,
NCFail,
NCMethodNotFound,
NCUninitializedContractError,
)
from hathor.nanocontracts.method import ArgsOnly
from hathor.nanocontracts.runner.types import NCRawArgs
from tests.nanocontracts.blueprints.unittest import BlueprintTestCase


class MyBlueprint(Blueprint):
@public
def initialize(self, ctx: Context, a: int) -> None:
pass


class TestExecutionVerification(BlueprintTestCase):
def setUp(self) -> None:
super().setUp()
self.blueprint_id = self.gen_random_blueprint_id()
self.contract_id = self.gen_random_contract_id()
self.register_blueprint_class(self.blueprint_id, MyBlueprint)

def test_blueprint_does_not_exist(self) -> None:
with pytest.raises(BlueprintDoesNotExist):
self.runner.create_contract(self.contract_id, self.gen_random_blueprint_id(), self.create_context(), 123)

def test_contract_does_not_exist(self) -> None:
with pytest.raises(NCUninitializedContractError):
self.runner.call_public_method(self.gen_random_contract_id(), 'method', self.create_context())

def test_method_not_found(self) -> None:
self.runner.create_contract(self.contract_id, self.blueprint_id, self.create_context(), 123)

with pytest.raises(NCMethodNotFound):
self.runner.call_public_method(self.contract_id, 'not_found', self.create_context())

def test_empty_args(self) -> None:
with pytest.raises(NCFail) as e:
self.runner.create_contract(self.contract_id, self.blueprint_id, self.create_context())
assert isinstance(e.value.__cause__, TypeError)
assert e.value.__cause__.args[0] == "MyBlueprint.initialize() missing 1 required positional argument: 'a'"

def test_too_many_args(self) -> None:
with pytest.raises(NCFail) as e:
self.runner.create_contract(self.contract_id, self.blueprint_id, self.create_context(), 123, 456)
assert isinstance(e.value.__cause__, TypeError)
assert e.value.__cause__.args[0] == "MyBlueprint.initialize() takes 3 positional arguments but 4 were given"

@pytest.mark.xfail(strict=True, reason='not implemented yet')
def test_wrong_arg_type_parsed(self) -> None:
with pytest.raises(NCFail):
self.runner.create_contract(self.contract_id, self.blueprint_id, self.create_context(), 'abc')

def test_wrong_arg_type_raw(self) -> None:
args_parser = ArgsOnly.from_arg_types((str,))
args_bytes = args_parser.serialize_args_bytes(('abc',))
nc_args = NCRawArgs(args_bytes)

with pytest.raises(NCFail) as e:
self.runner.create_contract_with_nc_args(
self.contract_id, self.blueprint_id, self.create_context(), nc_args
)
assert isinstance(e.value.__cause__, ValueError)
assert e.value.__cause__.args[0] == 'trailing data'

@pytest.mark.xfail(strict=True, reason='not implemented yet')
def test_wrong_arg_type_but_valid_serialization(self) -> None:
args_parser = ArgsOnly.from_arg_types((str,))
args_bytes = args_parser.serialize_args_bytes(('',))
nc_args = NCRawArgs(args_bytes)

with pytest.raises(NCFail):
self.runner.create_contract_with_nc_args(
self.contract_id, self.blueprint_id, self.create_context(), nc_args
)
211 changes: 211 additions & 0 deletions tests/nanocontracts/test_fallback_method.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,211 @@
# Copyright 2025 Hathor Labs
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.

from typing import Any, assert_never
from unittest.mock import ANY

import pytest

from hathor.conf.settings import HATHOR_TOKEN_UID
from hathor.nanocontracts import Blueprint, Context, NCFail, public
from hathor.nanocontracts.exception import NCError, NCInvalidMethodCall
from hathor.nanocontracts.method import ArgsOnly
from hathor.nanocontracts.nc_exec_logs import NCCallBeginEntry, NCCallEndEntry
from hathor.nanocontracts.runner.types import CallType, NCArgs, NCParsedArgs, NCRawArgs
from hathor.nanocontracts.types import ContractId, NCDepositAction, TokenUid, fallback
from hathor.transaction import Block, Transaction
from tests.dag_builder.builder import TestDAGBuilder
from tests.nanocontracts.blueprints.unittest import BlueprintTestCase
from tests.nanocontracts.utils import assert_nc_failure_reason

# TODO: Test support for container args/kwargs such as list[int] after Jan's PR
Copy link
Copy Markdown
Member

Choose a reason for hiding this comment

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

Container args are fully supported, this TODO can be implemented.

Copy link
Copy Markdown
Contributor Author

Choose a reason for hiding this comment

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

There's an existing task in the spreadsheet for this.



class MyBlueprint(Blueprint):
@public(allow_deposit=True)
def initialize(self, ctx: Context) -> None:
pass

@fallback(allow_deposit=True)
def fallback(self, ctx: Context, method_name: str, nc_args: NCArgs) -> str:
assert method_name == 'unknown'
match nc_args:
case NCRawArgs():
# XXX: we might need to provide a better way to describe the expected signature to `try_parse_as`,
# because only looking a a tuple of types might not be enough, currently it is implemented
# without the knowledge of default arguments, what this implies is that considering a signature
# with types (str, int), it is possible for an empty tuple () to be a valid call, as long as the
# function has default values for its two arguments, the parser takes the optimist path and
# accepts parsing an empty tuple, so in this case args_bytes=b'\x00' parses to (), because it is
# possible that that is a valid call
result = nc_args.try_parse_as((str, int))
if result is None:
raise NCFail(f'unsupported args: {nc_args}')
greeting, x = result
return self.greet_double(ctx, greeting, x)
case NCParsedArgs(args, kwargs):
return self.greet_double(ctx, *args, **kwargs)
case _:
assert_never(nc_args)

def greet_double(self, ctx: Context, greeting: str, x: int) -> str:
return f'{greeting} {x + x}'

@public(allow_deposit=True)
def call_another_fallback(self, ctx: Context, contract_id: ContractId) -> Any:
return self.syscall.call_public_method(contract_id, 'fallback', [])


class TestFallbackMethod(BlueprintTestCase):
def setUp(self) -> None:
super().setUp()

self.blueprint_id = self.gen_random_blueprint_id()
self.contract_id = self.gen_random_contract_id()
self.register_blueprint_class(self.blueprint_id, MyBlueprint)

self.ctx = Context(
actions=[NCDepositAction(token_uid=TokenUid(HATHOR_TOKEN_UID), amount=123)],
vertex=self.get_genesis_tx(),
address=self.gen_random_address(),
timestamp=self.now,
)
self.runner.create_contract(self.contract_id, self.blueprint_id, self.ctx)

def test_fallback_only_args_success(self) -> None:
result = self.runner.call_public_method(self.contract_id, 'unknown', self.ctx, 'hello', 123)
assert result == 'hello 246'

last_call_info = self.runner.get_last_call_info()
assert last_call_info.nc_logger.__entries__ == [
NCCallBeginEntry.construct(
timestamp=ANY,
nc_id=self.contract_id,
call_type=CallType.PUBLIC,
method_name='fallback',
str_args="('unknown', NCParsedArgs(args=('hello', 123), kwargs={}))",
str_kwargs='{}',
actions=[dict(amount=123, token_uid='00', type='deposit')]
),
NCCallEndEntry.construct(timestamp=ANY),
]

def test_fallback_only_kwargs_success(self) -> None:
result = self.runner.call_public_method(self.contract_id, 'unknown', self.ctx, greeting='hello', x=123)
assert result == 'hello 246'

last_call_info = self.runner.get_last_call_info()
assert last_call_info.nc_logger.__entries__ == [
NCCallBeginEntry.construct(
timestamp=ANY,
nc_id=self.contract_id,
call_type=CallType.PUBLIC,
method_name='fallback',
str_args="('unknown', NCParsedArgs(args=(), kwargs={'greeting': 'hello', 'x': 123}))",
str_kwargs='{}',
actions=[dict(amount=123, token_uid='00', type='deposit')]
),
NCCallEndEntry.construct(timestamp=ANY),
]

def test_fallback_args_kwargs_success(self) -> None:
result = self.runner.call_public_method(self.contract_id, 'unknown', self.ctx, 'hello', x=123)
assert result == 'hello 246'

last_call_info = self.runner.get_last_call_info()
assert last_call_info.nc_logger.__entries__ == [
NCCallBeginEntry.construct(
timestamp=ANY,
nc_id=self.contract_id,
call_type=CallType.PUBLIC,
method_name='fallback',
str_args="('unknown', NCParsedArgs(args=('hello',), kwargs={'x': 123}))",
str_kwargs='{}',
actions=[dict(amount=123, token_uid='00', type='deposit')]
),
NCCallEndEntry.construct(timestamp=ANY),
]

def test_cannot_call_fallback_directly(self) -> None:
with pytest.raises(NCError, match='method `fallback` is not a public method'):
self.runner.call_public_method(self.contract_id, 'fallback', self.ctx)

def test_cannot_call_another_fallback_directly(self) -> None:
contract_id = self.gen_random_contract_id()
self.runner.create_contract(contract_id, self.blueprint_id, self.ctx)
with pytest.raises(NCInvalidMethodCall, match='method `fallback` is not a public method'):
self.runner.call_public_method(self.contract_id, 'call_another_fallback', self.ctx, contract_id)

def test_fallback_args_bytes_success(self) -> None:
args_parser = ArgsOnly.from_arg_types((str, int))
args_bytes = args_parser.serialize_args_bytes(('hello', 123))
nc_args = NCRawArgs(args_bytes)
result = self.runner.call_public_method_with_nc_args(self.contract_id, 'unknown', self.ctx, nc_args)
assert result == 'hello 246'

last_call_info = self.runner.get_last_call_info()
assert last_call_info.nc_logger.__entries__ == [
NCCallBeginEntry.construct(
timestamp=ANY,
nc_id=self.contract_id,
call_type=CallType.PUBLIC,
method_name='fallback',
str_args=f"('unknown', NCRawArgs('{args_bytes.hex()}'))",
str_kwargs='{}',
actions=[dict(amount=123, token_uid='00', type='deposit')]
),
NCCallEndEntry.construct(timestamp=ANY),
]

def test_dag_fallback(self) -> None:
dag_builder = TestDAGBuilder.from_manager(self.manager)
args_parser = ArgsOnly.from_arg_types((str, int))
valid_args_bytes = args_parser.serialize_args_bytes(('hello', 123))

artifacts = dag_builder.build_from_str(f'''
blockchain genesis b[1..11]
b10 < dummy

nc1.nc_id = "{self.blueprint_id.hex()}"
nc1.nc_method = initialize()

nc2.nc_id = nc1
nc2.nc_method = unknown
nc2.nc_args_bytes = "{valid_args_bytes.hex()}"

nc3.nc_id = nc1
nc3.nc_method = unknown
nc3.nc_args_bytes = "00"

nc1 <-- nc2 <-- nc3 <-- b11
''')

artifacts.propagate_with(self.manager)
b11 = artifacts.get_typed_vertex('b11', Block)
nc1, nc2, nc3 = artifacts.get_typed_vertices(['nc1', 'nc2', 'nc3'], Transaction)

assert b11.get_metadata().voided_by is None
assert nc1.get_metadata().voided_by is None

# nc2 successfully executes because the nc_args_bytes is correct
assert nc2.get_metadata().voided_by is None

# nc3 fails because the fallback method is not expecting these args_bytes
assert nc3.get_metadata().voided_by == {nc3.hash, self._settings.NC_EXECUTION_FAIL_ID}
assert_nc_failure_reason(
manager=self.manager,
tx_id=nc3.hash,
block_id=b11.hash,
reason='NCFail: unsupported args: 00',
)
Loading