Here is a simple example of how to declare and initialize an array.
contract test {import Array;publicgetStrings(): array<string> { local result : array<string>= {"A","B","C"};return result; }}
Call contract from another contract
Example showcasing calling contract storage directly from another contract. Basic version where another storage map is called, and this value is incremented and stored in another contract storage.
contract test {import Map;import Storage;import Call; global counters: storage_map<number, number>;privategetContractCount(tokenId:number):number { local count:number :=Call.interop<number>("Map.Get","OTHERCONTRACT","_storageMap", tokenId, $TYPE_OF(number));return count; }publicupdateCount(tokenID:number) { local contractCounter:number :=this.getContractCount(tokenID); contractCounter +=1;counters.set(tokenID, contractCounter); }publicgetCount(tokenID:number):number { local temp:number :=counters.get(tokenID);return temp; }}
Conditions
Like most programming languages, it is possible to do conditional branching use if statement. Logic operators supported include and, or and xor.
Counter per Address
Another contract that implements a counter, this time unique per user address. Showcases how to validate that a transaction was done by user possessing private keys to 'from' address
Custom Events
Example 1
Showcases how a contract can declare and emit custom events.
Example 2
A more complex version of the previous example, showcasing custom description scripts.
Example 3
A yet more complex version of the previous examples, showcasing custom description scripts and also struct declarations.
Decimals
There is compiler support for decimal numbers. Note that internally those are converted to Number types in fixed point format.
Enums
There is compiler support for enumerated value types, that map directly to the Phantasma VM enum type.
Inline asm
Inline asm allows to write assembly code that is then inserted and merged into the rest of the code. This feature is useful as an workaround for missing features in the compiler.
Map support
The compiler supports generic types, including maps. Maps are one of the few types that don't have to initialized in the constructor.
Methods variables
It is possible to use methods as variables.
Returning multiple values
It is possible in Phoenix Smart Language to return multiple results from a single method. The method return type must be marked with an asterisk, then multiple returns can be issued. A return without expression will terminate the method execution.
NFTs
Showcases how to implement an NFT, showcasing all details including ROM, RAM and token series.
When creating an NFT, they must have 4 default properties implemented and they're:
name, returns the name of the NFT
description, returns the descriptions of the NFT
imageURL, returns the image URL of the NFT
infoURL, returns the info URL of the NFT
Random numbers
It is possible to generate pseudo random numbers, and also to control the generation seed. If a seed is not specified, then the current transaction hash will be used as seed, if available.
Scripts
Default
A script is something that can be used either for a transaction or for an API invokeScript call. This example showcases a simple script with one argument, that calls a contract. Note that for scripts with arguments, for them to run properly you will have to push them into the stack before.
Deploy contract
This example showcases a script that deploys a token contract.
Minting script
This example showcases a script that mints a custom NFT.
Simple Counter
Simple contract that implements a global counter (that can be incremented by anyone who calls the contract). Note that any global variable that is not generic must be initialized in the contract constructor.
Simple Sum
Simple contract that sums two numbers and returns the result.
Strings
Default usage
Simple contract that shows how to use strings and built-in type methods, string.length() in this specific case.
String Manipulation
The compiler supports casting strings into number arrays (unicode values) and number arrays back to strings.
Switch case
Simple contract that received a number and returns a string, while using a switch case.
Tasks
A task allows a contract method to run periodically without user intervention. Tasks can't have parameters, however you can use Task.current() along with a global Map to associate custom user data to each task.
Type interface in variable declarations
It is possible to let Phoenix Smart Language compiler auto-detect type of a local variable if you omit the type and provide an initialization expression.
contract test {
public isEvenAndPositive(n:number):bool
{
if (n>0 and n%2==0)
{
return true;
}
else
{
return false;
}
}
}
contract test {
import Runtime;
import Map;
global counters: storage_map<address, number>;
public increment(from:address)
{
Runtime.expect(Runtime.isWitness(from), "witness failed");
local temp: number;
temp := counters.get(from);
temp += 1;
counters.set(from, temp);
}
}
contract test {
event MyPayment:number = "{address} paid {data}"; // here we use a short-form description
public paySomething(from:address, x:number)
{
Runtime.expect(Runtime.isWitness(from), "witness failed");
local price: number := 10;
local thisAddr:address := $THIS_ADDRESS;
Token.transfer(from, thisAddr, "SOUL", price);
emit MyPayment(from, price);
}
}
description payment_event {
code(from:address, amount:number): string {
local result:string := "";
result += from;
result += " paid ";
result += amount;
return result;
}
}
contract test {
event MyPayment:number = payment_event; // here we use a short-form declaration
// everything else would be same as previous example
}
struct my_event_data {
amount:number;
symbol:string;
}
description payment_event {
code(from:address, data:my_event_data): string {
local result:string := "";
result += from;
result += " paid ";
result += data.amount;
result += " ";
result += data.symbol;
return result;
}
}
contract test {
event MyPayment:my_event_data = payment_event; // here we use a short-form declaration
// everything else would be same as previous examples
}
contract test {
global val: decimal<4>; // the number between <> is the number of decimal places
constructor(owner:address)
{
val := 2.1425;
}
public getValue():number
{
return val; // this will return 21425, which is the previous value in fixed point format
}
public getDecimals():number
{
return val.decimals(); // this returns 4 as result
}
public sum(other:decimal<4>):number
{
return val + other;
}
}
// NOTE - like other custom types, it is declared outside the scope of a contract
enum MyEnum { A = 0, B = 1, C = 2}
// if the numbers are sequential, it is ok to ommit them, eg:
//enum MyEnum { A, B, C}
contract test {
global state: MyEnum;
constructor(owner:address)
{
state := MyEnum.B;
}
public getValue():MyEnum
{
return state;
}
}
contract test {
global my_state: storage_map<address, number>;
constructor(owner:address)
{
my_state.set(owner, 42);
}
public getState(target:address):number
{
return my_state.get(target);
}
}
contract test {
import Runtime;
import Map;
global _counter:number;
global _callMap: storage_map<address, method<address>>;
constructor(owner:address)
{
_counter := 0;
}
public registerUser(from:address, amount:number)
{
local target: method<address>;
if (amount > 10) {
target := incCounter;
}
else {
target := decCounter;
}
_callMap.set(from, target);
}
public callUser(from:address) {
local target: method<address> := _callMap.get(from);
Call.method(target, from);
}
private incCounter(target:address) {
_counter += 1;
}
private subCounter(target:address) {
_counter -= 1;
}
}
contract test {
// this method returns an array of strings (could also be numbers, structs, etc)
public getStrings(): string* {
return "hello";
return "world";
return;
}
}
struct luchador_rom
{
genes:bytes;
name:string;
}
struct luchador_ram
{
experience:number;
level:number;
}
struct item_rom
{
kind:number;
quality:number;
}
struct item_ram
{
power:number;
level:number;
}
token NACHO {
global _owner: address;
const LUCHADOR_SERIES: number = 1;
const LUCHADOR_SUPPLY: number = 100000;
const ITEM_SERIES: number = 2;
const ITEM_SUPPLY: number = 500000;
property name: string = "Nachomen";
property isBurnable: bool = true;
property isFinite: bool = true;
property isFungible: bool = false;
property maxSupply: number = LUCHADOR_SUPPLY + ITEM_SUPPLY;
nft luchador<luchador_rom, luchador_ram> {
property name: string {
return _ROM.name;
}
property description: string {
return "Luchador with level " + _RAM.level;
}
property imageURL: string {
return "https://nacho.men/img/luchador/"+ _tokenID;
}
property infoURL: string {
return "https://nacho.men/api/luchador/"+ _tokenID;
}
}
nft item<item_rom, item_ram> {
property name: string {
switch (_ROM.kind)
{
case 1: return "Potion";
case 2: return "Gloves";
default: return "Item #" + _ROM.kind;
}
}
property description: string {
return "Item level " + _RAM.level;
}
property imageURL: string {
return "https://nacho.men/img/item/"+ _tokenID;
}
property infoURL: string {
return "https://nacho.men/api/item/"+ _tokenID;
}
}
constructor (addr:address) {
_owner := addr;
// at least one token series must exist, here we create 2 series
// they don't have to be created in the constructor though, can be created later
NFT.createSeries(_owner, $THIS_SYMBOL, LUCHADOR_SERIES, LUCHADOR_SUPPLY, TokenSeries.Unique, luchador);
NFT.createSeries(_owner, $THIS_SYMBOL, ITEM_SERIES, ITEM_SUPPLY, TokenSeries.Unique, item);
}
}
contract test {
import Random;
global my_state: number;
constructor(owner:address)
{
Random.seed(16676869); // optionally we can specify a seed, this will make the next sequence of random numbers to be deterministic
my_state = mutateState();
}
public mutateState():number
{
my_state = Random.generate() % 1024; // Use modulus operator to constrain the random number to a specific range
return my_state;
}
}
contract test {
global counter: number;
constructor(owner:address)
{
counter:= 0;
}
public increment()
{
if (counter < 0){
throw "invalid state";
}
counter += 1;
}
}
contract test {
public sum(a:number, b:number):number
{
return a + b;
}
}
contract test {
global val: string;
constructor(owner:address)
{
val = "hello";
val += " world";
}
public getLength():number
{
return val.length();
}
}
contract test {
import Array;
public toUpper(s:string):string
{
local my_array: array<number>;
// extract chars from string into an array
my_array := s.toArray();
local length :number := Array.length(my_array);
for (local i = 0; i<length; i+=1)
{
local ch : number := my_array[i];
if (ch >= 97) {
if (ch <= 122) {
my_array[i] := ch - 32;
}
}
}
// convert the array back into a unicode string
local result:string := String.fromArray(my_array);
return result;
}
}
contract test {
public check(x:number): string {
switch (x) {
case 0: return "zero";
case 1: return "one";
case 2: return "two";
default: return "other";
}
}
}
contract test {
import Time;
import Task;
global victory:bool;
global deadline:timestamp;
constructor(owner:address) {
victory := false;
time := Time.now() + time.hours(2);
Task.start(checkResult, owner, 0, TaskFrequency.Always, 999);
}
task checkResult() {
if (victory) {
break;
}
local now: timestamp := Time.now();
if (time >= deadline) {
break;
}
continue;
}
public win(from:address)
{
victory := true;
}
}
contract test {
public calculate():string {
local a := "hello ";
local b := "world";
return a + b;
}
}