Parrot Tutorial on Parrot Quick Guide

when we feed our program into conventional perl, it is first compiled into an internal representation, or bytecode; this bytecode is then fed into almost separate subsystem inside perl to be interpreted. so there are two distinct phases of perl's operation:

  • compilation to bytecode and

  • interpretation of bytecode.

this is not unique to perl. other languages following this design include python, ruby, tcl and even java.

we also know that there is a java virtual machine (jvm) which is a platform independent execution environment that converts java bytecode into machine language and executes it. if you understand this concept then you will understand parrot.

parrot is a virtual machine designed to efficiently compile and execute bytecode for interpreted languages. parrot is the target for the final perl 6 compiler, and is used as a backend for pugs, as well as variety of other languages like tcl, ruby, python etc.

parrot has been written using most popular language "c".

before we start, let's download one latest copy of parrot and install it on our machine.

parrot download link is available in parrot cvs snapshot. download the latest version of parrot and to install it follow the following steps:

  • unzip and untar the downloaded file.

  • make sure you already have perl 5 installed on your machine.

  • now do the following:

% cd parrot
% perl configure.pl
parrot configure
copyright (c) 2001 yet another society
since you're running this script, you obviously have
perl 5 -- i'll be pulling some defaults from its configuration.
...
  • you'll then be asked a series of questions about your local configuration; you can almost always hit return/enter for each one.

  • finally, you'll be told to type - make test_prog, and parrot will successfully build the test interpreter.

  • now you should run some tests; so type 'make test' and you should see a readout like the following:

perl t/harness
t/op/basic.....ok,1/2 skipped:label constants unimplemented in
assembler
t/op/string....ok, 1/4 skipped:  i'm unable to write it!
all tests successful, 2 subtests skipped.
files=2, tests=6,......

by the time you read this, there could be more tests, and some of those which skipped might not skip, but make sure that none of them should fail!

once you have a parrot executable installed, you can check out the various types of examples given in parrot 'examples' section. also you can check out the examples directory in the parrot repository.

parrot can currently accept instructions to execute in four forms. pir (parrot intermediate representation) is designed to be written by people and generated by compilers. it hides away some low-level details, such as the way parameters are passed to functions.

pasm (parrot assembly) is a level below pir - it is still human readable/writable and can be generated by a compiler, but the author has to take care of details such as calling conventions and register allocation. past (parrot abstract syntax tree) enables parrot to accept an abstract syntax tree style input - useful for those writing compilers.

all of the above forms of input are automatically converted inside parrot to pbc (parrot bytecode). this is much like machine code, but understood by the parrot interpreter.

it is not intended to be human-readable or human-writable, but unlike the other forms execution can start immediately without the need for an assembly phase. parrot bytecode is platform independent.

the instruction set

the parrot instruction set includes arithmetic and logical operators, compare and branch/jump (for implementing loops, if...then constructs, etc.), finding and storing global and lexical variables, working with classes and objects, calling subroutines and methods along with their parameters, i/o, threads and more.

like java virtual machine, parrot also keep you free from worrying about memory de-allocation.

  • parrot provides garbage collection.

  • parrot programs do not need to free memory explicitly.

  • allocated memory will be freed when it is no longer in use i.e. no longer referenced.

  • parrot garbage collector runs periodically to take care of unwanted memory.

the parrot cpu has four basic data types:

  • iv

    an integer type; guaranteed to be wide enough to hold a pointer.

  • nv

    an architecture-independent floating-point type.

  • string

    an abstracted, encoding-independent string type.

  • pmc

    a scalar.

the first three types are pretty much self-explanatory; the final type - parrot magic cookies, are slightly more difficult to understand.

what are pmcs?

pmc stands for parrot magic cookie. pmcs represent any complex data structure or type, including aggregate data types (arrays, hash tables, etc.). a pmc can implement its own behavior for arithmetic, logical and string operations performed on it, allowing for language-specific behavior to be introduced. pmcs can be built in to the parrot executable or dynamically loaded when they are needed.

the current perl 5 virtual machine is a stack machine. it communicate values between operations by keeping them on a stack. operations load values onto the stack, do whatever they need to do and put the result back onto the stack. this is easy to work with, but it is slow.

to add two numbers together, you need to perform three stack pushes and two stack pops. worse, the stack has to grow at runtime, and that means allocating memory just when you don't want to be allocating it.

