Migration notes
Aztec is in full-speed development. Literally every version breaks compatibility with the previous ones. This page attempts to target errors and difficulties you might encounter when upgrading, and how to resolve them.
TBD
[Aztec.js] Wallet interface changes
simulateTx is now batchable
The simulateTx method on the Wallet interface is now batchable, meaning it can be called as part of a batch operation using wallet.batch(). This allows you to batch simulations together with other wallet operations like registerContract, sendTx, and registerSender.
- // Could not batch simulations
- const simulationResult = await wallet.simulateTx(executionPayload, options);
+ // Can now batch simulations with other operations
+ const results = await wallet.batch([
+ { name: 'registerContract', args: [instance, artifact] },
+ { name: 'simulateTx', args: [executionPayload, options] },
+ { name: 'sendTx', args: [anotherPayload, sendOptions] },
+ ]);
ExecutionPayload moved to @aztec/stdlib/tx
The ExecutionPayload type has been moved from @aztec/aztec.js to @aztec/stdlib/tx. Update your imports accordingly.
- import { ExecutionPayload } from '@aztec/aztec.js';
+ import { ExecutionPayload } from '@aztec/stdlib/tx';
+ // Or import from the re-export in aztec.js/tx:
+ import { ExecutionPayload } from '@aztec/aztec.js/tx';
ExecutionPayload now includes feePayer property
The ExecutionPayload class now includes an optional feePayer property that specifies which address is paying for the fee in the execution payload (if any)
const payload = new ExecutionPayload(
calls,
authWitnesses,
capsules,
extraHashedArgs,
+ feePayer // optional AztecAddress
);
This was previously provided as part of the SendOptions (and others) in the wallet interface, which could cause problems if a payload was assembled with a payment method and the parameter was later omitted. This means SendOptions now loses embeddedPaymentMethodFeePayer
-wallet.simulateTx(executionPayload, { from: address, embeddedFeePaymentMethodFeePayer: feePayer });
+wallet.simulateTx(executionPayload, { from: address });
simulateUtility signature and return type changed
The simulateUtility method signature has changed to accept a FunctionCall object instead of separate functionName, args, and to parameters. Additionally, the return type has changed from AbiDecoded to Fr[].
- const result: AbiDecoded = await wallet.simulateUtility(functionName, args, to, authWitnesses);
+ const result: UtilitySimulationResult = await wallet.simulateUtility(functionCall, authWitnesses?);
+ // result.result is now Fr[] instead of AbiDecoded
The new signature takes:
functionCall: AFunctionCallobject containingname,args,to,selector,type,isStatic,hideMsgSender, andreturnTypesauthWitnesses(optional): An array ofAuthWitnessobjects
The first argument is exactly the same as what goes into ExecutionPayload.calls. As such, the data is already encoded. The return value is now UtilitySimulationResult with result: Fr[] instead of returning an AbiDecoded value directly. You'll need to decode the Fr[] array yourself if you need typed results.
Contract.at() is now synchronous and no longer calls registerContract
The Contract.at() method (and generated contract .at() methods) is now synchronous and no longer automatically registers the contract with the wallet. This reduces unnecessary artifact storage and RPC calls.
- const contract = await TokenContract.at(address, wallet);
+ const contract = TokenContract.at(address, wallet);
Important: You now need to explicitly call registerContract if you want the wallet to store the contract instance and artifact. This is only necessary when:
- An app first registers a contract
- An app tries to update a contract's artifact
If you need to register the contract, do so explicitly:
// Get the instance from deployment
const { contract, instance } = await TokenContract.deploy(wallet, ...args)
.send({ from: address })
.wait();
// wallet already has it registered, since the deploy method does it by default
// to avoid it, set skipContractRegistration: true in the send options.
// Register it with another wallet
await otherWallet.registerContract(instance, TokenContract.artifact);
// Now you can use the contract
const otherContract = TokenContract.at(instance.address, otherWallet);
Publicly deployed contract instances can be retrieved via node.getContract(address). Otherwise and if deployment parameters are known, an instance can be computed via the getContractInstanceFromInstantiationParams from @aztec/aztec.js/contracts
registerContract signature simplified
The registerContract method now takes a ContractInstanceWithAddress instead of a Contract object, and the artifact parameter is now optional. If the artifact is not provided, the wallet will attempt to look it up from its contract class storage.
- await wallet.registerContract(contract);
+ await wallet.registerContract(instance, artifact?);
The method now only accepts:
instance: AContractInstanceWithAddressobjectartifact(optional): AContractArtifactobjectsecretKey(optional): A secret key for privacy keys registration
[CLI] Command refactor
The sandbox command has been renamed and remapped to "local network". We believe this conveys better what is actually being spun up when running it.
REMOVED/RENAMED:
aztec start --sandbox: nowaztec start --local-network
[Aztec.nr] - Contract API redesign
In this release we decided to largely redesign our contract API. Most of the changes here are not a breaking change
(only renaming of original #[internal] to #[only_self] and storage now being available on the newly introduced
self struct are a breaking change).
1. Renaming of original #[internal] as #[only_self]
We want for internal to mean the same as in Solidity where internal function can be called only from the same contract
and is also inlined (EVM JUMP opcode and not EVM CALL). The original implementation of our #[internal] macro also
results in the function being callable only from the same contract but it results in a different call (hence it doesn't
map to EVM JUMP). This is very confusing for people that know Solidity hence we are doing the rename. A true
#[internal] will be introduced in the future.
To migrate your contracts simply rename all the occurrences of #[internal] with #[only_self] and update the imports:
- use aztec::macros::functions::internal;
+ use aztec::macros::functions::only_self;
#[external("public")]
- #[internal]
+ #[only_self]
fn _deduct_public_balance(owner: AztecAddress, amount: u64) {
...
}
2. Introducing of new #[internal]
Same as in Solidity internal functions are functions that are callable from inside the contract. Unlike #[only_self] functions, internal functions are inlined (e.g. akin to EVM's JUMP and not EVM's CALL).
Internal function can be called using the following API which leverages the new self struct (see change 3 below for
details):
self.internal.my_internal_function(...)
Private internal functions can only be called from other private external or internal functions. Public internal functions can only be called from other public external or internal functions.
3. Introducing self in contracts and a new call interface
Aztec contracts now automatically inject a self parameter into every contract function, providing a unified interface
for accessing the contract's address, storage, calling of function and an execution context.
What is self?
self is an instance of ContractSelf<Context, Storage> that provides:
self.address- The contract's own addressself.storage- Access to your contract's storageself.context- The execution context (private, public, or utility)self.msg_sender()- Get the address of the callerself.emit(...)- Emit eventsself.call(...)- Call an external functionself.view(...)- Call an external function staticallyself.enqueue(...)- Enqueue a call to an external functionself.enqueue_view(...)- Enqueue a call to an external functionself.enqueue_incognito(...)- Enqueue a call to an external function but hides themsg_senderself.enqueue_view_incognito(...)- Enqueue a static call to an external function but hides themsg_senderself.set_as_teardown(...)- Enqueue a call to an external public function and sets the call as teardownself.set_as_teardown_incognito(...)- Enqueue a call to an external public function and sets the call as teardown and hides themsg_senderself.internal.my_internal_fn(...)- Call an internal function
self also provides you with convenience API to call and enqueue calls to external functions from within the same
contract (this is just a convenience API as self.call(MyContract::at(self.address).my_external_fn(...)) would also
work):
self.call_self.my_external_fn(...)- Call external function from within the same contractself.enqueue_self.my_public_external_fn(...)self.call_self_static.my_static_external_fn(...)self.enqueue_self_static.my_static_external_public_fn(...)
How it works
The #[external(...)] macro automatically injects self into your function. When you write:
#[external("private")]
fn transfer(amount: u128, recipient: AztecAddress) {
let sender = self.msg_sender().unwrap();
self.storage.balances.at(sender).sub(amount);
self.storage.balances.at(recipient).add(amount);
}
The macro transforms it to initialize self with the context and storage before your code executes.
Migration guide
Before: Access context and storage as separate parameters
#[external("private")]
fn old_transfer(amount: u128, recipient: AztecAddress) {
let storage = Storage::init(context);
let sender = context.msg_sender().unwrap();
storage.balances.at(sender).sub(amount);
}
After: Use self to access everything
#[external("private")]
fn new_transfer(amount: u128, recipient: AztecAddress) {
let sender = self.msg_sender().unwrap();
self.storage.balances.at(sender).sub(amount);
}
Key changes
- Storage and context access:
Storage and context are no longer injected into the function as standalone variables and instead you need to access them via self:
- let balance = storage.balances.at(owner).read();
+ let balance = self.storage.balances.at(owner).read();
- context.push_nullifier(nullifier);
+ self.context.push_nullifier(nullifier);
Note that context is expected to be use only when needing to access a low-level API (like directly emitting a nullifier).
-
Getting caller address: Use
self.msg_sender()instead ofcontext.msg_sender()- let caller = context.msg_sender().unwrap();
+ let caller = self.msg_sender().unwrap(); -
Getting contract address: Use
self.addressinstead ofcontext.this_address()- let this_contract = context.this_address();
+ let this_contract = self.address; -
Emitting events:
In private functions:
- emit_event_in_private(event, context, recipient, delivery_mode);
+ self.emit(event, recipient, delivery_mode);In public functions:
- emit_event_in_public(event, context);
+ self.emit(event); -
Calling functions:
In private functions:
- Token::at(stable_coin).mint_to_public(to, amount).call(&mut context);
+ self.call(Token::at(stable_coin).mint_to_public(to, amount));
Example: Full contract migration
Before:
#[external("private")]
fn withdraw(amount: u128, recipient: AztecAddress) {
let storage = Storage::init(context);
let sender = context.msg_sender().unwrap();
let token = storage.donation_token.get_note().get_address();
// ... withdrawal logic
emit_event_in_private(Withdraw { withdrawer, amount }, context, withdrawer, MessageDelivery.UNCONSTRAINED_ONCHAIN);
}
After:
#[external("private")]
fn withdraw(amount: u128, recipient: AztecAddress) {
let sender = self.msg_sender().unwrap();
let token = self.storage.donation_token.get_note().get_address();
// ... withdrawal logic
self.emit(Withdraw { withdrawer, amount }, withdrawer, MessageDelivery.UNCONSTRAINED_ONCHAIN);
}
No-longer allowing calling of non-view function statically via the old higher-level API
We used to allow calling of non-view function statically as follows:
MyContract::at(address).my_non_view_function(...).view(context);
MyContract::at(address).my_non_view_function(...).enqueue_view(context);
This is no-longer allowed and if you will want to call a function statically you will need to mark the function with
#[view].
Phase checks
Now private external functions check by default that no phase change from non revertible to revertible happens during the execution of the function or any of its nested calls. If you're developing a function
that handles phase change (you call context.end_setup() or call a function that you expect will change phase) you need to opt out of the phase check using the #[nophasecheck] macro. Also, now it's possible to know if you're in the revertible phase of the transaction at any point using self.context.in_revertible_phase().
[aztec command] Moving functionality of aztec-nargo to aztec command
aztec-nargo has been deprecated and all workflows should now migrate to the aztec command that fully replaces aztec-nargo:
-
For contract initialization:
aztec init(Behaves like
nargo init, but defaults to a contract project.) -
For testing:
aztec test(Starts the Aztec TXE and runs your tests.)
-
For compiling contracts:
aztec compile(Transpiles your contracts and generates verification keys.)
3.0.0-devnet.4
[aztec.js] Removal of barrel export
aztec.js is now divided into granular exports, which improves loading performance in node.js and also makes the job of web bundlers easier:
-import { AztecAddress, Fr, getContractInstanceFromInstantiationParams, type Wallet } from '@aztec/aztec.js';
+import { AztecAddress } from '@aztec/aztec.js/addresses';
+import { getContractInstanceFromInstantiationParams } from '@aztec/aztec.js/contracts';
+import { Fr } from '@aztec/aztec.js/fields';
+import type { Wallet } from '@aztec/aztec.js/wallet';
Additionally, some general utilities reexported from foundation have been removed:
-export { toBigIntBE } from '@aztec/foundation/bigint-buffer';
-export { sha256, Grumpkin, Schnorr } from '@aztec/foundation/crypto';
-export { makeFetch } from '@aztec/foundation/json-rpc/client';
-export { retry, retryUntil } from '@aztec/foundation/retry';
-export { to2Fields, toBigInt } from '@aztec/foundation/serialize';
-export { sleep } from '@aztec/foundation/sleep';
-export { elapsed } from '@aztec/foundation/timer';
-export { type FieldsOf } from '@aztec/foundation/types';
-export { fileURLToPath } from '@aztec/foundation/url';
getSenders renamed to getAddressBook in wallet interface
An app could request "contacts" from the wallet, which don't necessarily have to be senders in the wallet's PXE. This method has been renamed to reflect that fact:
-wallet.getSenders();
+wallet.getAddressBook();
Removal of proveTx from Wallet interface
Exposing this method on the interface opened the door for certain types of attacks, were an app could route proven transactions through malicious nodes (that stored them for later decryption, or collected user IPs for example). It also made transactions difficult to track for the wallet, since they could be sent without their knowledge at any time. This change also affects ContractFunctionInteraction and DeployMethod, which no longer expose a prove() method.
msg_sender is now an Option<AztecAddress> type.
Because Aztec has native account abstraction, the very first function call of a tx has no msg_sender. (Recall, the first function call of an Aztec transaction is always a private function call).
Previously (before this change) we'd been silently setting this first msg_sender to be AztecAddress::from_field(-1);, and enforcing this value in the protocol's kernel circuits. Now we're passing explicitness to smart contract developers by wrapping msg_sender in an Option type. We'll explain the syntax shortly.
We've also added a new protocol feature. Previously (before this change) whenever a public function call was enqueued by a private function (a so-called private->public call), the called public function (and hence the whole world) would be able to see msg_sender. For some use cases, visibility of msg_sender is important, to ensure the caller executed certain checks in private-land. For #[only_self] public functions, visibility of msg_sender is unavoidable (the caller of an #[only_self] function must be the same contract address by definition). But for some use cases, a visible msg_sender is an unnecessary privacy leakage.
We therefore have added a feature where msg_sender can be optionally set to Option<AztecAddress>::none() for enqueued public function calls (aka private->public calls). We've been colloquially referring to this as "setting msg_sender to null".
Aztec.nr diffs
Note: we'll be doing another pass at this aztec.nr syntax in the near future.
Given the above, the syntax for accessing msg_sender in Aztec.nr is slightly different:
For most public and private functions, to adjust to this change, you can make this change to your code:
- let sender: AztecAddress = context.msg_sender();
+ let sender: AztecAddress = context.msg_sender().unwrap();
Recall that Option::unwrap() will throw if the Option is "none".
Indeed, most smart contract functions will require access to a proper contract address (instead of a "null" value), in order to do bookkeeping (allocation of state variables against user addresses), and so in such cases throwing is sensible behaviour.
If you want to output a useful error message when unwrapping fails, you can use Option::expect:
- let sender: AztecAddress = context.msg_sender();
+ let sender: AztecAddress = context.msg_sender().expect(f"Sender must not be none!");
For a minority of functions, a "null" msg_sender will be acceptable:
- A private entrypoint function.
- A public function which doesn't seek to do bookkeeping against
msg_sender.
Some apps might even want to assert that the msg_sender is "null" to force their users into strong privacy practices:
let sender: Option<AztecAddress> = context.msg_sender();
assert(sender.is_none());
Enqueueing public function calls
Auto-generated contract interfaces
When you use the #[aztec] macro, it will generate a noir contract interface for your contract, behind the scenes.
This provides pretty syntax when you come to call functions of that contract. E.g.:
Token::at(context.this_address())._increase_public_balance(to, amount).enqueue(&mut context);
In keeping with this new feature of being able to enqueue public function calls with a hidden msg_sender, there are some new methods that can be chained instead of .enqueue(...):
enqueue_incognito-- akin toenqueue, butmsg_senderis set "null".enqueue_view_incognito-- akin toenqueue_view, butmsg_senderis "null".set_as_teardown_incognito-- akin toset_as_teardown, butmsg_senderis "null".
The name "incognito" has been chosen to imply "msg_sender will not be visible to observers".
These new functions enable the calling contract to specify that it wants its address to not be visible to the called public function. This is worth re-iterating: it is the caller's choice. A smart contract developer who uses these functions must be sure that the target public function will accept a "null" msg_sender. It would not be good (for example) if the called public function did context.msg_sender().unwrap(), because then a public function that is called via enqueue_incognito would always fail! Hopefully smart contract developers will write sufficient tests to catch such problems during development!
Making lower-level public function calls from the private context
This is discouraged vs using the auto-generated contract interfaces described directly above.
If you do use any of these low-level methods of the PrivateContext in your contract:
call_public_functionstatic_call_public_functioncall_public_function_no_argsstatic_call_public_function_no_argscall_public_function_with_calldata_hashset_public_teardown_functionset_public_teardown_function_with_calldata_hash
... there is a new hide_msg_sender: bool parameter that you will need to specify.
Aztec.js diffs
Note: we'll be doing another pass at this aztec.js syntax in the near future.
When lining up a new tx, the FunctionCall struct has been extended to include a hide_msg_sender: bool field.
is_public & hide_msg_sender-- will make a public call withmsg_senderset to "null".is_public & !hide_msg_sender-- will make a public call with a visiblemsg_sender, as was the case before this new feature.!is_public & hide_msg_sender-- Incompatible flags.!is_public & !hide_msg_sender-- will make a private call with a visiblemsg_sender(noting that since it's a private function call, themsg_senderwill only be visible to the called private function, but not to the rest of the world).
[cli-wallet]
The deploy-account command now requires the address (or alias) of the account to deploy as an argument, not a parameter
+aztec-wallet deploy-account main
-aztec-wallet deploy-account -f main
This release includes a major architectural change to the system. The PXE JSON RPC Server has been removed, and PXE is now available only as a library to be used by wallets.
[Aztec node]
Network config. The node now pulls default configuration from the public repository AztecProtocol/networks after it applies the configuration it takes from the running environment and the configuration values baked into the source code. See associated Design document
[Aztec.js]
Removing Aztec cheatcodes
The Aztec cheatcodes class has been removed. Its functionality can be replaced by using the getNotes(...) function directly available on our TestWallet, along with the relevant functions available on the Aztec Node interface (note that the cheatcodes were generally just a thin wrapper around the Aztec Node interface).
CLI Wallet commands dropped from aztec command
The following commands used to be exposed by both the aztec and the aztec-wallet commands:
- import-test-accounts
- create-account
- deploy-account
- deploy
- send
- simulate
- profile
- bridge-fee-juice
- create-authwit
- authorize-action
- get-tx
- cancel-tx
- register-sender
- register-contract
These were dropped from aztec and now are exposed only by the cli-wallet command exposed by the @aztec/cli-wallet package.
PXE commands dropped from aztec command
The following commands were dropped from the aztec command:
add-contract: use can be replaced withregister-contracton ourcli-walletget-contract-data: debug-only and not considered important enough to need a replacementget-accounts: debug-only and can be replaced by loading aliases fromcli-walletget-account: debug-only and can be replaced by loading aliases fromcli-walletget-pxe-info: debug-only and not considered important enough to need a replacement
[Aztec.nr]
Replacing #[private], #[public], #[utility] with #[external(...)] macro
The original naming was not great in that it did not sufficiently communicate what the given macro did.
We decided to rename #[private] as #[external("private")], #[public] as #[external("public")], and #[utility] as #[external("utility")] to better communicate that these functions are externally callable and to specify their execution context. In this sense, external now means the exact same thing as in Solidity, i.e. a function that can be called from other contracts, and that can only be invoked via a contract call (i.e. the CALL opcode in the EVM, and a kernel call/AVM CALL opcode in Aztec).
You have to do the following changes in your contracts:
Update import:
- use aztec::macros::functions::private;
- use aztec::macros::functions::public;
- use aztec::macros::functions::utility;
+ use aztec::macros::functions::external;
Update attributes of your functions:
- #[private]
+ #[external("private")]
fn my_private_func() {
- #[public]
+ #[external("public")]
fn my_public_func() {
- #[utility]
+ #[external("utility")]
fn my_utility_func() {
Dropping remote mutable references to public context
PrivateContext generally needs to be passed as a mutable reference to functions because it does actually hold state
we're mutating. This is not the case for PublicContext, or UtilityContext - these are just marker objects that
indicate the current execution mode and make available the correct subset of the API. For this reason we have dropped
the mutable reference from the API.
If you've passed the context as an argument to custom functions you will need to do the following migration (example from our token contract):
#[contract_library_method]
fn _finalize_transfer_to_private(
from_and_completer: AztecAddress,
amount: u128,
partial_note: PartialUintNote,
- context: &mut PublicContext,
- storage: Storage<&mut PublicContext>,
+ context: PublicContext,
+ storage: Storage<PublicContext>,
) {
...
}
Authwit Test Helper now takes env
The add_private_authwit_from_call_interface test helper available in test::helpers::authwit now takes a TestEnvironment parameter, mirroring add_public_authwit_from_call_interface. This adds some unfortunate verbosity, but there are bigger plans to improve authwit usage in Noir tests in the near future.
add_private_authwit_from_call_interface(
+ env,
on_behalf_of,
caller,
call_interface,
);
Historical block renamed as anchor block
A historical block term has been used as a term that denotes the block against which a private part of a tx has been executed. This name is ambiguous and for this reason we've introduce "anchor block". This naming change resulted in quite a few changes and if you've access private context's or utility context's block header you will need to update your code:
- let header = context.get_block_header();
+ let header = context.get_anchor_block_header();
Removed ValueNote utils
The value_note::utils module has been removed because it was incorrect to have those in the value note package.
For the increment function you can easily just insert the note:
- use value_note::utils;
- utils::increment(storage.notes.at(owner), value, owner, sender);
+ let note = ValueNote::new(value, owner);
+ storage.notes.at(owner).insert(note).emit(&mut context, owner, MessageDelivery.CONSTRAINED_ONCHAIN);
PrivateMutable: replace / initialize_or_replace behaviour change
Motivation:
Updating a note used to require reading it first (via get_note, which nullifies and recreates it) and then calling replace — effectively proving a note twice. Now, replace accepts a callback that transforms the current note directly, and initialize_or_replace simply uses this updated replace internally. This reduces circuit cost while maintaining exactly one current note.
Key points:
replace(self, new_note)(old) →replace(self, f)(new), whereftakes the current note and returns a transformed note.initialize_or_replace(self, note)(old) →initialize_or_replace(self, f)(new), whereftakes anOptionwith the current none, ornoneif uninitialized.- Previous note is automatically nullified before the new note is inserted.
NoteEmission<Note>still requires.emit()or.discard().
Example Migration:
- let current_note = storage.my_var.get_note();
- let new_note = f(current_note);
- storage.my_var.replace(new_note);
+ storage.my_var.replace(|current_note| f(current_note));
- storage.my_var.initialize_or_replace(new_note);
+ storage.my_var.initialize_or_replace(|_| new_note);
This makes it easy and efficient to handle both initialization and current value mutation via initialize_or_replace, e.g. if implementing a note that simply counts how many times it has been read:
+ storage.my_var.initialize_or_replace(|opt_current: Option<Note>| opt_current.unwrap_or(0 /* initial value */) + 1);
- The callback can be a closure (inline) or a named function.
- Any previous assumptions that replace simply inserts a new_note directly must be updated.
Unified oracles into single get_utility_context oracle
The following oracles:
- get_contract_address,
- get_block_number,
- get_timestamp,
- get_chain_id,
- get_version
were replaced with a single get_utility_context oracle whose return value contains all the values returned from the removed oracles.
If you have used one of these removed oracles before, update the import, e.g.:
- aztec::oracle::execution::get_chain_id;
+ aztec::oracle::execution::get_utility_context
and get the value out of the returned utility context:
- let chain_id = get_chain_id();
+ let chain_id = get_utility_context().chain_id();
Note emission API changes
The note emission API has been significantly reworked to provide clearer semantics around message delivery guarantees. The key changes are:
encode_and_encrypt_notehas been removed in favor of callingemitdirectly withMessageDelivery.CONSTRAINED_ONCHAINencode_and_encrypt_note_unconstrainedhas been removed in favor of callingemitdirectly withMessageDelivery.UNCONSTRAINED_ONCHAINencode_and_encrypt_note_and_emit_as_offchain_messagehas been removed in favor of usingemitwithMessageDelivery.UNCONSTRAINED_OFFCHAIN- Note emission now takes a
delivery_modeparameter with the following values:CONSTRAINED_ONCHAIN: For onchain delivery with cryptographic guarantees that recipients can discover and decrypt messages. Uses constrained encryption but is slower to prove. Best for critical messages that contracts need to verify.UNCONSTRAINED_ONCHAIN: For onchain delivery without encryption constraints. Faster proving but trusts the sender. Good when the sender is incentivized to perform encryption correctly (e.g. they are buying something and will only get it if the recipient sees the note). No guarantees that recipients will be able to find or decrypt messages.UNCONSTRAINED_OFFCHAIN: For offchain delivery (e.g. cloud storage) without constraints. Lowest cost since no onchain storage needed. Requires custom infrastructure for delivery. No guarantees that messages will be delivered or that recipients will ever find them.
- The
contextobject no longer needs to be passed to these functions
Example migration:
First you need to update imports in your contract:
- aztec::messages::logs::note::encode_and_encrypt_note;
- aztec::messages::logs::note::encode_and_encrypt_note_unconstrained;
- aztec::messages::logs::note::encode_and_encrypt_note_and_emit_as_offchain_message;
+ aztec::messages::message_delivery::MessageDelivery;
Then update the emissions:
- storage.balances.at(from).sub(from, amount).emit(encode_and_encrypt_note(&mut context, from));
+ storage.balances.at(from).sub(from, amount).emit(&mut context, from, MessageDelivery.CONSTRAINED_ONCHAIN);
- storage.balances.at(from).add(from, change).emit(encode_and_encrypt_note_unconstrained(&mut context, from));
+ storage.balances.at(from).add(from, change).emit(&mut context, from, MessageDelivery.UNCONSTRAINED_ONCHAIN);
- storage.balances.at(owner).insert(note).emit(encode_and_encrypt_note_and_emit_as_offchain_message(&mut context, context.msg_sender());
+ storage.balances.at(owner).insert(note).emit(&mut context, context.msg_sender(), MessageDelivery.UNCONSTRAINED_OFFCHAIN);
2.0.2
[Public functions]
The L2 gas cost of the different AVM opcodes have been updated to reflect more realistic proving costs. Developers should review the L2 gas costs of executing public functions and reevaluate any hardcoded L2 gas limits.
[Aztec Tools]
Contract compilation now requires two steps
The aztec-nargo command is now a direct pass-through to vanilla nargo, without any special compilation flags or postprocessing. Contract compilation for Aztec now requires two explicit steps:
- Compile your contracts with
aztec-nargo compile - Run postprocessing with the new
aztec-postprocess-contractcommand
The postprocessing step includes:
- Transpiling functions for the Aztec VM
- Generating verification keys for private functions
- Caching verification keys for faster subsequent compilations
Update your build scripts accordingly:
- aztec-nargo compile
+ aztec-nargo compile
+ aztec-postprocess-contract
If you're using the aztec-up installer, the aztec-postprocess-contract command will be automatically installed alongside aztec-nargo.
[Aztec.js] Mandatory from
As we prepare for a bigger Wallet interface refactor and the upcoming WalletSDK, a new parameter has been added to contract interactions, which now should indicate explicitly the address of the entrypoint (usually the account contract) that will be used to authenticate the request. This will be checked in runtime against the current this.wallet.getAddress() value, to ensure consistent behavior while the rest of the API is reworked.
- await contract.methods.my_func(arg).send().wait();
+ await contract.methods.my_func(arg).send({ from: account1Address }).wait();
[Aztec.nr]
emit_event_in_public_log function renamed as emit_event_in_public
This change was done to make the naming consistent with the private counterpart (emit_event_in_private).
Private event emission API changes
The private event emission API has been significantly reworked to provide clearer semantics around message delivery guarantees. The key changes are:
emit_event_in_private_loghas been renamed toemit_event_in_privateand now takes adelivery_modeparameter instead ofconstraintsemit_event_as_offchain_messagehas been removed in favor of usingemit_event_in_privatewithMessageDelivery.UNCONSTRAINED_OFFCHAINPrivateLogContentenum has been replaced withMessageDeliveryenum with the following values:CONSTRAINED_ONCHAIN: For onchain delivery with cryptographic guarantees that recipients can discover and decrypt messages. Uses constrained encryption but is slower to prove. Best for critical messages that contracts need to verify.UNCONSTRAINED_ONCHAIN: For onchain delivery without encryption constraints. Faster proving but trusts the sender. Good when the sender is incentivized to perform encryption correctly (e.g. they are buying something and will only get it if the recipient sees the note). No guarantees that recipients will be able to find or decrypt messages.UNCONSTRAINED_OFFCHAIN: For offchain delivery (e.g. cloud storage) without constraints. Lowest cost since no onchain storage needed. Requires custom infrastructure for delivery. No guarantees that messages will be delivered or that recipients will ever find them.
Contract functions can no longer be pub or pub(crate)
With the latest changes to TestEnvironment, making contract functions have public visibility is no longer required given the new call_public and simulate_utility functions. To avoid accidental direct invocation, and to reduce confusion with the autogenerated interfaces, we're forbidding them being public.
- pub(crate) fn balance_of_private(account: AztecAddress) -> 128 {
+ fn balance_of_private(account: AztecAddress) -> 128 {
Notes require you to manually implement or derive Packable
We have decided to drop auto-derivation of Packable from the #[note] macro because we want to make the macros less magical.
With this change you will be forced to either apply #[derive(Packable) on your notes:
+use aztec::protocol_types::traits::Packable;
+#[derive(Packable)]
#[note]
pub struct UintNote {
owner: AztecAddress,
randomness: Field,
value: u128,
}
or to implement it manually yourself:
impl Packable for UintNote {
let N: u32 = 3;
fn pack(self) -> [Field; Self::N] {
[self.owner.to_field(), randomness, value as Field]
}
fn unpack(fields: [Field; Self::N]) -> Self {
let owner = AztecAddress::from_field(fields[0]);
let randomness = fields[1];
let value = fields[2] as u128;
UintNote { owner, randomness, value }
}
}
Tagging sender now managed via oracle functions
Now, instead of manually needing to pass a tagging sender as an argument to log emission functions (e.g. encode_and_encrypt_note, encode_and_encrypt_note_unconstrained, emit_event_in_private_log, ...) we automatically load the sender via the get_sender_for_tags() oracle.
This value is expected to be populated by account contracts that should call set_sender_for_tags() in their entry point functions.
The changes you need to do in your contracts are quite straightforward.
You simply need to drop the sender arg from the callsites of the log emission functions.
E.g. note emission:
storage.balances.at(from).sub(from, amount).emit(encode_and_encrypt_note(
&mut context,
from,
- tagging_sender,
));
E.g. private event emission:
emit_event_in_private_log(
Transfer { from, to, amount },
&mut context,
- tagging_sender,
to,
PrivateLogContent.NO_CONSTRAINTS,
);
This change affected arguments prepare_private_balance_increase and mint_to_private functions on the Token contract.
Drop the from argument when calling these.
Example n TypeScript test:
- await token.methods.mint_to_private(fundedWallet.getAddress(), alice, mintAmount).send().wait();
+ await token.methods.mint_to_private(alice, mintAmount).send().wait();
Example when
let token_out_partial_note = Token::at(token_out).prepare_private_balance_increase(
sender,
- tagging_sender
).call(&mut context);
SharedMutable -> DelayedPublicMutable
The SharedMutable state variable has been renamed to DelayedPublicMutable. It is a public mutable with a delay before state changes take effect. It can be read in private during the delay period. The name "shared" confuses developers who actually wish to work with so-called "shared private state". Also, we're working on a DelayedPrivateMutable which will have similar properties, except writes will be scheduled from private instead. With this new state variable in mind, the new name works nicely.
[TXE] - Testing Aztec Contracts using Noir
Full TestEnvironment API overhaul
As part of a broader effort to make Noir tests that leverage TXE easier to use and reason about, large parts of it were changed or adapted, resulting in the API now being quite different. No functionality was lost, so it should be possible to migrate any older Noir test to use the new API.
Network State Manipulation
committed_timestampremoved: this function did not work correctlyprivate_at_timestamp: this function was not really meaningful: private contexts are built from block numbers, not timestampspending_block_numberwas renamed tonext_block_number.pending_timestampwas removed since it was confusing and not usefulcommitted_block_numberwas renamed tolast_block_numberadvance_timestamp_toandadvance_timestamp_bywere renamed toset_next_block_timestampandadvance_next_block_timestamp_byrespectivelyadvance_block_towas renamed tomine_block_at, which takes a timestamp instead of a target block numberadvance_block_bywas renamed tomine_block, which now mines a single block
Account Management
create_accountwas renamed tocreate_light_accountcreate_account_contractwas renamed tocreate_contract_account
Contract Deployment
deploy_selfremoved: merged intodeploydeploynow accepts both local and external contracts
Contract Interactions
The old way of calling contract functions is gone. Contract functions are now invoked via the call_private, view_private, call_public, view_public and simulate_utility TestEnvironment methods. These take a CallInterface, like their old counterparts, but now also take an explicit from parameter (for the call variants - this is left out of the view and simulate methods for simplicity).
Raw Context Access
The private and public methods are gone. Private, public and utility contexts can now be crated with the private_context, public_context and utility_context functions, all of which takes a callback function that is called with the corresponding context. This functions are expected to be defined in-line as lambdas, and contain the user-defined test logic. This helps delineate where contexts begin and end. Contexts automatically mine blocks on closing, when appropriate.
Error-expecting Functions
assert_public_call_revert and variants have been removed. Use #[test(should_fail_with = "message")] instead.
Example Migration
The following are two tests using the older version of TestEnvironment:
#[test]
unconstrained fn initial_empty_value() {
let mut env = TestEnvironment::new();
// Setup without account contracts. We are not using authwits here, so dummy accounts are enough
let admin = env.create_account(1);
let initializer_call_interface = Auth::interface().constructor(admin);
let auth_contract =
env.deploy_self("Auth").with_public_void_initializer(admin, initializer_call_interface);
let auth_contract_address = auth_contract.to_address();
env.impersonate(admin);
let authorized = Auth::at(auth_contract_address).get_authorized().view(&mut env.public());
assert_eq(authorized, AztecAddress::from_field(0));
}
#[test]
unconstrained fn non_admin_cannot_set_authorized() {
let mut env = TestEnvironment::new();
// Setup without account contracts. We are not using authwits here, so dummy accounts are enough
let admin = env.create_account(1);
let other = env.create_account(2);
let initializer_call_interface = Auth::interface().constructor(admin);
let auth_contract =
env.deploy_self("Auth").with_public_void_initializer(admin, initializer_call_interface);
let auth_contract_address = auth_contract.to_address();
env.impersonate(other);
env.assert_public_call_fails(Auth::at(auth_contract_address).set_authorized(to_authorize));
}
These now look like this:
#[test]
unconstrained fn authorized_initially_unset() {
let mut env = TestEnvironment::new();
let admin = env.create_light_account(); // Manual secret management gone
let auth_contract_address =
env.deploy("Auth").with_public_initializer(admin, Auth::interface().constructor(admin)); // deploy_self replaced
let auth = Auth::at(auth_contract_address);
assert_eq(env.view_public(auth.get_authorized()), AztecAddress::zero()); // .view_public() instead of .public()
}
#[test(should_fail_with = "caller is not admin")]
unconstrained fn non_admin_cannot_set_unauthorized() {
let mut env = TestEnvironment::new();
let admin = env.create_light_account();
let other = env.create_light_account();
let auth_contract_address =
env.deploy("Auth").with_public_initializer(admin, Auth::interface().constructor(admin)); // deploy_self replaced
let auth = Auth::at(auth_contract_address);
env.call_public(other, auth.set_authorized(other)); // .call_public(), should_fail_with
}
[Aztec.js]
Cheatcodes
Cheatcodes where moved out of the @aztec/aztec.js package to @aztec/ethereum and @aztec/aztec packages.
While all of the cheatcodes can be imported from the @aztec/aztec package EthCheatCodes and RollupCheatCodes reside in @aztec/ethereum package and if you need only those importing only that package should result in a lighter build.
Note exports dropped from artifact
Notes are no longer exported in the contract artifact. Exporting notes was technical debt from when we needed to interpret notes in TypeScript.
The following code will no longer work since notes is no longer available on the artifact:
const valueNoteTypeId = StatefulTestContractArtifact.notes['ValueNote'].id;
[core protocol, Aztec.nr, Aztec.js] Max block number property changed to be seconds based
max_block_number -> include_by_timestamp
The transaction expiration mechanism has been updated to use seconds rather than number of blocks.
As part of this change, the transaction property max_block_number has been renamed to include_by_timestamp.
This change significantly impacts the SharedMutable state variable in Aztec.nr, which now operates on a seconds instead of number of blocks.
If your contract uses SharedMutable, you'll need to:
- Update the
INITIAL_DELAYnumeric generic to use seconds instead of blocks - Modify any related logic to account for timestamp-based timing
- Note that timestamps use
u64values while block numbers useu32
Removed prelude, so your dep::aztec::prelude::... imports will need to be amended.
Instead of importing common types from dep::aztec::prelude..., you'll now need to import them from their lower-level locations.
The Noir Language Server vscode extension is now capable of autocompleting imports: just type some of the import and press 'tab' when it pops up with the correct item, and the import will be inserted at the top of the file.
As a quick reference, here are the paths to the types that were previously in the prelude.
So, for example, if you were previously using dep::aztec::prelude::AztecAddress, you'll need to replace it with dep::aztec::protocol_types::address::AztecAddress.
Apologies for any pain this brings. The reasoning is that these types were somewhat arbitrary, and it was unclear which types were worthy enough to be included here.
use dep::aztec::{
context::{PrivateCallInterface, PrivateContext, PublicContext, UtilityContext, ReturnsHash},
note::{
note_getter_options::NoteGetterOptions,
note_interface::{NoteHash, NoteType},
note_viewer_options::NoteViewerOptions,
retrieved_note::RetrievedNote,
},
state_vars::{
map::Map, private_immutable::PrivateImmutable, private_mutable::PrivateMutable,
private_set::PrivateSet, public_immutable::PublicImmutable, public_mutable::PublicMutable,
shared_mutable::SharedMutable,
},
};
use dep::aztec::protocol_types::{
abis::function_selector::FunctionSelector,
address::{AztecAddress, EthAddress},
point::Point,
traits::{Deserialize, Serialize},
};
include_by_timestamp is now mandatory
Each transaction must now include a valid include_by_timestamp that satisfies the following conditions:
- It must be greater than the historical block’s timestamp.
- The duration between the
include_by_timestampand the historical block’s timestamp must not exceed the maximum allowed (currently 24 hours). - It must be greater than or equal to the timestamp of the block in which the transaction is included.
The protocol circuits compute the include_by_timestamp for contract updates during each private function iteration. If a contract does not explicitly specify a value, the default will be the maximum allowed duration. This ensures that include_by_timestamp is never left unset.
No client-side changes are required. However, please note that transactions now have a maximum lifespan of 24 hours and will be removed from the transaction pool once expired.
0.88.0
[Aztec.nr] Deprecation of the authwit library
It is now included in aztec-nr, so imports must be updated:
-dep::authwit::...
+dep::aztec::authwit...
and stale dependencies removed from Nargo.toml
-authwit = { path = "../../../../aztec-nr/authwit" }
0.87.0
[Aztec.js/TS libraries]
We've bumped our minimum supported node version to v20, as v18 is now EOL. As a consequence, the deprecated type assertion syntax has been replaced with modern import attributes whenever contract artifact JSONs are loaded:
-import ArtifactJson from '../artifacts/contract-Contract.json' assert { type: 'json' };
+import ArtifactJson from '../artifacts/contract-Contract.json' with { type: 'json' };
[Aztec.js/PXE] simulateUtility return type
pxe.simulateUtility() now returns a complex object (much like .simulateTx()) so extra information can be provided such as simulation timings.
This information can be accessed setting the includeMetadata flag in SimulateMethodOptions to true, but not providing it (which is the default) will NOT change the behavior of the current code.
-const result = await pxe.simulateUtility(...);
+const { meta, result } = await pxe.simulateUtility(...);
const result = await Contract.methods.myFunction(...).simulate();
const { result, meta} = await Contract.methods.myFunction(...).simulate({ includeMetadata: true });
[Aztec.js] Removed mandatory simulation before proving in contract interfaces
Previously, our autogenerated contract classes would perform a simulation when calling .prove or .send on them. This could potentially catch errors earlier, but took away control from the app/wallets on how to handle network interactions. Now this process has to be triggered manually, which means just proving an interaction (or proving and sending it to the network in one go via .send) is much faster.
WARNING: This means users can incurr in network fees if a transaction that would otherwise be invalid is sent without sanity checks. To ensure this, it is recommended to do:
+await Contract.method.simulate();
await Contract.method.send().wait();
0.86.0
[PXE] Removed PXE_L2_STARTING_BLOCK environment variable
PXE now fast-syncs by skipping finalized blocks and never downloads all blocks, so there is no longer a need to specify a starting block.
[Aztec.nr] Logs and messages renaming
The following renamings have taken place:
encrypted_logstomessages: this module now handles much more than just encrypted logs (including unconstrained message delivery, message encoding, etc.)log_assembly_strategiestologsdiscoverymoved tomessages: given that what is discovered are messagesdefault_aes128removed
Most contracts barely used these modules, the only frequent imports are the encode_and_encrypt functions:
- use dep::aztec::messages::logs::note::encode_and_encrypt_note;
+ use dep::aztec::messages::logs::note::encode_and_encrypt_note;
[noir-contracts] Reference Noir contracts directory structure change
noir-projects/noir-contracts/contracts directory became too cluttered so we grouped contracts into account, app, docs, fees, libs, protocol and test dirs.
If you import contract from the directory make sure to update the paths accordingly.
E.g. for a token contract:
#[dependencies]
-token = { git = "https://github.com/AztecProtocol/aztec-packages/", tag = "v0.83.0", directory = "noir-projects/noir-contracts/contracts/src/token_contract" }
+token = { git = "https://github.com/AztecProtocol/aztec-packages/", tag = "v0.83.0", directory = "noir-projects/noir-contracts/contracts/app/src/token_contract" }
[Aztec.nr] #[utility] contract functions
Aztec contracts have three kinds of functions: #[private], #[public] and what was sometimes called 'top-level unconstrained': an unmarked unconstrained function in the contract module. These are now called [#utility] functions, and must be explicitly marked as such:
+ #[utility]
unconstrained fn balance_of_private(owner: AztecAddress) -> u128 {
storage.balances.at(owner).balance_of()
}
Utility functions are standalone unconstrained functions that cannot be called from private or public functions: they are meant to be called by applications to perform auxiliary tasks: query contract state (e.g. a token balance), process messages received offchain, etc.
All functions in a contract block must now be marked as one of either #[private], #[public], #[utility], #[contract_library_method], or #[test].
Additionally, the UnconstrainedContext type has been renamed to UtilityContext. This led us to rename the unkonstrained method on TestEnvironment to utility, so any tests using it also need updating:
- SharedMutable::new(env.unkonstrained(), storage_slot)
+ SharedMutable::new(env.utility(), storage_slot)
[AuthRegistry] function name change
As part of the broader transition from "top-level unconstrained" to "utility" name (detailed in the note above), the unconstrained_is_consumable function in AuthRegistry has been renamed to utility_is_consumable. The function's signature and behavior remain unchanged - only the name has been updated to align with the new convention. If you're currently using this function, a simple rename in your code will suffice.
0.83.0
[aztec.js] AztecNode.getPrivateEvents API change
The getPrivateEvents method signature has changed to require an address of a contract that emitted the event and use recipient addresses instead of viewing public keys:
- const events = await wallet.getPrivateEvents<Transfer>(TokenContract.events.Transfer, 1, 1, [recipient.getCompleteAddress().publicKeys.masterIncomingViewingPublicKey()]);
+ const events = await wallet.getPrivateEvents<Transfer>(token.address, TokenContract.events.Transfer, 1, 1, [recipient.getAddress()]);
[portal contracts] Versions and Non-following message boxes
The version number is no longer hard-coded to be 1 across all deployments (it not depends on where it is deployed to and with what genesis and logic).
This means that if your portal were hard-coding 1 it will now fail when inserting into the inbox or consuming from the outbox because of a version mismatch.
Instead you can get the real version (which don't change for a deployment) by reading the VERSION on inbox and outbox, or using getVersion() on the rollup.
New Deployments of the protocol do not preserve former state/across each other. This means that after a new deployment, any "portal" following the registry would try to send messages into this empty rollup to non-existant contracts. To solve, the portal should be linked to a specific deployment, e.g., a specific inbox. This can be done by storing the inbox/outbox/version at the time of deployment or initialize and not update them.
Both of these issues were in the token portal and the uniswap portal, so if you used them as a template it is very likely that you will also have it.
0.82.0
[aztec.js] AztecNode.findLeavesIndexes returns indexes with block metadata
It's common that we need block metadata of a block in which leaves where inserted when querying indexes of these tree leaves. For this reason we now return that information along with the indexes. This allows us to reduce the number of individual AztecNode queries.
Along this change findNullifiersIndexesWithBlock and findBlockNumbersForIndexes functions wer removed as all its uses can now be replaced with the newly modified findLeavesIndexes function.
[aztec.js] AztecNode.getPublicDataTreeWitness renamed as AztecNode.getPublicDataWitness
This change was done to have consistent naming across codebase.
[aztec.js] Wallet interface and Authwit management
The Wallet interface in aztec.js is undergoing transformations, trying to be friendlier to wallet builders and reducing the surface of its API. This means Wallet no longer extends PXE, and instead just implements a subset of the methods of the former. This is NOT going to be its final form, but paves the way towards better interfaces and starts to clarify what the responsibilities of the wallet are:
/**
* The wallet interface.
*/
export type Wallet = AccountInterface &
Pick<
PXE,
// Simulation
| "simulateTx"
| "simulateUnconstrained"
| "profileTx"
// Sending
| "sendTx"
// Contract management (will probably be collapsed in the future to avoid instance and class versions)
| "getContractClassMetadata"
| "getContractMetadata"
| "registerContract"
| "registerContractClass"
// Likely to be removed
| "proveTx"
// Will probably be collapsed
| "getNodeInfo"
| "getPXEInfo"
// Fee info
| "getCurrentBaseFees"
// Still undecided, kept for the time being
| "updateContract"
// Sender management
| "registerSender"
| "getSenders"
| "removeSender"
// Tx status
| "getTxReceipt"
// Events. Kept since events are going to be reworked and changes will come when that's done
| "getPrivateEvents"
| "getPublicEvents"
> & {
createAuthWit(intent: IntentInnerHash | IntentAction): Promise<AuthWitness>;
};
As a side effect, a few debug only features have been removed
// Obtain tx effects
const { txHash, debugInfo } = await contract.methods
.set_constant(value)
.send()
-- .wait({ interval: 0.1, debug: true });
++ .wait({ interval: 0.1 })
-- // check that 1 note hash was created
-- expect(debugInfo!.noteHashes.length).toBe(1);
++ const txEffect = await aztecNode.getTxEffect(txHash);
++ const noteHashes = txEffect?.data.noteHashes;
++ // check that 1 note hash was created
++ expect(noteHashes?.length).toBe(1);
// Wait for a tx to be proven
-- tx.wait({ timeout: 300, interval: 10, proven: true, provenTimeout: 3000 })));
++ const receipt = await tx.wait({ timeout: 300, interval: 10 });
++ await waitForProven(aztecNode, receipt, { provenTimeout: 3000 });
Authwit management has changed, and PXE no longer stores them. This is unnecessary because now they can be externally provided to simulations and transactions, making sure no stale authorizations are kept inside PXE's db.
const witness = await wallet.createAuthWit({ caller, action });
--await callerWallet.addAuthWitness(witness);
--await action.send().wait();
++await action.send({ authWitnesses: [witness] }).wait();
Another side effect of this is that the interface of the lookupValidity method has changed, and now the authwitness has to be provided:
const witness = await wallet.createAuthWit({ caller, action });
--await callerWallet.addAuthWitness(witness);
--await wallet.lookupValidity(wallet.getAddress(), { caller, action });
++await wallet.lookupValidity(wallet.getAddress(), { caller, action }, witness);
0.80.0
[PXE] Concurrent contract function simulation disabled
PXE is no longer be able to execute contract functions concurrently (e.g. by collecting calls to simulateTx and then using await Promise.all). They will instead be put in a job queue and executed sequentially in order of arrival.
0.79.0
[aztec.js] Changes to BatchCall and BaseContractInteraction
The constructor arguments of BatchCall have been updated to improve usability. Previously, it accepted an array of FunctionCall, requiring users to manually set additional data such as authwit and capsules. Now, BatchCall takes an array of BaseContractInteraction, which encapsulates all necessary information.
class BatchCall extends BaseContractInteraction {
- constructor(wallet: Wallet, protected calls: FunctionCall[]) {
+ constructor(wallet: Wallet, protected calls: BaseContractInteraction[]) {
...
}
The request method of BaseContractInteraction now returns ExecutionPayload. This object includes all the necessary data to execute one or more functions. BatchCall invokes this method on all interactions to aggregate the required information. It is also used internally in simulations for fee estimation.
Declaring a BatchCall:
new BatchCall(wallet, [
- await token.methods.transfer(alice, amount).request(),
- await token.methods.transfer_to_private(bob, amount).request(),
+ token.methods.transfer(alice, amount),
+ token.methods.transfer_to_private(bob, amount),
])
0.77.0
[aztec-nr] TestEnvironment::block_number() refactored
The block_number function from TestEnvironment has been expanded upon with two extra functions, the first being pending_block_number, and the second being committed_block_number. pending_block_number now returns what block_number does. In other words, it returns the block number of the block we are currently building. committed_block_number returns the block number of the last committed block, i.e. the block number that gets used to execute the private part of transactions when your PXE is successfully synced to the tip of the chain.
+ `TestEnvironment::pending_block_number()`
+ `TestEnvironment::committed_block_number()`
[aztec-nr] compute_nullifier_without_context renamed
The compute_nullifier_without_context function from NoteHash (ex NoteInterface) is now called compute_nullifier_unconstrained, and instead of taking storage slot, contract address and nonce it takes a note hash for nullification (same as compute_note_hash). This makes writing this
function simpler:
- unconstrained fn compute_nullifier_without_context(self, storage_slot: Field, contract_address: AztecAddress, nonce: Field) -> Field {
- let note_hash_for_nullify = ...;
+ unconstrained fn compute_nullifier_unconstrained(self, note_hash_for_nullify: Field) -> Field {
...
}
U128 type replaced with native u128
The U128 type has been replaced with the native u128 type. This means that you can no longer use the U128 type in your code. Instead, you should use the u128 type.
Doing the changes is as straightforward as:
#[public]
#[view]
- fn balance_of_public(owner: AztecAddress) -> U128 {
+ fn balance_of_public(owner: AztecAddress) -> u128 {
storage.public_balances.at(owner).read()
}
UintNote has also been updated to use the native u128 type.
[aztec-nr] Removed compute_note_hash_and_optionally_a_nullifer
This function is no longer mandatory for contracts, and the #[aztec] macro no longer injects it.
[PXE] Removed addNote and addNullifiedNote
These functions have been removed from PXE and the base Wallet interface. If you need to deliver a note manually because its creation is not being broadcast in an encrypted log, then create an unconstrained contract function to process it and simulate execution of it. The aztec::discovery::private_logs::do_process_log function can be used to perform note discovery and add to it to PXE.
See an example of how to handle a TransparentNote:
unconstrained fn deliver_transparent_note(
contract_address: AztecAddress,
amount: Field,
secret_hash: Field,
tx_hash: Field,
unique_note_hashes_in_tx: BoundedVec<Field, MAX_NOTE_HASHES_PER_TX>,
first_nullifier_in_tx: Field,
recipient: AztecAddress,
) {
// do_process_log expects a standard aztec-nr encoded note, which has the following shape:
// [ storage_slot, note_type_id, ...packed_note ]
let note = TransparentNote::new(amount, secret_hash);
let log_plaintext = BoundedVec::from_array(array_concat(
[
MyContract::storage_layout().my_state_variable.slot,
TransparentNote::get_note_type_id(),
],
note.pack(),
));
do_process_log(
contract_address,
log_plaintext,
tx_hash,
unique_note_hashes_in_tx,
first_nullifier_in_tx,
recipient,
_compute_note_hash_and_nullifier,
);
}
The note is then processed by calling this function:
const txEffects = await wallet.getTxEffect(txHash);
await contract.methods
.deliver_transparent_note(
contract.address,
new Fr(amount),
secretHash,
txHash.hash,
toBoundedVec(txEffects!.data.noteHashes, MAX_NOTE_HASHES_PER_TX),
txEffects!.data.nullifiers[0],
wallet.getAddress()
)
.simulate();
Fee is mandatory
All transactions must now pay fees. Previously, the default payment method was NoFeePaymentMethod; It has been changed to FeeJuicePaymentMethod, with the wallet owner as the fee payer.
For example, the following code will still work:
await TokenContract.at(address, wallet).methods.transfer(recipient, 100n).send().wait();
However, the wallet owner must have enough fee juice to cover the transaction fee. Otherwise, the transaction will be rejected.
The 3 test accounts deployed in the sandbox are pre-funded with 10 ^ 22 fee juice, allowing them to send transactions right away.
In addition to the native fee juice, users can pay the transaction fees using tokens that have a corresponding FPC contract. The sandbox now includes BananaCoin and BananaFPC. Users can use a funded test account to mint banana coin for a new account. The new account can then start sending transactions and pay fees with banana coin.
import { getDeployedTestAccountsWallets } from "@aztec/accounts/testing";
import {
getDeployedBananaCoinAddress,
getDeployedBananaFPCAddress,
} from "@aztec/aztec";
// Fetch the funded test accounts.
const [fundedWallet] = await getDeployedTestAccountsWallets(pxe);
// Create a new account.
const secret = Fr.random();
const signingKey = GrumpkinScalar.random();
const alice = await getSchnorrAccount(pxe, secret, signingKey);
const aliceWallet = await alice.getWallet();
const aliceAddress = alice.getAddress();
// Deploy the new account using the pre-funded test account.
await alice.deploy({ deployWallet: fundedWallet }).wait();
// Mint banana coin for the new account.
const bananaCoinAddress = await getDeployedBananaCoinAddress(pxe);
const bananaCoin = await TokenContract.at(bananaCoinAddress, fundedWallet);
const mintAmount = 10n ** 20n;
await bananaCoin.methods
.mint_to_private(fundedWallet.getAddress(), aliceAddress, mintAmount)
.send()
.wait();
// Use the new account to send a tx and pay with banana coin.
const transferAmount = 100n;
const bananaFPCAddress = await getDeployedBananaFPCAddress(pxe);
const paymentMethod = new PrivateFeePaymentMethod(
bananaFPCAddress,
aliceWallet
);
const receipt = await bananaCoin
.withWallet(aliceWallet)
.methods.transfer(recipient, transferAmount)
.send({ fee: { paymentMethod } })
.wait();
const transactionFee = receipt.transactionFee!;
// Check the new account's balance.
const aliceBalance = await bananaCoin.methods
.balance_of_private(aliceAddress)
.simulate();
expect(aliceBalance).toEqual(mintAmount - transferAmount - transactionFee);
The tree of protocol contract addresses is now an indexed tree
This is to allow for non-membership proofs for non-protocol contract addresses. As before, the canonical protocol contract addresses point to the index of the leaf of the 'real' computed protocol address.
For example, the canonical DEPLOYER_CONTRACT_ADDRESS is a constant = 2. This is used in the kernels as the contract_address. We calculate the computed_address (currently 0x1665c5fbc1e58ba19c82f64c0402d29e8bbf94b1fde1a056280d081c15b0dac1) and check that this value exists in the indexed tree at index 2. This check already existed and ensures that the call cannot do 'special' protocol contract things unless it is a real protocol contract.
The new check an indexed tree allows is non-membership of addresses of non protocol contracts. This ensures that if a call is from a protocol contract, it must use the canonical address. For example, before this check a call could be from the deployer contract and use 0x1665c5fbc1e58ba19c82f64c0402d29e8bbf94b1fde1a056280d081c15b0dac1 as the contract_address, but be incorrectly treated as a 'normal' call.
- let computed_protocol_contract_tree_root = if is_protocol_contract {
- 0
- } else {
- root_from_sibling_path(
- computed_address.to_field(),
- protocol_contract_index,
- private_call_data.protocol_contract_sibling_path,
- )
- };
+ conditionally_assert_check_membership(
+ computed_address.to_field(),
+ is_protocol_contract,
+ private_call_data.protocol_contract_leaf,
+ private_call_data.protocol_contract_membership_witness,
+ protocol_contract_tree_root,
+ );
[Aztec.nr] Changes to note interfaces and note macros
In this releases we decided to do a large refactor of notes which resulted in the following changes:
- We removed
NoteHeaderand we've introduced aRetrievedNotestruct that contains a note and the information originally stored in theNoteHeader. - We removed the
pack_contentandunpack_contentfunctions from theNoteInterfaceand made notes implement the standardPackabletrait. - We renamed the
NullifiableNotetrait toNoteHashand we've moved thecompute_note_hashfunction to this trait from theNoteInterfacetrait. - We renamed
NoteInterfacetrait asNoteTypeandget_note_type_idfunction asget_id. - The
#[note]and#[partial_note]macros now generate both theNoteTypeandNoteHashtraits. #[custom_note_interface]macro has been renamed to#[custom_note]and it now implements theNoteInterfacetrait.
This led us to do the following changes to the interfaces:
-pub trait NoteInterface<let N: u32> {
+pub trait NoteType {
fn get_id() -> Field;
- fn pack_content(self) -> [Field; N];
- fn unpack_content(fields: [Field; N]) -> Self;
- fn get_header(self) -> NoteHeader;
- fn set_header(&mut self, header: NoteHeader) -> ();
- fn compute_note_hash(self) -> Field;
}
pub trait NoteHash {
+ fn compute_note_hash(self, storage_slot: Field) -> Field;
fn compute_nullifier(self, context: &mut PrivateContext, note_hash_for_nullify: Field) -> Field;
- unconstrained fn compute_nullifier_without_context(self) -> Field;
+ unconstrained fn fn compute_nullifier_without_context(self, storage_slot: Field, contract_address: AztecAddress, note_nonce: Field) -> Field;
}
If you are using #[note] or #[partial_note(...)] macros you will need to delete the implementations of the NullifiableNote (now NoteHash) trait as it now gets auto-generated.
Your note will also need to have an owner (a note struct field called owner) as its used in the auto-generated nullifier functions.
If you need a custom implementation of the NoteHash interface use the #[custom_note] macro.
If you used #[note_custom_interface] macro before you will need to update your notes by using the #[custom_note] macro and implementing the compute_note_hash function.
If you have no need for a custom implementation of the compute_note_hash function copy the default one:
fn compute_note_hash(self, storage_slot: Field) -> Field {
let inputs = aztec::protocol_types::utils::arrays::array_concat(self.pack(), [storage_slot]);
aztec::protocol_types::hash::poseidon2_hash_with_separator(inputs, aztec::protocol_types::constants::GENERATOR_INDEX__NOTE_HASH)
}
If you need to keep the custom implementation of the packing functionality, manually implement the Packable trait:
+ use dep::aztec::protocol_types::traits::Packable;
+impl Packable<N> for YourNote {
+ fn pack(self) -> [Field; N] {
+ ...
+ }
+
+ fn unpack(fields: [Field; N]) -> Self {
+ ...
+ }
+}
If you don't provide a custom implementation of the Packable trait, a default one will be generated.
[Aztec.nr] Changes to state variables
Since we've removed NoteHeader from notes we no longer need to modify the header in the notes when working with state variables.
This means that we no longer need to be passing a mutable note reference which led to the following changes in the API.
PrivateImmutable
For PrivateImmutable the changes are fairly straightforward.
Instead of passing in a mutable reference &mut note just pass in note.
impl<Note> PrivateImmutable<Note, &mut PrivateContext> {
- pub fn initialize<let N: u32>(self, note: &mut Note) -> NoteEmission<Note>
+ pub fn initialize<let N: u32>(self, note: Note) -> NoteEmission<Note>
where
Note: NoteInterface<N> + NullifiableNote,
{
...
}
}
PrivateSet
For PrivateSet the changes are a bit more involved than the changes in PrivateImmutable.
Instead of passing in a mutable reference &mut note to the insert function just pass in note.
The remove function now takes in a RetrievedNote<Note> instead of a Note and the get_notes function
now returns a vector RetrievedNotes instead of a vector Notes.
Note getters now generally return RetrievedNotes so getting a hold of the RetrievedNote for removal should be straightforward.
impl<Note, let N: u32> PrivateSet<Note, &mut PrivateContext>
where
Note: NoteInterface<N> + NullifiableNote + Eq,
{
- pub fn insert(self, note: &mut Note) -> NoteEmission<Note> {
+ pub fn insert(self, note: Note) -> NoteEmission<Note> {
...
}
- pub fn remove(self, note: Note) {
+ pub fn remove(self, retrieved_note: RetrievedNote<Note>) {
...
}
pub fn get_notes<PREPROCESSOR_ARGS, FILTER_ARGS>(
self,
options: NoteGetterOptions<Note, N, PREPROCESSOR_ARGS, FILTER_ARGS>,
- ) -> BoundedVec<Note, MAX_NOTE_HASH_READ_REQUESTS_PER_CALL> {
+ ) -> BoundedVec<RetrievedNote<Note>, MAX_NOTE_HASH_READ_REQUESTS_PER_CALL> {
...
}
}
- impl<Note, let N: u32> PrivateSet<Note, &mut PublicContext>
- where
- Note: NoteInterface<N> + NullifiableNote,
- {
- pub fn insert_from_public(self, note: &mut Note) {
- create_note_hash_from_public(self.context, self.storage_slot, note);
- }
- }
PrivateMutable
For PrivateMutable the changes are similar to the changes in PrivateImmutable.
impl<Note, let N: u32> PrivateMutable<Note, &mut PrivateContext>
where
Note: NoteInterface<N> + NullifiableNote,
{
- pub fn initialize(self, note: &mut Note) -> NoteEmission<Note> {
+ pub fn initialize(self, note: Note) -> NoteEmission<Note> {
...
}
- pub fn replace(self, new_note: &mut Note) -> NoteEmission<Note> {
+ pub fn replace(self, new_note: Note) -> NoteEmission<Note> {
...
}
- pub fn initialize_or_replace(self, note: &mut Note) -> NoteEmission<Note> {
+ pub fn initialize_or_replace(self, note: Note) -> NoteEmission<Note> {
...
}
}
0.75.0
Changes to TokenBridge interface
get_token and get_portal_address functions got merged into a single get_config function that returns a struct containing both the token and portal addresses.
[Aztec.nr] SharedMutable can store size of packed length larger than 1
SharedMutable has been modified such that now it can store type T which packs to a length larger than 1.
This is a breaking change because now SharedMutable requires T to implement Packable trait instead of ToField and FromField traits.
To implement the Packable trait for your type you can use the derive macro:
+ use std::meta::derive;
+ #[derive(Packable)]
pub struct YourType {
...
}
[Aztec.nr] Introduction of WithHash<T>
WithHash<T> is a struct that allows for efficient reading of value T from public storage in private.
This is achieved by storing the value with its hash, then obtaining the values via an oracle and verifying them against the hash.
This results in in a fewer tree inclusion proofs for values T that are packed into more than a single field.
WithHash<T> is leveraged by state variables like PublicImmutable.
This is a breaking change because now we require values stored in PublicImmutable and SharedMutable to implement the Eq trait.
To implement the Eq trait you can use the #[derive(Eq)] macro:
+ use std::meta::derive;
+ #[derive(Eq)]
pub struct YourType {
...
}
0.73.0
[Token, FPC] Moving fee-related complexity from the Token to the FPC
There was a complexity leak of fee-related functionality in the token contract.
We've came up with a way how to achieve the same objective with the general functionality of the Token contract.
This lead to the removal of setup_refund and complete_refund functions from the Token contract and addition of complete_refund function to the FPC.
[Aztec.nr] Improved storage slot allocation
State variables are no longer assumed to be generic over a type that implements the Serialize trait: instead, they must implement the Storage trait with an N value equal to the number of slots they need to reserve.
For the vast majority of state variables, this simply means binding the serialization length to this trait:
+ impl<T, let N: u32> Storage<N> for MyStateVar<T> where T: Serialize<N> { };
[Aztec.nr] Introduction of Packable trait
We have introduced a Packable trait that allows types to be serialized and deserialized with a focus on minimizing the size of the resulting Field array.
This is in contrast to the Serialize and Deserialize traits, which follows Noir's intrinsic serialization format.
This is a breaking change because we now require Packable trait implementation for any type that is to be stored in contract storage.
Example implementation of Packable trait for U128 type from noir::std:
use crate::traits::{Packable, ToField};
let U128_PACKED_LEN: u32 = 1;
impl Packable<U128_PACKED_LEN> for U128 {
fn pack(self) -> [Field; U128_PACKED_LEN] {
[self.to_field()]
}
fn unpack(fields: [Field; U128_PACKED_LEN]) -> Self {
U128::from_integer(fields[0])
}
}
Logs for notes, partial notes, and events have been refactored.
We're preparing to make log assembly more customisable. These paths have changed.
- use dep::aztec::encrypted_logs::encrypted_note_emission::encode_and_encrypt_note,
+ use dep::aztec::messages::logs::note::encode_and_encrypt_note,
And similar paths for encode_and_encrypt_note_unconstrained, and for events and partial notes.
The way in which logs are assembled in this "default_aes128" strategy is has also changed. I repeat: Encrypted log layouts have changed. The corresponding typescript for note discovery has also been changed, but if you've rolled your own functions for parsing and decrypting logs, those will be broken by this change.
NoteInferface and EventInterface no-longer have a to_be_bytes method.
You can remove this method from any custom notes or events that you've implemented.
[Aztec.nr] Packing notes resulting in changes in NoteInterface
Note interface implementation generated by our macros now packs note content instead of serializing it
With this change notes are being less costly DA-wise to emit when some of the note struct members implements the Packable trait (this is typically the UintNote which represents value as U128 that gets serialized as 2 fields but packed as 1).
This results in the following changes in the NoteInterface:
pub trait NoteInterface<let N: u32> {
- fn serialize_content(self) -> [Field; N];
+ fn pack_content(self) -> [Field; N];
- fn deserialize_content(fields: [Field; N]) -> Self;
+ fn unpack_content(fields: [Field; N]) -> Self;
fn get_header(self) -> NoteHeader;
fn set_header(&mut self, header: NoteHeader) -> ();
fn get_note_type_id() -> Field;
fn compute_note_hash(self) -> Field;
}
[PXE] Cleanup of Contract and ContractClass information getters
- pxe.isContractInitialized
- pxe.getContractInstance
- pxe.isContractPubliclyDeployed
+ pxe.getContractMetadata
have been merged into getContractMetadata
- pxe.getContractClass
- pxe.isContractClassPubliclyRegistered
- pxe.getContractArtifact
+ pxe.getContractClassMetadata
These functions have been merged into pxe.getContractMetadata and pxe.getContractClassMetadata.
0.72.0
Some functions in aztec.js and @aztec/accounts are now async
In our efforts to make libraries more browser-friendly and providing with more bundling options for bb.js (like a non top-level-await version), some functions are being made async, in particular those that access our cryptographic functions.
- AztecAddress.random();
+ await AztecAddress.random();
- getSchnorrAccount();
+ await getSchnorrAccount();
Public logs replace unencrypted logs
Any log emitted from public is now known as a public log, rather than an unencrypted log. This means methods relating to these logs have been renamed e.g. in the pxe, archiver, txe:
- getUnencryptedLogs(filter: LogFilter): Promise<GetUnencryptedLogsResponse>
- getUnencryptedEvents<T>(eventMetadata: EventMetadataDefinition, from: number, limit: number): Promise<T[]>
+ getPublicLogs(filter: LogFilter): Promise<GetPublicLogsResponse>
+ getPublicEvents<T>(eventMetadata: EventMetadataDefinition, from: number, limit: number): Promise<T[]>
The context method in aztec.nr is now:
- context.emit_unencrypted_log(log)
+ context.emit_public_log(log)
These logs were treated as bytes in the node and as hashes in the protocol circuits. Now, public logs are treated as fields everywhere:
- unencryptedLogs: UnencryptedTxL2Logs
- unencrypted_logs_hashes: [ScopedLogHash; MAX_UNENCRYPTED_LOGS_PER_TX]
+ publicLogs: PublicLog[]
+ public_logs: [PublicLog; MAX_PUBLIC_LOGS_PER_TX]
A PublicLog contains the log (as an array of fields) and the app address.
This PR also renamed encrypted events to private events:
- getEncryptedEvents<T>(eventMetadata: EventMetadataDefinition, from: number, limit: number, vpks: Point[]): Promise<T[]>
+ getPrivateEvents<T>(eventMetadata: EventMetadataDefinition, from: number, limit: number, vpks: Point[]): Promise<T[]>
0.70.0
[Aztec.nr] Removal of getSiblingPath oracle
Use getMembershipWitness oracle instead that returns both the sibling path and index.
0.68.0
[archiver, node, pxe] Remove contract artifacts in node and archiver and store function names instead
Contract artifacts were only in the archiver for debugging purposes. Instead function names are now (optionally) emitted when registering contract classes
Function changes in the Node interface and Contract Data source interface:
- addContractArtifact(address: AztecAddress, artifact: ContractArtifact): Promise<void>;
+ registerContractFunctionNames(address: AztecAddress, names: Record<string, string>): Promise<void>;
So now the PXE registers this when calling registerContract()
await this.node.registerContractFunctionNames(instance.address, functionNames);
Function changes in the Archiver
- addContractArtifact(address: AztecAddress, artifact: ContractArtifact)
- getContractArtifact(address: AztecAddress)
+ registerContractFunctionNames(address: AztecAddress, names: Record<string, string>): Promise<void>
[fees, fpc] Changes in setting up FPC as fee payer on AztecJS and method names in FPC
On AztecJS, setting up PrivateFeePaymentMethod and PublicFeePaymentMethod are now the same. The don't need to specify a sequencer address or which coin to pay in. The coins are set up in the FPC contract!
- paymentMethod: new PrivateFeePaymentMethod(bananaCoin.address,bananaFPC.address,aliceWallet,sequencerAddress),
+ paymentMethod: new PrivateFeePaymentMethod(bananaFPC.address, aliceWallet),
- paymentMethod: new PublicFeePaymentMethod(bananaCoin.address, bananaFPC.address, aliceWallet),
+ paymentMethod: new PublicFeePaymentMethod(bananaFPC.address, aliceWallet),
Changes in FeePaymentMethod class in AztecJS
- getAsset(): AztecAddress;
+ getAsset(): Promise<AztecAddress>;
Changes in the token contract:
FPC specific methods, setup_refund() and complete_refund() have minor args rename.
Changes in FPC contract:
Rename of args in all of FPC functions as FPC now stores the accepted token address and admin and making it clearer the amounts are corresponding to the accepted token and not fee juice.
Also created a public function pull_funds() for admin to clawback any money in the FPC
Expect more changes in FPC in the coming releases!
Name change from contact to sender in PXE API
contact has been deemed confusing because the name is too similar to contract.
For this reason we've decided to rename it:
- await pxe.registerContact(address);
+ await pxe.registerSender(address);
- await pxe.getContacts();
+ await pxe.getSenders();
- await pxe.removeContact(address);
+ await pxe.removeSender(address);
0.67.1
Noir contracts package no longer exposes artifacts as default export
To reduce loading times, the package @aztec/noir-contracts.js no longer exposes all artifacts as its default export. Instead, it exposes a ContractNames variable with the list of all contract names available. To import a given artifact, use the corresponding export, such as @aztec/noir-contracts.js/FPC.
Blobs
We now publish the majority of DA in L1 blobs rather than calldata, with only contract class logs remaining as calldata. This replaces all code that touched the txsEffectsHash.
In the rollup circuits, instead of hashing each child circuit's txsEffectsHash to form a tree, we track tx effects by absorbing them into a sponge for blob data (hence the name: spongeBlob). This sponge is treated like the state trees in that we check each rollup circuit 'follows' the next:
- let txs_effects_hash = sha256_to_field(left.txs_effects_hash, right.txs_effects_hash);
+ assert(left.end_sponge_blob.eq(right.start_sponge_blob));
+ let start_sponge_blob = left.start_sponge_blob;
+ let end_sponge_blob = right.end_sponge_blob;
This sponge is used in the block root circuit to confirm that an injected array of all txEffects does match those rolled up so far in the spongeBlob. Then, the txEffects array is used to construct and prove opening of the polynomial representing the blob commitment on L1 (this is done efficiently thanks to the Barycentric formula).
On L1, we publish the array as a blob and verify the above proof of opening. This confirms that the tx effects in the rollup circuit match the data in the blob:
- bytes32 txsEffectsHash = TxsDecoder.decode(_body);
+ bytes32 blobHash = _validateBlob(blobInput);
Where blobInput contains the proof of opening and evaluation calculated in the block root rollup circuit. It is then stored and used as a public input to verifying the epoch proof.
0.67.0
L2 Gas limit of 6M enforced for public portion of TX
A 12M limit was previously enforced per-enqueued-public-call. The protocol now enforces a stricter limit that the entire public portion of a transaction consumes at most 6,000,000 L2 gas.
[aztec.nr] Renamed Header and associated helpers
The Header struct has been renamed to BlockHeader, and the get_header() family of functions have been similarly renamed to get_block_header().
- let header = context.get_header_at(block_number);
+ let header = context.get_block_header_at(block_number);
Outgoing Events removed
Previously, every event which was emitted included:
- Incoming Header (to convey the app contract address to the recipient)
- Incoming Ciphertext (to convey the note contents to the recipient)
- Outgoing Header (served as a backup, to convey the app contract address to the "outgoing viewer" - most likely the sender)
- Outgoing Ciphertext (served as a backup, encrypting the symmetric key of the incoming ciphertext to the "outgoing viewer" - most likely the sender)
The latter two have been removed from the .emit() functions, so now only an Incoming Header and Incoming Ciphertext will be emitted.
The interface for emitting a note has therefore changed, slightly. No more ovpk's need to be derived and passed into .emit() functions.
- nfts.at(to).insert(&mut new_note).emit(encode_and_encrypt_note(&mut context, from_ovpk_m, to, from));
+ nfts.at(to).insert(&mut new_note).emit(encode_and_encrypt_note(&mut context, to, from));
The getOutgoingNotes function is removed from the PXE interface.
Some aztec.nr library methods' arguments are simplified to remove an outgoing_viewer parameter. E.g. ValueNote::increment, ValueNote::decrement, ValueNote::decrement_by_at_most, EasyPrivateUint::add, EasyPrivateUint::sub.
Further changes are planned, so that:
- Outgoing ciphertexts (or any kind of abstract ciphertext) can be emitted by a contract, and on the other side discovered and then processed by the contract.
- Headers will be removed, due to the new tagging scheme.
0.66
DEBUG env var is removed
The DEBUG variable is no longer used. Use LOG_LEVEL with one of silent, fatal, error, warn, info, verbose, debug, or trace. To tweak log levels per module, add a list of module prefixes with their overridden level. For example, LOG_LEVEL="info; verbose: aztec:sequencer, aztec:archiver; debug: aztec:kv-store" sets info as the default log level, verbose for the sequencer and archiver, and debug for the kv-store. Module name match is done by prefix.
tty resolve fallback required for browser bundling
When bundling aztec.js for web, the tty package now needs to be specified as an empty fallback:
resolve: {
plugins: [new ResolveTypeScriptPlugin()],
alias: { './node/index.js': false },
fallback: {
crypto: false,
os: false,
fs: false,
path: false,
url: false,
+ tty: false,
worker_threads: false,
buffer: require.resolve('buffer/'),
util: require.resolve('util/'),
stream: require.resolve('stream-browserify'),
},
},
0.65
[aztec.nr] Removed SharedImmutable
The SharedImmutable state variable has been removed, since it was essentially the exact same as PublicImmutable, which now contains functions for reading from private:
- foo: SharedImmutable<T, Context>.
+ foo: PublicImmutable<T, Context>.
[aztec.nr] SharedImmutable renamings
SharedImmutable::read_private and SharedImmutable::read_public were renamed to simply read, since only one of these versions is ever available depending on the current context.
// In private
- let value = storage.my_var.read_private();
+ let value = storage.my_var.read();
// In public
- let value = storage.my_var.read_public();
+ let value = storage.my_var.read();
[aztec.nr] SharedMutable renamings
SharedMutable getters (get_current_value_in_public, etc.) were renamed by dropping the _in<public|private|unconstrained> suffix, since only one of these versions is ever available depending on the current context.
// In private
- let value = storage.my_var.get_current_value_in_private();
+ let value = storage.my_var.get_current_value();
// In public
- let value = storage.my_var.get_current_value_in_public();
+ let value = storage.my_var.get_current_value();
[aztec.js] Random addresses are now valid
The AztecAddress.random() function now returns valid addresses, i.e. addresses that can receive encrypted messages and therefore have notes be sent to them. AztecAddress.isValid() was also added to check for validity of an address.
0.63.0
[PXE] Note tagging and discovery
PXE's trial decryption of notes has been replaced in favor of a tagging and discovery approach. It is much more efficient and should scale a lot better as the network size increases, since notes can now be discovered on-demand. For the time being, this means that accounts residing on different PXE instances should add senders to their contact list, so notes can be discovered (accounts created on the same PXE instance will be added as senders for each other by default)
+pxe.registerContact(senderAddress)
The note discovery process is triggered automatically whenever a contract invokes the get_notes oracle, meaning no contract changes are expected. Just in case, every contract has now a utility method
sync_notes that can trigger the process manually if necessary. This can be useful since now the DebugInfo object that can be obtained when sending a tx with the debug flag set to true
no longer contains the notes that were generated in the transaction:
const receipt = await inclusionsProofsContract.methods.create_note(owner, 5n).send().wait({ debug: true });
-const { visibleIncomingNotes } = receipt.debugInfo!;
-expect(visibleIncomingNotes.length).toEqual(1);
+await inclusionsProofsContract.methods.sync_notes().simulate();
+const incomingNotes = await wallet.getIncomingNotes({ txHash: receipt.txHash });
+expect(incomingNotes.length).toEqual(1);
[Token contract] Partial notes related refactor
We've decided to replace the old "shield" flow with one leveraging partial notes.
This led to a removal of shield and redeem_shield functions and an introduction of transfer_to_private.
An advantage of the new approach is that only 1 tx is required and the API of partial notes is generally nicer.
For more information on partial notes refer to docs.