The Yardl Language
Yardl model files use YAML syntax and are required to have either a .yml or .yaml file extension.
To efficiently work with yardl, we recommend that you run the following from the package directory:
yardl generate --watchThis watches the directory for changes and generates code whenever a file is saved. This allows you to get rapid feedback as you experiment.
Comments placed above top-level types and their fields are captured and added to the generated code.
yardl generate only generates code once the model files in the package have been validated. It will write out any validation errors to standard error.
Protocols
As explained in the quick start, protocols define a sequence of values, called "steps", that are required to be transmitted, in order. They are defined like this:
MyProtocol: !protocol
sequence:
a: int
b: !stream
items: float
c: !stream
items: stringIn the example, the first step is a single integer named a. Following that will be a stream (named b) of zero or more floating-point numbers, and a stream (named c) of strings.
It is an error to attempt to read or write a protocol's steps out of order. In order to verify that a protocol has been completely written to or read from, you can call Close() on the generated reader or writer instance.
Generated protocol readers have a CopyTo() method that allows you to copy the contents of the protocol to another protocol writer. This makes is easy to, say, read from an HDF5 file and send the data in the binary format over a network connection.
Records
Records have fields and, optionally, computed fields. In generated C++ code, they map to structs.
Fields have a name and can be of any primitive or compound type. For example:
MyRecord: !record
fields:
myIntField: int
myStringField: stringRecords must be declared at the top level and cannot be inlined. For example, this is not supported:
RecordA: !record
fields:
recA: !record # NOT SUPPORTED!
fields:
a: int // [!code error]
recB: RecordB # But this is fine.
RecordB: !record
fields:
c: intNote that Yardl does not support type inheritance.
Primitive Types
Yardl has the following primitive types:
| Type | Comment |
|---|---|
bool | |
int8 | |
uint8 | |
byte | Alias of uint8 |
int16 | |
uint16 | |
int32 | |
int | Alias of int32 |
uint32 | |
uint | Alias of uint32 |
int64 | |
long | Alias of int64 |
uint64 | |
ulong | Alias of uint64 |
size | Equivalent to uint64 |
float32 | |
float | Alias of float32 |
float64 | |
double | Alias of float64 |
complexfloat32 | A complex number where each component is a 32-bit floating-point number |
complexfloat | Alias of complexfloat32 |
complexfloat64 | A complex number where each component is a 64-bit floating-point number |
complexdouble | Alias of complexfloat64 |
string | |
date | A number of days since the epoch |
time | A number of nanoseconds after midnight |
datetime | A number of nanoseconds since the epoch |
Optional Types
If a value is optional, its type has a ? suffix.
Rec: !record
fields:
optionalInt: int?They can also be expressed as a YAML array of length two, with null in the first position:
Rec: !record
fields:
optionalInt: [null, int] # equivalent to the example aboveIn C++, optional types are generated as std::optional.
Unions
Optional types are a special case of unions, which are used when a value can be one of several types:
Rec: !record
fields:
intOrFloat: [int, float]
intOrFloatExpandedForm:
- int
- float
nullableIntOrFloat:
- null
- int
- floatThe null type in the example above means that no value is also a possibility.
In C++, unions are generated as std::variant.
For Python codegen, we generate an identifier "tag" for each case of the union based on its type. This means that you will get an error when attempting to use a type in a union that is made up of symbols that are not valid in an identifier. For example:
Rec: !record
fields:
floatArrayOrDoubleArray:
- float[] # Error!
- double[] # Error!There are two simple solutions to this problem. The first is to give explicit tag names to each union case using the expanded !union syntax:
Rec: !record
fields:
floatArrayOrDoubleArray: !union
floatArray: float[]
doubleArray: double[]The second option is to create aliases for the types:
FloatArray: float[]
DoubleArray: double[]
Rec: !record
fields:
floatArrayOrDoubleArray:
- FloatArray
- DoubleArrayThe first option is usually preferred, unless the type alias is going to be used elsewhere.
Enums
Enums can be defined as a list of values:
Fruits: !enum
values:
- apple
- banana
- pearYou can optionally specify the underlying type of the enum and give each symbol an integer value:
UInt64Enum: !enum
base: uint64
values:
a: 0x1
b: 0x2
c: 20Any integer values that are left blank will be:
- 0 if the first value
- 1 greater than the previous value if positive
- 1 less that the previous value if negative.
Enums are generated as C++ enum classes (scoped enumerations).
Flags
Flags are similar to enums but are meant to represent a bit field, meaning multiple values can be set at once.
They can be defined with automatic values:
Permissions: !flags
values:
- read
- write
- executeOr with explicit values and an optional base type:
Permissions: !flags
base: uint8
values:
read: 1
write: 2
execute:Any value without an integer value will have the next power of two bit set that is greater than the previous value. In the example above, execute would have the value 4.
For C++, we generate a special class with overloaded operators |, &, ^, and ~ and convenience methods HasFlags(), SetFlags(), UnsetFlags(), etc and static const member variables for each flag value defined in the model.
Example usage:
auto permissions = Permissions::kRead | Permissions::kWrite;
// ...
if (permissions.HasFlags(Permissions::kRead)) {
// ...
}Vectors
Vectors are one-dimensional lists. They can optionally have a fixed length. The simple syntax for vectors is <type>*[length].
For example:
MyRec: !record
fields:
vec1: int*
vec2: int*10In the example above, vec1 is a vector of integers of unknown length and vec2 has length 10. The expanded syntax for vectors is:
MyRec: !record
fields:
vec1: !vector
items: int
vec2: !vector
items: int
length: 10In generated C++ code, vec1 maps to an std::vector<int> and vec2 to an std::array<int, 10>
Arrays
Arrays are multidimensional. Like vectors, there is a simple syntax and an expanded syntax for declaring them. Both syntaxes are shown in the examples below.
There are three kinds of arrays. They can be of a fixed size:
MyRec: !record
fields:
fixedNdArray: float[3, 4]
fixedNdArrayExpandedSyntax: !array
items: float
dimensions: [3, 4]Or the size might not be fixed but the number of dimensions is known:
MyRec: !record
fields:
ndArray: float[,]
ndArrayExpandedSyntax: !array
items: float
dimensions: 2Or finally, the number of dimensions may be unknown as well:
MyRec: !record
fields:
dynamicNdArray: float[]
dynamicNdArrayExpandedSyntax: !array
items: floatDimensions can be given names, which can be used in computed field expressions.
MyRec: !record
fields:
fixedNdArray: float[x:3, y:4]
fixedNdArrayExpandedSyntax: !array
items: float
dimensions:
x: 3
y: 4
ndArray: !array
items: float
dimensions: [x, y]
ndArrayExpandedSyntax: !array
items: float
dimensions: [x, y]
ndArrayExpandedSyntaxAlternate: !array
items: float
dimensions:
x:
y:In the simple syntax, int[] means an int array with an unknown number of dimensions, and int[,] means an int array with two dimensions. To declare an array with 1 dimension of unknown length, you can either give the dimension a name (int[x]) or use parentheses to disambiguate from an empty set of dimensions: int[()].
By default, Yardl uses the xtensor library for its C++ array implementation. Yardl also supports custom C++ array implementations. See Configurable Arrays for details on configuring Yardl with a user-provided array implementation header.
Maps
Maps, also known as dictionaries or associative arrays, are an unordered collection of key-value pairs.
They can be declared like this:
MyMap: string->intOr declared with the expanded syntax:
MyMap: !map
keys: string
values: intKeys are required to be scalar primitive types.
In generated C++ code, these are generated as std::unordered_map.
Type Aliases
Any type can be given one or more aliases:
FloatArray: float[]
SignedInteger: [int8, int16, int32, int64]
Id: string
Name: stringThis simply gives another name to a type, so the Name type above is no different from the string type.
Computed Fields
In addition to fields, records can contain computed fields. These are simple expressions over the record's other (computed) fields.
MyRec: !record
fields:
arrayField: int[x,y]
computedFields:
accessArray: arrayField
accessArrayElement: arrayField[0, 1]
accessArrayElementByName: arrayField[x:0, y:1]
accessArrayElementAndConvert: arrayField[0, 1] as int
sizeOfArrayField: size(arrayField)
sizeOfFirstDimension: size(arrayField, 0)
sizeOfXDimension: size(arrayField, 'x')
basicArithmentic: arrayField[0, 1] * 2The following expression types are supported:
- Numeric literals, such as
1,-1,0xF,3.4, and-2e-3. - String literals, such as
"abc"and'abc'. - Simple arithmethic expresions, such as
1 + 2,2.0 * 3, and2 ** 3(**is the power operator and yields afloat64). - Type conversions using the
asoperator, such as1 as float64. - Field accesses, such as
myField. You can access a field on another field using the.operator, such asmyField.anotherField. - Array and vector element access, such as
arrayField[0, 1]orarrayField[x:0, y:1]to identify the dimensions by name. - Function calls:
size(vector): returns the size (length) of the vector.size(array): returns the total size of the array.size(array, integer): returns the size of the array's dimension at the given index.size(array, string): returns the size of the array's dimension with the given name.dimensionIndex(array, string)returns the index of the dimension with the given name.dimensionCount(array)returns the dimension count of the array.
To work with union types, you need to use a switch expression with type pattern matching:
NamedArray: int[x, y]
MyRec: !record
fields:
myUnion: [null, int, NamedArray]
computedFields:
myUnionSize:
!switch myUnion:
int: 1 # if the union holds an int
NamedArray arr: size(arr) # if it's a NamedArray. Note the variable declaration.
_: 0 # all other cases (here it's just null)Computed fields become parameterless methods on the generated C++ struct. Here is an example of invoking the field from the preceding Yardl definition:
sandbox::MyRec r;
r.my_union = 4;
r.MyUnionSize(); // 1Generics
Yardl supports generic types.
Image<T>: T[]
ImageUnion: !union
float: Image<float>
double: Image<double>
complexFloat: Image<complexfloat>
complexDouble: Image<complexdouble>
RecordWithImages<T, U>: !record
fields:
image1: Image<T>
image2: Image<U>Note that protocols cannot be open generic types, but their steps may be made up of closed generic types (e.g. Image<float>). Enums and Flags cannot be generic either.
Generic types map to C++ template classes.
Imported Types
Types can be imported from other packages (see Packages) and referenced through their respective yardl namespace:
MyTuple: BasicTypes.Tuple<string, int>Imported types are likewise namespaced in C++:
basic_types::Tuple<std::string, int> info = {"John Smith", 42};
MyTuple myInfo = info;Note that yardl ignores protocols defined in imported packages.