- 15 Aug 2024
- 8 Minutes to read
- DarkLight
- PDF
Cross-Blueprint Calls
- Updated on 15 Aug 2024
- 8 Minutes to read
- DarkLight
- PDF
A cross-blueprint call happens when a function/method invokes a function/method defined in a different blueprint whether the blueprint is within the same package or in a different package. This allows a developer to create complex systems by composing various blueprints and components together.
Using a blueprint from the same package
You might decide to combine multiple blueprints in the same package. This allows you to easily deploy complex inter-blueprint functionality to the ledger. In this section, you will learn how to call a blueprint from another one living in the same package.
Let’s say you have two blueprints: CoffeeMachine
and AlarmClock
. If you want to be able to instantiate a CoffeeMachine component and call its methods from one of the AlarmClock
’s method/function you would create three files:
src/lib.rs
// Import the blueprints that are part of the package
mod coffee_machine;
mod alarm_clock;
This lib.rs
file is the starting point of all Scrypto packages. If you have only one blueprint in the package, you could write the logic directly in that file, like we saw previously. In our case, we will write the logic of the two blueprints in separate files. That’s why in lib.rs
we are importing the two other files to include in our package (coffee_machine
and alarm_clock
) with the mod
keyword.
src/coffee_machine.rs
use scrypto::prelude::*;
#[blueprint]
mod coffee_machine {
struct CoffeeMachine {}
impl CoffeeMachine {
pub fn new() -> Owned<CoffeeMachine> {
Self{}.instantiate()
}
pub fn make_coffee(&self) {
info!("Brewing coffee !");
}
}
}
Here we need to return
Owned<CoffeeMachine>
which is magic syntax that the#[blueprint]
macro allows.Also notice that we do not call the
globalize()
method after instantiation. This is because we want our component to be instantiated as a local or owned component. Having an owned component will only be accessible by our second blueprint that we are going to go through in the next section.
This file includes the logic for the CoffeeMachine
blueprint. This blueprint offers a function to instantiate a component with an empty state that offers a make_coffee()
method, which we will call from the AlarmClock
blueprint.
src/alarm_clock.rs
use scrypto::prelude::*;
use crate::coffee_machine::coffee_machine::*; // #1
#[blueprint]
mod alarm_clock {
struct AlarmClock {
// Store the coffee machine component
coffee_machine: Owned<CoffeeMachine>
}
impl AlarmClock {
pub fn new() -> Global<AlarmClock> {
Self{
coffee_machine: CoffeeMachine::new() // #2
}
.instantiate()
.prepare_to_globaize(OwnerRole::None)
.globalize()
}
pub fn try_trigger(&mut self) {
assert!(Runtime::current_epoch() % 100 == 0, "It's not time to brew yet !");
self.coffee_machine.make_coffee(); // #3
}
}
}
Import the CoffeeMachine blueprint
Instantiate a CoffeeMachine component from the blueprint
Call methods on the component
First, this blueprint imports the CoffeeMachine
Blueprint at the top of the file. Then, it instantiates a new CoffeeMachine
component and stores it inside a newly instantiated AlarmClock
component. Finally, in the try_trigger
method, the CoffeeMachine’s make_coffee
method is called.
Calling a specific blueprint or global component of your package
The way to call typed blueprint functions is through Blueprint<T>
and to call global components is through Global<T>
where T
is the blueprint stub type.
This blueprint stub type T
can either come from a blueprint in your package, or from an external blueprint definition, created with the extern_blueprint!
macro. This macro aims to provide a more readable way of importing external blueprints into a package, and generates all of the code required to call the external blueprint or component.
Note that the extern_blueprint!
definition must live inside the #[blueprint]
mod where it’s used. This ensures that the given package address is registered as a static dependency of the blueprint.
The following is example usage of the macro:
// Define the functions on the GumballMachine blueprint
extern_blueprint! {
"package_sim1p4kwg8fa7ldhwh8exe5w4acjhp9v982svmxp3yqa8ncruad4rv980g",
GumballMachine {
// Blueprint Functions
fn instantiate_gumball_machine(price: Decimal) -> Global<GumballMachine>;
// Component Methods
fn get_price(&self) -> Decimal;
fn buy_gumball(&mut self mut payment: Bucket) -> (Bucket, Bucket);
}
}
If the external blueprint requires any custom structs or enums, then you can copy their definitions verbatim from the source code for the blueprint, and referenced inside the macro (along with its derives).
Consider a situation where an external blueprint that we wish to import requires a custom enum called DepositResult
. The following code shows how this situation can be dealt with when using the extern_blueprint!
macro:
#[Derive(ScryptoSbor)]
enum DepositResult { // #1
Success,
Failure
}
extern_blueprint! {
"package_sim1p4kwg8fa7ldhwh8exe5w4acjhp9v982svmxp3yqa8ncruad4rv980g",
CustomAccountComponentTarget {
fn deposit(&mut self, b: Bucket) -> DepositResult;
fn deposit_no_return(&mut self, b: Bucket);
fn read_balance(&self) -> Decimal;
}
}
Since the
DepositResult
enum is required by this blueprint, it needs to be defined outside of theextern_blueprint!
macro, and then used in the function or method signatures. You can obtain the definition of the enum from the source code of the external blueprint.
Watch out for Network Dependence
When creating packages containing static addresses through the
extern_blueprint!
macro andglobal_component!
pseudo-macro, the built WASM and Package Definition are network-dependent.You will need to be careful to version your source files (or update the addresses in them) before building for different networks, and ensure that the resultant artifacts (WASM and .rpd files) are kept separate between networks.
We would like to make this more intuitive in future.
What is “node visibility”? What is a static dependency of a blueprint?
Registering an address as a static dependency allows the blueprint to make calls to it without receiving an error about a node reference not being visible. This error protects the engine against blueprints/components making calls to objects they have no right knowing about.
To prevent this error, the called global address needs to become visible to the call frame. This can be achieved in a few ways:
The called address can be a static dependency of the current blueprint.
The called address can be read from state.
The called address can be passed in as an argument.
Calling a static component address
Once the blueprint package or component is imported we can use the global_component!
pseudo-macro to reference the GumballMachine
component. Note that global_component!
only works inside the #[blueprint]
mod. This registers the given component address as a static dependency of the built package, which allows the package to make calls to the component without the component address being stored or passed into the component.
pub fn proxy_buy_gumball(&self, mut payment: Bucket) -> (Bucket, Bucket) {
let gumball_component: Global<GumballMachine> = global_component!(
GumballMachine,
"component_sim1crtkvhxwuff6vk7weufhj9qsd8u7ekajz9zllmqd29mlm8mlxrvsru"
);
return gumball_component.buy_gumball(payment)
}
A Note on Type Checking
The
global_component!
macro does not check if the component is of the blueprint type. Be sure to verify the blueprint info of the component on Radix Explorer before using it.
Calling a component with an address from state
struct MyGumballProxy {
// Both of these store component addresses. The latter is validated by the engine upon saving that it matches the given package/blueprint.
gumball_machine_component_address: ComponentAddress,
gumball_machine_component: Global<GumballMachine>,
}
impl MyGumballProxy {
// ...
pub fn proxy_buy_gumball(&self, mut payment: Bucket) -> (Bucket, Bucket) {
let gumball_component: Global<GumballMachine> = self.gumball_machine_component_address.into();
return gumball_component.buy_gumball(payment)
}
pub fn proxy_buy_gumball_2(&self, mut payment: Bucket) -> (Bucket, Bucket) {
return self.gumball_machine_component.buy_gumball(payment)
}
}
Calling a dynamic component address
In the following example, the gumball_component
parameter can be a component address. The engine verifies that the passed address belongs to a component whose blueprint matches (in this case, GumballMachine
under package_sim1p4kwg8fa7ldhwh8exe5w4acjhp9v982svmxp3yqa8ncruad4rv980g
).
impl MyGumballProxy {
// This is equivalent to proxy_buy_gumball_2, except the engine also validates the component's blueprint matches the package address/blueprint name in the external_blueprint definition.
pub fn proxy_buy_gumball(&self, gumball_machine_component: Global<GumballMachine>, mut payment: Bucket) -> (Bucket, Bucket) {
return gumball_machine_component.buy_gumball(payment)
}
// This is equivalent to proxy_buy_gumball, EXCEPT the engine does not validate that the gumball_machine_component matches the package address/blueprint in the external_blueprint definition.
pub fn proxy_buy_gumball_2(&self, gumball_machine_component: ComponentAddress, mut payment: Bucket) -> (Bucket, Bucket) {
let gumball_machine_component: Global<GumballMachine> = gumball_machine_component.into();
return gumball_machine_component.buy_gumball(payment)
}
}
Calling a blueprint function
This can be done with Blueprint<X>
where X
is a Blueprint defined via extern_blueprint!
or from another definition in the given package.
struct MyGumballProxy {
gumball_machine: Global<GumballMachine>,
}
impl MyGumballProxy {
pub fn instantiate_proxy(price: Decimal) -> Global<MyGumballProxy> {
// This can call the function on the GumballMachine blueprint
// NOTE: The `extern_blueprint!` definition MUST be inside this #[blueprint] mod for the static depedency on the package to be picked up,
// and to avoid a reference error at runtime.
let created_gumball_machine = Blueprint::<GumballMachine>::instantiate_gumball_machine(price);
Self {
gumball_machine: created_gumball_machine,
}
.instantiate()
.prepare_to_globalize(OwnerRole::None)
.globalize()
}
}
Calling a component with any blueprint
This can be done with Global<AnyComponent>
, which doesn’t do any validation on the blueprint.
You can create this as let component: Global<AnyComponent> = Global::from(component_address);
However, be aware that you can’t currently easily add nice method calls. In the future we may add an ability to define interfaces without the blueprint validation. Please discuss this in the #scrypto channel on Discord if this would be useful for you.
Calling a package
Sometimes you want to read metadata from a package, or interact with a package as a package. For that, you can use the Package
type (which behind the scenes is a type alias for Global<PackageStub>
). This can be used like this:
let my_package: Package = Runtime::package_address().into();
let my_package_description: String = my_package.get_metadata("description").unwrap().unwrap();