so parrot is going to break the established tradition for virtual machines, and use a register architecture, more akin to the architecture of a real hardware cpu. this has another advantage. we can use all the existing literature on how to write compilers and optimizers for register-based cpus for our software cpu!

parrot has specialist registers for each type: 32 iv registers, 32 nv registers, 32 string registers and 32 pmc registers. in parrot assembler, these are named i1...i32, n1...n32, s1...s32, p1...p32 respectively.

now let's look at some assembler. we can set these registers with the set operator:

	set i1, 10
	set n1, 3.1415
	set s1, "hello, parrot"

all parrot ops have the same format: the name of the operator, the destination register and then the operands.

there are a variety of operations you can perform. for instance, we can print out the contents of a register or a constant:

set i1, 10
print "the contents of register i1 is: "
print i1
print "\n"

the above instructions will result in the contents of register i1 is: 10

we can perform mathematical operations on registers:

# add the contents of i2 to the contents of i1
add i1, i1, i2
# multiply i2 by i4 and store in i3
mul i3, i2, i4
# increment i1 by one
inc i1
# decrement n3 by 1.5
dec n3, 1.5

we can even perform some simple string manipulation:

set s1, "fish"
set s2, "bone"
concat s1, s2       # s1 is now "fishbone"
set s3, "w"
substr s4, s1, 1, 7
concat s3, s4       # s3 is now "wishbone"
length i1, s3       # i1 is now 8

code gets a little boring without flow control; for starters, parrot knows about branching and labels. the branch op is equivalent to perl's goto:

         branch terry
john:    print "fjords\n"
         branch end
michael: print " pining"
         branch graham
terry:   print "it's"
         branch michael
graham:  print " for the "
         branch john
end:     end

it can also perform simple tests to see whether a register contains a true value:

	      set i1, 12
         set i2, 5
         mod i3, i2, i2
         if i3, remaind, divisor
remaind: print "5 divides 12 with remainder "
         print i3
         branch done
divisor: print "5 is an integer divisor of 12"
done:    print "\n"
         end

here's what that would look like in perl, for comparison:

    $i1 = 12;
    $i2 = 5;
    $i3 = $i1 % $i2;
    if ($i3) {
      print "5 divides 12 with remainder ";
      print $i3;
    } else {
      print "5 is an integer divisor of 12";
    }
    print "\n";
    exit;

parrot operator

we have the full range of numeric comparators: eq, ne, lt, gt, le and ge. note that you can't use these operators on arguments of disparate types; you may even need to add the suffix _i or _n to the op, to tell it what type of argument you are using, although the assembler ought to divine this for you, by the time you read this.

parrot programing is similar to assembly language programing and you get a chance to work at lower level. here is the list of programming examples to make you aware of the various aspects of parrot programming.

classic hello world!

create a file called hello.pir that contains the following code:

  .sub _main
      print "hello world!\n"
      end
  .end

then run it by typing:

  parrot hello.pir

as expected, this will display the text 'hello world!' on the console, followed by a new line (due to the \n).

in this above example, '.sub _main' states that the instructions that follow make up a subroutine named '_main', until a '.end' is encountered. the second line contains the print instruction. in this case, we are calling the variant of the instruction that accepts a constant string. the assembler takes care of deciding which variant of the instruction to use for us. the third line contains the 'end' instruction, which causes the interpreter to terminate.

using registers

we can modify hello.pir to first store the string hello world!\n in a register and then use that register with the print instruction.

  .sub _main
      set s1, "hello world!\n"
      print s1
      end
  .end

here we have stated exactly which register to use. however, by replacing s1 with $s1 we can delegate the choice of which register to use to parrot. it is also possible to use an = notation instead of writing the set instruction.

  .sub _main
      $s0 = "hello world!\n"
      print $s0
      end
  .end

to make pir even more readable, named registers can be used. these are later mapped to real numbered registers.

  .sub _main
      .local string hello
      hello = "hello world!\n"
      print hello
      end
  .end

the '.local' directive indicates that the named register is only needed inside the current compilation unit (that is, between .sub and .end). following '.local' is a type. this can be int (for i registers), float (for n registers), string (for s registers), pmc (for p registers) or the name of a pmc type.

summing squares

this example introduces some more instructions and pir syntax. lines starting with a # are comments.

  .sub _main
      # state the number of squares to sum.
      .local int maxnum
      maxnum = 10

      # some named registers we'll use. 
      # note how we can declare many
      # registers of the same type on one line.
      .local int i, total, temp
      total = 0

      # loop to do the sum.
      i = 1
  loop:
      temp = i * i
      total += temp
      inc i
      if i <= maxnum goto loop

      # output result.
      print "the sum of the first "
      print maxnum
      print " squares is "
      print total
      print ".\n"
      end
  .end

