Tutorial

This tutorial will take you through how the commercial paper contract works, and then teaches you how to define your own “hello world” contract for managing the ownership of an office building.

The code in this tutorial is available in both Kotlin and Java. You can quickly switch between them to get a feeling for how Kotlin syntax works.

Starting the commercial paper class

A smart contract is a class that implements the Contract interface. Therefore, we start like this:

class CommercialPaper : Contract {
    override val legalContractReference: SecureHash = SecureHash.sha256("https://en.wikipedia.org/wiki/Commercial_paper");

    override fun verify(tx: TransactionForVerification) {
        TODO()
    }
}
public class Cash implements Contract {
    @Override
    public SecureHash getLegalContractReference() {
        return SecureHash.Companion.sha256("https://en.wikipedia.org/wiki/Commercial_paper");
    }

    @Override
    public void verify(TransactionForVerification tx) {
        throw new UnsupportedOperationException();
    }
}

Every contract must have at least a getLegalContractReference() and a verify() method. In Kotlin we express a getter without a setter as an immutable property (val). The legal contract reference is supposed to be a hash of a document that describes the legal contract and may take precedence over the code, in case of a dispute.

The verify method returns nothing. This is intentional: the function either completes correctly, or throws an exception, in which case the transaction is rejected.

We also need to define a constant hash that would, in a real system, be the hash of the program bytecode. For now we just set it to a dummy value as dynamic loading and sandboxing of bytecode is not implemented. This constant isn’t shown in the code snippet but is called CP_PROGRAM_ID.

So far, so simple. Now we need to define the commercial paper state, which represents the fact of ownership of a piece of issued paper.

States

A state is a class that stores data that is checked by the contract.

data class State(
  val issuance: InstitutionReference,
  val owner: PublicKey,
  val faceValue: Amount,
  val maturityDate: Instant
) : ContractState {
  override val programRef = CP_PROGRAM_ID

  fun withoutOwner() = copy(owner = NullPublicKey)
}
public static class State implements ContractState, SerializeableWithKryo {
  private InstitutionReference issuance;
  private PublicKey owner;
  private Amount faceValue;
  private Instant maturityDate;

  public State() {}  // For serialization

  public State(InstitutionReference issuance, PublicKey owner, Amount faceValue, Instant maturityDate) {
      this.issuance = issuance;
      this.owner = owner;
      this.faceValue = faceValue;
      this.maturityDate = maturityDate;
  }

  public InstitutionReference getIssuance() {
      return issuance;
  }

  public PublicKey getOwner() {
      return owner;
  }

  public Amount getFaceValue() {
      return faceValue;
  }

  public Instant getMaturityDate() {
      return maturityDate;
  }

  @NotNull
  @Override
  public SecureHash getProgramRef() {
      return SecureHash.Companion.sha256("java commercial paper (this should be a bytecode hash)");
  }

  @Override
  public boolean equals(Object o) {
      if (this == o) return true;
      if (o == null || getClass() != o.getClass()) return false;

      State state = (State) o;

      if (issuance != null ? !issuance.equals(state.issuance) : state.issuance != null) return false;
      if (owner != null ? !owner.equals(state.owner) : state.owner != null) return false;
      if (faceValue != null ? !faceValue.equals(state.faceValue) : state.faceValue != null) return false;
      return !(maturityDate != null ? !maturityDate.equals(state.maturityDate) : state.maturityDate != null);

  }

  @Override
  public int hashCode() {
      int result = issuance != null ? issuance.hashCode() : 0;
      result = 31 * result + (owner != null ? owner.hashCode() : 0);
      result = 31 * result + (faceValue != null ? faceValue.hashCode() : 0);
      result = 31 * result + (maturityDate != null ? maturityDate.hashCode() : 0);
      return result;
  }

  public State withoutOwner() {
      return new State(issuance, NullPublicKey.INSTANCE, faceValue, maturityDate);
  }
}

