Dart cheatsheet codelab

The Dart language is designed to be easy to learn forcoders coming from other languages,but it has a few unique features.This codelab — which is based on aDart language cheatsheetwritten by and for Google engineers —walks you through the most important of these language features.

The embedded editors in this codelab have partially completed code snippets.You can use these editors to test your knowledge by completing the code andclicking the Run button.If you need help, click the Hint button.To run the code formatter (dartfmt), click Format.The Reset button erases your work andrestores the editor to its original state.

Note: This page uses embedded DartPads to display runnable examples. If you see empty boxes instead of DartPads, go to theDartPad troubleshooting page.

String interpolation

To put the value of an expression inside a string, use ${expression}.If the expression is an identifier, you can omit the {}.

Here are some examples of using string interpolation:

String Result
'${3 + 2}' '5'
'${"word".toUpperCase()}' 'WORD'
'$myObject' The value of myObject.toString()

Code example

The following function takes two integers as parameters.Make it return a string containing both integers separated by a space.For example, stringify(2, 3) should return '2 3'.

Null-aware operators

Dart offers some handy operators for dealing with values that might be null. One is the??= assignment operator, which assigns a value to a variable only if thatvariable is currently null:

  1. int a; // The initial value of a is null.
  2. a ??= 3;
  3. print(a); // <-- Prints 3.
  4. a ??= 5;
  5. print(a); // <-- Still prints 3.

Another null-aware operator is ??,which returns the expression on its left unless that expression’s value is null,in which case it evaluates and returns the expression on its right:

  1. print(1 ?? 3); // <-- Prints 1.
  2. print(null ?? 12); // <-- Prints 12.

Code example

Try putting the ??= and ?? operators to work below.

Conditional property access

To guard access to a property or method of an object that might be null,put a question mark (?) before the dot (.):

  1. myObject?.someProperty

The preceding code is equivalent to the following:

  1. (myObject != null) ? myObject.someProperty : null

You can chain multiple uses of ?. together in a single expression:

  1. myObject?.someProperty?.someMethod()

The preceding code returns null (and never calls someMethod()) if eithermyObject or myObject.someProperty isnull.

Code example

Try using conditional property access to finish the code snippet below.

Collection literals

Dart has built-in support for lists, maps, and sets.You can create them using literals:

  1. final aListOfStrings = ['one', 'two', 'three'];
  2. final aSetOfStrings = {'one', 'two', 'three'};
  3. final aMapOfStringsToInts = {
  4. 'one': 1,
  5. 'two': 2,
  6. 'three': 3,
  7. };

Dart’s type inference can assign types to these variables for you.In this case, the inferred types are List<String>,Set<String>, and Map<String, int>.

Or you can specify the type yourself:

  1. final aListOfInts = <int>[];
  2. final aSetOfInts = <int>{};
  3. final aMapOfIntToDouble = <int, double>{};

Specifying types is handy when you initialize a list with contents of a subtype,but still want the list to be List<BaseType>:

  1. final aListOfBaseType = <BaseType>[SubType(), SubType()];

Code example

Try setting the following variables to the indicated values.

Arrow syntax

You might have seen the => symbol in Dart code.This arrow syntax is a way to define a function that executes theexpression to its right and returns its value.

For example, consider this call to the List class’sany() method:

  1. bool hasEmpty = aListOfStrings.any((s) {
  2. return s.isEmpty;
  3. });

Here’s a simpler way to write that code:

  1. bool hasEmpty = aListOfStrings.any((s) => s.isEmpty);

Code example

Try finishing the following statements, which use arrow syntax.

Cascades

To perform a sequence of operations on the same object, use cascades (..).We’ve all seen an expression like this:

  1. myObject.someMethod()

It invokes someMethod() on myObject, and the result ofthe expression is the return value of someMethod().

Here’s the same expression with a cascade:

  1. myObject..someMethod()

Although it still invokes someMethod() on myObject, the resultof the expression isn’t the return value — it’s a reference to myObject!Using cascades, you can chain together operations thatwould otherwise require separate statements.For example, consider this code:

  1. var button = querySelector('#confirm');
  2. button.text = 'Confirm';
  3. button.classes.add('important');
  4. button.onClick.listen((e) => window.alert('Confirmed!'));

With cascades, the code becomes much shorter,and you don’t need the button variable:

  1. querySelector('#confirm')
  2. ..text = 'Confirm'
  3. ..classes.add('important')
  4. ..onClick.listen((e) => window.alert('Confirmed!'));

Code example

Use cascades to create a single statement thatsets the anInt, aString, and aList properties of a BigObjectto 1, 'String!', and [3.0] (respectively)and then calls allDone().

Getters and setters

You can define getters and setterswhenever you need more control over a propertythan a simple field allows.

