As I understand it, let
defines a reference, which can be seen as an alias, so for example let x = y * y * y
doesn't compute y * y * y
but the occurrences of x
will be replaced by y * y * y
.
Local variables are similar to other languages local variables.
As in https://www.cairo-lang.org/docs/hello_cairo/dict.html, what does it mean to write let (local dict_start : DictAccess*) = alloc()
? That every instance of local dict_start : DictAccess*
will be replaced by alloc()
? Why not just local (dict_start : DictAccess*) = alloc()
or let (dict_start : DictAccess*) = alloc()
?
First note that when a function is called, the returned values are placed in memory, so e.g. in the case of
alloc
which returns a single value, the return value can be found in[ap-1]
(you can read more about the stack structure and function calls here).let (dict_start : DictAccess*) = alloc()
is actually valid, and is a syntactic sugar for the following:let (local dict_start : DictAccess*) = alloc()
is equivalent to:In the last line, I substitute the value referenced by
dict_start
value into a local variable, and rebind the referencedict_start
to the location of the local variable. The motivation to use this might be to avoid potential revocations (which may be solved by putting the return value in a local variable). This is probably what you want to do withlocal (dict_start : DictAccess*) = alloc()
, which is simply not supported by the current version of the compiler.