We define a class that implements the ContractState and SerializableWithKryo interfaces. The latter is an artifact of how the prototype implements serialization and can be ignored for now: it wouldn’t work like this in any final product.

The ContractState interface requires us to provide a getProgramRef method that is supposed to return a hash of the bytecode of the contract itself. For now this is a dummy value and isn’t used: later on, this mechanism will change. Beyond that it’s a freeform object into which we can put anything which can be serialized.

We have four fields in our state:

  • issuance: a reference to a specific piece of commercial paper at an institution
  • owner: the public key of the current owner. This is the same concept as seen in Bitcoin: the public key has no attached identity and is expected to be one-time-use for privacy reasons.
  • faceValue: an Amount, which wraps an integer number of pennies and a currency.
  • maturityDate: an Instant <https://docs.oracle.com/javase/8/docs/api/java/time/Instant.html>, which is a type from the Java 8 standard time library. It defines a point on the timeline.

States are immutable, and thus the class is defined as immutable as well. The data modifier in the Kotlin version causes the compiler to generate the equals/hashCode/toString methods automatically, along with a copy method that can be used to create variants of the original object. Data classes are similar to case classes in Scala, if you are familiar with that language. The withoutOwner method uses the auto-generated copy method to return a version of the state with the owner public key blanked out: this will prove useful later.

The Java code compiles to the same bytecode as the Kotlin version, but as you can see, is much more verbose.

Commands

The logic for a contract may vary depending on what stage of a lifecycle it is automating. So it can be useful to pass additional data into the contract code that isn’t represented by the states which exist permanently in the ledger.

For this purpose we have commands. Often, they don’t need to contain any data at all, they just need to exist. A command is a piece of data associated with some signatures. By the time the contract runs the signatures have already been checked, so from the contract code’s perspective, a command is simply a data structure with a list of attached public keys. Each key had a signature proving that the corresponding private key was used to sign.

Let’s define a couple of commands now:

sealed class Commands : Command {
    object Move : Commands()
    object Redeem : Commands()
}
public static class Commands implements core.Command {
  public static class Move extends Commands {
      @Override
      public boolean equals(Object obj) {
          return obj instanceof Move;
      }
  }

  public static class Redeem extends Commands {
      @Override
      public boolean equals(Object obj) {
          return obj instanceof Redeem;
      }
  }
}

The object keyword in Kotlin just defines a singleton object. As the commands don’t need any additional data in our case, they can be empty and we just use their type as the important information. Java has no syntax for declaring singletons, so we just define a class that considers any other instance to be equal and that’s good enough.

The verify function

The heart of a smart contract is the code that verifies a set of state transitions (a transaction). The function is simple: it’s given a class representing the transaction, and if the function returns then the transaction is considered acceptable. If it throws an exception, the transaction is rejected.

Each transaction can have multiple input and output states of different types. The set of contracts to run is decided by taking the code references inside each state. Each contract is run only once. As an example, a contract that includes 2 cash states and 1 commercial paper state as input, and has as output 1 cash state and 1 commercial paper state, will run two contracts one time each: Cash and CommercialPaper.