For example, you can make sure a property’s value is valid:

  1. class MyClass {
  2. int _aProperty = 0;
  3. int get aProperty => _aProperty;
  4. set aProperty(int value) {
  5. if (value >= 0) {
  6. _aProperty = value;
  7. }
  8. }
  9. }

You can also use a getter to define a computed property:

  1. class MyClass {
  2. List<int> _values = [];
  3. void addValue(int value) {
  4. _values.add(value);
  5. }
  6. // A computed property.
  7. int get count {
  8. return _values.length;
  9. }
  10. }

Code example

Imagine you have a shopping cart class that keeps a private List<double>of prices.Add the following:

  • A getter called total that returns the sum of the prices
  • A setter that replaces the list with a new one,as long as the new list doesn’t contain any negative prices(in which case the setter should throw an InvalidPriceException).

Optional positional parameters

Dart has two kinds of function parameters: positional and named. Positional parameters are the kindyou’re likely familiar with:

  1. int sumUp(int a, int b, int c) {
  2. return a + b + c;
  3. }
  4. int total = sumUp(1, 2, 3);

With Dart, you can make these positional parameters optional by wrapping them in brackets:

  1. int sumUpToFive(int a, [int b, int c, int d, int e]) {
  2. int sum = a;
  3. if (b != null) sum += b;
  4. if (c != null) sum += c;
  5. if (d != null) sum += d;
  6. if (e != null) sum += e;
  7. return sum;
  8. }
  9. int total = sumUptoFive(1, 2);
  10. int otherTotal = sumUpToFive(1, 2, 3, 4, 5);

Optional positional parameters are always lastin a function’s parameter list.Their default value is null unless you provide another default value:

  1. int sumUpToFive(int a, [int b = 2, int c = 3, int d = 4, int e = 5]) {
  2. ...
  3. }
  4. int newTotal = sumUpToFive(1);
  5. print(newTotal); // <-- prints 15

Code example

Implement a function called joinWithCommas() that accepts one tofive integers, then returns a string of those numbers separated by commas.Here are some examples of function calls and returned values:

Function call Returned value
joinWithCommas(1) '1'
joinWithCommas(1, 2, 3) '1,2,3'
joinWithCommas(1, 1, 1, 1, 1) '1,1,1,1,1'

Optional named parameters

Using a curly brace syntax,you can define optional parameters that have names.

  1. void printName(String firstName, String lastName, {String suffix}) {
  2. print('$firstName $lastName ${suffix ?? ''}');
  3. }
  4. printName('Avinash', 'Gupta');
  5. printName('Poshmeister', 'Moneybuckets', suffix: 'IV');

As you might expect, the value of these parameters is null by default,but you can provide default values:

  1. void printName(String firstName, String lastName, {String suffix = ''}) {
  2. print('$firstName $lastName ${suffix}');
  3. }

A function can’t have both optional positional and optional named parameters.

Code example

Add a copyWith() instance method to the MyDataObjectclass. It should take three named parameters:

  • int newInt
  • String newString
  • double newDouble

When called, copyWith() should return a new MyDataObjectbased on the current instance,with data from the preceding parameters (if any)copied into the object’s properties.For example, if newInt is non-null,then copy its value into anInt.

Exceptions

Dart code can throw and catch exceptions. In contrast to Java, all of Dart’s exceptions are uncheckedexceptions. Methods don’t declare which exceptions they might throw, and you aren’t required to catchany exceptions.

Dart provides Exception and Error types, but you’reallowed to throw any non-null object:

  1. throw Exception('Something bad happened.');
  2. throw 'Waaaaaaah!';

Use the try, on, and catch keywords when handling exceptions:

  1. try {
  2. breedMoreLlamas();
  3. } on OutOfLlamasException {
  4. // A specific exception
  5. buyMoreLlamas();
  6. } on Exception catch (e) {
  7. // Anything else that is an exception
  8. print('Unknown exception: $e');
  9. } catch (e) {
  10. // No specified type, handles all
  11. print('Something really unknown: $e');
  12. }

The try keyword works as it does in most other languages.Use the on keyword to filter for specific exceptions by type,and the catch keyword to get a reference to the exception object.

If you can’t completely handle the exception, use the rethrow keywordto propagate the exception:

  1. try {
  2. breedMoreLlamas();
  3. } catch (e) {
  4. print('I was just trying to breed llamas!.');
  5. rethrow;
  6. }

To execute code whether or not an exception is thrown,use finally:

  1. try {
  2. breedMoreLlamas();
  3. } catch (e) {
  4. handle exception ...
  5. } finally {
  6. // Always clean up, even if an exception is thrown.
  7. cleanLlamaStalls();
  8. }

Code example