pir provides a bit of syntactic sugar that makes it look more high level than assembly. for example:

  temp = i * i

is just another way of writing the more assembly-ish:

  mul temp, i, i

and:

 if i <= maxnum goto loop

is the same as:

le i, maxnum, loop

and:

  total += temp

is the same as:

add total, temp

as a rule, whenever a parrot instruction modifies the contents of a register, that will be the first register when writing the instruction in assembly form.

as is usual in assembly languages, loops and selections are implemented in terms of conditional branch statements and labels, as shown above. assembly programming is one place where using goto is not a bad form!

fibonacci numbers

the fibonacci series is defined like this: take two numbers, 1 and 1. then repeatedly add together the last two numbers in the series to make the next one: 1, 1, 2, 3, 5, 8, 13, and so on. the fibonacci number fib(n) is the n'th number in the series. here's a simple parrot assembler program that finds the first 20 fibonacci numbers:

# some simple code to print some fibonacci numbers

        print   "the first 20 fibonacci numbers are:\n"
        set     i1, 0
        set     i2, 20
        set     i3, 1
        set     i4, 1
redo:   eq      i1, i2, done, next
next:   set     i5, i4
        add     i4, i3, i4
        set     i3, i5
        print   i3
        print   "\n"
        inc     i1
        branch  redo
done:   end

this is the equivalent code in perl:

        print "the first 20 fibonacci numbers are:\n";
        my $i = 0;
        my $target = 20;
        my $a = 1;
        my $b = 1;
        until ($i == $target) {
           my $num = $b;
           $b += $a;
           $a = $num;
           print $a,"\n";
           $i++;
        }

note: as a fine point of interest, one of the shortest and certainly the most beautiful ways of printing out a fibonacci series in perl is perl -le '$b=1; print $a+=$b while print $b+=$a'.

recursively computing factorial

in this example we define a factorial function and recursively call it to compute factorial.

 .sub _fact
      # get input parameter.
      .param int n

      # return (n > 1 ? n * _fact(n - 1) : 1)
      .local int result

      if n > 1 goto recurse
      result = 1
      goto return

  recurse:
      $i0 = n - 1
      result = _fact($i0)
      result *= n

  return:
      .return (result)
  .end


  .sub _main :main
      .local int f, i

      # we'll do factorial 0 to 10.
      i = 0
  loop:
      f = _fact(i)

      print "factorial of "
      print i
      print " is "
      print f
      print ".\n"

      inc i
      if i <= 10 goto loop

      # that's it.
      end
  .end

let's look at the _fact sub first. a point that was glossed over earlier is why the names of subroutines, all start with an underscore! this is done simply as a way of showing that the label is global rather than scoped to a particular subroutine. this is significant as the label is then visible to other subroutines.

the first line, .param int n, specifies that this subroutine takes one integer parameter and that we'd like to refer to the register it was passed in by the name n for the rest of the sub.

much of what follows has been seen in previous examples, apart from the line reading:

result = _fact($i0)

this single line of pir actually represents quite a few lines of pasm. first, the value in register $i0 is moved into the appropriate register for it to be received as an integer parameter by the _fact function. other calling related registers are then set up, followed by _fact being invoked. then, once _fact returns, the value returned by _fact is placed into the register given the name result.

right before the .end of the _fact sub, a .return directive is used to ensure the value held in the register; named result is placed into the correct register for it to be seen as a return value by the code calling the sub.

the call to _fact in main works in just the same way as the recursive call to _fact within the sub _fact itself. the only remaining bit of new syntax is the :main, written after .sub _main. by default, pir assumes that execution begins with the first sub in the file. this behavior can be changed by marking the sub to start in with :main.

compiling to pbc

to compile pir to bytecode, use the -o flag and specify an output file with the extension .pbc.

 parrot -o factorial.pbc factorial.pir

pir vs. pasm

pir can be turned into pasm by running:

parrot -o hello.pasm hello.pir

the pasm for the final example looks like this:

  _main:
      set s30, "hello world!\n"
      print s30
      end

pasm does not handle register allocation or provide support for named registers. it also does not have the .sub and .end directives, instead replacing them with a label at the start of the instructions.