override fun verify(tx: TransactionForVerification) {
    // Group by everything except owner: any modification to the CP at all is considered changing it fundamentally.
    val groups = tx.groupStates<State>() { it.withoutOwner() }

    // There are two possible things that can be done with this CP. The first is trading it. The second is redeeming
    // it for cash on or after the maturity date.
    val command = tx.commands.requireSingleCommand<CommercialPaper.Commands>()
@Override
public void verify(@NotNull TransactionForVerification tx) {
    // There are two possible things that can be done with CP. The first is trading it. The second is redeeming it
    // for cash on or after the maturity date.
    List<InOutGroup<State>> groups = tx.groupStates(State.class, State::withoutOwner);

    // Find the command that instructs us what to do and check there's exactly one.
    AuthenticatedObject<Command> cmd = requireSingleCommand(tx.getCommands(), Commands.class);

We start by using the groupStates method, which takes a type and a function (in functional programming a function that takes another function as an argument is called a higher order function). State grouping is a way of handling fungibility in a contract, which is explained next. The second line does what the code suggests: it searches for a command object that inherits from the CommercialPaper.Commands supertype, and either returns it, or throws an exception if there’s zero or more than one such command.

Understanding fungibility

We say states are fungible if they are treated identically to each other by the recipient, despite the fact that they aren’t quite identical. Dollar bills are fungible because even though one may be worn/a bit dirty and another may be crisp and new, they are still both worth exactly $1. Likewise, ten $1 bills are almost exactly equivalent to one $10 bill. On the other hand, $10 and £10 are not fungible: if you tried to pay for something that cost $20 with $10+£10 notes your trade would not be accepted.

So whilst our ledger could represent every monetary amount with a collection of states worth one penny, this would become extremely unwieldy. It’s better to allow states to represent varying amounts and then define rules for merging them and splitting them.

To make this easier the contract API provides a notion of groups. A group is a set of input states and output states that should be checked for validity independently. It solves the following problem: because every contract sees every input and output state in a transaction, it would easy to accidentally write a contract that disallows useful combinations of states. For example, our cash contract might end up lazily assuming there’s only one currency involved in a transaction, whereas in reality we would like the ability to model a currency trade in which two parties contribute inputs of different currencies, and both parties get outputs of the opposite currency.

Consider the following simplified currency trade transaction:

  • Input: $12,000 owned by Alice (A)
  • Input: $3,000 owned by Alice (A)
  • Input: £10,000 owned by Bob (B)
  • Output: £10,000 owned by Alice (B)
  • Output: $15,000 owned by Bob (A)

In this transaction Alice and Bob are trading $15,000 for £10,000. Alice has her money in the form of two different inputs e.g. because she received the dollars in two payments. The input and output amounts do balance correctly, but the cash smart contract must consider the pounds and the dollars separately because they are not fungible: they cannot be merged together. So we have two groups: A and B.

The TransactionForVerification.groupStates method handles this logic for us: firstly, it selects only states of the given type (as the transaction may include other types of state, such as states representing bond ownership, or a multi-sig state) and then it takes a function that maps a state to a grouping key. All states that share the same key are grouped together. In the case of the cash example above, the grouping key would be the currency.

In our commercial paper contract, we don’t want CP to be fungible: merging and splitting is (in our example) not allowed. So we just use a copy of the state minus the owner field as the grouping key. As a result, a single transaction can trade many different pieces of commercial paper in a single atomic step.

A group may have zero inputs or zero outputs: this can occur when issuing assets onto the ledger, or removing them.

Checking the requirements

After extracting the command and the groups, we then iterate over each group and verify it meets the required business logic.

for (group in groups) {
   val input = group.inputs.single()
   requireThat {
       "the transaction is signed by the owner of the CP" by (command.signers.contains(input.owner))
   }

   val output = group.outputs.singleOrNull()
   when (command.value) {
       is Commands.Move -> requireThat { "the output state is present" by (output != null) }

       is Commands.Redeem -> {
           val received = tx.outStates.sumCashOrNull() ?: throw IllegalStateException("no cash being redeemed")
           requireThat {
               "the paper must have matured" by (input.maturityDate < tx.time)
               "the received amount equals the face value" by (received == input.faceValue)
               "the paper must be destroyed" by (output == null)
           }
       }
   }
}
for (InOutGroup<State> group : groups) {
    List<State> inputs = group.getInputs();
    List<State> outputs = group.getOutputs();

    // For now do not allow multiple pieces of CP to trade in a single transaction. Study this more!
    State input = single(filterIsInstance(inputs, State.class));

    if (!cmd.getSigners().contains(input.getOwner()))
        throw new IllegalStateException("Failed requirement: the transaction is signed by the owner of the CP");

    if (cmd.getValue() instanceof JavaCommercialPaper.Commands.Move) {
        // Check the output CP state is the same as the input state, ignoring the owner field.
        State output = single(outputs);

        if (!output.getFaceValue().equals(input.getFaceValue()) ||
                !output.getIssuance().equals(input.getIssuance()) ||
                !output.getMaturityDate().equals(input.getMaturityDate()))
            throw new IllegalStateException("Failed requirement: the output state is the same as the input state except for owner");
    } else if (cmd.getValue() instanceof JavaCommercialPaper.Commands.Redeem) {
        Amount received = CashKt.sumCashOrNull(inputs);
        if (received == null)
            throw new IllegalStateException("Failed requirement: no cash being redeemed");
        if (input.getMaturityDate().isAfter(tx.getTime()))
            throw new IllegalStateException("Failed requirement: the paper must have matured");
        if (!input.getFaceValue().equals(received))
            throw new IllegalStateException("Failed requirement: the received amount equals the face value");
        if (!outputs.isEmpty())
            throw new IllegalStateException("Failed requirement: the paper must be destroyed");
    }
}

This loop is the core logic of the contract.

The first line (first three lines in Java) impose a requirement that there be a single piece of commercial paper in this group. We do not allow multiple units of CP to be split or merged even if they are owned by the same owner. The single() method is a static extension method defined by the Kotlin standard library: given a list, it throws an exception if the list size is not 1, otherwise it returns the single item in that list. In Java, this appears as a regular static method of the type familiar from many FooUtils type singleton classes. In Kotlin, it appears as a method that can be called on any JDK list. The syntax is slightly different but behind the scenes, the code compiles to the same bytecodes.

Next, we check that the transaction was signed by the public key that’s marked as the current owner of the commercial paper. Because the platform has already verified all the digital signatures before the contract begins execution, all we have to do is verify that the owner’s public key was one of the keys that signed the transaction. The Java code is straightforward. The Kotlin version looks a little odd: we have a requireThat construct that looks like it’s built into the language. In fact requireThat is an ordinary function provided by the platform’s contract API. Kotlin supports the creation of domain specific languages through the intersection of several features of the language, and we use it here to support the natural listing of requirements. To see what it compiles down to, look at the Java version. Each “string” by (expression) statement inside a requireThat turns into an assertion that the given expression is true, with an exception being thrown that contains the string if not. It’s just another way to write out a regular assertion, but with the English-language requirement being put front and center.

Next, we take one of two paths, depending on what the type of the command object is.

If the command is a Move command, then we simply verify that the output state is actually present: a move is not allowed to delete the CP from the ledger. The grouping logic already ensured that the details are identical and haven’t been changed, save for the public key of the owner.

If the command is a Redeem command, then the requirements are more complex:

  1. We want to see that the face value of the CP is being moved as a cash claim against some institution, that is, the issuer of the CP is really paying back the face value.
  2. The transaction must be happening after the maturity date.
  3. The commercial paper must not be propagated by this transaction: it must be deleted, by the group having no output state. This prevents the same CP being considered redeemable multiple times.

To calculate how much cash is moving, we use the sumCashOrNull utility method. Again, this is an extension method, so in Kotlin code it appears as if it was a method on the List<Cash.State> type even though JDK provides no such method. In Java we see its true nature: it is actually a static method named CashKt.sumCashOrNull. This method simply returns an Amount object containing the sum of all the cash states in the transaction output, or null if there were no such states or if there were different currencies represented in the outputs! So we can see that this contract imposes a limitation on the structure of a redemption transaction: you are not allowed to move currencies in the same transaction that the CP does not involve. This limitation could be addressed with better APIs, if it were to be a real limitation.

This contract is extremely simple and does not implement all the business logic a real commercial paper lifecycle management program would. For instance, there is no logic requiring a signature from the issuer for redemption: it is assumed that any transfer of money that takes place at the same time as redemption is good enough. Perhaps that is something that should be tightened. Likewise, there is no logic handling what happens if the issuer has gone bankrupt, if there is a dispute, and so on.

As the prototype evolves, these requirements will be explored and this tutorial updated to reflect improvements in the contracts API.