Implement tryFunction() below. It should execute an untrustworthy method andthen do the following:

  • If untrustworthy() throws an ExceptionWithMessage,call logger.logException with the exception type and message(try using on and catch).
  • If untrustworthy() throws an Exception,call logger.logException with the exception type(try using on for this one).
  • If untrustworthy() throws any other object, don’t catch the exception.
  • After everything’s caught and handled, call logger.doneLogging(try using finally).

Using this in a constructor

Dart provides a handy shortcut for assigningvalues to properties in a constructor:use this.propertyName when declaring the constructor:

  1. class MyColor {
  2. int red;
  3. int green;
  4. int blue;
  5. MyColor(this.red, this.green, this.blue);
  6. }
  7. final color = MyColor(80, 80, 128);

This technique works for named parameters, too.Property names become the names of the parameters:

  1. class MyColor {
  2. ...
  3. MyColor({this.red, this.green, this.blue});
  4. }
  5. final color = MyColor(red: 80, green: 80, blue: 80);

For optional parameters, default values work as expected:

  1. MyColor([this.red = 0, this.green = 0, this.blue = 0]);
  2. // or
  3. MyColor({this.red = 0, this.green = 0, this.blue = 0});

Code example

Add a one-line constructor to MyClass that usesthis. syntax to receive and assign values forall three properties of the class.

Initializer lists

Sometimes when you implement a constructor,you need to do some setup before the constructor body executes.For example, final fields must have valuesbefore the constructor body executes.Do this work in an initializer list,which goes between the constructor’s signature and its body:

  1. Point.fromJson(Map<String, num> json)
  2. : x = json['x'],
  3. y = json['y'] {
  4. print('In Point.fromJson(): ($x, $y)');
  5. }

The initializer list is also a handy place to put asserts,which run only during development:

  1. NonNegativePoint(this.x, this.y)
  2. : assert(x >= 0),
  3. assert(y >= 0) {
  4. print('I just made a NonNegativePoint: ($x, $y)');
  5. }

Code example

Complete the FirstTwoLetters constructor below.Use an initializer list to assign the first two characters in word tothe letterOne and LetterTwo properties.For extra credit, add an assert to catch words of less than two characters.

Named constructors

To allow classes to have multiple constructors,Dart supports named constructors:

  1. class Point {
  2. num x, y;
  3. Point(this.x, this.y);
  4. Point.origin() {
  5. x = 0;
  6. y = 0;
  7. }
  8. }

To use a named constructor, invoke it using its full name:

  1. final myPoint = Point.origin();

Code example

Give the Color class a constructor named Color.blackthat sets all three properties to zero.

Factory constructors

Dart supports factory constructors,which can return subtypes or even null.To create a factory constructor, use the factory keyword:

  1. class Square extends Shape {}
  2. class Circle extends Shape {}
  3. class Shape {
  4. Shape();
  5. factory Shape.fromTypeName(String typeName) {
  6. if (typeName == 'square') return Square();
  7. if (typeName == 'circle') return Circle();
  8. print('I don\'t recognize $typeName');
  9. return null;
  10. }
  11. }

Code example

Fill in the factory constructor named IntegerHolder.fromList,making it do the following:

  • If the list has one value,create an IntegerSingle with that value.
  • If the list has two values,create an IntegerDouble with the values in order.
  • If the list has three values,create an IntegerTriple with the values in order.
  • Otherwise, return null.

Redirecting constructors

Sometimes a constructor’s only purpose is to redirect toanother constructor in the same class.A redirecting constructor’s body is empty,with the constructor call appearing after a colon (:).

  1. class Automobile {
  2. String make;
  3. String model;
  4. int mpg;
  5. // The main constructor for this class.
  6. Automobile(this.make, this.model, this.mpg);
  7. // Delegates to the main constructor.
  8. Automobile.hybrid(String make, String model) : this(make, model, 60);
  9. // Delegates to a named constructor
  10. Automobile.fancyHybrid() : this.hybrid('Futurecar', 'Mark 2');
  11. }

Code example

Remember the Color class from above? Create a named constructor calledblack, but rather than manually assigning the properties, redirect it to thedefault constructor with zeros as the arguments.

Const constructors

If your class produces objects that never change, you can make these objects compile-time constants. Todo this, define a const constructor and make sure that all instance variablesare final.

  1. class ImmutablePoint {
  2. const ImmutablePoint(this.x, this.y);
  3. final int x;
  4. final int y;
  5. static const ImmutablePoint origin =
  6. ImmutablePoint(0, 0);
  7. }

Code example

Modify the Recipe class so its instances can be constants,and create a constant constructor that does the following:

  • Has three parameters: ingredients, calories,and milligramsOfSodium (in that order).
  • Uses this. syntax to automatically assign the parameter values to theobject properties of the same name.
  • Is constant, with the const keyword just beforeRecipe in the constructor declaration.

What next?

We hope you enjoyed using this codelab to learn or test your knowledge ofsome of the most interesting features of the Dart language.Here are some suggestions for what to do now: