KEMBAR78
Arduino - Reference | PDF | Control Flow | Integer (Computer Science)
0% found this document useful (0 votes)
518 views246 pages

Arduino - Reference

This document provides an overview of the C and C++ language constructs used in Arduino programming. It covers basic structure like setup() and loop(), control structures like if/else statements and for loops, data types, variables and constants, functions, libraries for analog/digital I/O, time, math operations, and more. The last section describes some common Arduino libraries for communication over serial, USB, I2C, Ethernet and SD cards.

Uploaded by

Muhammad Usman
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
518 views246 pages

Arduino - Reference

This document provides an overview of the C and C++ language constructs used in Arduino programming. It covers basic structure like setup() and loop(), control structures like if/else statements and for loops, data types, variables and constants, functions, libraries for analog/digital I/O, time, math operations, and more. The last section describes some common Arduino libraries for communication over serial, USB, I2C, Ethernet and SD cards.

Uploaded by

Muhammad Usman
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 246

Table of Contents

Structure__________________________________________________________________8
setup()_________________________________________________________________________8
loop()___________________________________________________________________________8

Control Structures:_______________________________________________________9
if (conditional) and ==, !=, <, > (comparison operators)__________________9
Comparison Operators:_______________________________________________________9
if / else________________________________________________________________________10
for statements________________________________________________________________11
switch / case statements____________________________________________________12
while loops____________________________________________________________________13
do - while_____________________________________________________________________14
break__________________________________________________________________________14
continue______________________________________________________________________14
return_________________________________________________________________________15
goto___________________________________________________________________________16
; semicolon___________________________________________________________________16
{} Curly Braces_______________________________________________________________16
Comments____________________________________________________________________18
Define_________________________________________________________________________18
const keyword________________________________________________________________19
volatile keyword______________________________________________________________20
#include______________________________________________________________________21

Arithmetic Operators____________________________________________________21
= assignment operator (single equal sign)_________________________________21
Addition, Subtraction, Multiplication, & Division__________________________22
Addition, Subtraction, Multiplication, & Division__________________________22

Boolean Operators______________________________________________________23
&& (logical and)______________________________________________________________23
|| (logical or)__________________________________________________________________23
! (not)_________________________________________________________________________23

The pointer operators________________________________________________________24

Bitwise Operators_______________________________________________________24
Bitwise AND (&), Bitwise OR (|), Bitwise XOR (^)__________________________24
bitshift left (<<), bitshift right (>>)________________________________________27

Compound Operators___________________________________________________29
++ (increment) / -- (decrement)____________________________________________29
+= , -= , *= , /=_______________________________________________________________29
compound bitwise AND (&=)________________________________________________30
compound bitwise OR (|=)___________________________________________________31

Constants________________________________________________________________32
Defining Logical Levels: true and false (Boolean Constants)_____________32
Defining Pin Levels: HIGH and LOW_________________________________________33
Defining Digital Pins modes: INPUT, INPUT_PULLUP, and OUTPUT_______34
Integer Constants____________________________________________________________35
floating point constants_____________________________________________________36

Data Types_______________________________________________________________37
void___________________________________________________________________________37
boolean_______________________________________________________________________37
unsigned char________________________________________________________________38
byte___________________________________________________________________________38
int_____________________________________________________________________________38
unsigned int__________________________________________________________________39
word___________________________________________________________________________40
long___________________________________________________________________________40
unsigned long________________________________________________________________40
short__________________________________________________________________________41
float___________________________________________________________________________41
double_________________________________________________________________________42
String_________________________________________________________________________42
Arrays of strings_____________________________________________________________43
String Class___________________________________________________________________44
String Comparison Operators_______________________________________________68

Arrays____________________________________________________________________75
Arrays and FOR Loops_______________________________________________________76

Conversion_______________________________________________________________76
Variable Scope & Qualifiers_____________________________________________78
Variable Scope________________________________________________________________78
Utilities_______________________________________________________________________82

PROGMEM________________________________________________________________83
Functions_________________________________________________________________86
Functions_____________________________________________________________________86
Digital I/O_____________________________________________________________________89
Analog I/O_____________________________________________________________________92
Arduino Due only_____________________________________________________________95
Advanced I/O_________________________________________________________________98
Time_________________________________________________________________________103
Math_________________________________________________________________________106
Trigonometry________________________________________________________________110
Random Numbers___________________________________________________________111
Bits and Bytes_______________________________________________________________113
External Interrupts_________________________________________________________115
Interrupts___________________________________________________________________118

Communication_________________________________________________________119
Serial________________________________________________________________________119

Stream__________________________________________________________________135
USB (Leonardo and Due only)_________________________________________136
Mouse and Keyboard libraries_____________________________________________136

Wire Library____________________________________________________________153
Functions____________________________________________________________________153

Ethernet library________________________________________________________158
Ethernet class_______________________________________________________________159
IPAddress class_____________________________________________________________162
Server class_________________________________________________________________164
Client class__________________________________________________________________171

EthernetUDP class__________________________________________________________181

SD Library______________________________________________________________193
Some things to keep in mind when using the SD Library________________193
SD class_____________________________________________________________________197
File class____________________________________________________________________200

Language Reference
Arduino programs can be divided in three main parts: structure, values (variables
and constants), and functions.

Structure
setup()
The setup() function is called when a sketch starts. Use it to initialize variables, pin
modes, start using libraries, etc. The setup function will only run once, after each
power up or reset of the Arduino board.

Example
int buttonPin = 3;
void setup()
{
Serial.begin(9600);
pinMode(buttonPin, INPUT);
}
void loop()
{
// ...
}

loop()
After creating a setup() function, which initializes and sets the initial values, the
loop() function does precisely what its name suggests, and loops consecutively,
allowing your program to change and respond. Use it to actively control the Arduino
board.

Example:
const int buttonPin = 3;
// setup initializes serial and the button pin
void setup()
{
Serial.begin(9600);
pinMode(buttonPin, INPUT);
}
// loop checks the button pin each time,
// and will send serial if it is pressed
void loop()
{
if (digitalRead(buttonPin) == HIGH)
Serial.write('H');
else
Serial.write('L');
delay(1000);
}

Control Structures:
if (conditional) and ==, !=, <, > (comparison operators)
8

if, which is used in conjunction with a comparison operator, tests whether a certain
condition has been reached, such as an input being above a certain number. The
format for an if test is:

if (someVariable > 50)


{
// do something here
}

The program tests to see if someVariable is greater than 50. If it is, the program takes
a particular action. Put another way, if the statement in parentheses is true, the
statements inside the brackets are run. If not, the program skips over the code.
The brackets may be omitted after an if statement. If this is done, the next line
(defined by the semicolon) becomes the only conditional statement.
if (x > 120) digitalWrite(LEDpin, HIGH);
if (x > 120)
digitalWrite(LEDpin, HIGH);
if (x > 120){ digitalWrite(LEDpin, HIGH); }
if (x > 120){
digitalWrite(LEDpin1, HIGH);
digitalWrite(LEDpin2, HIGH);
}
// all are correct

The statements being evaluated inside the parentheses require the use of one or more
operators:
Comparison Operators:
x
x
x
x
x
x

== y (x is equal to y)
!= y (x is not equal to y)
< y (x is less than y)
> y (x is greater than y)
<= y (x is less than or equal to y)
>= y (x is greater than or equal to y)

Warning:
Beware of accidentally using the single equal sign (e.g. if (x = 10) ). The single equal
sign is the assignment operator, and sets x to 10 (puts the value 10 into the variable x).
Instead use the double equal sign (e.g. if (x == 10) ), which is the comparison operator,
and tests whether x is equal to 10 or not. The latter statement is only true if x equals
10, but the former statement will always be true.
This is because C evaluates the statement if (x=10) as follows: 10 is assigned to x
(remember that the single equal sign is the assignment operator), so x now contains
10. Then the 'if' conditional evaluates 10, which always evaluates to TRUE, since any
non-zero number evaluates to TRUE. Consequently, if (x = 10) will always evaluate to
TRUE, which is not the desired result when using an 'if' statement. Additionally, the
variable x will be set to 10, which is also not a desired action.
if can also be part of a branching control structure using the if...else] construction.
if / else
if/else allows greater control over the flow of code than the basic if statement, by
allowing multiple tests to be grouped together. For example, an analog input could be
tested and one action taken if the input was less than 500, and another action taken if
the input was 500 or greater. The code would look like this:
if (pinFiveInput < 500)
{
// action A
}
else
{
// action B
}

else can proceed another if test, so that multiple, mutually exclusive tests can be run
at the same time.
Each test will proceed to the next one until a true test is encountered. When a true test
is found, its associated block of code is run, and the program then skips to the line
10

following the entire if/else construction. If no test proves to be true, the


default else block is executed, if one is present, and sets the default behavior.
Note that an else if block may be used with or without a terminating else block and
vice versa. An unlimited number of such else if branches is allowed.
if (pinFiveInput < 500)
{
// do Thing A
}
else if (pinFiveInput >= 1000)
{
// do Thing B
}
else
{
// do Thing C
}

Another way to express branching, mutually exclusive tests, is with the switch
case statement.
for statements

Description:
The for statement is used to repeat a block of statements enclosed in curly braces. An
increment counter is usually used to increment and terminate the loop.
The for statement is useful for any repetitive operation, and is often used in
combination with arrays to operate on collections of data/pins.
There are three parts to the for loop header:

for (initialization; condition; increment) {


//statement(s);
}

11

The initialization happens first and exactly once. Each time through the loop,
the condition is tested; if it's true, the statement block, and the increment is executed,
then the condition is tested again. When the condition becomes false, the loop ends.

Example:
// Dim an LED using a PWM pin
int PWMpin = 10; // LED in series with 470 ohm resistor on pin 10
void setup()
{
// no setup needed
}
void loop()
{
for (int i=0; i <= 255; i++){
analogWrite(PWMpin, i);
delay(10);
}
}

Coding Tips:
The C for loop is much more flexible than for loops found in some other computer
languages, including BASIC. Any or all of the three header elements may be omitted,
although the semicolons are required. Also the statements for initialization, condition,
and increment can be any valid C statements with unrelated variables, and use any C
datatypes including floats. These types of unusual for statements may provide
solutions to some rare programming problems.

12

For example, using a multiplication in the increment line will generate a logarithmic
progression:

for(int x = 2; x < 100; x = x * 1.5){


println(x);
}

Generates: 2,3,4,6,9,13,19,28,42,63,94
Another example, fade an LED up and down with one for loop:
void loop()
{
int x = 1;
for (int i = 0; i > -1; i = i + x){
analogWrite(PWMpin, i);
if (i == 255) x = -1;
// switch direction at peak
delay(10);
}
}

switch / case statements


Like if statements, switch...case controls the flow of programs by allowing
programmers to specify different code that should be executed in various conditions.
In particular, a switch statement compares the value of a variable to the values
specified in case statements. When a case statement is found whose value matches
that of the variable, the code in that case statement is run.
The break keyword exits the switch statement, and is typically used at the end of each
case. Without a break statement, the switch statement will continue executing the
following expressions ("falling-through") until a break, or the end of the switch
statement is reached.

Example
switch (var) {
case 1:
//do something when var equals 1
break;
case 2:
//do something when var equals 2
break;
default:

13

// if nothing else matches, do the default


// default is optional

Syntax
switch (var) {
case label:
// statements
break;
case label:
// statements
break;
default:
// statements
}

Parameters
var: the variable whose value to compare to the various cases
label: a value to compare the variable to
while loops

Description
while loops will loop continuously, and infinitely, until the expression inside the
parenthesis, () becomes false. Something must change the tested variable, or
the while loop will never exit. This could be in your code, such as an incremented
variable, or an external condition, such as testing a sensor.

Syntax
while(expression){
// statement(s)
}

Parameters
expression - a (boolean) C statement that evaluates to true or false

Example
var=0;
while(var<200){

14

//

do

something

repetitive

200

times
var++;

}
do - while
The do loop works in the same manner as the while loop, with the exception that the
condition is tested at the end of the loop, so the do loop will always run at least once.
do
{
// statement block
} while (test condition);

Example
do
{
delay(50);
// wait for sensors to stabilize
x = readSensors(); // check the sensors
} while (x < 100);

break
break is used to exit from a do, for, or while loop, bypassing the normal loop
condition. It is also used to exit from aswitch statement.

Example
for (x = 0; x < 255; x ++)
{
digitalWrite(PWMpin, x);
sens = analogRead(sensorPin);
if (sens > threshold){
// bail out on sensor detect
x = 0;
break;
}
delay(50);
}

continue
The continue statement skips the rest of the current iteration of a loop (do, for,
or while). It continues by checking the conditional expression of the loop, and
proceeding with any subsequent iterations.

Example
for (x = 0; x < 255; x ++)

15

{
if (x > 40 && x < 120){
continue;
}

// create jump in values

digitalWrite(PWMpin, x);
delay(50);
}

return
Terminate a function and return a value from a function to the calling function, if
desired.

Syntax:
return;
return value; // both forms are valid

Parameters
value: any variable or constant type

Examples:
A function to compare a sensor input to a threshold
int checkSensor(){
if (analogRead(0) > 400) {
return 1;
else{
return 0;
}
}

The return keyword is handy to test a section of code without having to "comment
out" large sections of possibly buggy code.

void loop(){
// brilliant code idea to test here
return;

16

// the rest of a dysfunctional sketch here


// this code will never be executed
}

goto
Transfers program flow to a labeled point in the program

Syntax
label:
goto label; // sends program flow to the label

Tip
The use of goto is discouraged in C programming, and some authors of C
programming books claim that the gotostatement is never necessary, but used
judiciously, it can simplify certain programs. The reason that many programmers
frown upon the use of goto is that with the unrestrained use of goto statements, it is
easy to create a program with undefined program flow, which can never be debugged.
With that said, there are instances where a goto statement can come in handy, and
simplify coding. One of these situations is to break out of deeply nested for loops,
or if logic blocks, on a certain condition.

Example
for(byte r = 0; r < 255; r++){
for(byte g = 255; g > -1; g--){
for(byte b = 0; b < 255; b++){
if (analogRead(0) > 250){ goto bailout;}
// more statements ...
}
}
}
bailout:

Further Syntax
; semicolon
Used to end a statement.

Example
int a = 13;

17

Tip
Forgetting to end a line in a semicolon will result in a compiler error. The error text
may be obvious, and refer to a missing semicolon, or it may not. If an impenetrable or
seemingly illogical compiler error comes up, one of the first things to check is a
missing semicolon, in the immediate vicinity, preceding the line at which the compiler
complained.
{} Curly Braces
Curly braces (also referred to as just "braces" or as "curly brackets") are a major part
of the C programming language. They are used in several different constructs,
outlined below, and this can sometimes be confusing for beginners.
An opening curly brace "{" must always be followed by a closing curly brace "}".
This is a condition that is often referred to as the braces being balanced. The Arduino
IDE (integrated development environment) includes a convenient feature to check the
balance of curly braces. Just select a brace, or even click the insertion point
immediately following a brace, and its logical companion will be highlighted.
At present this feature is slightly buggy as the IDE will often find (incorrectly) a brace
in text that has been "commented out."
Beginning programmers, and programmers coming to C from the BASIC language
often find using braces confusing or daunting. After all, the same curly braces replace
the RETURN statement in a subroutine (function), the ENDIF statement in a
conditional and the NEXT statement in a FOR loop.
Because the use of the curly brace is so varied, it is good programming practice to
type the closing brace immediately after typing the opening brace when inserting a
construct which requires curly braces. Then insert some carriage returns between your
braces and begin inserting statements. Your braces, and your attitude, will never
become unbalanced.
Unbalanced braces can often lead to cryptic, impenetrable compiler errors that can
sometimes be hard to track down in a large program. Because of their varied usages,
braces are also incredibly important to the syntax of a program and moving a brace
one or two lines will often dramatically affect the meaning of a program.
The main uses of curly braces
18

Functions
void myfunction(datatype argument){
statements(s)
}

Loops
while (boolean expression)
{
statement(s)
}
do
{
statement(s)
} while (boolean expression);
for (initialisation; termination condition; incrementing expr)
{
statement(s)
}

Conditional statements
if (boolean expression)
{
statement(s)
}
else if (boolean expression)
{
statement(s)
}
else
{
statement(s)
}

Comments
Comments are lines in the program that are used to inform yourself or others about the
way the program works. They are ignored by the compiler, and not exported to the
processor, so they don't take up any space on the Atmega chip.
Comments only purpose are to help you understand (or remember) how your program
works or to inform others how your program works. There are two different ways of
marking a line as a comment:

Example
x = 5; // This is a single line comment. Anything after the slashes is a comment
// to the end of the line
/* this is multiline comment - use it to comment out whole blocks of code

19

if (gwb == 0){ // single line comment is OK inside a multiline comment


x = 3;
/* but not another multiline comment - this is invalid */
}
// don't forget the "closing" comment - they have to be balanced!
*/

Tip
When experimenting with code, "commenting out" parts of your program is a
convenient way to remove lines that may be buggy. This leaves the lines in the code,
but turns them into comments, so the compiler just ignores them. This can be
especially useful when trying to locate a problem, or when a program refuses to
compile and the compiler error is cryptic or unhelpful.
Define
is a useful C component that allows the programmer to give a name to a
constant value before the program is compiled. Defined constants in arduino don't
take up any program memory space on the chip. The compiler will replace references
to these constants with the defined value at compile time.
#define

This can have some unwanted side effects though, if for example, a constant name
that had been #defined is included in some other constant or variable name. In that
case the text would be replaced by the #defined number (or text).
In general, the const keyword is preferred for defining constants and should be used
instead of #define.
Arduino defines have the same syntax as C defines:

Syntax
#define constantName value

Note that the # is necessary.

Example
#define ledPin 3
// The compiler will replace any mention of ledPin with the value 3 at compile time.

20

Tip
There is no semicolon after the #define statement. If you include one, the compiler
will throw cryptic errors further down the page.

#define ledPin 3;

// this is an error

Similarly, including an equal sign after the #define statement will also generate a
cryptic compiler error further down the page.

#define ledPin = 3 // this is also an error

const keyword
The const keyword stands for constant. It is a variable qualifier that modifies the
behavior of the variable, making a variable "read-only". This means that the variable
can be used just as any other variable of its type, but its value cannot be changed. You
will get a compiler error if you try to assign a value to a const variable.
Constants defined with the const keyword obey the rules of variable scoping that
govern other variables. This, and the pitfalls of using#define, makes
the const keyword a superior method for defining constants and is preferred over
using#define.

Example
const float pi = 3.14;
float x;
// ....
x = pi * 2;
pi = 7;

// it's fine to use const's in math


// illegal - you can't write to (modify) a constant

#define or const
You can use either const or #define for creating numeric or string constants.
For arrays, you will need to use const. In general const is preferred over #define for
defining constants.
21

volatile keyword
volatile is a keyword known as a variable qualifier, it is usually used before the
datatype of a variable, to modify the way in which the compiler and subsequent
program treats the variable.
Declaring a variable volatile is a directive to the compiler. The compiler is software
which translates your C/C++ code into the machine code, which are the real
instructions for the Atmega chip in the Arduino.
Specifically, it directs the compiler to load the variable from RAM and not from a
storage register, which is a temporary memory location where program variables are
stored and manipulated. Under certain conditions, the value for a variable stored in
registers can be inaccurate.
A variable should be declared volatile whenever its value can be changed by
something beyond the control of the code section in which it appears, such as a
concurrently executing thread. In the Arduino, the only place that this is likely to
occur is in sections of code associated with interrupts, called an interrupt service
routine.

Example
// toggles LED when interrupt pin changes state
int pin = 13;
volatile int state = LOW;
void setup()
{
pinMode(pin, OUTPUT);
attachInterrupt(0, blink, CHANGE);
}
void loop()
{
digitalWrite(pin, state);
}
void blink()
{
state = !state;
}

#include
22

#include is used to include outside libraries in your sketch. This gives the programmer
access to a large group of standard C libraries (groups of pre-made functions), and
also libraries written especially for Arduino.
The main reference page for AVR C libraries (AVR is a reference to the Atmel chips
on which the Arduino is based) is here.
Note that #include, similar to #define, has no semicolon terminator, and the compiler
will yield cryptic error messages if you add one.

Example
This example includes a library that is used to put data into the program
space flash instead of ram. This saves the ram space for dynamic memory needs and
makes large lookup tables more practical.
#include <avr/pgmspace.h>
prog_uint16_t myConstants[] PROGMEM = {0, 21140, 702 , 9128, 0, 25764, 8456,
0,0,0,0,0,0,0,0,29810,8968,29762,29762,4500};

Arithmetic Operators
= assignment operator (single equal sign)
Stores the value to the right of the equal sign in the variable to the left of the equal
sign.
The single equal sign in the C programming language is called the assignment
operator. It has a different meaning than in algebra class where it indicated an
equation or equality. The assignment operator tells the microcontroller to evaluate
whatever value or expression is on the right side of the equal sign, and store it in the
variable to the left of the equal sign.

Example
int sensVal;
// declare an integer variable named sensVal
sensVal = analogRead(0);
// store the (digitized) input voltage at analog pin 0 in SensVal

23

Programming Tips
The variable on the left side of the assignment operator ( = sign ) needs to be able to
hold the value stored in it. If it is not large enough to hold a value, the value stored in
the variable will be incorrect.
Don't confuse the assignment operator [ = ] (single equal sign) with the comparison
operator [ == ] (double equal signs), which evaluates whether two expressions are
equal.
Addition, Subtraction, Multiplication, & Division

Description
These operators return the sum, difference, product, or quotient (respectively) of the
two operands. The operation is conducted using the data type of the operands, so, for
example, 9 / 4 gives 2 since 9 and 4 are ints. This also means that the operation can
overflow if the result is larger than that which can be stored in the data type (e.g.
adding 1 to an intwith the value 32,767 gives -32,768). If the operands are of different
types, the "larger" type is used for the calculation.
If one of the numbers (operands) are of the type float or of type double, floating point
math will be used for the calculation.

Examples
y = y + 3;
x = x - 7;
i = j * 6;
r = r / 5;

Syntax
result
result
result
result

=
=
=
=

value1
value1
value1
value1

+ value2;
- value2;
* value2;
/ value2;

Parameters:
value1: any variable or constant
value2: any variable or constant
24

Addition, Subtraction, Multiplication, & Division

Description
These operators return the sum, difference, product, or quotient (respectively) of the
two operands. The operation is conducted using the data type of the operands, so, for
example, 9 / 4 gives 2 since 9 and 4 are ints. This also means that the operation can
overflow if the result is larger than that which can be stored in the data type (e.g.
adding 1 to an intwith the value 32,767 gives -32,768). If the operands are of different
types, the "larger" type is used for the calculation.
If one of the numbers (operands) are of the type float or of type double, floating point
math will be used for the calculation.

Examples
y = y + 3;
x = x - 7;
i = j * 6;
r = r / 5;

Syntax
result
result
result
result

=
=
=
=

value1
value1
value1
value1

+ value2;
- value2;
* value2;
/ value2;

Parameters:
value1: any variable or constant
value2: any variable or constant

Boolean Operators
These can be used inside the condition of an if statement.
&& (logical and)
True only if both operands are true, e.g.
if (digitalRead(2) == HIGH && digitalRead(3) == HIGH) { // read two switches
// ...
}

25

is true only if both inputs are high.


|| (logical or)
True if either operand is true, e.g.
if (x > 0 || y > 0) {
// ...
}

is true if either x or y is greater than 0.


! (not)
True if the operand is false, e.g.
if (!x) {
// ...
}

is true if x is false (i.e. if x equals 0).

Warning
Make sure you don't mistake the boolean AND operator, && (double ampersand) for
the bitwise AND operator & (single ampersand). They are entirely different beasts.
Similarly, do not confuse the boolean || (double pipe) operator with the bitwise OR
operator | (single pipe).
The bitwise not ~ (tilde) looks much different than the boolean not ! (exclamation
point or "bang" as the programmers say) but you still have to be sure which one you
want where.

26

Examples
if (a >= 10 && a <= 20){} // true if a is between 10 and 20

The pointer operators


& (reference) and * (dereference)
Pointers are one of the more complicated subjects for beginners in learning C, and it is
possible to write the vast majority of Arduino sketches without ever encountering
pointers. However for manipulating certain data structures, the use of pointers can
simplify the code, and and knowledge of manipulating pointers is handy to have in
one's toolkit.

& is the reference operator and can be read as address of.


* is the dereference operator and can be read as value pointed by.

Bitwise Operators
Bitwise AND (&), Bitwise OR (|), Bitwise XOR (^)
The bitwise operators perform their calculations at the bit level of variables. They help
solve a wide range of common programming problems.

Description and Syntax


Below are descriptions and syntax for all of the operators.
Bitwise AND (&)
The bitwise AND operator in C++ is a single ampersand, &, used between two other
integer expressions. Bitwise AND operates on each bit position of the surrounding
expressions independently, according to this rule: if both input bits are 1, the resulting
output is 1, otherwise the output is 0. Another way of expressing this is:

0 0 1 1
0 1 0 1
---------0 0 0 1

operand1
operand2
(operand1 & operand2) - returned result

27

In Arduino, the type int is a 16-bit value, so using & between two int expressions
causes 16 simultaneous AND operations to occur. In a code fragment like:

int a = 92; // in binary: 0000000001011100


int b = 101; // in binary: 0000000001100101
int c = a & b; // result: 0000000001000100, or 68 in decimal.

Each of the 16 bits in a and b are processed by using the bitwise AND, and all 16
resulting bits are stored in c, resulting in the value 01000100 in binary, which is 68 in
decimal.
One of the most common uses of bitwise AND is to select a particular bit (or bits)
from an integer value, often called masking. See below for an example
Bitwise OR (|)
The bitwise OR operator in C++ is the vertical bar symbol, |. Like the & operator, |
operates independently each bit in its two surrounding integer expressions, but what it
does is different (of course). The bitwise OR of two bits is 1 if either or both of the
input bits is 1, otherwise it is 0. In other words:

0 0 1 1
0 1 0 1
---------0 1 1 1

operand1
operand2
(operand1 | operand2) - returned result

Here is an example of the bitwise OR used in a snippet of C++ code:


int a = 92; // in binary: 0000000001011100
int b = 101; // in binary: 0000000001100101
int c = a | b; // result: 0000000001111101, or 125 in decimal.

28

Example Program for Arduino Uno


A common job for the bitwise AND and OR operators is what programmers call ReadModify-Write on a port. On microcontrollers, a port is an 8 bit number that represents
something about the condition of the pins. Writing to a port controls all of the pins at
once.
PORTD is a built-in constant that refers to the output states of digital pins
0,1,2,3,4,5,6,7. If there is 1 in an bit position, then that pin is HIGH. (The pins already
need to be set to outputs with the pinMode() command.) So if we write PORTD =
B00110001; we have made pins 0,4 & 5 HIGH. One slight hitch here is that we may also
have changeed the state of Pins 0 & 1, which are used by the Arduino for serial
communications so we may have interfered with serial communication.
Our algorithm for the program is:

Get PORTD and clear out only the bits corresponding to the pins we wish to
control (with bitwise AND).
Combine the modified PORTD value with the new value for the pins under
control (with biwise OR).
int i;
int j;

// counter variable

void setup(){
DDRD = DDRD | B11111100; // set direction bits for pins 2 to 7, leave 0 and 1 untouched (xx
| 00 == xx)
// same as pinMode(pin, OUTPUT) for pins 2 to 7
Serial.begin(9600);
}
void loop(){
for (i=0; i<64; i++){
PORTD = PORTD & B00000011; // clear out bits 2 - 7, leave pins 0 and 1 untouched (xx & 11
== xx)
j = (i << 2);
// shift variable up to pins 2 - 7 - to avoid pins 0 and 1
PORTD = PORTD | j;
// combine the port information with the new information for LED
pins
Serial.println(PORTD, BIN); // debug to show masking
delay(100);
}
}

Bitwise XOR (^)

29

There is a somewhat unusual operator in C++ called bitwise EXCLUSIVE OR, also
known as bitwise XOR. (In English this is usually pronounced "eks-or".) The bitwise
XOR operator is written using the caret symbol ^. This operator is very similar to the
bitwise OR operator |, only it evaluates to 0 for a given bit position when both of the
input bits for that position are 1:

0 0 1 1
0 1 0 1
---------0 1 1 0

operand1
operand2
(operand1 ^ operand2) - returned result

Another way to look at bitwise XOR is that each bit in the result is a 1 if the input bits
are different, or 0 if they are the same.
Here is a simple code example:
int x = 12;
// binary: 1100
int y = 10;
// binary: 1010
int z = x ^ y; // binary: 0110, or decimal 6

The ^ operator is often used to toggle (i.e. change from 0 to 1, or 1 to 0) some of the
bits in an integer expression. In a bitwise OR operation if there is a 1 in the mask bit,
that bit is inverted; if there is a 0, the bit is not inverted and stays the same. Below is a
program to blink digital pin 5.
// Blink_Pin_5
// demo for Exclusive OR
void setup(){
DDRD = DDRD | B00100000; // set digital pin five as OUTPUT
Serial.begin(9600);
}
void loop(){
PORTD = PORTD ^ B00100000; // invert bit 5 (digital pin 5), leave others untouched
delay(100);
}

Bitwise NOT (~)

30

The bitwise NOT operator in C++ is the tilde character ~. Unlike & and |, the bitwise
NOT operator is applied to a single operand to its right. Bitwise NOT changes each bit
to its opposite: 0 becomes 1, and 1 becomes 0. For example:
0 1 operand1
---------1 0 ~ operand1
int a = 103; // binary: 0000000001100111
int b = ~a;
// binary: 1111111110011000 = -104

You might be surprised to see a negative number like -104 as the result of this
operation. This is because the highest bit in an int variable is the so-called sign bit. If
the highest bit is 1, the number is interpreted as negative. This encoding of positive
and negative numbers is referred to as two's complement. For more information, see
the Wikipedia article ontwo's complement.
As an aside, it is interesting to note that for any integer x, ~x is the same as -x-1.
At times, the sign bit in a signed integer expression can cause some unwanted
surprises.
bitshift left (<<), bitshift right (>>)

Description
From The Bitmath Tutorial in The Playground
There are two bit shift operators in C++: the left shift operator << and the right shift
operator >>. These operators cause the bits in the left operand to be shifted left or
right by the number of positions specified by the right operand.

Syntax
variable << number_of_bits
variable >> number_of_bits

31

Parameters
variable - (byte, int, long) number_of_bits integer <= 32

Example:
int a = 5;
// binary: 0000000000000101
int b = a << 3; // binary: 0000000000101000, or 40 in decimal
int c = b >> 3; // binary: 0000000000000101, or back to 5 like we started with

When you shift a value x by y bits (x << y), the leftmost y bits in x are lost, literally
shifted out of existence:
int a = 5;
// binary: 0000000000000101
int b = a << 14; // binary: 0100000000000000 - the first 1 in 101 was discarded

If you are certain that none of the ones in a value are being shifted into oblivion, a
simple way to think of the left-shift operator is that it multiplies the left operand by 2
raised to the right operand power. For example, to generate powers of 2, the following
expressions can be employed:
1 <<
1 <<
1 <<
1 <<
...
1 <<
1 <<
1 <<
...

0
1
2
3

== 1
== 2
== 4
== 8

8 == 256
9 == 512
10 == 1024

When you shift x right by y bits (x >> y), and the highest bit in x is a 1, the behavior
depends on the exact data type of x. If x is of type int, the highest bit is the sign bit,
determining whether x is negative or not, as we have discussed above. In that case, the
sign bit is copied into lower bits, for esoteric historical reasons:
int x = -16;

// binary: 1111111111110000

32

int y = x >> 3; // binary: 1111111111111110

This behavior, called sign extension, is often not the behavior you want. Instead, you
may wish zeros to be shifted in from the left. It turns out that the right shift rules are
different for unsigned int expressions, so you can use a typecast to suppress ones
being copied from the left:

int x = -16;
// binary: 1111111111110000
int y = (unsigned int)x >> 3; // binary: 0001111111111110

If you are careful to avoid sign extension, you can use the right-shift operator >> as a
way to divide by powers of 2. For example:
int x = 1000;
int y = x >> 3; // integer division of 1000 by 8, causing y = 125.

Compound Operators
++ (increment) / -- (decrement)

Description
Increment or decrement a variable

Syntax
x++; // increment x by one and returns the old value of x
++x; // increment x by one and returns the new value of x
x-- ; // decrement x by one and returns the old value of x
--x ; // decrement x by one and returns the new value of x

Parameters
x: an integer or long (possibly unsigned)

33

Returns
The original or newly incremented / decremented value of the variable.

Examples
x = 2;
y = ++x;
// x now contains 3, y contains 3
y = x--;
// x contains 2 again, y still contains 3

+= , -= , *= , /=

Description
Perform a mathematical operation on a variable with another constant or variable. The
+= (et al) operators are just a convenient shorthand for the expanded syntax, listed
below.

Syntax
x
x
x
x

+= y;
-= y;
*= y;
/= y;

// equivalent to the expression x = x + y;


// equivalent to the expression x = x - y;
// equivalent to the expression x = x * y;
// equivalent to the expression x = x / y;

Parameters
x: any variable type
y: any variable type or constant

Examples
x
x
x
x
x

= 2;
+= 4;
-= 3;
*= 10;
/= 2;

// x now contains 6
// x now contains 3
// x now contains 30
// x now contains 15

compound bitwise AND (&=)

Description
The compound bitwise AND operator (&=) is often used with a variable and a
constant to force particular bits in a variable to the LOW state (to 0). This is often
referred to in programming guides as "clearing" or "resetting" bits.

34

Syntax:
x &= y; // equivalent to x = x & y;

Parameters
x: a char, int or long variable
y: an integer constant or char, int, or long

Example:
First, a review of the Bitwise AND (&) operator
0 0 1 1
0 1 0 1
---------0 0 0 1

operand1
operand2
(operand1 & operand2) - returned result

Bits that are "bitwise ANDed" with 0 are cleared to 0 so, if myByte is a byte variable,
myByte & B00000000 = 0;

Bits that are "bitwise ANDed" with 1 are unchanged so,

myByte & B11111111 = myByte;

Note: because we are dealing with bits in a bitwise operator - it is convenient to use
the binary formatter with constants. The numbers are still the same value in other
representations, they are just not as easy to understand. Also, B00000000 is shown for
clarity, but zero in any number format is zero (hmmm something philosophical there?)
Consequently - to clear (set to zero) bits 0 & 1 of a variable, while leaving the rest of
the variable unchanged, use the compound bitwise AND operator (&=) with the
constant B11111100
35

1 0 1 0 1 0 1 0
1 1 1 1 1 1 0 0
---------------------1 0 1 0 1 0 0 0

variable
mask

variable unchanged
bits cleared

Here is the same representation with the variable's bits replaced with the symbol x

x x x x x x x x variable
1 1 1 1 1 1 0 0 mask
---------------------x x x x x x 0 0
variable unchanged
bits cleared

So if:
myByte = 10101010;
myByte &= B1111100 == B10101000;

compound bitwise OR (|=)

Description
The compound bitwise OR operator (|=) is often used with a variable and a constant to
"set" (set to 1) particular bits in a variable.

Syntax:
x |= y; // equivalent to x = x | y;

Parameters
x: a char, int or long variable
y: an integer constant or char, int, or long

36

Example:
First, a review of the Bitwise OR (|) operator
0 0 1 1
0 1 0 1
---------0 1 1 1

operand1
operand2
(operand1 | operand2) - returned result

Bits that are "bitwise ORed" with 0 are unchanged, so if myByte is a byte variable,
myByte | B00000000 = myByte;
Bits
that
are
"bitwise ORed"
myByte | B11111111 = B11111111;

with

are

set

to

so:

Consequently - to set bits 0 & 1 of a variable, while leaving the rest of the variable
unchanged, use the compound bitwise OR operator (|=) with the constant B00000011

1 0 1 0 1 0 1 0
0 0 0 0 0 0 1 1
---------------------1 0 1 0 1 0 1 1

variable
mask

variable unchanged
bits set

Here is the same representation with the variables bits replaced with the symbol x

x x x x x x x x variable
0 0 0 0 0 0 1 1 mask
---------------------x x x x x x 1 1
variable unchanged
bits set

So if:
37

myByte = B10101010;
myByte |= B00000011 == B10101011;

Constants
Constants are predefined expressions in the Arduino language. They are used to make
the programs easier to read. We classify constants in groups:
Defining Logical Levels: true and false (Boolean Constants)
There are two constants used to represent truth and falsity in the Arduino
language: true, and false.
false
false

is the easier of the two to define. false is defined as 0 (zero).

true
is often said to be defined as 1, which is correct, but true has a wider definition.
Any integer which is non-zero istrue, in a Boolean sense. So -1, 2 and -200 are all
defined as true, too, in a Boolean sense.
true

Note that the true and false constants are typed in lowercase unlike HIGH,
and OUTPUT.

LOW, INPUT,

Defining Pin Levels: HIGH and LOW


When reading or writing to a digital pin there are only two possible values a pin can
take/be-set-to: HIGH and LOW.
HIGH
The meaning of HIGH (in reference to a pin) is somewhat different depending on
whether a pin is set to an INPUT orOUTPUT. When a pin is configured as
an INPUT with pinMode(), and read with digitalRead(), the Arduino (Atmega) will
report HIGH if:

a voltage greater than 3 volts is present at the pin (5V boards);


a voltage greater than 2 volts is present at the pin (3.3V boards);
38

A pin may also be configured as an INPUT with pinMode(), and subsequently


made HIGH with digitalWrite(). This will enable the internal 20K pullup resistors, which
will pull up the input pin to a HIGH reading unless it is pulled LOW by external
circuitry. This is how INPUT_PULLUP works and is described below in more detail.
When a pin is configured to OUTPUT with pinMode(), and set to HIGH with digitalWrite(), the
pin is at:
5 volts (5V boards);
3.3 volts (3.3V boards);

In this state it can source current, e.g. light an LED that is connected through a series
resistor to ground.
LOW
The meaning of LOW also has a different meaning depending on whether a pin is set
to INPUT or OUTPUT. When a pin is configured as an INPUT with pinMode(), and read
with digitalRead(), the Arduino (Atmega) will report LOW if:

a voltage less than 3 volts is present at the pin (5V boards);


a voltage less than 2 volts is present at the pin (3.3V boards);
When a pin is configured to OUTPUT with pinMode(), and set to LOW with digitalWrite(), the
pin is at 0 volts (both 5V and 3.3V boards). In this state it can sink current, e.g. light
an LED that is connected through a series resistor to +5 volts (or +3.3 volts).
Defining Digital Pins modes: INPUT,

INPUT_PULLUP,

and OUTPUT
Digital pins can be used as INPUT, INPUT_PULLUP, or OUTPUT. Changing a pin
with pinMode() changes the electrical behavior of the pin.
Pins Configured as INPUT
Arduino (Atmega) pins configured as INPUT with pinMode() are said to be in a highimpedance state. Pins configured as INPUT make extremely small demands on the
circuit that they are sampling, equivalent to a series resistor of 100 Megohms in front
of the pin. This makes them useful for reading a sensor.
39

If you have your pin configured as an INPUT, and are reading a switch, when the
switch is in the open state the input pin will be "floating", resulting in unpredictable
results. In order to assure a proper reading when the switch is open, a pull-up or pulldown resistor must be used. The purpose of this resistor is to pull the pin to a known
state when the switch is open. A 10 K ohm resistor is usually chosen, as it is a low
enough value to reliably prevent a floating input, and at the same time a high enough
value to not not draw too much current when the switch is closed. See the Digital
Read Serialtutorial for more information.
If a pull-down resistor is used, the input pin will be
and HIGH when the switch is closed.
If a pull-up resistor is used, the input pin will be
and LOW when the switch is closed.

LOW

HIGH

when the switch is open

when the switch is open

Pins Configured as INPUT_PULLUP


The Atmega microcontroller on the Arduino has internal pull-up resistors (resistors
that connect to power internally) that you can access. If you prefer to use these instead
of external pull-up resistors, you can use the INPUT_PULLUPargument in pinMode().
See the Input Pullup Serial tutorial for an example of this in use.
Pins configured as inputs with either INPUT or INPUT_PULLUP can be damaged or
destroyed if they are connected to voltages below ground (negative voltages) or above
the positive power rail (5V or 3V).
Pins Configured as Outputs
Pins configured as OUTPUT with pinMode() are said to be in a low-impedance state.
This means that they can provide a substantial amount of current to other circuits.
Atmega pins can source (provide current) or sink (absorb current) up to 40 mA
(milliamps) of current to other devices/circuits. This makes them useful for
powering LEDs because LEDstypically use less than 40 mA. Loads greater than 40
mA (e.g. motors) will require a transistor or other interface circuitry.
Pins configured as outputs can be damaged or destroyed if they are connected to either
the ground or positive power rails.
Defining built-ins: LED_BUILTIN
40

Most Arduino boards have a pin connected to an on-board LED in series with a
resistor. The constant LED_BUILTIN is the number of the pin to which the on-board LED
is connected. Most boards have this LED connected to digital pin 13.
Integer Constants
Integer constants are numbers used directly in a sketch, like 123. By default, these
numbers are treated as int's but you can change this with the U and L modifiers (see
below).
Normally, integer constants are treated as base 10 (decimal) integers, but special
notation (formatters) may be used to enter numbers in other bases.

Base

Example

10 (decimal)
2 (binary)
8 (octal)

Formatter

123

none

B1111011
0173

16 (hexadecimal)

Comment

leading 'B'
only works with 8 bit values (0 to 255)
characters 0-1 valid

leading "0"

0x7B

characters 0-7 valid

leading "0x"

characters 0-9, A-F, a-f valid

Decimal is base 10. This is the common-sense math with which you are acquainted.
Constants without other prefixes are assumed to be in decimal format.

Example:
101

// same as 101 decimal ((1 * 10^2) + (0 * 10^1) + 1)

Binary is base two. Only characters 0 and 1 are valid.

Example:
B101

// same as 5 decimal ((1 * 2^2) + (0 * 2^1) + 1)

41

The binary formatter only works on bytes (8 bits) between 0 (B0) and 255
(B11111111). If it is convenient to input an int (16 bits) in binary form you can do it a
two-step procedure such as:
myInt = (B11001100 * 256) + B10101010;

// B11001100 is the high byte

Octal is base eight. Only characters 0 through 7 are valid. Octal values are indicated
by the prefix "0"

Example:
0101

// same as 65 decimal ((1 * 8^2) + (0 * 8^1) + 1)

Warning
It is possible to generate a hard-to-find bug by (unintentionally) including a leading
zero before a constant and having the compiler unintentionally interpret your constant
as octal.
Hexadecimal (or hex) is base sixteen. Valid characters are 0 through 9 and letters A
through F; A has the value 10, B is 11, up to F, which is 15. Hex values are indicated
by the prefix "0x". Note that A-F may be syted in upper or lower case (a-f).

Example:
0x101 // same as 257 decimal ((1 * 16^2) + (0 * 16^1) + 1)

U & L formatters
By default, an integer constant is treated as an int with the attendant limitations in
values. To specify an integer constant with another data type, follow it with:

a 'u' or 'U' to force the constant into an unsigned data format. Example: 33u
a 'l' or 'L' to force the constant into a long data format. Example: 100000L
a 'ul' or 'UL' to force the constant into an unsigned long constant.
Example: 32767ul
floating point constants
Similar to integer constants, floating point constants are used to make code more
readable. Floating point constants are swapped at compile time for the value to which
the expression evaluates.
Examples:
42

n = .005;

Floating point constants can also be expressed in a variety of scientific notation. 'E'
and 'e' are both accepted as valid exponent indicators.
floating-point evaluates to:
constant
10.0
2.34E5
67e-12

10
2.34 * 10^5
67.0 * 10^-12

also evaluates to:

234000
.000000000067

Data Types
void
The void keyword is used only in function declarations. It indicates that the function
is expected to return no information to the function from which it was called.

Example:
// actions are performed in the functions "setup" and "loop"
// but no information is reported to the larger program
void setup()
{
// ...
}
void loop()
{
// ...
}

boolean
A boolean holds one of two values, true or false. (Each boolean variable occupies one
byte of memory.)

Example
int LEDpin = 5;
// LED on pin 5
int switchPin = 13; // momentary switch on 13, other side connected to ground
boolean running = false;
void setup()
{
pinMode(LEDpin, OUTPUT);
pinMode(switchPin, INPUT);
digitalWrite(switchPin, HIGH);

// turn on pullup resistor

43

}
void loop()
{
if (digitalRead(switchPin) == LOW)
{ // switch is pressed - pullup keeps pin high normally
delay(100);
// delay to debounce switch
running = !running;
// toggle running variable
digitalWrite(LEDpin, running)
// indicate via LED
}
}

unsigned char

Description
An unsigned data type that occupies 1 byte of memory. Same as the byte datatype.
The unsigned char datatype encodes numbers from 0 to 255.
For consistency of Arduino programming style, the byte data type is to be preferred.

Example
unsigned char myChar = 240;

byte

Description
A byte stores an 8-bit unsigned number, from 0 to 255.

Example
byte b = B10010; // "B" is the binary formatter (B10010 = 18 decimal)

int

Description
Integers are your primary data-type for number storage.
On the Arduino Uno (and other ATMega based boards) an int stores a 16-bit (2-byte)
value. This yields a range of -32,768 to 32,767 (minimum value of -2^15 and a
maximum value of (2^15) - 1).

44

On the Arduino Due, an int stores a 32-bit (4-byte) value. This yields a range of
-2,147,483,648 to 2,147,483,647 (minimum value of -2^31 and a maximum value of
(2^31) - 1).
int's

store negative numbers with a technique called 2's complement math. The highest
bit, sometimes referred to as the "sign" bit, flags the number as a negative number.
The rest of the bits are inverted and 1 is added.
The Arduino takes care of dealing with negative numbers for you, so that arithmetic
operations work transparently in the expected manner. There can be an unexpected
complication in dealing with the bitshift right operator (>>) however.

Example
int ledPin = 13;

Syntax
int var = val;

var - your int variable name


val - the value you assign to that variable

Coding Tip
When variables are made to exceed their maximum capacity they "roll over" back to
their minimum capacity, note that this happens in both directions. Example for a 16bit int:
int x;
x = -32768;
x = x - 1;
// x now contains 32,767 - rolls over in neg. direction
x = 32767;
x = x + 1;

// x now contains -32,768 - rolls over

unsigned int

Description
On the Uno and other ATMEGA based boards, unsigned ints (unsigned integers) are
the same as ints in that they store a 2 byte value. Instead of storing negative numbers
however they only store positive values, yielding a useful range of 0 to 65,535 (2^16)
- 1).
The Due stores a 4 byte (32-bit) value, ranging from 0 to 4,294,967,295 (2^32 - 1).
45

The difference between unsigned ints and (signed) ints, lies in the way the highest bit,
sometimes refered to as the "sign" bit, is interpreted. In the Arduino int type (which is
signed), if the high bit is a "1", the number is interpreted as a negative number, and the
other 15 bits are interpreted with 2's complement math.

Example
unsigned int ledPin = 13;

Syntax
unsigned int var = val;

var - your unsigned int variable name


val - the value you assign to that variable

Coding Tip
When variables are made to exceed their maximum capacity they "roll over" back to
their minimum capacitiy, note that this happens in both directions
unsigned int x
x = 0;
x = x - 1;
// x now contains 65535 - rolls over in neg direction
x = x + 1;
// x now contains 0 - rolls over

word

Description
A word stores a 16-bit unsigned number, from 0 to 65535. Same as an unsigned int.

Example
word w = 10000;

long

Description
Long variables are extended size variables for number storage, and store 32 bits (4
bytes), from -2,147,483,648 to 2,147,483,647.
If doing math with integers, at least one of the numbers must be followed by an L,
forcing it to be a long. See the Integer Constants page for details.

Example
'L'

long speedOfLight = 186000L;

// see the Integer Constants page for explanation of the

46

Syntax
long var = val;

var - the long variable name


val - the value assigned to the variable
unsigned long

Description
Unsigned long variables are extended size variables for number storage, and store 32
bits (4 bytes). Unlike standard longs unsigned longs won't store negative numbers,
making their range from 0 to 4,294,967,295 (2^32 - 1).

Example
unsigned long time;
void setup()
{
Serial.begin(9600);
}
void loop()
{
Serial.print("Time: ");
time = millis();
//prints time since program started
Serial.println(time);
// wait a second so as not to send massive amounts of data
delay(1000);
}

Syntax
unsigned long var = val;

var - your long variable name


val - the value you assign to that variable

short

Description
A short is a 16-bit data-type.
On all Arduinos (ATMega and ARM based) a short stores a 16-bit (2-byte) value. This
yields a range of -32,768 to 32,767 (minimum value of -2^15 and a maximum value
of (2^15) - 1).

Example
short ledPin = 13;

47

Syntax
short var = val;

var - your short variable name


val - the value you assign to that variable

float

Description
Datatype for floating-point numbers, a number that has a decimal point. Floatingpoint numbers are often used to approximate analog and continuous values because
they have greater resolution than integers. Floating-point numbers can be as large as
3.4028235E+38 and as low as -3.4028235E+38. They are stored as 32 bits (4 bytes) of
information.
Floats have only 6-7 decimal digits of precision. That means the total number of
digits, not the number to the right of the decimal point. Unlike other platforms, where
you can get more precision by using a double (e.g. up to 15 digits), on the Arduino,
double is the same size as float.
Floating point numbers are not exact, and may yield strange results when compared.
For example 6.0 / 3.0 may not equal 2.0. You should instead check that the absolute
value of the difference between the numbers is less than some small number.
Floating point math is also much slower than integer math in performing calculations,
so should be avoided if, for example, a loop has to run at top speed for a critical
timing function. Programmers often go to some lengths to convert floating point
calculations to integer math to increase speed.
If doing math with floats, you need to add a decimal point, otherwise it will be treated
as an int. See the Floating point constants page for details.

Examples
float myfloat;
float sensorCalbrate = 1.117;

Syntax
float var = val;

var - your float variable name


val - the value you assign to that variable

Example Code
int x;
int y;

48

float z;
x = 1;
y = x / 2;
// y now contains 0, ints can't hold fractions
z = (float)x / 2.0; // z now contains .5 (you have to use 2.0, not 2)

double

Description
Double precision floating point number. On the Uno and other ATMEGA based
boards, this occupies 4 bytes. That is, the double implementation is exactly the same
as the float, with no gain in precision.
On the Arduino Due, doubles have 8-byte (64 bit) precision.

Tip
Users who borrow code from other sources that includes double variables may wish to
examine the code to see if the implied precision is different from that actually
achieved on ATMEGA based Arduinos.
String

Description
Text strings can be represented in two ways. you can use the String data type, which is
part of the core as of version 0019, or you can make a string out of an array of type
char and null-terminate it. This page described the latter method. For more details on
the String object, which gives you more functionality at the cost of more memory, see
the String object page.

Examples
All of the following are valid declarations for strings.
char
char
char
char
char
char

Str1[15];
Str2[8] = {'a', 'r', 'd', 'u', 'i', 'n', 'o'};
Str3[8] = {'a', 'r', 'd', 'u', 'i', 'n', 'o', '\0'};
Str4[ ] = "arduino";
Str5[8] = "arduino";
Str6[15] = "arduino";

49

Possibilities for declaring strings

Declare an array of chars without initializing it as in Str1


Declare an array of chars (with one extra char) and the compiler will add the
required null character, as in Str2
Explicitly add the null character, Str3
Initialize with a string constant in quotation marks; the compiler will size the
array to fit the string constant and a terminating null character, Str4
Initialize the array with an explicit size and string constant, Str5
Initialize the array, leaving extra space for a larger string, Str6
Null termination
Generally, strings are terminated with a null character (ASCII code 0). This allows
functions (like Serial.print()) to tell where the end of a string is. Otherwise, they
would continue reading subsequent bytes of memory that aren't actually part of the
string.
This means that your string needs to have space for one more character than the text
you want it to contain. That is why Str2 and Str5 need to be eight characters, even
though "arduino" is only seven - the last position is automatically filled with a null
character. Str4 will be automatically sized to eight characters, one for the extra null. In
Str3, we've explicitly included the null character (written '\0') ourselves.
Note that it's possible to have a string without a final null character (e.g. if you had
specified the length of Str2 as seven instead of eight). This will break most functions
that use strings, so you shouldn't do it intentionally. If you notice something behaving
strangely (operating on characters not in the string), however, this could be the
problem.
Single quotes or double quotes?
Strings are always defined inside double quotes ("Abc") and characters are always
defined inside single quotes('A').
Wrapping long strings
You can wrap long strings like this:

50

char myString[] = "This is the first line"


" this is the second line"
" etcetera";

Arrays of strings
It is often convenient, when working with large amounts of text, such as a project with
an LCD display, to setup an array of strings. Because strings themselves are arrays,
this is in actually an example of a two-dimensional array.
In the code below, the asterisk after the datatype char "char*" indicates that this is an
array of "pointers". All array names are actually pointers, so this is required to make
an array of arrays. Pointers are one of the more esoteric parts of C for beginners to
understand, but it isn't necessary to understand pointers in detail to use them
effectively here.

Example
char* myStrings[]={"This is string 1", "This is string 2", "This is string 3",
"This is string 4", "This is string 5","This is string 6"};
void setup(){
Serial.begin(9600);
}
void loop(){
for (int i = 0; i < 6; i++){
Serial.println(myStrings[i]);
delay(500);
}

51

String Class

Description
The String class, part of the core as of version 0019, allows you to use and manipulate strings
of text in more complex ways than character arrays do. You can concatenate Strings, append
to them, search for and replace substrings, and more. It takes more memory than a simple
character array, but it is also more useful.
For reference, character arrays are referred to as strings with a small s, and instances of the
String class are referred to as Strings with a capital S. Note that constant strings, specified in
"double quotes" are treated as char arrays, not instances of the String class.

Examples
StringConstructors
StringAdditionOperator
StringIndexOf
StringAppendOperator
StringLengthTrim
StringCaseChanges
StringReplace
StringRemove
StringCharacters
StringStartsWithEndsWith
StringComparisonOperators
StringSubstring
}

String Object Constructors


The String object allows you to manipulate strings of text in a variety of useful ways.
You can append characters to Strings, combine Strings through concatenation, get the
length of a String, search and replace substrings, and more. This tutorial shows you
how to initialize String objects.

String stringOne = "Hello String";


using a constant String
String stringOne = String('a');
converting a constant char into a String
String stringTwo = String("This is a string");

//
//
//
52

converting a constant string into a String object


String stringOne = String(stringTwo + " with more");//
concatenating two strings
String stringOne = String(13);
using
a constant integer
String
stringOne = String(analogRead(0), DEC);
using
an int and a base
String stringOne = String(45, HEX);
using
an int and a base (hexadecimal)
String stringOne = String(255, BIN);
using
an int and a base (binary)
String stringOne = String(millis(), DEC);
using a long and a base

//
//
//
//
//

All of these methods are valid ways to declare a String object. They all result in an
object containing a string of characters that can be manipulated using any of the String
methods. To see them in action, upload the code below onto an Arduino and open the
Serial Monitor. You'll see the results of each declaration. Compare what's printed by
each println() to the declaration above it.

Hardware Required

Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

53

Code
/*
String constructors
Examples
types */

of

how

to

create

strings

from

other

data

void setup() { // Open serial communications and wait for


port to open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo only
}
// send an intro:
Serial.println("\n\nString Constructors:");
Serial.println();
}
void loop() {
// using a constant String:
String stringOne = "Hello String";
Serial.println(stringOne);
// prints "Hello String"
// converting a constant char into a String:
stringOne = String('a');
54

Serial.println(stringOne);

// prints "a"

// converting a constant string into a String object:


String stringTwo = String("This is a string");
Serial.println(stringTwo);
// prints "This is a
string"
// concatenating two strings:
stringOne = String(stringTwo + " with more");
// prints "This is a string with more":
Serial.println(stringOne);
// using a constant integer:
stringOne = String(13);
Serial.println(stringOne);

// prints "13"

// using an int and a base:


stringOne = String(analogRead(A0), DEC);
// prints "453" or whatever the value of analogRead(A0)
Is
Serial.println(stringOne);
// using an int and a base (hexadecimal):
stringOne = String(45, HEX);
// prints "2d", which is the hexadecimal version of
decimal 45:
Serial.println(stringOne);
// using an int and a base (binary)
stringOne = String(255, BIN);
// prints "11111111" which is the binary value of 255
Serial.println(stringOne);
// using a long and a base:
stringOne = String(millis(), DEC);
// prints "123456" or whatever the value of millis()
is:
Serial.println(stringOne);
// do nothing while true:
55

while(true);
}
String Addition Operator
You can add Strings together in a variety of ways. This is called concatenation and it
results in the original String being longer by the length of the String or character array
with which you concatenate it. The + operator allows you to combine a String with
another String, with a constant character array, an ASCII representation of a constant
or variable number, or a constant character.
// adding a constant integer to a string:
stringThree = stringOne + 123;
// adding a constant long interger to a string:
stringThree = stringOne + 123456789;
// adding a constant character to a string:
stringThree = stringOne + 'A';
// adding a constant string to a string:
stringThree = stringOne +

"abc";

// adding two Strings together:


stringThree = stringOne + stringTwo;
You can also use the + operator to add the results of a function to a
String, if the function returns one of the allowed data types mentioned above. For
example,
stringThree = stringOne + millis();
This is allowable since the millis() function returns a long integer, which can be added
to a String. You could also do this:

stringThree = stringOne + analogRead(A0);


56

because analogRead() returns an integer. String concatenation can be very useful when
you need to display a combination of values and the descriptions of those values into
one String to display via serial communication, on an LCD display, over an Ethernet
connection, or anywhere that Strings are useful.
Caution: You should be careful about concatenating multiple variable types on the
same line, as you may get unexpected results. For example:
int sensorValue = analogRead(A0);
String stringOne = "Sensor value: ";
String stringThree = stringOne + sensorValue;
Serial.println(stringThree);
results in "Sensor Value: 402" or whatever the analogRead() result is, but
int sensorValue = analogRead(A0);
String stringThree = "Sensor value: " + sensorValue;
Serial.println(stringThree);
gives unpredictable results because stringThree never got an initial value before you
started concatenating different data types.
Here's another example where improper initialization will cause errors:

Serial.println("I want " + analogRead(A0) + " donuts");


This won't compile because the compiler doesn't handle the operator precedence
correctly. On the other hand, the following will compile, but it won't run as expected:

int sensorValue = analogRead(A0);


String stringThree = "I want " + sensorValue;
Serial.println(stringThree + " donuts");
57

It doesn't run correctly for the same reason as before: stringThree never got an initial
value before you started concatenating different data types.
For best results, initialize your Strings before you concatenate them.

Hardware Required:
Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

Code
Here's
a
working
example
concatenation examples :

of

several

different

/*
Adding Strings together Examples of how to add
strings together You can also add several different data
types to string, as shown here: */
// declare three strings:
String stringOne, stringTwo, stringThree;
58

void setup() {
// initialize serial and wait for port to open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for Leonardo only
}
stringOne = String("stringThree = ");
stringTwo = String("this string");
stringThree = String ();
// send an intro:
Serial.println("\n\nAdding strings together
(concatenation):");
Serial.println();
}
void loop() {
// adding a constant integer to a string:
stringThree = stringOne + 123;
Serial.println(stringThree);
// prints "stringThree = 123"
// adding a constant long interger to a string:
stringThree = stringOne + 123456789;
Serial.println(stringThree);
// prints " You added 123456789"
// adding a constant character to a string:
stringThree = stringOne + 'A';
Serial.println(stringThree);
// prints "You added A"
// adding a constant string to a string:
stringThree = stringOne + "abc";
Serial.println(stringThree);
// prints "You added abc"
stringThree = stringOne + stringTwo;
Serial.println(stringThree);
// prints "You added this string"
// adding a variable integer to a string:
int sensorValue = analogRead(A0); stringOne = "Sensor
value: ";
stringThree = stringOne + sensorValue;
59

Serial.println(stringThree);
whatever value analogRead(A0) has

// prints "Sensor Value: 401" or

// adding a variable long integer to a string:


long currentTime = millis();
stringOne="millis() value: ";
stringThree = stringOne + millis();
Serial.println(stringThree);
// prints "The millis: 345345" or
whatever value currentTime has
// do nothing while true:
while(true);
}
String indexOf() and lastIndexOf()Method
The String object indexOf() method gives you the ability to search for the first
instance of a particular character value in a String. You can also look for the first
instance of the character after a given offset. The lastIndexOf() method lets you do the
same things from the end of a String.
String stringOne = "<HTML><HEAD><BODY>";
int firstClosingBracket = stringOne.indexOf('>');
In this case, firstClosingBracket equals 5, because the first > character is at position 5 in the
String (counting the first character as 0). If you want to get the second closing bracket,
you can use the fact that you know the position of the first one, and search
from firstClosingBracket + 1 as the offset, like so:

stringOne = "<HTML><HEAD><BODY>";
int secondClosingBracket = stringOne.indexOf('>', firstCl
osingBracket + 1 );
The result would be 11, the position of the closing bracket for the HEAD tag.
If you want to search from the end of the String, you can use the lastIndexOf() method
instead. This function returns the position of the last occurrence of a given character.
60

stringOne = "<HTML><HEAD><BODY>";
int lastOpeningBracket = stringOne.lastIndexOf('<');
In this case, lastOpeningBracket equals 12, the position of the < for the BODY tag. If you
want the opening bracket for the HEAD tag, it would be at stringOne.lastIndexOf('<',
lastOpeningBracket -1), or 6.

Hardware Required
Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

Code
/*
String indexOf() and lastIndexOf() functions
Examples of how to evaluate, look for, and replace
characters in a String*/
void setup() {
// Open serial communications
open:
Serial.begin(9600);

and

wait

for

port

to

61

while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo only
}
// send an intro:
Serial.println("\n\nString indexOf() and
functions:");
Serial.println();

lastIndexOf()

}
void loop() {
// indexOf() returns the position (i.e. index) of a
particular character
// in a string. For example, if you were parsing HTML
tags, you could use it:
String stringOne = "<HTML><HEAD><BODY>";
int firstClosingBracket = stringOne.indexOf('>');
Serial.println("The index of > in the string
" + stringOne + " is " + firstClosingBracket);
stringOne = "<HTML><HEAD><BODY>";
int secondOpeningBracket = firstClosingBracket + 1;
int secondClosingBracket = stringOne.indexOf('>', second
OpeningBracket );
Serial.println("The index of the second > in the string
" + stringOne + "
is
" + secondClosingBracket);
// you can also use indexOf() to search for Strings:
stringOne = "<HTML><HEAD><BODY>";
int bodyTag = stringOne.indexOf("<BODY>");
Serial.println("The index of the body tag in the
string" + stringOne + " is " + bodyTag);
stringOne = "<UL><LI>item<LI>item<LI>item</UL>";
int firstListItem = stringOne.indexOf("<LI>");
int secondListItem = stringOne.indexOf("item", firstList
Item + 1 );
Serial.println("The index of the second list item in the
string " + stringOne + " is " + secondClosingBracket);
62

// lastIndexOf() gives you the last occurrence of a


character or string:
int lastOpeningBracket = stringOne.lastIndexOf('<');
Serial.println("The index of the last < in the
string" + stringOne + " is " + lastOpeningBracket);
int lastListItem
= stringOne.lastIndexOf("<LI>");
Serial.println("The index of the last list item in the
string
" + stringOne + "
is
" + lastListItem);
// lastIndexOf() can also search for a string:
stringOne = "<p>Lorem
ipsum
dolor
sit
amet</p><p>Ipsem</p><p>Quod</p>";
int lastParagraph = stringOne.lastIndexOf("<p");
int secondLastGraf = stringOne.lastIndexOf("<p", lastPar
agraph - 1);
Serial.println("The index of the second last paragraph
tag
" + stringOne + "
is
" + secondLastGraf);
// do nothing while true:
while(true);
}
String Appending Operators
Just as you can concatenate Strings with other data objects using
the StringAdditionOperator, you can also use the +=operator and the cconcat() method to
append things to Strings. The += operator and the concat() method work the same way,
it's just a matter of which style you prefer. The two examples below illustrate both,
and result in the same String:
String stringOne = "A long integer: ";
// using += to add a long variable to a string:
stringOne += 123456789;
or
String stringTwo = "A long integer: ";
63

// using concat() to add a long variable to a string:


stringTwo.concat(123456789);
In both cases, stringOne equals "A long integer: 123456789". Like the + operator, these
operators are handy for assembling longer strings from a combination of data objects.

Hardware Required:
Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

Code
/*
Appending to Strings using the += operator and
concat()
Examples of how to append different data types to
strings */
String stringOne, stringTwo;
void setup() {
// Open serial communications and wait for port to open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for Leonardo only
}
stringOne = String("Sensor ");
64

stringTwo = String("value");
// send an intro:
Serial.println("\n\nAppending to a string:");
Serial.println();
}
void loop() {
Serial.println(stringOne);
// adding a string to a string:
stringOne += stringTwo;
Serial.println(stringOne);

// prints "Sensor "

// prints "Sensor value"

// adding a constant string to a string:


stringOne += " for input ";
Serial.println(stringOne); // prints "Sensor value for input"
//

adding

constant

Serial.println(stringOne);
//
adding
a
constant
stringOne += 0;
Serial.println(stringOne);
// adding a constant string to a string:
stringOne += ": ";
Serial.println(stringOne);
// adding a variable integer to a string:

character

to
a
string:
stringOne += 'A';
// prints "Sensor value for input A"
integer

to

string:

// prints "Sensor value for input A0"

// prints "Sensor value for input"

stringOne += analogRead(A0);
Serial.println(stringOne);
// prints "Sensor value for input A0:
456"
or whatever analogRead(A0) is
Serial.println("\n\nchanging the Strings' values");
stringOne = "A long integer: ";
stringTwo = "The millis(): ";
// adding a constant long integer to a string:
65

stringOne += 123456789;
Serial.println(stringOne);

// prints "A long integer: 123456789"

// using concat() to add a long variable to a string:


stringTwo.concat(millis());
Serial.println(stringTwo); // prints "The millis(): 43534" or whatever
the value of the millis() is
// do nothing while true:
while(true);
}
String length() and trim() Commands
You can get the length of a Strings using the length() command, or eliminate extra
characters using the trim() command. This example shows you how to use both
commands.

Hardware Required

Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

66

Code
returns the length of a String. There are many occasions when you need this.
For example,if you wanted to make sure a String was less than 140 characters, to fit it
in a text message, you could do this:
length()

/* String length() Examples of how to use length() in a


String. Open the Serial Monitor and start sending
characters to see the results.*/
String txtMsg = "";
for
incoming text
int lastStringLength = txtMsg.length();
length of the String

// a string
// previous

void setup() {
// Open serial communications and wait for port
open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo only
}

to

// send an intro:
Serial.println("\n\nString length():");
Serial.println();
}
void loop() {
// add any incoming characters to the String:
while (Serial.available() > 0) {
char inChar = Serial.read();
txtMsg += inChar;
}
// print the message and a notice if it's changed:
if (txtMsg.length() != lastStringLength) {
Serial.println(txtMsg);
Serial.println(txtMsg.length());
67

// if the String's longer than 140 characters,


complain:
if (txtMsg.length() < 140) {
Serial.println("That's a perfectly acceptable text message");
}
else {
Serial.println("That's too long for a text message.");
}
// note the length for next time through the loop:
lastStringLength = txtMsg.length();
}
}
is useful for when you know there are extraneous whitespace characters on the
beginning or the end of a String and you want to get rid of them. Whitespace refers to
characters that take space but aren't seen. It includes the single space (ASCII 32), tab
(ASCII 9), vertical tab (ASCII 11), form feed (ASCII 12), carriage return (ASCII 13),
or newline (ASCII 10). The example below shows a String with whitespace, before
and after trimming:
trim()

/* String length() and trim() Examples of how to use


length() and trim() in a String */
void setup() {
// Open serial communications and wait for port
open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo only
}

to

// send an intro:
Serial.println("\n\nString length() and trim():");
Serial.println();
}
void loop() {
// here's a String with empty spaces at the end (called
white space):
68

String stringOne = "Hello!


";
Serial.print(stringOne);
Serial.print("<--- end of string. Length: ");
Serial.println(stringOne.length());
// trim the white space off the string:
stringOne.trim();
Serial.print(stringOne);
Serial.print("<--- end of trimmed string. Length: ");
Serial.println(stringOne.length());
// do nothing while true:
while(true);
}
String Case Change Functions
The String case change functions allow you to change the case of a String. They work
just as their names imply.toUpperCase() changes the whole string to upper case
characters, and toLowerCase() changes the whole String to lower case characters. Only
the characters A to Z or a to z are affected.

Hardware Required:

Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

69

Code
/*
String Case changes Examples of how to change the case
of a string */
void setup() {
// Open serial communications
open:
Serial.begin(9600);

and

wait

for

port

to

while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo only
}
// send an intro:
Serial.println("\n\nString
Serial.println();

case changes:");

}
void loop() {
// toUpperCase() changes all letters to upper case:
String stringOne = "<html><head><body>";
Serial.println(stringOne);
stringOne.toUpperCase();
Serial.println(stringOne);
// toLowerCase() changes all letters to lower case:
String stringTwo = "</BODY></HTML>";
Serial.println(stringTwo);
stringTwo.toLowerCase();
Serial.println(stringTwo);
// do nothing while true:
while(true);
}
String replace Function

70

The String replace() function allows you to replace all instances of a given character
with another character. You can also use replace to replace substrings of a string with a
different substring.

Hardware Required
Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

Code
Caution: If you try to replace a substring that's more than the whole string itself,
nothing will be replaced. For example:
String stringOne = "<html><head><body>";
String
stringTwo = stringOne.replace("<html><head></head><body></body
</html>", "Blah");

In this case, the code will compile, but stringOne will remain unchanged, since the
replacement substring is more than the String itself.

71

/* String replace()
Examples of how to replace characters or substrings of a
string */
void setup() {
// Open serial communications and wait for port
open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo only
}

to

// send an intro:
Serial.println("\n\nString replace:\n");
Serial.println();
}
void loop() {
String stringOne = "<html><head><body>";
Serial.println(stringOne);
// replace() changes all instances of one substring
with
another:
// first, make a copy of th original string:
String stringTwo = stringOne;
// then perform the replacements:
stringTwo.replace("<", "</");
// print the original:
Serial.println("Original string: " + stringOne);
// and print the modified string:
Serial.println("Modified string: " + stringTwo);
// you can also use replace() on single characters:
String normalString = "bookkeeper";
Serial.println("normal: " + normalString);
String leetString = normalString;
leetString.replace('o', '0');
leetString.replace('e', '3');
Serial.println("l33tspeak: " + leetString);
72

// do nothing while true:


while(true);
}
String Remove Method
The remove() method of the String class allows you to remove a specific part of a String. It can
be used with one or two arguments. With one argument, the string from that index to the end is
removed. With two arguments, the first argument is the index of the start of the cut, and the
second argument is the length of the cut.
In this example, the Arduino prints on the serial monitor a full string and the same string with a
portion removed. Both ways of calling the method are demonstrated.

Hardware Required:
Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your computer
via USB.

Code
/*
Example of the String remove() method
Print on the serial monitor a full string, and then the
string with a portion removed.
Both removal methods are demonstrated.
The circuit:
73

No

external

components

needed. */

// example string

String exString = "Hello World!";

void setup() {
// Open serial communications and wait for port to open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for Leonardo only
}
// send an intro:
Serial.println("\n\nString remove() method example");
Serial.println();
}
void loop() {
// Print the initial string
Serial.println("The full string:");
Serial.println(exString);
// Removing from an index through the end
exString.remove(7);
// Remove from from index=7 through the end of
the string
Serial.println("String after removing from the seventh
index through the end");
Serial.println(exString); // Should be just "Hello W"
// Removing only a portion in the middle of a string
exString = "Hello World!";
exString.remove(2, 6); // Remove six characters starting at index=2
Serial.println("String after removing six characters
starting at the third position");
Serial.println(exString); // Should be just "Herld!"
Serial.println();
Serial.println();
while(1)
; // no need to do it again
}
74

String Character Functions


The String functions charAt() and setCharAt() are used to get or set the value of a character
at a given position in a String.
At their simplest, these functions help you search and replace a given character. For
example, the following replaces the colon in a given String with an equals sign:

String reportString = "SensorReading: 456";


int colonPosition = reportString.indexOf(':');
reportString.setCharAt(colonPosition, '=');

Here's an example that checks to see if the first letter of the second word is 'B':

String reportString = "Franklin, Benjamin";


int spacePosition = reportString.indexOf(' ');
if (reportString.charAt(spacePosition + 1) == 'B') {
Serial.println("You might have found the Benjamins.")
}
Caution: If you try to get the charAt or try to setCharAt() a value that's longer than the
String's length, you'll get unexpected results. If you're not sure, check to see that the
position you want to set or get is less than the string's length using the length() function.

Hardware Required:

Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

75

Code
/*
String charAt() and setCharAt()
Examples of how to get and
String */

set

characters

of

void setup() {
// Open serial communications and wait for port
open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo only
}
Serial.println("\n\nString

to

charAt() and setCharAt():");

}
void loop() {
// make a string to report a sensor reading:
String reportString = "SensorReading: 456";
Serial.println(reportString);
// the reading's most significant digit is at position
15 in the reportString:
char mostSignificantDigit = reportString.charAt(15);
Serial.println("Most significant digit of the sensor reading
is: " + mostSignificantDigit);
// add blank space:
76

Serial.println();
// you can alo set the character of a string. Change
the
: to a = character
reportString.setCharAt(13, '=');
Serial.println(reportString);
// do nothing while true:
while(true);
}
String startsWith and endsWith Functions
The String functions startsWith() and endsWith() allow you to check what character or
substring a given String starts or ends with. They're basically special cases of substring.

Hardware Required
Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

Code
and endsWith() can be used to look for a particular message header, or for a
single character at the end of a String. They can also be used with an offset to look for
a substring starting at a particular position. For example:
startsWith()

77

stringOne = "HTTP/1.1 200 OK";


if (stringOne.startsWith("200 OK", 9)) {
Serial.println("Got an OK from the server");
}

This is functionally the same as this:

stringOne = "HTTP/1.1 200 OK";


if (stringOne.substring(9) == "200 OK") {
Serial.println("Got an OK from the server");
}
String Comparison Operators
The String comparison
operators, ==, !=,>, < ,>=, <= ,
and
the
functions equals() and equalsIgnoreCase() allow you to make alphabetic comparisons
between Strings. They're useful for sorting and alphabetizing, among other things.
The operator == and the function equals() perform identically. It's just a matter of which
you prefer. So

if (stringOne.equals(stringTwo)) {
is identical to
if (stringOne ==stringTwo) {
The greater than and less than operators evaluate strings in alphabetical order, on the
first character where the two differ. So, for example "a" < "b" and "1" < "2", but "999">
"1000" because 9 comes after 1.
Caution: String comparison operators can be confusing when you're comparing
numeric strings, because you're used to thinking of them as numbers, not strings. If
78

you have to compare numbers, compare them as ints, floats, or longs, and not as
Strings.

Hardware Required
Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

Code
/*
Comparing Strings Examples of how to compare strings
using
the
comparison
operators */
String stringOne, stringTwo;
void setup() {
// Open serial communications and wait for port to
open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo
Only
}

79

stringOne = String("this");
stringTwo = String("that");
// send an intro:
Serial.println("\n\nComparing Strings:");
Serial.println();
}
void loop() {
// two strings equal:
if (stringOne == "this") {
Serial.println("StringOne == \"this\"");
}
// two strings not equal:
if (stringOne != stringTwo) {
Serial.println(stringOne + " =! " + stringTwo);
}
// two strings not equal (case sensitivity matters):
stringOne = "This";
stringTwo = "this";
if (stringOne != stringTwo) {
Serial.println(stringOne + " =! " + stringTwo);
}
// you can also use equals() to see if two strings are
the same:
if (stringOne.equals(stringTwo)) {
Serial.println(stringOne + " equals " + stringTwo);
}
else {
Serial.println(stringOne + "
does
not
equal" + stringTwo);
}
// or perhaps you want to ignore case:
if (stringOne.equalsIgnoreCase(stringTwo)) {
Serial.println(stringOne + " equals (ignoring case)
" + stringTwo);
}
else {
80

Serial.println(stringOne + " does not equal (ignoring


case) " + stringTwo);
}
// a numeric string compared to the number
represents:
stringOne = "1";
int numberOne = 1;
if (stringOne.toInt() == numberOne) {
Serial.println(stringOne + " = " + numberOne);
}
// two numeric strings compared:
stringOne = "2";
stringTwo = "1";
if (stringOne >= stringTwo) {
Serial.println(stringOne + " >= " + stringTwo);
}

it

// comparison operators can be used to compare strings


for alphabetic sorting too:
stringOne = String("Brown");
if (stringOne < "Charles") {
Serial.println(stringOne + " < Charles");
}
if (stringOne > "Adams") {
Serial.println(stringOne + " > Adams");
}
if (stringOne <= "Browne") {
Serial.println(stringOne + " <= Browne");
}
if (stringOne >= "Brow") {
Serial.println(stringOne + " >= Brow");
}
// the compareTo() operator also allows you to compare
Strings
81

//
it
evaluates
on
the
first
character
that's
different.
// if the first character of the string you're
comparing
To
// comes first in alphanumeric order, then compareTo()
is greater than 0:
stringOne = "Cucumber";
stringTwo = "Cucuracha";
if (stringOne.compareTo(stringTwo) < 0 ) {
Serial.println(stringOne + " comes before
" + stringTwo);
}
else {
Serial.println(stringOne + " comes after
" + stringTwo);
}
delay(10000);

// because the next part is a loop:

// compareTo() is handy when you've got strings with


numbers in them too:
while (true) {
stringOne = "Sensor: ";
stringTwo= "Sensor: ";
stringOne += analogRead(A0);
stringTwo += analogRead(A5);
if (stringOne.compareTo(stringTwo) < 0 ) {
Serial.println(stringOne + " comes before
" + stringTwo);
}
else {
Serial.println(stringOne + " comes after
" + stringTwo);
}
}
82

}
String substring Function
The String function substring() is
closely
related
to charAt(), startsWith() and endsWith(). It allows you to look for an instance of a
particular substring within a given String.

Hardware Required
Arduino Board

Circuit
There is no circuit for this example, though your Arduino must be connected to your
computer via USB.

Code
with only one parameter looks for a given substring from the position given
to the end of the string. It expects that the substring extends all the way to the end of
the String. For example:
substring()

String stringOne = "Content-Type: text/html";


// substring(index) looks for the substring from the
index position to the end:
if (stringOne.substring(19) == "html") {
}
83

is true, while
String stringOne = "Content-Type: text/html";
// substring(index) looks for the substring from the
index position to the end:
if (stringOne.substring(19) == "htm") {
}
is not true,
String.

because

there's

an

after

the

htm

in

the

with two parameters looks for a given substring from the first parameter to
the second. For example:
substring()

String stringOne = "Content-Type: text/html";


// you can also look for a substring in the middle of a
string:
if (stringOne.substring(14,18) == "text") {
}
This looks for the word text from positions 14 through 18 of the String.
Caution: make sure your index values are within the String's length or you'll get
unpredictable results. This kind of error can be particularly hard to find with the
second instance of substring() if the starting position is less than the String's length, but
the ending position isn't.

/* String substring() Examples of how to use substring


in a String */
void setup() {

84

// Open serial communications and wait for port


open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo only
}

to

// send an intro:
Serial.println("\n\nString substring():");
Serial.println();
}
void loop() {
// Set up a String:
String stringOne = "Content-Type: text/html";
Serial.println(stringOne);
// substring(index) looks for the substring from the
index position to the end:
if (stringOne.substring(19) == "html") {
Serial.println("It's an html file");
}
// you can also look for a substring in the middle of a
string:
if (stringOne.substring(14,18) == "text") {
Serial.println("It's a text-based file");
}
// do nothing while true:
while(true);
}

Arrays
An array is a collection of variables that are accessed with an index number. Arrays in
the C programming language, on which Arduino is based, can be complicated, but
using simple arrays is relatively straightforward.
Creating (Declaring) an Array
85

All of the methods below are valid ways to create (declare) an array.

int myInts[6];
int myPins[] = {2, 4, 8, 3, 6};
int mySensVals[6] = {2, 4, -8, 3, 2};
char message[6] = "hello";

You can declare an array without initializing it as in myInts.


In myPins we declare an array without explicitly choosing a size. The compiler counts
the elements and creates an array of the appropriate size.
Finally you can both initialize and size your array, as in mySensVals. Note that when
declaring an array of type char, one more element than your initialization is required,
to hold the required null character.
Accessing an Array
Arrays are zero indexed, that is, referring to the array initialization above, the first
element of the array is at index 0, hence
mySensVals[0] == 2, mySensVals[1] == 4,

and so forth. It also means that in an array with ten elements, index nine is the last
element. Hence:

int myArray[10]={9,3,2,4,3,2,7,8,9,11};
// myArray[9] contains 11
// myArray[10] is invalid and contains random information (other memory address)

For this reason you should be careful in accessing arrays. Accessing past the end of an
array (using an index number greater than your declared array size - 1) is reading from
memory that is in use for other purposes. Reading from these locations is probably not
going to do much except yield invalid data. Writing to random memory locations is
definitely a bad idea and can often lead to unhappy results such as crashes or program
malfunction. This can also be a difficult bug to track down.
86

Unlike BASIC or JAVA, the C compiler does no checking to see if array access is
within legal bounds of the array size that you have declared.

To assign a value to an array:


mySensVals[0] = 10;

To retrieve a value from an array:


x = mySensVals[4];

Arrays and FOR Loops


Arrays are often manipulated inside for loops, where the loop counter is used as the
index for each array element. For example, to print the elements of an array over the
serial port, you could do something like this:
int i;
for (i = 0; i < 5; i = i + 1) {
Serial.println(myPins[i]);
}

Conversion
char()

Description
Converts a value to the char data type.

Syntax
char(x)

Parameters
x: a value of any type

Returns
char
byte()
87

Description
Converts a value to the byte data type.

Syntax
byte(x)

Parameters
x: a value of any type

Returns
Byte
int()

Description
Converts a value to the int data type.

Syntax
int(x)

Parameters
x: a value of any type

Returns
int
word()

Description
Convert a value to the word data type or create a word from two bytes.

88

Syntax
word(x)
word(h, l)

Parameters
x: a value of any type
h: the high-order (leftmost) byte of the word
l: the low-order (rightmost) byte of the word

Returns
word
long()

Description
Converts a value to the long data type.

Syntax
long(x)

Parameters
x: a value of any type

Returns
long
float()

Description
Converts a value to the float data type.
89

Syntax
float(x)

Parameters
x: a value of any type

Returns
float

Notes
See the reference for float for details about the precision and limitations of floating
point numbers on Arduino.

Variable Scope & Qualifiers


Variable Scope
Variables in the C programming language, which Arduino uses, have a property
called scope. This is in contrast to early versions of languages such as BASIC where
every variable is a global variable.
A global variable is one that can be seen by every function in a program. Local
variables are only visible to the function in which they are declared. In the Arduino
environment, any variable declared outside of a function (e.g. setup(), loop(), etc. ), is
a global variable.
When programs start to get larger and more complex, local variables are a useful way
to insure that only one function has access to its own variables. This prevents
programming errors when one function inadvertently modifies variables used by
another function.
It is also sometimes handy to declare and initialize a variable inside a for loop. This
creates a variable that can only be accessed from inside the for-loop brackets.

Example:
int gPWMval; // any function will see this variable

90

void setup()
{
// ...
}
void loop()
{
int i; // "i" is only "visible" inside of "loop"
float f; // "f" is only "visible" inside of "loop"
// ...
for (int j = 0; j <100; j++){
// variable j can only be accessed inside the for-loop brackets
}
}

Static
The static keyword is used to create variables that are visible to only one function.
However unlike local variables that get created and destroyed every time a function is
called, static variables persist beyond the function call, preserving their data between
function calls.
Variables declared as static will only be created and initialized the first time a function
is called.

Example
/* RandomWalk
* Paul Badger 2007
* RandomWalk wanders up and down randomly between two
* endpoints. The maximum move in one loop is governed by
* the parameter "stepsize".
* A static variable is moved up and down a random amount.
* This technique is also known as "pink noise" and "drunken walk".
*/
#define randomWalkLowRange -20
#define randomWalkHighRange 20
int stepsize;
int thisTime;
int total;
void setup()
{
Serial.begin(9600);
}
void loop()
{
// tetst randomWalk function

91

stepsize = 5;
thisTime = randomWalk(stepsize);
Serial.println(thisTime);
delay(10);

int randomWalk(int moveSize){


static int place;
// variable to store value in random walk - declared static so that it
stores
// values in between function calls, but no other functions can change its
value
place = place + (random(-moveSize, moveSize + 1));
if (place < randomWalkLowRange){
// check lower and upper limits
place = place + (randomWalkLowRange - place);
// reflect number back in positive
direction
}
else if(place > randomWalkHighRange){
place = place - (place - randomWalkHighRange);
// reflect number back in negative
direction
}
}

return place;

volatile keyword
volatile is a keyword known as a variable qualifier, it is usually used before the
datatype of a variable, to modify the way in which the compiler and subsequent
program treats the variable.
Declaring a variable volatile is a directive to the compiler. The compiler is software
which translates your C/C++ code into the machine code, which are the real
instructions for the Atmega chip in the Arduino.
Specifically, it directs the compiler to load the variable from RAM and not from a
storage register, which is a temporary memory location where program variables are
stored and manipulated. Under certain conditions, the value for a variable stored in
registers can be inaccurate.
A variable should be declared volatile whenever its value can be changed by
something beyond the control of the code section in which it appears, such as a
concurrently executing thread. In the Arduino, the only place that this is likely to
occur is in sections of code associated with interrupts, called an interrupt service
routine.

92

Example
// toggles LED when interrupt pin changes state
int pin = 13;
volatile int state = LOW;
void setup()
{
pinMode(pin, OUTPUT);
attachInterrupt(0, blink, CHANGE);
}
void loop()
{
digitalWrite(pin, state);
}
void blink()
{
state = !state;
}

const keyword
The const keyword stands for constant. It is a variable qualifier that modifies the
behavior of the variable, making a variable "read-only". This means that the variable
can be used just as any other variable of its type, but its value cannot be changed. You
will get a compiler error if you try to assign a value to a const variable.
Constants defined with the const keyword obey the rules of variable scoping that
govern other variables. This, and the pitfalls of using #define, makes
the const keyword a superior method for defining constants and is preferred over
using#define.

Example
const float pi = 3.14;
float x;
// ....
x = pi * 2;
pi = 7;

// it's fine to use const's in math


// illegal - you can't write to (modify) a constant

#define or const
You can use either const or #define for creating numeric or string constants.
For arrays, you will need to use const. In general const is preferred over #define for
defining constants.
93

Utilities
sizeof ()

Description
The sizeof operator returns the number of bytes in a variable type, or the number of
bytes occupied by an array.

Syntax
sizeof(variable)

Parameters
variable: any variable type or array (e.g. int, float, byte)

Example code
The sizeof operator is useful for dealing with arrays (such as strings) where it is
convenient to be able to change the size of the array without breaking other parts of
the program.
This program prints out a text string one character at a time. Try changing the text
phrase.

char myStr[] = "this is a test";


int i;
void setup(){
Serial.begin(9600);
}
void loop() {
for (i = 0; i < sizeof(myStr) - 1; i++){
Serial.print(i, DEC);
Serial.print(" = ");
Serial.write(myStr[i]);
94

Serial.println();
}
delay(5000); // slow down the program
}
Note that sizeof returns the total number of bytes. So for larger variable types such as
ints, the for loop would look something like this. Note also that a properly formatted
string ends with the NULL symbol, which has ASCII value 0.
for (i = 0; i < (sizeof(myInts)/sizeof(int)) - 1; i++) {
// do something with myInts[i]
}

PROGMEM
Store data in flash (program) memory instead of SRAM. There's a description of the
various types of memory available on an Arduino board.
The PROGMEM keyword is a variable modifier, it should be used only with the
datatypes defined in pgmspace.h. It tells the compiler "put this information into flash
memory", instead of into SRAM, where it would normally go.
PROGMEM is part of the pgmspace.h library. So you first need to include the library
at the top your sketch, like this:

#include <avr/pgmspace.h>

Syntax
const datatype
variableName[] PROGMEM = {data0, data1, data3...};

dataType - any variable type


variableName - the name for your array of data

Note that because PROGMEM is a variable modifier, there is no hard and fast rule
about where it should go, so the Arduino compiler accepts all of the definitions below,
which are also synonymous. However experiments have indicated that, in various
versions of Arduino (having to do with GCC version), PROGMEM may work in one
location and not in another. The "string table" example below has been tested to work
95

with Arduino 13. Earlier versions of the IDE may work better if PROGMEM is
included after the variable name.
const dataType variableName[] PROGMEM = {};
// use this
form
const PROGMEM dataType variableName[] = {}; // or this
form
const dataType PROGMEM variableName[] = {};
// not this
one
While PROGMEM could be used on a single variable, it is really only worth the fuss
if you have a larger block of data that needs to be stored, which is usually easiest in an
array, (or another C data structure beyond our present discussion).
Using PROGMEM is also a two-step procedure. After getting the data into Flash
memory, it requires special methods (functions), also defined in
the pgmspace.h library, to read the data from program memory back into SRAM, so
we can do something useful with it.

Example
The following code fragments illustrate how to read and write chars (bytes) and ints (2
bytes) to PROGMEM.
#include <avr/pgmspace.h>
// save some unsigned ints
const PROGMEM uint16_t
charSet[] = { 65000, 32796, 16843, 10, 11234};
// save some chars
const char signMessage[] PROGMEM
= {"I
AM
PREDATOR,
UNSEEN
COMBATANT. CREATED BY THE UNITED STATES DEPART"};
unsigned int displayInt;
int k;
// counter variable
char myChar;
96

void setup() {
Serial.begin(9600);
while (!Serial);
// put your setup code here, to run once:
// read back a 2-byte int
for (k = 0; k < 5; k++)
{
displayInt = pgm_read_word_near(charSet + k);
Serial.println(displayInt);
}
Serial.println();
// read back a char
for (k = 0; k < strlen(signMessage); k++)
{
myChar = pgm_read_byte_near(signMessage + k);
Serial.print(myChar);
}
Serial.println();
}
void loop() {
// put your main code here, to run repeatedly:
}
Arrays of strings
It is often convenient when working with large amounts of text, such as a project with
an LCD display, to setup an array of strings. Because strings themselves are arrays,
this is in actually an example of a two-dimensional array.
These tend to be large structures so putting them into program memory is often
desirable. The code below illustrates the idea.
/* PROGMEM string demo How to store a table of strings in
program memory (flash), and retrieve them.
Setting up a table (array) of strings in program memory
is slightly complicated, but here is a good template to
follow.
97

Setting up the strings


define the strings.*/

is

two-step

process.

#include <avr/pgmspace.h>
const char string_0[] PROGMEM = "String 0";
0"
etc are strings to store - change to suit.
const char string_1[] PROGMEM = "String 1";
const char string_2[] PROGMEM = "String 2";
const char string_3[] PROGMEM = "String 3";
const char string_4[] PROGMEM = "String 4";
const char string_5[] PROGMEM = "String 5";

//

First

"String

// Then set up a table to refer to your strings.


const char* const
string_table[] PROGMEM = {string_0, string_1, string_2, st
ing_3, string_4, string_5};
char buffer[30];
// make sure this is large enough for
the largest string it must hold
void setup()
{
Serial.begin(9600);
while(!Serial);
Serial.println("OK");
}
void loop(){
/* Using the string table in program memory requires
the
use of special functions to retrieve the data.
The strcpy_P function copies a string from program
space to a string in RAM ("buffer").
Make sure your receiving string in RAM is large
enough
to hold whatever
you are retrieving from program space. */
for (int i = 0; i < 6; i++)
98

{
strcpy_P(buffer, (char*)pgm_read_word(&(string_table[
]))); // Necessary casts and dereferencing, just copy.
Serial.println(buffer);
delay( 500 );
}
}

Functions
Functions
Segmenting code into functions allows a programmer to create modular pieces of code that
perform a defined task and then return to the area of code from which the function was "called".
The typical case for creating a function is when one needs to perform the same action multiple
times in a program.
For programmers accustomed to using BASIC, functions in Arduino provide (and extend) the
utility of using subroutines (GOSUB in BASIC).
Standardizing code fragments into functions has several advantages:

Functions help the programmer stay organized. Often this helps to


conceptualize the program.
Functions codify one action in one place so that the function only has to be
thought out and debugged once.
This also reduces chances for errors in modification, if the code needs to be
changed.
Functions make the whole sketch smaller and more compact because sections
of code are reused many times.
They make it easier to reuse code in other programs by making it more
modular, and as a nice side effect, using functions also often makes the code more
readable.
There are two required functions in an Arduino sketch, setup() and loop(). Other functions must
be created outside the brackets of those two functions. As an example, we will create a simple
function to multiply two numbers.

99

Example

To "call" our simple multiply function, we pass it parameters of the datatype that it is expecting:

void loop{
int i = 2;
int j = 3;
int k;
k = myMultiplyFunction(i, j); // k now contains 6
}
Our function needs to be declared outside any other function,
"myMultiplyFunction()" can go either above or below the "loop()" function.

so

The entire sketch would then look like this:

void setup(){
Serial.begin(9600);
}
void loop() {
int i = 2;
int j = 3;
int k;
100

k = myMultiplyFunction(i, j); // k now contains 6


Serial.println(k);
delay(500);
}
int myMultiplyFunction(int x, int y){
int result;
result = x * y;
return result;
}

Another example
This function will read a sensor five times with analogRead() and calculate the
average of five readings. It then scales the data to 8 bits (0-255), and inverts it,
returning the inverted result.

int ReadSens_and_Condition(){
int i;
int sval = 0;
for (i = 0; i < 5; i++){
sval = sval + analogRead(0);

// sensor on analog pin

0
}
sval = sval / 5;
// average
sval = sval / 4;
// scale to 8 bits (0 - 255)
sval = 255 - sval; // invert output
return sval;
}
To call our function we just assign it to a variable.

int sens;
sens = ReadSens_and_Condition();
101

Digital I/O
pinMode()

Description
Configures the specified pin to behave either as an input or an output. See the
description of digital pins for details on the functionality of the pins.
As of Arduino 1.0.1, it is possible to enable the internal pullup resistors with the mode
INPUT_PULLUP. Additionally, the INPUT mode explicitly disables the internal
pullups.

Syntax
pinMode(pin, mode)

Parameters
pin: the number of the pin whose mode you wish to set
mode: INPUT, OUTPUT, or INPUT_PULLUP. (see the digital pins page for a more
complete description of the functionality.)

Returns
None

Example
int ledPin = 13;

// LED connected to digital pin 13

void setup()
{
pinMode(ledPin, OUTPUT);
as
output
}
void loop()
{
digitalWrite(ledPin, HIGH);

// sets the digital pin

// sets the LED on


102

delay(1000);
digitalWrite(ledPin, LOW);
delay(1000);

// waits for a second


// sets the LED off
// waits for a second

Note
The analog input pins can be used as digital pins, referred to as A0, A1, etc.
digitalWrite()

Description
Write a HIGH or a LOW value to a digital pin.
If the pin has been configured as an OUTPUT with pinMode(), its voltage will be set
to the corresponding value: 5V (or 3.3V on 3.3V boards) for HIGH, 0V (ground) for
LOW.
If the pin is configured as an INPUT, digitalWrite() will enable (HIGH) or disable
(LOW) the internal pullup on the input pin. It is recommended to set the pinMode()
to INPUT_PULLUP to enable the internal pull-up resistor.
NOTE: If you do not set the pinMode() to OUTPUT, and connect an LED to a pin,
when calling digitalWrite(HIGH), the LED may appear dim. Without explicitly setting
pinMode(), digitalWrite() will have enabled the internal pull-up resistor, which acts
like a large current-limiting resistor.

Syntax
digitalWrite(pin, value)

Parameters
pin: the pin number
value: HIGH or LOW

103

Returns
none

Example
int ledPin = 13;

// LED connected to digital pin 13

void setup()
{
pinMode(ledPin, OUTPUT);
}

// sets the digital pin as output

void loop()
{
digitalWrite(ledPin, HIGH); // sets the LED on
delay(1000);
// waits for a second
digitalWrite(ledPin, LOW); // sets the LED of
delay(1000);
// waits for a second
}

Sets pin 13 to HIGH, makes a one-second-long delay, and sets the pin back to LOW.

Note
The analog input pins can be used as digital pins, referred to as A0, A1, etc.
digitalRead()

Description
Reads the value from a specified digital pin, either HIGH or LOW.

Syntax
digitalRead(pin)

Parameters
pin: the number of the digital pin you want to read (int)

Returns
HIGH or LOW
104

Example
Sets pin 13 to the same value as pin 7, declared as an input.
int ledPin = 13; // LED connected to digital pin 13
int inPin = 7;
// pushbutton connected to digital pin 7
int val = 0;
// variable to store the read value
void setup()
{
pinMode(ledPin, OUTPUT);
as output
pinMode(inPin, INPUT);
input
}
void loop()
{
val = digitalRead(inPin);
digitalWrite(ledPin, val);
button's value
}

// sets the digital pin 13


// sets the digital pin 7 as

// read the input pin


// sets the LED to the

Note
If the pin isn't connected to anything, digitalRead() can return either HIGH or LOW
(and this can change randomly).
The analog input pins can be used as digital pins, referred to as A0, A1, etc.
Analog I/O
analogReference()

Description
Configures the reference voltage used for analog input (i.e. the value used as the top
of the input range). The options are:

DEFAULT: the default analog reference of 5 volts (on 5V Arduino boards) or


3.3 volts (on 3.3V Arduino boards)
105

INTERNAL: an built-in reference, equal to 1.1 volts on


the ATmega168 or ATmega328 and 2.56 volts on the ATmega8 (not available on the
Arduino Mega)
INTERNAL1V1: a built-in 1.1V reference (Arduino Mega only)
INTERNAL2V56: a built-in 2.56V reference (Arduino Mega only)
EXTERNAL: the voltage applied to the AREF pin (0 to 5V only) is used as the
reference.

Syntax
analogReference(type)

Parameters
type:
which
type
of
reference
to
use
INTERNAL, INTERNAL1V1, INTERNAL2V56, or EXTERNAL).

(DEFAULT,

Returns
None.

Note
After changing the analog reference, the first few readings from analogRead() may
not be accurate.

Warning
Don't use anything less than 0V or more than 5V for external reference voltage on the
AREF pin! If you're using an external reference on the AREF pin, you must set the
analog reference to EXTERNAL before calling analogRead().Otherwise, you will
short together the active reference voltage (internally generated) and the AREF pin,
possibly damaging the microcontroller on your Arduino board.
Alternatively, you can connect the external reference voltage to the AREF pin through
a 5K resistor, allowing you to switch between external and internal reference voltages.
Note that the resistor will alter the voltage that gets used as the reference because
there is an internal 32K resistor on the AREF pin. The two act as a voltage divider, so,
for example, 2.5V applied through the resistor will yield 2.5 * 32 / (32 + 5) = ~2.2V at
the AREF pin.
106

analogRead()

Description
Reads the value from the specified analog pin. The Arduino board contains a 6
channel (8 channels on the Mini and Nano, 16 on the Mega), 10-bit analog to digital
converter. This means that it will map input voltages between 0 and 5 volts into
integer values between 0 and 1023. This yields a resolution between readings of: 5
volts / 1024 units or, .0049 volts (4.9 mV) per unit. The input range and resolution can
be changed using analogReference().
It takes about 100 microseconds (0.0001 s) to read an analog input, so the maximum
reading rate is about 10,000 times a second.

Syntax
analogRead(pin)

Parameters
pin: the number of the analog input pin to read from (0 to 5 on most boards, 0 to 7 on
the Mini and Nano, 0 to 15 on the Mega)

Returns
int (0 to 1023)

Note
If the analog input pin is not connected to anything, the value returned by
analogRead() will fluctuate based on a number of factors (e.g. the values of the other
analog inputs, how close your hand is to the board, etc.).

Example
int analogPin = 3;
// potentiometer wiper (middle terminal)
connected to analog pin 3
// outside leads to ground and +5V
int val = 0;
// variable to store the value read
void setup()
{

107

Serial.begin(9600);

//

setup serial

}
void loop()
{
val = analogRead(analogPin);
Serial.println(val);
}

// read the input pin


// debug value

analogWrite()

Description
Writes an analog value (PWM wave) to a pin. Can be used to light a LED at varying
brightnesses or drive a motor at various speeds. After a call to analogWrite(), the pin
will generate a steady square wave of the specified duty cycle until the next call
to analogWrite() (or a call to digitalRead() or digitalWrite() on the same pin). The
frequency of the PWM signal on most pins is approximately 490 Hz. On the Uno and
similar boards, pins 5 and 6 have a frequency of approximately 980 Hz. Pins 3 and 11
on the Leonardo also run at 980 Hz.
On most Arduino boards (those with the ATmega168 or ATmega328), this function
works on pins 3, 5, 6, 9, 10, and 11. On the Arduino Mega, it works on pins 2 - 13 and
44 - 46. Older Arduino boards with an ATmega8 only support analogWrite() on pins
9, 10, and 11.
The Arduino Due supports analogWrite() on pins 2 through 13, plus
pins DAC0 and DAC1. Unlike the PWM pins, DAC0 andDAC1 are Digital to Analog
converters, and act as true analog outputs.
You do not need to call pinMode() to set the pin as an output before calling
analogWrite().
The analogWrite function
the analogRead function.

has

nothing

to

do

with

the

analog

pins

or

Syntax
analogWrite(pin, value)

108

Parameters
pin: the pin to write to.
value: the duty cycle: between 0 (always off) and 255 (always on).

Returns
nothing

Notes and Known Issues


The PWM outputs generated on pins 5 and 6 will have higher-than-expected duty
cycles. This is because of interactions with the millis() and delay() functions, which
share the same internal timer used to generate those PWM outputs. This will be
noticed mostly on low duty-cycle settings (e.g 0 - 10) and may result in a value of 0
not fully turning off the output on pins 5 and 6.

Example
Sets the output to the LED proportional to the value read from the potentiometer.
int ledPin = 9;
int analogPin = 3;
int val = 0;

// LED connected to digital pin 9


// potentiometer connected to analog pin 3
// variable to store the read value

void setup()
{
pinMode(ledPin, OUTPUT);
}

// sets the pin as output

void loop()
{
val = analogRead(analogPin);
// read the input pin
analogWrite(ledPin, val / 4); // analogRead values go from 0
to 1023, analogWrite values from 0 to 255
}

Arduino Due only


analogReadResolution()

109

Description
analogReadResolution() is an extension of the Analog API for the Arduino Due.
Sets the size (in bits) of the value returned by analogRead(). It defaults to 10 bits (returns values
between 0-1023) for backward compatibility with AVR based boards.
The Due has 12-bit ADC capabilities that can be accessed by changing the resolution to 12. This
will return values from analogRead() between 0 and 4095.

Syntax
analogReadResolution(bits)

Parameters
bits: determines the resolution (in bits) of the value returned by analogRead() function. You can
set this 1 and 32. You can set resolutions higher than 12 but values returned by analogRead() will
suffer approximation. See the note below for details.

Returns
None.

Note
If you set the analogReadResolution() value to a value higher than your board's capabilities, the
Arduino will only report back at its highest resolution padding the extra bits with zeros.
For example: using the Due with analogReadResolution(16) will give you an approximated 16bit number with the first 12 bits containing the real ADC reading and the last 4 bits padded with
zeros.
If you set the analogReadResolution() value to a value lower than your board's capabilities, the
extra least significant bits read from the ADC will be discarded.
Using a 16 bit resolution (or any resolution higher than actual hardware capabilities) allows you
to write sketches that automatically handle devices with a higher resolution ADC when these
become available on future boards without changing a line of code.

Example
void setup() {
110

// open a serial connection


Serial.begin(9600);
}
void loop() {
// read the input on A0 at default resolution (10 bits)
// and send it out the serial connection
analogReadResolution(10);
Serial.print("ADC 10-bit (default) : ");
Serial.print(analogRead(A0));
// change the resolution to 12 bits and read A0
analogReadResolution(12);
Serial.print(", 12-bit : ");
Serial.print(analogRead(A0));
// change the resolution to 16 bits and read A0
analogReadResolution(16);
Serial.print(", 16-bit : ");
Serial.print(analogRead(A0));
// change the resolution to 8 bits and read A0
analogReadResolution(8);
Serial.print(", 8-bit : ");
Serial.println(analogRead(A0));
// a little delay to not hog serial monitor
delay(100);
}
analogWriteResolution()

Description
analogWriteResolution() is an extension of the Analog API for the Arduino Due.
analogWriteResolution() sets the resolution of the analogWrite() function. It defaults
to 8 bits (values between 0-255) for backward compatibility with AVR based boards.
The Due has the following hardare capabilities:

12 pins which default to 8-bit PWM, like the AVR-based boards. These can be
changed to 12-bit resolution.
111

2 pins with 12-bit DAC (Digital-to-Analog Converter)

By setting the write resolution to 12, you can use analogWrite() with values between 0
and 4095 to exploit the full DAC resolution or to set the PWM signal without rolling
over.

Syntax
analogWriteResolution(bits)

Parameters
bits: determines the resolution (in bits) of the values used in the analogWrite()
function. The value can range from 1 to 32. If you choose a resolution higher or lower
than your board's hardware capabilities, the value used in analogWrite() will be either
truncated if it's too high or padded with zeros if it's too low. See the note below for
details.

Returns
None.

Note
If you set the analogWriteResolution() value to a value higher than your board's
capabilities, the Arduino will discard the extra bits. For example: using the Due with
analogWriteResolution(16) on a 12-bit DAC pin, only the first 12 bits of the values
passed to analogWrite() will be used and the last 4 bits will be discarded.
If you set the analogWriteResolution() value to a value lower than your board's
capabilities, the missing bits will bepadded with zeros to fill the hardware required
size. For example: using the Due with analogWriteResolution(8) on a 12-bit DAC pin,
the Arduino will add 4 zero bits to the 8-bit value used in analogWrite() to obtain the
12 bits required.

Example
void setup(){
// open a serial connection
Serial.begin(9600);
112

// make our digital pin an output


pinMode(11, OUTPUT);
pinMode(12, OUTPUT);
pinMode(13, OUTPUT);
}
void loop(){
// read the input on A0 and map it to a PWM pin
// with an attached LED
int sensorVal = analogRead(A0);
Serial.print("Analog Read) : ");
Serial.print(sensorVal);
// the default PWM resolution
analogWriteResolution(8);
analogWrite(11, map(sensorVal, 0, 1023, 0 ,255));
Serial.print(" , 8-bit PWM value : ");
Serial.print(map(sensorVal, 0, 1023, 0 ,255));
// change the PWM resolution to 12 bits
// the full 12 bit resolution is only supported
// on the Due
analogWriteResolution(12);
analogWrite(12, map(sensorVal, 0, 1023, 0, 4095));
Serial.print(" , 12-bit PWM value : ");
Serial.print(map(sensorVal, 0, 1023, 0, 4095));
// change the PWM resolution to 4 bits
analogWriteResolution(4);
analogWrite(13, map(sensorVal, 0, 1023, 0, 127));
Serial.print(", 4-bit PWM value : ");
Serial.println(map(sensorVal, 0, 1023, 0, 127));
delay(5);
}
Advanced I/O
tone()

113

Description
Generates a square wave of the specified frequency (and 50% duty cycle) on a pin. A
duration can be specified, otherwise the wave continues until a call to noTone(). The
pin can be connected to a piezo buzzer or other speaker to play tones.
Only one tone can be generated at a time. If a tone is already playing on a different
pin, the call to tone() will have no effect. If the tone is playing on the same pin, the
call will set its frequency.
Use of the tone() function will interfere with PWM output on pins 3 and 11 (on boards
other than the Mega).
It is not possible to generate tones lower than 31Hz. For technical details, see Brett
Hagman's notes.
NOTE: if you want to play different pitches on multiple pins, you need to call
noTone() on one pin before calling tone() on the next pin.

Syntax
tone(pin,
tone(pin, frequency, duration)

frequency)

Parameters
pin: the pin on which to generate the tone
frequency: the frequency of the tone in hertz - unsigned int
duration: the duration of the tone in milliseconds (optional) - unsigned long

Returns
nothing
noTone()

114

Description
Stops the generation of a square wave triggered by tone(). Has no effect if no tone is
being generated.
NOTE: if you want to play different pitches on multiple pins, you need to call
noTone() on one pin before calling tone() on the next pin.

Syntax
noTone(pin)

Parameters
pin: the pin on which to stop generating the tone

Returns
nothing
shiftOut()

Description
Shifts out a byte of data one bit at a time. Starts from either the most (i.e. the leftmost)
or least (rightmost) significant bit. Each bit is written in turn to a data pin, after which
a clock pin is pulsed (taken high, then low) to indicate that the bit is available.
Note: if you're interfacing with a device that's clocked by rising edges, you'll need to
make sure that the clock pin is low before the call to shiftOut(), e.g. with a call to
digitalWrite(clockPin, LOW).
This is a software implementation; see also the SPI library, which provides a hardware
implementation that is faster but works only on specific pins.

Syntax
shiftOut(dataPin, clockPin, bitOrder, value)

115

Parameters
dataPin: the pin on which to output each bit (int)
clockPin: the pin to toggle once the dataPin has been set to the correct value (int)
bitOrder: which order to shift out the bits; either MSBFIRST or LSBFIRST.
(Most Significant Bit First, or, Least Significant Bit First)
value: the data to shift out. (byte)

Returns
None

Note
The dataPin and clockPin must already be configured as outputs by a call
to pinMode().
shiftOut is currently written to output 1 byte (8 bits) so it requires a two step operation
to output values larger than 255.
// Do this for MSBFIRST serial
int data = 500;
// shift out highbyte
shiftOut(dataPin, clock, MSBFIRST, (data >> 8));
// shift out lowbyte
shiftOut(dataPin, clock, MSBFIRST, data);
// Or do this for LSBFIRST serial
data = 500;
// shift out lowbyte
shiftOut(dataPin, clock, LSBFIRST, data);
// shift out highbyte
shiftOut(dataPin, clock, LSBFIRST, (data >> 8));

Example
For accompanying circuit, see the tutorial on controlling a 74HC595 shift register.
116

//**************************************************************//
// Name
: shiftOutCode, Hello World
// Author : Carlyn Maw,Tom Igoe
// Date
: 25 Oct, 2006
// Version : 1.0
// Notes
: Code for using a 74HC595 Shift Register
//
: to count from 0 to 255
//****************************************************************

//
//
//
//
//
//

//Pin connected to ST_CP of 74HC595


int latchPin = 8;
//Pin connected to SH_CP of 74HC595
int clockPin = 12;
////Pin connected to DS of 74HC595
int dataPin = 11;
void setup() {
//set pins to output because they are addressed in the main loop
pinMode(latchPin, OUTPUT);
pinMode(clockPin, OUTPUT);
pinMode(dataPin, OUTPUT);
}
void loop() {
//count up routine
for (int j = 0; j < 256; j++) {
//ground latchPin and hold low for as long as you are transmitting
digitalWrite(latchPin, LOW);
shiftOut(dataPin, clockPin, LSBFIRST, j);
//return the latch pin high to signal chip that it
//no longer needs to listen for information
digitalWrite(latchPin, HIGH);
delay(1000);
}
}
shiftIn()

117

Description
Shifts in a byte of data one bit at a time. Starts from either the most (i.e. the leftmost)
or least (rightmost) significant bit. For each bit, the clock pin is pulled high, the next
bit is read from the data line, and then the clock pin is taken low.
If you're interfacing with a device that's clocked by rising edges, you'll need to make
sure that the clock pin is low before the first call to shiftIn(), e.g. with a call to
digitalWrite(clockPin, LOW).
Note: this is a software implementation; Arduino also provides an SPI library that uses
the hardware implementation, which is faster but only works on specific pins.

Syntax
byte incoming = shiftIn(dataPin, clockPin, bitOrder)

Parameters
dataPin: the pin on which to input each bit (int)
clockPin: the pin to toggle to signal a read from dataPin
bitOrder: which order to shift in the bits; either MSBFIRST or LSBFIRST.
(Most Significant Bit First, or, Least Significant Bit First)

Returns
the value read (byte)
pulseIn()

Description
Reads a pulse (either HIGH or LOW) on a pin. For example,
if value is HIGH, pulseIn() waits for the pin to go HIGH, starts timing, then waits for
the pin to go LOW and stops timing. Returns the length of the pulse in microseconds.
Gives up and returns 0 if no pulse starts within a specified time out.
The timing of this function has been determined empirically and will probably show
errors in longer pulses. Works on pulses from 10 microseconds to 3 minutes in length.
118

Syntax
pulseIn(pin,
pulseIn(pin, value, timeout)

value)

Parameters
pin: the number of the pin on which you want to read the pulse. (int)
value: type of pulse to read: either HIGH or LOW. (int)
timeout (optional): the number of microseconds to wait for the pulse to start; default is
one second (unsigned long)

Returns
the length of the pulse (in microseconds) or 0 if no pulse started before the timeout
(unsigned long)

Example
int pin = 7;
unsigned long duration;
void setup()
{
pinMode(pin, INPUT);
}
void loop()
{
duration = pulseIn(pin, HIGH);
}

Time
millis()

Description
Returns the number of milliseconds since the Arduino board began running the current
program. This number will overflow (go back to zero), after approximately 50 days.

Parameters
None
119

Returns
Number of milliseconds since the program started (unsigned long)

Example
unsigned long time;
void setup(){
Serial.begin(9600);
}
void loop(){
Serial.print("Time: ");
time = millis();
//prints time since program started
Serial.println(time);
// wait a second so as not to send massive amounts of data
delay(1000);
}

micros()

Description
Returns the number of microseconds since the Arduino board began running the
current program. This number will overflow (go back to zero), after approximately 70
minutes. On 16 MHz Arduino boards (e.g. Duemilanove and Nano), this function has
a resolution of four microseconds (i.e. the value returned is always a multiple of four).
On 8 MHzArduino boards (e.g. the LilyPad), this function has a resolution of eight
microseconds.
Note: there are 1,000 microseconds in a millisecond and 1,000,000 microseconds in a
second.

Parameters
None

Returns
Number of microseconds since the program started (unsigned long)

Example
unsigned long time;

120

void setup(){
Serial.begin(9600);
}
void loop(){
Serial.print("Time: ");
time = micros();
//prints time since program started
Serial.println(time);
// wait a second so as not to send massive amounts of data
delay(1000);
}

delay()

Description
Pauses the program for the amount of time (in miliseconds) specified as parameter. (There are
1000 milliseconds in a second.)

Syntax
delay(ms)

Parameters
ms: the number of milliseconds to pause (unsigned long)

Returns
nothing

Example
int ledPin = 13;
void setup()
{
pinMode(ledPin, OUTPUT);
}
void loop()
{
digitalWrite(ledPin, HIGH);
delay(1000);
digitalWrite(ledPin, LOW);

// LED connected to digital pin 13

// sets the digital pin as output

// sets the LED on


// waits for a second
// sets the LED off
121

delay(1000);

// waits for a second

Caveat
While it is easy to create a blinking LED with the delay() function, and many sketches
use short delays for such tasks as switch debouncing, the use of delay() in a sketch has
significant drawbacks. No other reading of sensors, mathematical calculations, or pin
manipulation can go on during the delay function, so in effect, it brings most other
activity to a halt. For alternative approaches to controlling timing see
the millis() function and the sketch sited below. More knowledgeable programmers
usually avoid the use of delay() for timing of events longer than 10's of milliseconds
unless the Arduino sketch is very simple.
Certain things do go on while the delay() function is controlling the Atmega chip
however, because the delay function does not disable interrupts. Serial communication
that appears at the RX pin is recorded, PWM (analogWrite) values and pin states are
maintained, and interrupts will work as they should.
delayMicroseconds()

Description
Pauses the program for the amount of time (in microseconds) specified as parameter.
There are a thousand microseconds in a millisecond, and a million microseconds in a
second.
Currently, the largest value that will produce an accurate delay is 16383. This could
change in future Arduino releases. For delays longer than a few thousand
microseconds, you should use delay() instead.

Syntax
delayMicroseconds(us)

Parameters
us: the number of microseconds to pause (unsigned int)

122

Returns
None

Example
int outPin = 8;

// digital pin 8

void setup()
{
pinMode(outPin, OUTPUT);
}

// sets the digital pin as output

void loop()
{
digitalWrite(outPin, HIGH); // sets the pin on
delayMicroseconds(50);
// pauses for 50 microseconds
digitalWrite(outPin, LOW); // sets the pin of
delayMicroseconds(50);
// pauses for 50 microseconds
}

configures pin number 8 to work as an output pin. It sends a train of pulses with 100
microseconds period.

Caveats and Known Issues


This function works very accurately in the range 3 microseconds and up. We cannot
assure that delayMicroseconds will perform precisely for smaller delay-times.
As of Arduino 0018, delayMicroseconds() no longer disables interrupts.
Math
min(x, y)

Description
Calculates the minimum of two numbers.

Parameters
x: the first number, any data type
y: the second number, any data type
123

Returns
The smaller of the two numbers.

Examples
sensVal = min(sensVal, 100); // assigns sensVal to the smaller of sensVal
or 100
// ensuring that it never gets above 100.

Note
Perhaps counter-intuitively, max() is often used to constrain the lower end of a
variable's range, while min() is used to constrain the upper end of the range.

Warning
Because of the way the min() function is implemented, avoid using other functions
inside the brackets, it may lead to incorrect results
min(a++, 100);

//

avoid

this

yields

incorrect

min(a, 100);
a++;
max(x, y)

// use this instead - keep other math outside the function

results

Description
Calculates the maximum of two numbers.

Parameters
x: the first number, any data type
y: the second number, any data type

Returns
The larger of the two parameter values.
124

Example
sensVal = max(senVal, 20); // assigns sensVal to the larger of sensVal or 20
// (effectively ensuring that it is at least 20)

Note
Perhaps counter-intuitively, max() is often used to constrain the lower end of a
variable's range, while min() is used to constrain the upper end of the range.

Warning
Because of the way the max() function is implemented, avoid using other functions
inside the brackets, it may lead to incorrect results
// avoid this - yields incorrect results

max(a--, 0);
max(a, 0);
a--;
abs(x)

//use this instead - keep other math outside the function

Description
Computes the absolute value of a number.

Parameters
x: the number

Returns
x: if x is greater than or equal to 0.
-x: if x is less than 0.

Warning
Because of the way the abs() function is implemented, avoid using other functions inside the
brackets, it may lead to incorrect results.

abs(a++);

// avoid this - yields incorrect results

125

abs(a);
a++;
constrain(x, a, b)

// use this instead - keep other math outside the function

Description
Constrains a number to be within a range.

Parameters
x: the number to constrain, all data types
a: the lower end of the range, all data types
b: the upper end of the range, all data types

Returns
x: if x is between a and b
a: if x is less than a
b: if x is greater than b

Example
sensVal = constrain(sensVal, 10, 150);
// limits range of sensor values to between 10 and 150

map(value, fromLow, fromHigh, toLow, toHigh)

Description
Re-maps a number from one range to another. That is, a value of fromLow would get
mapped to toLow, a value offromHigh to toHigh, values in-between to values inbetween, etc.
Does not constrain values to within the range, because out-of-range values are
sometimes intended and useful. The constrain() function may be used either before or
after this function, if limits to the ranges are desired.

126

Note that the "lower bounds" of either range may be larger or smaller than the "upper
bounds" so the map() function may be used to reverse a range of numbers, for
example

y = map(x, 1, 50, 50, 1);

The function also handles negative numbers well, so that this example

y = map(x, 1, 50, 50, -100);

is also valid and works well.


The map() function uses integer math so will not generate fractions, when the math
might indicate that it should do so. Fractional remainders are truncated, and are not
rounded or averaged.

Parameters
value: the number to map
fromLow: the lower bound of the value's current range
fromHigh: the upper bound of the value's current range
toLow: the lower bound of the value's target range
toHigh: the upper bound of the value's target range

Returns
The mapped value.

Example
/* Map an analog value to 8 bits (0 to 255) */
void setup() {}
void loop()
127

{
int val = analogRead(0);
val = map(val, 0, 1023, 0, 255);
analogWrite(9, val);
}

Appendix
For the mathematically inclined, here's the whole function
long map(long x, long in_min, long in_max, long out_min, long out_max)
{
return (x - in_min) * (out_max - out_min) / (in_max - in_min) + out_min;
}

pow(base, exponent)

Description
Calculates the value of a number raised to a power. Pow() can be used to raise a
number to a fractional power. This is useful for generating exponential mapping of
values or curves.

Parameters
base: the number (float)
exponent: the power to which the base is raised (float)

Returns
The result of the exponentiation (double)

Example
See the fscale function in the code library.
sqrt(x)

Description
Calculates the square root of a number.
128

Parameters
x: the number, any data type

Returns
double, the number's square root.
Trigonometry
sin(rad)

Description
Calculates the sine of an angle (in radians). The result will be between -1 and 1.

Parameters
rad: the angle in radians (float)

Returns
the sine of the angle (double)
cos(rad)

Description
Calculates the cos of an angle (in radians). The result will be between -1 and 1.

Parameters
rad: the angle in radians (float)

Returns
The cos of the angle ("double")
tan(rad)

129

Description
Calculates the tangent of an angle (in radians). The result will be between negative
infinity and infinity.

Parameters
rad: the angle in radians (float)

Returns
The tangent of the angle (double)
Random Numbers
randomSeed(seed)

Description
randomSeed() initializes the pseudo-random number generator, causing it to start at an
arbitrary point in its random sequence. This sequence, while very long, and random, is
always the same.
If it is important for a sequence of values generated by random() to differ, on
subsequent executions of a sketch, use randomSeed() to initialize the random number
generator with a fairly random input, such as analogRead() on an unconnected pin.
Conversely, it can occasionally be useful to use pseudo-random sequences that repeat
exactly. This can be accomplished by calling randomSeed() with a fixed number,
before starting the random sequence.

Parameters
long, int - pass a number to generate the seed.

Returns
no returns

Example
long randNumber;

130

void setup(){
Serial.begin(9600);
randomSeed(analogRead(0));
}
void loop(){
randNumber = random(300);
Serial.println(randNumber);
delay(50);
}

random()

Description
The random function generates pseudo-random numbers.

Syntax
random(max)
random(min, max)

Parameters
min - lower bound of the random value, inclusive (optional)
max - upper bound of the random value, exclusive

Returns
a random number between min and max-1 (long)

Note:
If it is important for a sequence of values generated by random() to differ, on
subsequent executions of a sketch, use randomSeed() to initialize the random number
generator with a fairly random input, such as analogRead() on an unconnected pin.
Conversely, it can occasionally be useful to use pseudo-random sequences that repeat
exactly. This can be accomplished by calling randomSeed() with a fixed number,
before starting the random sequence.

131

Example
long randNumber;
void setup(){
Serial.begin(9600);

// if analog input pin 0 is unconnected, random analog


// noise will cause the call to randomSeed() to generate
// diferent seed numbers each time the sketch runs.
// randomSeed() will then shuffle the random function.
randomSeed(analogRead(0));

void loop() {
// print a random number from 0 to 299
randNumber = random(300);
Serial.println(randNumber);
// print a random number from 10 to 19
randNumber = random(10, 20);
Serial.println(randNumber);
}

delay(50);

Bits and Bytes


lowByte()

Description
Extracts the low-order (rightmost) byte of a variable (e.g. a word).

Syntax
lowByte(x)

Parameters
x: a value of any type

Returns
byte
highByte()

132

Description
Extracts the high-order (leftmost) byte of a word (or the second lowest byte of a larger
data type).

Syntax
highByte(x)

Parameters
x: a value of any type

Returns
byte
bitRead()

Description
Reads a bit of a number.

Syntax
bitRead(x, n)

Parameters
x: the number from which to read
n: which bit to read, starting at 0 for the least-significant (rightmost) bit

Returns
the value of the bit (0 or 1).
bitWrite()

133

Description
Writes a bit of a numeric variable.

Syntax
bitWrite(x, n, b)

Parameters
x: the numeric variable to which to write
n: which bit of the number to write, starting at 0 for the least-significant (rightmost)
bit
b: the value to write to the bit (0 or 1)

Returns
none
bitSet()

Description
Sets (writes a 1 to) a bit of a numeric variable.

Syntax
bitSet(x, n)

Parameters
x: the numeric variable whose bit to set
n: which bit to set, starting at 0 for the least-significant (rightmost) bit

Returns
none
134

bitClear()

Description
Clears (writes a 0 to) a bit of a numeric variable.

Syntax
bitClear(x, n)

Parameters
x: the numeric variable whose bit to clear
n: which bit to clear, starting at 0 for the least-significant (rightmost) bit

Returns
none
bit()

Description
Computes the value of the specified bit (bit 0 is 1, bit 1 is 2, bit 2 is 4, etc.).

Syntax
bit(n)

Parameters
n: the bit whose value to compute

Returns
the value of the bit
External Interrupts
attachInterrupt()

135

Description
Specifies a named Interrupt Service Routine (ISR) to call when an interrupt occurs.
Replaces any previous function that was attached to the interrupt. Most Arduino
boards have two external interrupts: numbers 0 (on digital pin 2) and 1 (on digital pin
3). The table below shows the available interrupt pins on various boards.
Board
Uno, Ethernet
Mega2560
Leonardo
Due

int.0
int.1
2
3
2
3
3
2
(see below)

int.2

int.3

int.4

int.5

21
0

20
1

19
7

18

The Arduino Due board has powerful interrupt capabilities that allows you to attach
an interrupt function on all available pins. You can directly specify the pin number in
attachInterrupt().

Note
Inside the attached function, delay() won't work and the value returned by millis() will
not increment. Serial data received while in the function may be lost. You should
declare as volatile any variables that you modify within the attached function. See the
section on ISRs below for more information.

Using Interrupts
Interrupts are useful for making things happen automatically in microcontroller
programs, and can help solve timing problems. Good tasks for using an interrupt may
include reading a rotary encoder, or monitoring user input.
If you wanted to insure that a program always caught the pulses from a rotary encoder,
so that it never misses a pulse, it would make it very tricky to write a program to do
anything else, because the program would need to constantly poll the sensor lines for
the encoder, in order to catch pulses when they occurred. Other sensors have a similar
interface dynamic too, such as trying to read a sound sensor that is trying to catch a
click, or an infrared slot sensor (photo-interrupter) trying to catch a coin drop. In all of
these situations, using an interrupt can free the microcontroller to get some other work
done while not missing the input.

136

About Interrupt Service Routines


ISRs are special kinds of functions that have some unique limitations most other
functions do not have. An ISR cannot have any parameters, and they shouldn't return
anything.
Generally, an ISR should be as short and fast as possible. If your sketch uses
multiple ISRs, only one can run at a time, other interrupts will be ignored (turned off)
until the current one is finished. as delay() and millis() both rely on interrupts, they
will not work while an ISR is running. delayMicroseconds(), which does not rely on
interrupts, will work as expected.
Typically global variables are used to pass data between an ISR and the main
program. To make sure variables used in an ISR are updated correctly, declare them
as volatile.

Syntax
attachInterrupt(interrupt, ISR, mode)
attachInterrupt(pin, ISR, mode)

(Arduino Due only)

Parameters
interrupt
:
pin:

the number of the interrupt (int)

ISR:

the ISR to call when the interrupt


occurs; this function must take no
parameters and return nothing. This
function is sometimes referred to as
aninterrupt service routine.

the pin number

mode:

(Arduino
Due only)

defines when the interrupt should be


triggered. Four contstants are predefined as
valid values:

LOW to trigger the interrupt


whenever the pin is low,
CHANGE to trigger the interrupt
whenever the pin changes value
RISING to trigger when the pin
137

goes from low to high,


FALLING for when the pin goes
from high to low.
The Due board allows also:

HIGH to trigger the interrupt


whenever the pin is high.

(Arduino
Due only)

Returns
none

Example
int pin = 13;
volatile int state = LOW;
void setup()
{
pinMode(pin, OUTPUT);
attachInterrupt(0, blink, CHANGE);
}
void loop()
{
digitalWrite(pin, state);
}
void blink()
{
state = !state;
}

detachInterrupt()

Description
Turns off the given interrupt.

138

Syntax
detachInterrupt(interrupt)
detachInterrupt(pin)

(Arduino Due only)

Parameters

interrupt: the number of the interrupt to disable (see attachInterrupt() for more
details).
pin: the pin number of the interrupt to disable (Arduino Due only)
Interrupts
interrupts()

Description
Re-enables interrupts (after they've been disabled by noInterrupts()). Interrupts allow
certain important tasks to happen in the background and are enabled by default. Some
functions will not work while interrupts are disabled, and incoming communication
may be ignored. Interrupts can slightly disrupt the timing of code, however, and may
be disabled for particularly critical sections of code.

Parameters
None

Returns
None

Example
void setup() {}
void loop()
{
noInterrupts();
// critical, time-sensitive code here
interrupts();
// other code here
}

noInterrupts()

Description
Disables interrupts (you can re-enable them with interrupts()). Interrupts allow certain
important tasks to happen in the background and are enabled by default. Some
139

functions will not work while interrupts are disabled, and incoming communication
may be ignored. Interrupts can slightly disrupt the timing of code, however, and may
be disabled for particularly critical sections of code.

Parameters
None.

Returns
None.

Example
void setup() {}
void loop()
{
noInterrupts();
// critical, time-sensitive code here
interrupts();
// other code here
}

Communication
Serial
Used for communication between the Arduino board and a computer or other devices. All
Arduino boards have at least one serial port (also known as a UART or USART): Serial. It
communicates on digital pins 0 (RX) and 1 (TX) as well as with the computer via USB. Thus,
if you use these functions, you cannot also use pins 0 and 1 for digital input or output.
You can use the Arduino environment's built-in serial monitor to communicate with an
Arduino board. Click the serial monitor button in the toolbar and select the same baud rate
used in the call to begin().
The Arduino Mega has three additional serial ports: Serial1 on pins 19 (RX) and 18
(TX), Serial2 on pins 17 (RX) and 16 (TX), Serial3 on pins 15 (RX) and 14 (TX). To use
these pins to communicate with your personal computer, you will need an additional USB-toserial adaptor, as they are not connected to the Mega's USB-to-serial adaptor. To use them to
communicate with an external TTL serial device, connect the TX pin to your device's RX pin,
the RX to your device's TX pin, and the ground of your Mega to your device's ground. (Don't
connect these pins directly to an RS232 serial port; they operate at +/- 12V and can damage
your Arduino board.)
The Arduino Due has three additional 3.3V TTL serial ports: Serial1 on pins 19 (RX) and 18
(TX); Serial2 on pins 17 (RX) and 16 (TX), Serial3 on pins 15 (RX) and 14 (TX). Pins 0 and
1 are also connected to the corresponding pins of the ATmega16U2 USB-to-TTL Serial chip,

140

which is connected to the USB debug port. Additionally, there is a native USB-serial port on
the SAM3X chip, SerialUSB'.
The Arduino Leonardo board uses Serial1 to communicate via TTL (5V) serial on pins 0 (RX)
and 1 (TX). Serial is reserved for USB CDC communication. For more information, refer to
the Leonardo getting started page and hardware page.

Functions:
if (Serial)

Description
Indicates if the specified Serial port is ready.
On the Leonardo, if (Serial) indicates wether or not the USB CDC serial connection is
open. For all other instances, including if (Serial1) on the Leonardo, this will always
returns true.
This was introduced in Arduino 1.0.1.

Syntax
All boards:
if (Serial)
Arduino Leonardo specific:
if (Serial1)
Arduino Mega specific:
if (Serial1)
if (Serial2)
if (Serial3)

141

Parameters
none

Returns
boolean : returns true if the specified serial port is available. This will only return false
if querying the Leonardo's USB CDC serial connection before it is ready.

Example:
void setup() {
//Initialize serial and wait for port to open:
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for
Leonardo only
}
}
void loop() {
//proceed normally
}
available()

Description
Get the number of bytes (characters) available for reading from the serial port. This is
data that's already arrived and stored in the serial receive buffer (which holds 64
bytes). available() inherits from the Stream utility class.

Syntax
Serial.available()
Arduino Mega only:

142

Serial1.available()
Serial2.available()
Serial3.available()

Parameters
none

Returns
the number of bytes available to read

Example
int incomingByte = 0;

// for incoming serial data

void setup() {
Serial.begin(9600);
data rate to 9600 bps
}

// opens serial port, sets

void loop() {
// send data only when you receive
if (Serial.available() > 0) {
// read the incoming byte:
incomingByte = Serial.read();

data:

// say what you got:


Serial.print("I received: ");
Serial.println(incomingByte, DEC);
}
}

Arduino Mega example:

void setup() {
Serial.begin(9600);
Serial1.begin(9600);
143

}
void loop() {
// read from port 0, send to port 1:
if (Serial.available()) {
int inByte = Serial.read();
Serial1.print(inByte, BYTE);
}
// read from port 1, send to port 0:
if (Serial1.available()) {
int inByte = Serial1.read();
Serial.print(inByte, BYTE);
}
}

begin()

Description
Sets the data rate in bits per second (baud) for serial data transmission. For communicating with
the computer, use one of these rates: 300, 600, 1200, 2400, 4800, 9600, 14400, 19200, 28800,
38400, 57600, or 115200. You can, however, specify other rates - for example, to communicate
over pins 0 and 1 with a component that requires a particular baud rate.
An optional second argument configures the data, parity, and stop bits. The default is 8 data bits,
no parity, one stop bit.

Syntax
Serial.begin(speed)
Serial.begin(speed, config)
Arduino Mega only:
Serial1.begin(speed)
Serial2.begin(speed)
Serial3.begin(speed)
Serial1.begin(speed, config)

144

Serial2.begin(speed, config)
Serial3.begin(speed, config)

Parameters
speed: in bits per second (baud) long
config: sets data, parity, and stop bits. Valid values are :

SERIAL_5N1
SERIAL_6N1
SERIAL_7N1
SERIAL_8N1 (the default)
SERIAL_5N2
SERIAL_6N2
SERIAL_7N2
SERIAL_8N2
SERIAL_5E1
SERIAL_6E1
SERIAL_7E1
SERIAL_8E1
SERIAL_5E2
SERIAL_6E2
SERIAL_7E2
SERIAL_8E2
SERIAL_5O1
SERIAL_6O1
SERIAL_7O1
SERIAL_8O1
SERIAL_5O2
SERIAL_6O2
SERIAL_7O2
SERIAL_8O2

Returns
nothing

Example:
void setup() {
145

Serial.begin(9600); //
rate
to 9600 bps
}

opens

serial

port,

sets

data

void loop() {}

Arduino Mega example:


// Arduino Mega using all four of its Serial ports
// (Serial, Serial1, Serial2, Serial3),
// with different baud rates:
void setup(){
Serial.begin(9600);
Serial1.begin(38400);
Serial2.begin(19200);
Serial3.begin(4800);
Serial.println("Hello Computer");
Serial1.println("Hello Serial 1");
Serial2.println("Hello Serial 2");
Serial3.println("Hello Serial 3");
}
void loop() {}
end()

Description
Disables serial communication, allowing the RX and TX pins to be used for general
input and output. To re-enable serial communication, call Serial.begin().

Syntax
Serial.end()
Arduino Mega only:

146

Serial1.end()
Serial2.end()
Serial3.end()

Parameters
none

Returns
Nothing
Serial.find()

Description
Serial.find() reads data from the serial buffer until the target string of given length is
found. The function returns true if target string is found, false if it times out.
Serial.find() inherits from the Stream utility class.

Syntax
Serial.find(target)

Parameters
target : the string to search for (char)

Returns
boolean
Serial.findUntil()

Description
Serial.findUntil() reads data from the serial buffer until a target string of given length
or terminator string is found.
The function returns true if the target string is found, false if it times out.
147

Serial.findUntil() inherits from the Stream utility class.

Syntax
Serial.findUntil(target, terminal)

Parameters
target : the string to search for (char)
terminal : the terminal string in the search (char)

Returns
boolean
flush()

Description
Waits for the transmission of outgoing serial data to complete. (Prior to Arduino 1.0,
this instead removed any buffered incoming serial data.)
flush() inherits from the Stream utility class.

Syntax
Serial.flush()
Arduino Mega only:
Serial1.flush()
Serial2.flush()
Serial3.flush()

Parameters
none

148

Returns
nothing
Serial.parseFloat()

Description
Serial.parseFloat() returns the first valid floating point number from the Serial buffer.
Characters that are not digits (or the minus sign) are skipped. parseFloat() is
terminated by the first character that is not a floating point number.
Serial.parseFloat() inherits from the Stream utility class.

Syntax
Serial.parseFloat()

Parameters
none

Returns
float
parseInt()

Description
Looks for the next valid integer in the incoming serial stream. parseInt() inherits from
the Stream utility class.
In particular:

Initial characters that are not digits or a minus sign, are skipped;
Parsing stops when no characters have been read for a configurable time-out
value, or a non-digit is read;
If no valid digits were read when the time-out (see Serial.setTimeout()) occurs,
0 is returned;
149

Syntax
Serial.parseInt()
Serial.parseInt(char skipChar)
Arduino Mega only:
Serial1.parseInt()
Serial2.parseInt()
Serial3.parseInt()

Parameters
skipChar: used to skip the indicated char in the search. Used for example to skip
thousands divider.

Returns
long : the next valid integer
peek()

Description
Returns the next byte (character) of incoming serial data without removing it from the
internal serial buffer. That is, successive calls to peek() will return the same character,
as will the next call to read(). peek() inherits from the Streamutility class.

Syntax
Serial.peek()
Arduino Mega only:
Serial1.peek()
Serial2.peek()
Serial3.peek()

150

Parameters
None

Returns
the first byte of incoming serial data available (or -1 if no data is available) - int
print()

Description
Prints data to the serial port as human-readable ASCII text. This command can take
many forms. Numbers are printed using an ASCII character for each digit. Floats are
similarly printed as ASCII digits, defaulting to two decimal places. Bytes are sent as a
single character. Characters and strings are sent as is. For example:

Serial.print(78) gives "78"


Serial.print(1.23456) gives "1.23"
Serial.print('N') gives "N"
Serial.print("Hello world.") gives "Hello world."
An optional second parameter specifies the base (format) to use; permitted values are
BIN (binary, or base 2), OCT (octal, or base 8), DEC (decimal, or base 10), HEX
(hexadecimal, or base 16). For floating point numbers, this parameter specifies the
number of decimal places to use. For example:

Serial.print(78, BIN) gives "1001110"


Serial.print(78, OCT) gives "116"
Serial.print(78, DEC) gives "78"
Serial.print(78, HEX) gives "4E"
Serial.println(1.23456, 0) gives "1"
Serial.println(1.23456, 2) gives "1.23"
Serial.println(1.23456, 4) gives "1.2346"
You can pass flash-memory based strings to Serial.print() by wrapping them with F().
For example :

Serial.print(F(Hello World))
To send a single byte, use Serial.write().
151

Syntax
Serial.print(val)
Serial.print(val, format)

Parameters
val: the value to print - any data type
format: specifies the number base (for integral data types) or number of decimal
places (for floating point types)

Returns
size_t (long): print() returns the number of bytes written, though reading that number
is optional

Example:
/*
Uses a FOR loop for data and prints a number in various
formats.
*/
int x = 0;
// variable
void setup() {
Serial.begin(9600);
bps:
}

// open the serial port at 9600

void loop() {
// print labels
Serial.print("NO FORMAT");
Serial.print("\t");

// prints a label
// prints a tab

Serial.print("DEC");
Serial.print("\t");
Serial.print("HEX");
Serial.print("\t");
152

Serial.print("OCT");
Serial.print("\t");
Serial.print("BIN");
Serial.print("\t");
for(x=0; x< 64; x++){
chart,
change to suit

//

only

part

of

the

ASCII

// print it out in many formats:


Serial.print(x);
// print as an ASCII-encoded
decimal - same as "DEC"
Serial.print("\t");
// prints a tab
Serial.print(x, DEC);
Decimal
Serial.print("\t");

// print as an ASCII-encoded

Serial.print(x, HEX);
Hexadecimal
Serial.print("\t");

// print as an ASCII-encoded

Serial.print(x, OCT);
octal
Serial.print("\t");

// prints a tab

// prints a tab
//

print

as

an

ASCII-encoded

// prints a tab

Serial.println(x, BIN); // print as an ASCII-encoded


Binary
//
then adds the carriage
return with "println"
delay(200);
// delay 200 milliseconds
}
Serial.println("");
// prints another carriage
return
}

Programming Tips
As of version 1.0, serial transmission is asynchronous; Serial.print() will return before
any characters are transmitted.
153

println()

Description
Prints data to the serial port as human-readable ASCII text followed by a carriage
return character (ASCII 13, or '\r') and a newline character (ASCII 10, or '\n'). This
command takes the same forms as Serial.print().

Syntax
Serial.println(val)
Serial.println(val, format)

Parameters
val: the value to print - any data type
format: specifies the number base (for integral data types) or number of decimal
places (for floating point types)

Returns
size_t (long): println() returns the number of bytes written, though reading that
number is optional

Example:
/* Analog input reads an analog input on analog in 0,
prints the value out. */
int analogValue = 0;
value

//

variable

to

hold

the

analog

void setup() {
// open the serial port at 9600 bps:
Serial.begin(9600);
}
void loop() {
// read the analog input on pin 0:
154

analogValue = analogRead(0);
// print it out in many formats:
Serial.println(analogValue);
encoded decimal
Serial.println(analogValue, DEC);
encoded decimal
Serial.println(analogValue, HEX);
encoded hexadecimal
Serial.println(analogValue, OCT);
encoded octal
Serial.println(analogValue, BIN);
encoded binary

// print as an ASCII
// print as an ASCII
// print as an ASCII
// print as an ASCII
// print as an ASCII

// delay 10 milliseconds before the next reading:


delay(10);
}
read()

Description
Reads incoming serial data. read() inherits from the Stream utility class.

Syntax
Serial.read()
Arduino Mega only:
Serial1.read()
Serial2.read()
Serial3.read()

Parameters
None

Returns
the first byte of incoming serial data available (or -1 if no data is available) - int
155

Example
int incomingByte = 0;

// for incoming serial data

void setup() {
Serial.begin(9600);
data rate to 9600 bps
}
void loop() {

// opens serial port, sets

// send data only when you receive data:


if (Serial.available() > 0) {
// read the incoming byte:
incomingByte = Serial.read();
// say what you got:
Serial.print("I received: ");
Serial.println(incomingByte, DEC);
}
}
Serial.readBytes()

Description
Serial.readBytes() reads characters from the serial port into a buffer. The function
terminates if the determined length has been read, or it times out
(see Serial.setTimeout()).
Serial.readBytes() returns the number of characters placed in the buffer. A 0 means no
valid data was found.
Serial.readBytes() inherits from the Stream utility class.

Syntax
Serial.readBytes(buffer, length)

Parameters
buffer:
the
buffer
to
store
the
length : the number of bytes to read (int)

bytes

in

(char[]

or

byte[])
156

Returns
byte
Serial.readBytesUntil()

Description
Serial.readBytesUntil() reads characters from the serial buffer into an array. The
function terminates if the terminator character is detected, the determined length has
been read, or it times out (see Serial.setTimeout()).
Serial.readBytesUntil() returns the number of characters read into the buffer. A 0
means no valid data was found.
Serial.readBytesUntil() inherits from the Stream utility class.

Syntax
Serial.readBytesUntil(character, buffer, length)

Parameters
character :
the
character
to
search
for
(char)
buffer: the buffer to store the bytes in (char[] or byte[]) length : the number of bytes to
read (int)

Returns
Byte
readString()

Description
Serial.readString() reads characters from the serial buffer into a string. The function
terminates if it times out (seesetTimeout()).
This function is part of the Stream class, and is called by any class that inherits from it
(Wire, Serial, etc). See the Stream class main page for more information.
157

Syntax
Serial.readString()

Parameters
none

Returns
A string read from the serial buffer
readStringUntil()

Description
readStringUntil() reads characters from the serial buffer into a string. The function
terminates if the terminator character is detected or it times out (see setTimeout()).
This function is part of the Stream class, and is called by any class that inherits from it
(Wire, Serial, etc). See the Stream class main page for more information.

Syntax
Serial.readString(terminator)

Parameters
terminator : the character to search for (char)

Returns
The entire string read from the serial buffer, until the terminator character is detected
Serial.setTimeout()

Description
Serial.setTimeout() sets the maximum milliseconds to wait for serial data when
using Serial.readBytesUntil() orSerial.readBytes(). It defaults to 1000 milliseconds.
158

Serial.setTimeout() inherits from the Stream utility class.

Syntax
Serial.setTimeout(time)

Parameters
time : timeout duration in milliseconds (long).

Parameters
None
write()

Description
Writes binary data to the serial port. This data is sent as a byte or series of bytes; to send the
characters representing the digits of a number use the print() function instead.

Syntax
Serial.write(val)
Serial.write(str)
Serial.write(buf, len)
Arduino Mega also supports: Serial1, Serial2, Serial3 (in place of Serial)

Parameters
val: a value to send as a single byte
str: a string to send as a series of bytes
buf: an array to send as a series of bytes
len: the length of the buffer

159

Returns
byte
write() will return the number of bytes written, though reading that number is optional

Example
void setup(){
Serial.begin(9600);
}
void loop(){
Serial.write(45); // send a byte with the value 45
int bytesSent = Serial.write(hello); //send
string
hello and return the length of the string.
}
serialEvent()

the

Description
Called when data is available. Use Serial.read() to capture this data.
NB : Currently, serialEvent() is not compatible with the Esplora, Leonardo, or Micro

Syntax
void serialEvent(){
//statements
}
Arduino Mega only:
void serialEvent1(){
//statements
}
void serialEvent2(){
//statements
}
void serialEvent3(){
//statements
160

Parameters
statements: any valid statements

Stream
Stream is the base class for character and binary based streams. It is not called
directly, but invoked whenever you use a function that relies on it.
Stream defines the reading functions in Arduino. When using any core functionality
that uses a read() or similar method, you can safely assume it calls on the Stream
class. For functions like print(), Stream inherits from the Print class.
Some of the libraries that rely on Stream include :

Serial
Wire
Ethernet Client
Ethernet Server
SD

Functions

available()
read()
flush()
find()
findUntil()
peek()
readBytes()
readBytesUntil()
readString()
readStringUntil()
parseInt()
parsefloat()
setTimeout()

USB (Leonardo and Due only)


Mouse and Keyboard libraries
161

These core libraries allow an Arduino Leonardo, Micro, or Due board to appear as a
native Mouse and/or Keyboard to a connected computer.
A word of caution on using the Mouse and Keyboard libraries: if the Mouse or
Keyboard library is constantly running, it will be difficult to program your board.
Functions such as Mouse.move() and Keyboard.print() will move your cursor or send
keystrokes to a connected computer and should only be called when you are ready to
handle them. It is recommended to use a control system to turn this functionality on,
like a physical switch or only responding to specific input you can control.
When using the Mouse or Keyboard library, it may be best to test your output first
using Serial.print(). This way, you can be sure you know what values are being
reported. Refer to the Mouse and Keyboard examples for some ways to handle this.
Mouse
The mouse functions enable a Leonardo, Micro, or Due to control cursor movement
on a connected computer. When updating the cursor position, it is always relative to
the cursor's previous location.

Mouse.begin()
Mouse.click()
Mouse.end()
Mouse.move()
Mouse.press()
Mouse.release()
Mouse.isPressed()
Keyboard
The keyboard functions enable a Leonardo, Micro, or Due to send keystrokes to an
attached computer.
Note: Not every possible ASCII character, particularly the non-printing ones, can be
sent with the Keyboard library. The library supports the use of modifier keys.
Modifier keys change the behavior of another key when pressed simultaneously. See
here for additional information on supported keys and their use.

Keyboard.begin()
Keyboard.end()
Keyboard.press()
162

Keyboard.print()
Keyboard.println()
Keyboard.release()
Keyboard.releaseAll()
Keyboard.write()
Mouse.begin()

Description
Begins emulating the mouse connected to a computer. begin() must be called before controlling
the computer. To end control, use Mouse.end().

Syntax
Mouse.begin()

Parameters
none

Returns
nothing

Example:
void setup(){
pinMode(2, INPUT);
}
void loop(){
//initiate the Mouse library when button is pressed
if(digitalRead(2) == HIGH){
Mouse.begin();
}
}

Mouse.click()
163

Description
Sends a momentary click to the computer at the location of the cursor. This is the
same as pressing and immediately releasing the mouse button.
Mouse.click() defaults to the left mouse button.
WARNING: When you use the Mouse.click() command, the Arduino takes over your
mouse! Make sure you have control before you use the command. A pushbutton to
toggle the mouse control state is effective.

Syntax
Mouse.click();
Mouse.click(button);

Parameters
button: which mouse button to press - char

MOUSE_LEFT (default)
MOUSE_RIGHT
MOUSE_MIDDLE

Returns
nothing

Example
void setup(){
pinMode(2,INPUT);
//initiate the Mouse library
Mouse.begin();
}
void loop(){
//if the button is pressed, send a Right mouse click
if(digitalRead(2) == HIGH){
Mouse.click();
}
}
164

Mouse.end()

Description
Stops emulating the mouse connected to a computer. To start control,
use Mouse.begin().

Syntax
Mouse.end()

Parameters
none

Returns
nothing

Example:
void setup(){
pinMode(2,INPUT);
//initiate the Mouse library
Mouse.begin();
}
void loop(){
//if the button is pressed, send a Right mouse click
//then end the Mouse emulation
if(digitalRead(2) == HIGH){
Mouse.click();
Mouse.end();
}
}
Mouse.move()

165

Description
Moves the cursor on a connected computer. The motion onscreen is always relative to
the cursor's current location. Before using Mouse.move() you must call Mouse.begin()
WARNING: When you use the Mouse.move() command, the Arduino takes over your
mouse! Make sure you have control before you use the command. A pushbutton to
toggle the mouse control state is effective.

Syntax
Mouse.move(xVal, yPos, wheel);

Parameters
xVal:
amount
to
move
along
the
yVal:
amount
to
move
along
the
wheel: amount to move scroll wheel - signed char

x-axis
y-axis

- signed
- signed

char
char

Returns
nothing

Example:
const int xAxis = A1;
const int yAxis = A2;

//analog sensor for X axis


// analog sensor for Y axis

int range = 12;


movement
int responseDelay = 2;
mouse,
in ms
int threshold = range/4;
int center = range/2;
int minima[] = {
1023, 1023};
for {x, y}
int maxima[] = {
0,0};

// output range of X or Y
//

response

delay

of

the

// resting threshold
// resting position value
// actual analogRead minima
// actual analogRead maxima
166

for {x, y}
int axis[] = {
xAxis, yAxis};
int mouseReading[2];
{x, y}

// pin numbers for {x, y}


// final mouse readings for

void setup() {
Mouse.begin();
}
void loop() {
// read and scale the two axes:
int xReading = readAxis(0);
int yReading = readAxis(1);
// move the mouse:
Mouse.move(xReading, yReading, 0);
delay(responseDelay);
}
/*

reads an axis (0 or 1 for x or y) and scales the


analog input range to a range from 0 to <range>

*/
int readAxis(int axisNumber) {
int distance = 0;
range

// distance from center of the output

// read the analog input:


int reading = analogRead(axis[axisNumber]);
// of the current reading exceeds the max or min for this
axis,
// reset the max or min:
if (reading < minima[axisNumber]) {
minima[axisNumber] = reading;
}
if (reading > maxima[axisNumber]) {
167

maxima[axisNumber] = reading;
}
// map the reading from the analog input range to the
output range:
reading = map(reading, minima[axisNumber], maxima[axisNum
ber], 0, range);
// if the output reading is outside from the
// rest position threshold, use it:
if (abs(reading - center) > threshold) {
distance = (reading - center);
}
// the Y axis needs to be inverted in order to
// map the movemment correctly:
if (axisNumber == 1) {
distance = -distance;
}
// return the distance for this axis:
return distance;
}
Mouse.press()

Description
Sends a button press to a connected computer. A press is the equivalent of clicking and
continuously holding the mouse button. A press is cancelled with Mouse.release().
Before using Mouse.press(), you need to start communication with Mouse.begin().
Mouse.press() defaults to a left button press.
WARNING: When you use the Mouse.press() command, the Arduino takes over your
mouse! Make sure you have control before you use the command. A pushbutton to
toggle the mouse control state is effective.

168

Syntax
Mouse.press();
Mouse.press(button)

Parameters
button: which mouse button to press - char

MOUSE_LEFT (default)
MOUSE_RIGHT
MOUSE_MIDDLE

Returns
nothing

Example
void setup(){
//The switch that will initiate the Mouse press
pinMode(2,INPUT);
//The switch that will terminate the Mouse press
pinMode(3,INPUT);
//initiate the Mouse library
Mouse.begin();
}
void loop(){
//if the switch attached to pin 2 is closed, press and
hold the right mouse button
if(digitalRead(2) == HIGH){
Mouse.press();
}
//if the switch attached to pin 3 is closed, release
the
right mouse button
if(digitalRead(3) == HIGH){
Mouse.release();
}
}
Mouse.release()
169

Description
Sends a message that a previously pressed button (invoked through Mouse.press()) is
released. Mouse.release() defaults to the left button.
WARNING: When you use the Mouse.release() command, the Arduino takes over
your mouse! Make sure you have control before you use the command. A pushbutton
to toggle the mouse control state is effective.

Syntax
Mouse.release();
Mouse.release(button);

Parameters
button: which mouse button to press - char

MOUSE_LEFT (default)
MOUSE_RIGHT
MOUSE_MIDDLE

Returns
nothing

Example
void setup(){
//The switch that will initiate the Mouse press
pinMode(2,INPUT);
//The switch that will terminate the Mouse press
pinMode(3,INPUT);
//initiate the Mouse library
Mouse.begin();
}
void loop(){
//if the switch attached to pin 2 is closed, press and
hold the right mouse button
if(digitalRead(2) == HIGH){
Mouse.press();
170

}
//if the switch attached to pin 3 is closed, release
the
right mouse button
if(digitalRead(3) == HIGH){
Mouse.release();
}
}
Mouse.isPressed()

Description
Checks the current status of all mouse buttons, and reports if any are pressed or not.

Syntax
Mouse.isPressed();
Mouse.isPressed(button);

Parameters
When there is no value passed, it checks the status of the left mouse button.
button: which mouse button to check - char

MOUSE_LEFT (default)
MOUSE_RIGHT
MOUSE_MIDDLE

Returns
boolean : reports wether a button is pressed or not

Example
void setup(){
//The switch that will initiate the Mouse press
pinMode(2,INPUT);
//The switch that will terminate the Mouse press
pinMode(3,INPUT);
//Start serial communication with the computer
Serial1.begin(9600);
171

//initiate the Mouse library


Mouse.begin();
}
void loop(){
//a variable for checking the button's state
int mouseState=0;
//if the switch attached to pin 2 is closed, press and hold the right mouse button
and
save the state ina variable
if(digitalRead(2) == HIGH){
Mouse.press();
mouseState=Mouse.isPressed();
}
//if the switch attached to pin 3 is closed, release the right mouse button and save
the state in a variable
if(digitalRead(3) == HIGH){
Mouse.release();
mouseState=Mouse.isPressed();
}
//print out the current mouse button state
Serial1.println(mouseState);
delay(10);
}
Keyboard.begin()

Description
When used with a Leonardo or Due board, Keyboard.begin() starts emulating a
keyboard connected to a computer. To end control, use Keyboard.end().

Syntax
Keyboard.begin()

Parameters
none

172

Returns
nothing

Example
void setup() {
// make pin 2 an input and turn on the
// pullup resistor so it goes high unless
// connected to ground:
pinMode(2, INPUT_PULLUP);
Keyboard.begin();
}
void loop() {
//if the button is pressed
if(digitalRead(2)==LOW){
//Send the message
Keyboard.print("Hello!");
}
}
Keyboard.end()

Description
Stops the keyboard emulation to a connected computer. To start keyboard emulation,
use Keyboard.begin().

Syntax
Keyboard.end()

Parameters
none

Returns
nothing

Example
void setup() {
173

//start keyboard communication


Keyboard.begin();
//send a keystroke
Keyboard.print("Hello!");
//end keyboard communication
Keyboard.end();
}
void loop() {
//do nothing
}
Keyboard.press()

Description
When called, Keyboard.press() functions as if a key were pressed and held on your
keyboard. Useful when using modifier keys. To end the key press,
use Keyboard.release() or Keyboard.releaseAll().
It is necessary to call Keyboard.begin() before using press().

Syntax
Keyboard.press()

Parameters
char : the key to press

Returns
None

Example
// use this option for OSX:
char ctrlKey = KEY_LEFT_GUI;
// use this option for Windows and Linux:
// char ctrlKey = KEY_LEFT_CTRL;
174

void setup() {
// make pin 2 an input and turn on the
// pullup resistor so it goes high unless
// connected to ground:
pinMode(2, INPUT_PULLUP);
// initialize control over the keyboard:
Keyboard.begin();
}
void loop() {
while (digitalRead(2) == HIGH) {
// do nothing until pin 2 goes low
delay(500);
}
delay(1000);
// new document:
Keyboard.press(ctrlKey);
Keyboard.press('n');
delay(100);
Keyboard.releaseAll();
// wait for new window to open:
delay(1000);
}
Keyboard.print()

Description
Sends a keystroke to a connected computer.
Keyboard.print() must be called after initiating Keyboard.begin().
WARNING: When you use the Keyboard.print() command, the Arduino takes over
your keyboard! Make sure you have control before you use the command. A
pushbutton to toggle the keyboard control state is effective.

Syntax
Keyboard.print(character)
Keyboard.print(characters)

175

Parameters
character : a char or int to be sent to the computer as a keystroke characters : a string
to be sent to the computer as a keystroke

Returns
int : number of bytes sent

Example
void setup() {
// make pin 2 an input and turn on the
// pullup resistor so it goes high unless
// connected to ground:
pinMode(2, INPUT_PULLUP);
Keyboard.begin();
}
void loop() {
//if the button is pressed
if(digitalRead(2)==LOW){
//Send the message
Keyboard.print("Hello!");
}
}
Keyboard.println()

Description
Sends a keystroke to a connected computer, followed by a newline and carriage
return.
Keyboard.println() must be called after initiating Keyboard.begin().
WARNING: When you use the Keyboard.println() command, the Arduino takes over
your keyboard! Make sure you have control before you use the command. A
pushbutton to toggle the keyboard control state is effective.

176

Syntax
Keyboard.println()
Keyboard.println(character)
Keyboard.println(characters)

Parameters
character : a char or int to be sent to the computer as a keystroke, followed by newline
and carriage return.
characters : a string to be sent to the computer as a keystroke, followed by a newline
and carriage return.

Returns
int : number of bytes sent

Example
void setup() {
// make pin 2 an input and turn on the
// pullup resistor so it goes high unless
// connected to ground:
pinMode(2, INPUT_PULLUP);
Keyboard.begin();
}
void loop() {
//if the button is pressed
if(digitalRead(2)==LOW){
//Send the message
Keyboard.println("Hello!");
}
}
Keyboard.release()

Description
Lets go of the specified key. See Keyboard.press() for more information.
177

Syntax
Keyboard.release(key)

Parameters
key : the key to release. char

Returns
int : the number of keys released

Example
// use this option for OSX:
char ctrlKey = KEY_LEFT_GUI;
// use this option for Windows and Linux:
// char ctrlKey = KEY_LEFT_CTRL;
void setup() {
// make pin 2 an input and turn on the
// pullup resistor so it goes high unless
// connected to ground:
pinMode(2, INPUT_PULLUP);
// initialize control over the keyboard:
Keyboard.begin();
}
void loop() {
while (digitalRead(2) == HIGH) {
// do nothing until pin 2 goes low
delay(500);
}
delay(1000);
// new document:
Keyboard.press(ctrlKey);
Keyboard.press('n');
delay(100);
Keyboard.release(ctrlKey);
Keyboard.release('n');
// wait for new window to open:
178

delay(1000);
}
Keyboard.releaseAll()

Description
Lets go of all keys currently pressed. See Keyboard.press() for additional information.

Syntax
Keyboard.releaseAll()

Parameters
None

Returns
int : the number of keys released

Example
// use this option for OSX:
char ctrlKey = KEY_LEFT_GUI;
// use this option for Windows and Linux:
// char ctrlKey = KEY_LEFT_CTRL;
void setup() {
// make pin 2 an input and turn on the
// pullup resistor so it goes high unless
// connected to ground:
pinMode(2, INPUT_PULLUP);
// initialize control over the keyboard:
Keyboard.begin();
}
void loop() {
while (digitalRead(2) == HIGH) {
// do nothing until pin 2 goes low
delay(500);
}
179

delay(1000);
// new document:
Keyboard.press(ctrlKey);
Keyboard.press('n');
delay(100);
Keyboard.releaseAll();
// wait for new window to open:
delay(1000);
}
Keyboard.write()

Description
Sends a keystroke to a connected computer. This is similar to pressing and releasing a
key on your keyboard. You can send some ASCII characters or the
additional keyboard modifiers and special keys.
Only ASCII characters that are on the keyboard are supported. For example, ASCII 8
(backspace) would work, but ASCII 25 (Substitution) would not. When sending
capital letters, Keyboard.write() sends a shift command plus the desired character, just
as if typing on a keyboard. If sending a numeric type, it sends it as an ASCII character
(ex. Keyboard.write(97) will send 'a').
For a complete list of ASCII characters, see ASCIITable.com.
WARNING: When you use the Keyboard.write() command, the Arduino takes over
your keyboard! Make sure you have control before you use the command. A
pushbutton to toggle the keyboard control state is effective.

Syntax
Keyboard.write(character)

Parameters
character : a char or int to be sent to the computer. Can be sent in any notation that's
acceptable for a char. For example, all of the below are acceptable and send the same
value, 65 or ASCII A:

180

Keyboard.write(65);
// sends ASCII value 65, or A
Keyboard.write('A');
// same thing as a quoted
Character
Keyboard.write(0x41);
// same thing in hexadecimal
Keyboard.write(0b01000001); //
same
thing
in
binary
(weird
choice, but it works)

Returns
int : number of bytes sent

Example
void setup() {
// make pin 2 an input and turn on the
// pullup resistor so it goes high unless
// connected to ground:
pinMode(2, INPUT_PULLUP);
Keyboard.begin();
}
void loop() {
//if the button is pressed
if(digitalRead(2)==LOW){
//Send an ASCII 'A',
Keyboard.write(65);
}
}

Wire Library
This library allows you to communicate with I2C / TWI devices. On the Arduino boards with
the R3 layout (1.0 pinout), the SDA (data line) and SCL (clock line) are on the pin headers
close to the AREF pin. The Arduino Due has two I2C / TWI interfaces SDA1 andSCL1 are
near to the AREF pin and the additional one is on pins 20 and 21.
As a reference the table below shows where TWI pins are located on various Arduino boards.

Board
Uno, Ethernet
Mega2560
Leonardo

I2C / TWI pins


A4 (SDA), A5 (SCL)
20 (SDA), 21 (SCL)
2 (SDA), 3 (SCL)
181

Due

20 (SDA), 21 (SCL), SDA1, SCL1

As of Arduino 1.0, the library inherits from the Stream functions, making it consistent with
other read/write libraries. Because of this, send() and receive() have been replaced with read()
and write().

Note
There are both 7- and 8-bit versions of I2C addresses. 7 bits identify the device, and the
eighth bit determines if it's being written to or read from. The Wire library uses 7 bit
addresses throughout. If you have a datasheet or sample code that uses 8 bit address, you'll
want to drop the low bit (i.e. shift the value one bit to the right), yielding an address between
0 and 127.

Functions

begin()
requestFrom()
beginTransmission()
endTransmission()
write()
available()
read()
onReceive()
onRequest()
Wire.begin()
Wire.begin(address)

Description
Initiate the Wire library and join the I2C bus as a master or slave. This should
normally be called only once.

Parameters
address: the 7-bit slave address (optional); if not specified, join the bus as a master.

Returns
None

182

Wire.requestFrom()

Description
Used by the master to request bytes from a slave device. The bytes may then be
retrieved with the available() and read()functions.
As of Arduino 1.0.1, requestFrom() accepts a boolean argument changing its behavior
for compatibility with certain I2Cdevices.
If true, requestFrom() sends a stop message after the request, releasing the I2C bus.
If false, requestFrom() sends a restart message after the request. The bus will not be
released, which prevents another master device from requesting between messages.
This allows one master device to send multiple requests while in control.
The default value is true.

Syntax
Wire.requestFrom(address, quantity)
Wire.requestFrom(address, quantity, stop)

Parameters
address: the 7-bit address of the device to request bytes from
quantity: the number of bytes to request
stop : boolean. true will send a stop message after the request, releasing the bus. false
will continually send a restart after the request, keeping the connection active.

Returns
byte : the number of bytes returned from the slave device
Wire.beginTransmission(address)

183

Description
Begin a transmission to the I2C slave device with the given address. Subsequently,
queue bytes for transmission with the write() function and transmit them by
calling endTransmission().

Parameters
address: the 7-bit address of the device to transmit to

Returns
None
Wire.endTransmission()

Description
Ends a transmission to a slave device that was begun by beginTransmission() and
transmits the bytes that were queued by write().
As of Arduino 1.0.1, endTransmission() accepts a boolean argument changing its
behavior for compatibility with certainI2C devices.
If true, endTransmission() sends a stop message after transmission, releasing
the I2C bus.
If false, endTransmission() sends a restart message after transmission. The bus will
not be released, which prevents another master device from transmitting between
messages. This allows one master device to send multiple transmissions while in
control.
The default value is true.

Syntax
Wire.endTransmission()
Wire.endTransmission(stop)

184

Parameters
stop : boolean. true will send a stop message, releasing the bus after transmission.
false will send a restart, keeping the connection active.

Returns
byte, which indicates the status of the transmission:

0:success
1:data too long to fit in transmit buffer
2:received NACK on transmit of address
3:received NACK on transmit of data
4:other error
write()

Description
Writes data from a slave device in response to a request from a master, or queues bytes for
transmission from a master to slave device (in-between calls to beginTransmission() and
endTransmission()).

Syntax
Wire.write(value)
Wire.write(string)
Wire.write(data, length)

Parameters
value: a value to send as a single byte
string: a string to send as a series of bytes
data: an array of data to send as bytes
length: the number of bytes to transmit

Returns
byte: write() will return the number of bytes written, though reading that number is optional

185

Example
#include <Wire.h>
byte val = 0;
void setup()
{
Wire.begin(); // join i2c bus
}
void loop()
{
Wire.beginTransmission(44); // transmit to device #44
(0x2c)
// device address is
specified
in datasheet
Wire.write(val);
// sends value byte
Wire.endTransmission();
// stop transmitting
val++;
// increment value
if(val == 64) // if reached 64th position (max)
{
val = 0;
// start over from lowest value
}
delay(500);
}
Wire.available()

Description
Returns the number of bytes available for retrieval with read(). This should be called
on a master device after a call torequestFrom() or on a slave inside
the onReceive() handler.
available() inherits from the Stream utility class.

Parameters
None
186

Returns
The number of bytes available for reading.
read()

Description
Reads a byte that was transmitted from a slave device to a master after a call
to requestFrom() or was transmitted from a master to a slave. read() inherits from
the Stream utility class.

Syntax
Wire.read()

Parameters
none

Returns
The next byte received

Example
#include <Wire.h>
void setup()
{
Wire.begin();
for master)
Serial.begin(9600);
}

// join i2c bus (address optional


// start serial for output

void loop()
{
Wire.requestFrom(2, 6);
slave
device #2

//

request

bytes

from

187

while(Wire.available())
requested
{
char c = Wire.read();
character
Serial.print(c);
}

// slave may send less than


//

receive

byte

as

// print the character

delay(500);
}
Wire.onReceive(handler)

Description
Registers a function to be called when a slave device receives a transmission from a
master.

Parameters
handler: the function to be called when the slave receives data; this should take a
single int parameter (the number of bytes read from the master) and return nothing,
e.g.: void myHandler(int numBytes)

Returns
None
Wire.onRequest(handler)

Description
Register a function to be called when a master requests data from this slave device.

Parameters
handler: the function to be called, takes no parameters and returns nothing, e.g.:

void

myHandler()

Returns
None
188

Ethernet library
With the Arduino Ethernet Shield, this library allows an Arduino board to connect to the
internet. It can serve as either a server accepting incoming connections or a client making
outgoing ones. The library supports up to four concurrent connection (incoming or outgoing
or a combination).
Arduino communicates with the shield using the SPI bus. This is on digital pins 11, 12, and
13 on the Uno and pins 50, 51, and 52 on the Mega. On both boards, pin 10 is used as SS.On
the Mega, the hardware SS pin, 53, is not used to select the W5100, but it must be kept as an
output or the SPI interface won't work.

189

Ethernet class
The Ethernet class initializes the ethernet library and network settings.

begin()
localIP()
maintain()
Ethernet.begin()

Description
Initializes the ethernet library and network settings.
With version 1.0, the library supports DHCP. Using Ethernet.begin(mac) with the
proper network setup, the Ethernet shield will automatically obtain an IP address. This
increases the sketch size significantly.

Syntax
Ethernet.begin(mac);
Ethernet.begin(mac, ip);
Ethernet.begin(mac, ip, dns);
190

Ethernet.begin(mac, ip, dns, gateway);


Ethernet.begin(mac, ip, dns, gateway, subnet);

Parameters
mac: the MAC (Media access control) address for the device (array of 6 bytes). this is
the Ethernet hardware address of your shield. Newer Arduino Ethernet Shields
include a sticker with the device's MAC address. For older shields, choose your
own.
ip: the IP address of the device (array of 4 bytes)
dns: the IP address of the DNS server (array of 4 bytes). optional: defaults to the
device
IP address with the last octet set to 1
gateway: the IP address of the network gateway (array of 4 bytes). optional: defaults
to
the device IP address with the last octet set to 1
subnet: the subnet mask of the network (array of 4 bytes). optional: defaults to
255.255.255.0

Returns
The DHCP version of this function, Ethernet.begin(mac), returns an int: 1 on a
successful DHCP connection, 0 on failure. The other versions don't return anything.

Example
#include <SPI.h>
#include <Ethernet.h>
// the media access control (ethernet hardware) address
for
the shield:
191

byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };


//the IP address for the shield:
byte ip[] = { 10, 0, 0, 177 };
void setup()
{
Ethernet.begin(mac, ip);
}
void loop () {}
Ethernet.localIP()

Description
Obtains the IP address of the Ethernet shield. Useful when the address is auto assigned
through DHCP.

Syntax
Ethernet.localIP();

Parameters
none

Returns
the IP address

Example
#include <SPI.h>
#include <Ethernet.h>
// Enter a MAC address for your controller below.
// Newer Ethernet shields have a MAC address printed on a sticker on the shield
byte mac[] = { 0x00, 0xAA, 0xBB, 0xCC, 0xDE, 0x02 };
// Initialize the Ethernet client library
// with the IP address and port of the server
// that you want to connect to (port 80 is default for HTTP):
EthernetClient client;
192

void setup() {
// start the serial library:
Serial.begin(9600);
// start the Ethernet connection:
if (Ethernet.begin(mac) == 0) {
Serial.println("Failed to configure Ethernet using
DHCP");
// no point in carrying on, so do nothing forevermore:
for(;;)
;
}
// print your local IP address:
Serial.println(Ethernet.localIP());
}
void loop() {
}
Ethernet.maintain()

Description
Allows for the renewal of DHCP leases. When assigned an IP address via DHCP,
ethernet devices are given a lease on the address for an amount of time. With
Ethernet.maintain(), it is possible to request a renewal from the DHCP server.
Depending on the server's configuration, you may receive the same address, a new
one, or none at all.
Ethernet.maintain() was added to Arduino 1.0.1.

Syntax
Ethernet.maintain();

Parameters
none

193

Returns
byte:
0: nothing happened
1: renew failed
2: renew success
3: rebind fail
4: rebind success
IPAddress class
The IPAddress class works with local and remote IP addressing.

IPAddress()
IPAddress()

Description
Defines an IP address. It can be used to declare both local and remote addresses.

Syntax
IPAddress(address);

Parameters
address: a comma delimited list representing the address (4 bytes, ex. 192, 168, 1, 1)

Returns
None

Example
#include <SPI.h>
#include <Ethernet.h>
// network configuration. dns server, gateway and subnet
194

are optional.
// the media access control (ethernet hardware) address
for the shield:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
// the dns server ip
IPAddress dnServer(192, 168, 0, 1);
// the router's gateway address:
IPAddress gateway(192, 168, 0, 1);
// the subnet:
IPAddress subnet(255, 255, 255, 0);
//the IP address is dependent on your network
IPAddress ip(192, 168, 0, 2);
void setup() {
Serial.begin(9600);
// initialize the ethernet device
Ethernet.begin(mac, ip, dnServer, gateway, subnet);
//print out the IP address
Serial.print("IP = ");
Serial.println(Ethernet.localIP());
}
void loop() {
}
Server class
The Server class creates servers which can send data to and receive data from
connected clients (programs running on other computers or devices).
Server
EthernetServer()
begin()
available()
write()
print()
println()

Server
195

Description
Server is the base class for all Ethernet server based calls. It is not called directly, but
invoked whenever you use a function that relies on it.
Functions

EthernetServer()
begin()
available()
write()
print()
println()
EthernetServer()

Description
Create a server that listens for incoming connections on the specified port.

Syntax
Server(port);

Parameters
port: the port to listen on (int)

Returns
None

Example
#include <SPI.h>
#include <Ethernet.h>
// network configuration.
optional.

gateway

and

subnet

are

// the media access control (ethernet hardware) address


for the shield:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
//the IP address for the shield:
196

byte ip[] = { 10, 0, 0, 177 };


// the router's gateway address:
byte gateway[] = { 10, 0, 0, 1 };
// the subnet:
byte subnet[] = { 255, 255, 0, 0 };
// telnet defaults to port 23
EthernetServer server = EthernetServer(23);
void setup()
{
// initialize the ethernet device
Ethernet.begin(mac, ip, gateway, subnet);
// start listening for clients
server.begin();
}
void loop()
{
// if an incoming client connects, there will be bytes
available to read:
EthernetClient client = server.available();
if (client == true) {
// read bytes from the incoming client and write them
Back
// to any clients connected to the server:
server.write(client.read());
}
}
begin()

Description
Tells the server to begin listening for incoming connections.

Syntax
server.begin()

197

Parameters
None

Returns
None

Example
#include <SPI.h>
#include <Ethernet.h>
// the media access control (ethernet hardware) address
for
the shield:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
//the IP address for the shield:
byte ip[] = { 10, 0, 0, 177 };
// the router's gateway address:
byte gateway[] = { 10, 0, 0, 1 };
// the subnet:
byte subnet[] = { 255, 255, 0, 0 };
// telnet defaults to port 23
EthernetServer server = EthernetServer(23);
void setup()
{
// initialize the ethernet device
Ethernet.begin(mac, ip, gateway, subnet);
// start listening for clients
server.begin();
}
void loop()
{
// if an incoming client connects, there will be bytes
available to read:
EthernetClient client = server.available();
198

if (client == true) {
// read bytes from the incoming client and write them
Back
// to any clients connected to the server:
server.write(client.read());
}
}
available()

Description
Gets a client that is connected to the server and has data available for reading. The
connection persists when the returned client object goes out of scope; you can close it
by calling client.stop().
available() inherits from the Stream utility class.

Syntax
server.available()

Parameters
None

Returns
a Client object; if no Client has data available for reading, this object will evaluate to
false in an if-statement (see the example below)

Example
#include <Ethernet.h>
#include <SPI.h>
// the media access control (ethernet hardware) address for the shield:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
//the IP address for the shield:
byte ip[] = { 10, 0, 0, 177 };
// the router's gateway address:
byte gateway[] = { 10, 0, 0, 1 };
199

// the subnet:
byte subnet[] = { 255, 255, 0, 0 };
// telnet defaults to port 23
EthernetServer server = EthernetServer(23);
void setup()
{
// initialize the ethernet device
Ethernet.begin(mac, ip, gateway, subnet);
// start listening for clients
server.begin();
}
void loop()
{
// if an incoming client connects, there will be bytes available to read:
EthernetClient client = server.available();
if (client) {
// read bytes from the incoming client and write them back
// to any clients connected to the server:
server.write(client.read());
}
}
write()

Description
Write data to all the clients connected to a server. This data is sent as a byte or series of bytes.

Syntax
server.write(val)
server.write(buf, len)

Parameters
val: a value to send as a single byte (byte or char)
buf: an array to send as a series of bytes (byte or char)

200

len: the length of the buffer

Returns
byte
write() returns the number of bytes written. It is not necessary to read this.

Example
#include <SPI.h>
#include <Ethernet.h>
// network
optional.

configuration.

gateway

and

subnet

are

// the media access control (ethernet hardware) address


for the shield:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
//the IP address for the shield:
byte ip[] = { 10, 0, 0, 177 };
// the router's gateway address:
byte gateway[] = { 10, 0, 0, 1 };
// the subnet:
byte subnet[] = { 255, 255, 0, 0 };
// telnet defaults to port 23
EthernetServer server = EthernetServer(23);
void setup()
{
// initialize the ethernet device
Ethernet.begin(mac, ip, gateway, subnet);
// start listening for clients
server.begin();
}
void loop()
{
// if an incoming client connects, there will be bytes
available to read:
201

EthernetClient client = server.available();


if (client == true) {
// read bytes from the incoming client and write them
Back
// to any clients connected to the server:
server.write(client.read());
}
}
print()

Description
Print data to all the clients connected to a server. Prints numbers as a sequence of
digits, each an ASCII character (e.g. the number 123 is sent as the three characters '1',
'2', '3').

Syntax
server.print(data)
server.print(data, BASE)

Parameters
data: the data to print (char, byte, int, long, or string)
BASE (optional): the base in which to print numbers: BIN for binary (base 2), DEC
for decimal (base 10), OCT for octal (base 8), HEX for hexadecimal (base 16).

Returns
byte
print() will return the number of bytes written, though reading that number is optional
println()

Description
Print data, followed by a newline, to all the clients connected to a server. Prints
numbers as a sequence of digits, each an ASCII character (e.g. the number 123 is sent
as the three characters '1', '2', '3').
202

Syntax
server.println()
server.println(data)
server.println(data, BASE)

Parameters
data (optional): the data to print (char, byte, int, long, or string)
BASE (optional): the base in which to print numbers: BIN for binary (base 2), DEC
for decimal (base 10), OCT for octal (base 8), HEX for hexadecimal (base 16).

Returns
byte
println() will return the number of bytes written, though reading that number is
optional
Client class
The client class creates clients that can connect to servers and send and receive data.

Client
EthernetClient()
if (EthernetClient)
connected()
connect()
write()
print()
println()
available()
read()
flush()
stop()

Client

Description
Client is the base class for all Ethernet client based calls. It is not called directly, but
invoked whenever you use a function that relies on it.
203

Functions

EthernetClient()
connected()
connect()
write()
print()
println()
available()
read()
flush()
stop()
EthernetClient()

Description
Creates a client which can connect to a specified internet IP address and port (defined in
the client.connect() function).

Syntax
EthernetClient()

Parameters
None

Example
#include <Ethernet.h>
#include <SPI.h>
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
byte ip[] = { 10, 0, 0, 177 };
byte server[] = { 64, 233, 187, 99 }; // Google
EthernetClient client;
void setup()
{
Ethernet.begin(mac, ip);
Serial.begin(9600);
204

delay(1000);
Serial.println("connecting...");
if (client.connect(server, 80)) {
Serial.println("connected");
client.println("GET /search?q=arduino HTTP/1.0");
client.println();
} else {
Serial.println("connection failed");
}
}
void loop()
{
if (client.available()) {
char c = client.read();
Serial.print(c);
}
if (!client.connected()) {
Serial.println();
Serial.println("disconnecting.");
client.stop();
for(;;)
;
}
}
if (EthernetClient)

Description
Indicates if the specified Ethernet client is ready.

Syntax
if (client)

205

Parameters
none

Returns
boolean : returns true if the specified client is available.

Example:
#include <Ethernet.h>
#include <SPI.h>
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
byte ip[] = { 10, 0, 0, 177 };
byte server[] = { 64, 233, 187, 99 }; // Google
EthernetClient client;
void setup()
{
Ethernet.begin(mac, ip);
Serial.begin(9600);
delay(1000);
Serial.println("connecting...");
while(!client){
; // wait until there is a client connected
proceed
}
if (client.connect(server, 80)) {
Serial.println("connected");
client.println("GET /search?q=arduino HTTP/1.0");
client.println();
}
else {
Serial.println("connection failed");
}
}

to

void loop()
206

{
if (client.available()) {
char c = client.read();
Serial.print(c);
}
if (!client.connected()) {
Serial.println();
Serial.println("disconnecting.");
client.stop();
for(;;)
;
}
}
connected()

Description
Whether or not the client is connected. Note that a client is considered connected if
the connection has been closed but there is still unread data.

Syntax
client.connected()

Parameters
none

Returns
Returns true if the client is connected, false if not.

Example
#include <Ethernet.h>
#include <SPI.h>
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
byte ip[] = { 10, 0, 0, 177 };
byte server[] = { 64, 233, 187, 99 }; // Google
207

EthernetClient client;
void setup()
{
Ethernet.begin(mac, ip);
Serial.begin(9600);
client.connect(server, 80);
delay(1000);
Serial.println("connecting...");
if (client.connected()) {
Serial.println("connected");
client.println("GET /search?q=arduino HTTP/1.0");
client.println();
} else {
Serial.println("connection failed");
}
}
void loop()
{
if (client.available()) {
char c = client.read();
Serial.print(c);
}
if (!client.connected()) {
Serial.println();
Serial.println("disconnecting.");
client.stop();
for(;;)
;
}
}
connect()

Description
Connects to a specified IP address and port. The return value indicates success or
failure. Also supports DNS lookups when using a domain name.
208

Syntax
client.connect()
client.connect(ip, port)
client.connect(URL, port)

Parameters
ip: the IP address that the client will connect to (array of 4 bytes)
URL: the domain name the client will connect to (string, ex.:"arduino.cc")
port: the port that the client will connect to (int)

Returns
Returns an int (1,-1,-2,-3,-4) indicating connection status :

SUCCESS 1
TIMED_OUT -1
INVALID_SERVER -2
TRUNCATED -3
INVALID_RESPONSE -4

Example
#include <Ethernet.h>
#include <SPI.h>
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
byte ip[] = { 10, 0, 0, 177 };
byte server[] = { 64, 233, 187, 99 }; // Google
EthernetClient client;
void setup()
{
Ethernet.begin(mac, ip);
Serial.begin(9600);
delay(1000);
209

Serial.println("connecting...");
if (client.connect(server, 80)) {
Serial.println("connected");
client.println("GET /search?q=arduino HTTP/1.0");
client.println();
} else {
Serial.println("connection failed");
}
}
void loop()
{
if (client.available()) {
char c = client.read();
Serial.print(c);
}
if (!client.connected()) {
Serial.println();
Serial.println("disconnecting.");
client.stop();
for(;;)
;
}
}
write()

Description
Write data to the server the client is connected to. This data is sent as a byte or series
of bytes.

Syntax
client.write(val)
client.write(buf, len)

210

Parameters
val: a value to send as a single byte (byte or char)
buf: an array to send as a series of bytes (byte or char)
len: the length of the buffer

Returns
byte
write() returns the number of bytes written. It is not necessary to read this value.
print()

Description
Print data to the server that a client is connected to. Prints numbers as a sequence of
digits, each an ASCII character (e.g. the number 123 is sent as the three characters '1',
'2', '3').

Syntax
client.print(data)
client.print(data, BASE)

Parameters
data: the data to print (char, byte, int, long, or string)
BASE (optional): the base in which to print numbers: DEC for decimal (base 10),
OCT for octal (base 8), HEX for hexadecimal (base 16).

Returns
byte: returns the number of bytes written, though reading that number is optional
println()

211

Description
Print data, followed by a carriage return and newline, to the server a client is
connected to. Prints numbers as a sequence of digits, each an ASCII character (e.g. the
number 123 is sent as the three characters '1', '2', '3').

Syntax
client.println()
client.println(data)
client.print(data, BASE)

Parameters
data (optional): the data to print (char, byte, int, long, or string)
BASE (optional): the base in which to print numbers: DEC for decimal (base 10),
OCT for octal (base 8), HEX for hexadecimal (base 16).

Returns
byte: return the number of bytes written, though reading that number is optional
available()

Description
Returns the number of bytes available for reading (that is, the amount of data that has
been written to the client by the server it is connected to).
available() inherits from the Stream utility class.

Syntax
client.available()

Parameters
none
212

Returns
The number of bytes available.

Example
#include <Ethernet.h>
#include <SPI.h>
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
byte ip[] = { 10, 0, 0, 177 };
byte server[] = { 64, 233, 187, 99 }; // Google
EthernetClient client;
void setup()
{
Ethernet.begin(mac, ip);
Serial.begin(9600);
delay(1000);
Serial.println("connecting...");
if (client.connect(server, 80)) {
Serial.println("connected");
client.println("GET /search?q=arduino HTTP/1.0");
client.println();
}
else {
Serial.println("connection failed");
}
}
void loop()
{
if (client.available()) {
char c = client.read();
Serial.print(c);
}
213

if (!client.connected()) {
Serial.println();
Serial.println("disconnecting.");
client.stop();
for(;;)
;
}
}
read()
Read the next byte received from the server the client is connected to (after the last
call to read()).
read() inherits from the Stream utility class.

Syntax
client.read()

Parameters
none

Returns
The next byte (or character), or -1 if none is available.
flush()
Discard any bytes that have been written to the client but not yet read.
flush() inherits from the Stream utility class.

Syntax
client.flush()

Parameters
none
214

Returns
none
stop()

Description
Disconnect from the server.

Syntax
client.stop()

Parameters
none

Returns
none
EthernetUDP class
The EthernetUDP class enables UDP message to be sent and received.

begin()
read()
write()
beginPacket()
endPacket()
parsePacket()
available()
stop()
remoteIP()
remotePort()
UDP.begin()

Description
Initializes the ethernet UDP library and network settings.
215

Syntax
EthernetUDP.begin(localPort);

Parameters
localPort: the local port to listen on (int)

Returns
1 if successful, 0 if there are no sockets available to use.

Example
#include <SPI.h>
#include <Ethernet.h>
#include <EthernetUdp.h>
// Enter a MAC address and IP address for your controller
below.
// The IP address will be dependent on your local network:
byte mac[] = {

0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };

IPAddress ip(192, 168, 1, 177);

unsigned int localPort = 8888;

// local port to listen on

// An EthernetUDP instance to let us send and receive packets


over
UDP
EthernetUDP Udp;
void setup() {
// start the Ethernet and UDP:
Ethernet.begin(mac,ip);
Udp.begin(localPort);
}
void loop() {

216

UDP.read()

Description
Reads UDP data from the specified buffer. If no arguments are given, it will return the next
character in the buffer.
This function can only be successfully called after UDP.parsePacket().

Syntax
UDP.read();
UDP.read(packetBuffer, MaxSize);

Parameters
packetBuffer:
buffer
to
hold
MaxSize: maximum size of the buffer (int)

incoming

packets

(char)

Returns
char : returns the characters in the buffer

Example
#include <SPI.h>
#include <Ethernet.h>
#include <EthernetUdp.h>
// Enter a MAC address and IP address for your controller
below.
// The IP address will be dependent on your local
network:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
IPAddress ip(192, 168, 1, 177);
unsigned int localPort = 8888;
listen
on

//

local

port

to

217

// An EthernetUDP instance to let us send and receive


packets over UDP
EthernetUDP Udp;
char packetBuffer[UDP_TX_PACKET_MAX_SIZE]; //buffer to
hold incoming packet,
void setup() {
// start the Ethernet and UDP:
Ethernet.begin(mac,ip);
Udp.begin(localPort);
}
void loop() {
int packetSize = Udp.parsePacket();
if(packetSize)
{
Serial.print("Received packet of size ");
Serial.println(packetSize);
Serial.print("From ");
IPAddress remote = Udp.remoteIP();
for (int i =0; i < 4; i++)
{
Serial.print(remote[i], DEC);
if (i < 3)
{
Serial.print(".");
}
}
Serial.print(", port ");
Serial.println(Udp.remotePort());
// read the packet into packetBufffer
Udp.read(packetBuffer,UDP_TX_PACKET_MAX_SIZE);
Serial.println("Contents:");
Serial.println(packetBuffer);
}
}
UDP.write()
218

Description
Writes UDP data to the remote connection. Must be wrapped between beginPacket()
and endPacket(). beginPacket() initializes the packet of data, it is not sent until
endPacket() is called.

Syntax
UDP.write(message);
UDP.write(buffer, size);

Parameters
message:
the
buffer: an array to send
size: the length of the buffer

outgoing
as a series

of

message
bytes (byte

(char)
or char)

Returns
byte : returns the number of characters sent. This does not have to be read

Example
#include <SPI.h>
#include <Ethernet.h>
#include <EthernetUdp.h>
// Enter a MAC address and IP address for your controller below.
//

The

IP

address

will

be

dependent

on

your

local

network:

byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };


IPAddress ip(192, 168, 1, 177);
unsigned int localPort = 8888;

// local port to listen on

// An EthernetUDP instance to let us send and receive packets


over
UDP
EthernetUDP Udp;
void setup() {

219

// start the Ethernet and UDP:


Ethernet.begin(mac,ip);
Udp.begin(localPort);
}
void loop() {
Udp.beginPacket(Udp.remoteIP(), Udp.remotePort());
Udp.write("hello");
Udp.endPacket();
}

UDP.endPacket()

Description
Called after writing UDP data to the remote connection.

Syntax
UDP.endPacket();

Parameters
None

Returns
Returns an int: 1 if the packet was sent successfully, 0 if there was an error

Example
#include
<SPI.h>
#include <Ethernet.h>
#include <EthernetUdp.h>
// Enter a MAC address and IP address for your controller
below.
// The IP address will be dependent on your local
network:
220

byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };


IPAddress ip(192, 168, 1, 177);
unsigned int localPort = 8888;
on

// local port to listen

// An EthernetUDP instance to let us send and receive


packets over UDP
EthernetUDP Udp;
void setup() {
// start the Ethernet and UDP:
Ethernet.begin(mac,ip);
Udp.begin(localPort);
}
void loop() {
Udp.beginPacket(Udp.remoteIP(),
Udp.remotePort());
Udp.write("hello");
Udp.endPacket();
}
UDP.parsePacket()

Description
Checks for the presence of a UDP packet, and reports the size. parsePacket() must be
called before reading the buffer with UDP.read().

Syntax
UDP.parsePacket();

Parameters
None

Returns
int: the size of a received UDP packet
221

Example
#include <SPI.h>
// needed for Arduino versions
later than 0018
#include <Ethernet.h>
#include <EthernetUdp.h>
// UDP library from:
bjoern@cs.stanford.edu 12/30/2008
// Enter a MAC address and IP address for your controller
below.
// The IP address will be dependent on your local
network:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
IPAddress ip(192, 168, 1, 177);
unsigned int localPort = 8888;
on

// local port to listen

// An EthernetUDP instance to let us send and receive


packets over UDP
EthernetUDP Udp;
void setup() {
// start the Ethernet and UDP:
Ethernet.begin(mac,ip);
Udp.begin(localPort);
Serial.begin(9600);
}
void loop() {
// if there's data available, read a packet
int packetSize = Udp.parsePacket();
if(packetSize)
{
Serial.print("Received packet of size ");
Serial.println(packetSize);
}
delay(10);
}
UDP.available()

222

Description
Get the number of bytes (characters) available for reading from the buffer. This is data that's
already arrived.
This function can only be successfully called after UDP.parsePacket().
available() inherits from the Stream utility class.

Syntax
UDP.available()

Parameters
None

Returns
the number of bytes available to read

Example
#include <SPI.h>
#include <Ethernet.h>
#include <EthernetUdp.h>
// Enter a MAC address and IP address for your controller below.
// The IP address will be dependent on your local network:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
IPAddress ip(192, 168, 1, 177);
unsigned int localPort = 8888;

// local port to listen on

// An EthernetUDP instance to let us send and receive packets over UDP


EthernetUDP Udp;
char packetBuffer[UDP_TX_PACKET_MAX_SIZE]; //buffer to hold
incoming packet,
void setup() {
// start the Ethernet and UDP:
223

Ethernet.begin(mac,ip);
Udp.begin(localPort);
}
void loop() {
int packetSize = Udp.parsePacket();
if(Udp.available())
{
Serial.print("Received packet of size ");
Serial.println(packetSize);
Serial.print("From ");
IPAddress remote = Udp.remoteIP();
for (int i =0; i < 4; i++)
{
Serial.print(remote[i], DEC);
if (i < 3)
{
Serial.print(".");
}
}
Serial.print(", port ");
Serial.println(Udp.remotePort());
// read the packet into packetBufffer
Udp.read(packetBuffer,UDP_TX_PACKET_MAX_SIZE);
Serial.println("Contents:");
Serial.println(packetBuffer);
}
}
UDP.stop()

Description
Disconnect from the server. Release any resource being used during the UDP session.

Syntax
EthernetUDP.stop()

224

Parameters
none

Returns
None
UDP.remoteIP()

Description
Gets the IP address of the remote connection.
This function must be called after UDP.parsePacket().

Syntax
UDP.remoteIP();

Parameters
None

Returns
4 bytes : the IP address of the remote connection

Example
#include <SPI.h>
#include <Ethernet.h>
#include <EthernetUdp.h>
// Enter a MAC address and IP address for your controller
below.
// The IP address will be dependent on your local
network:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
IPAddress ip(192, 168, 1, 177);

225

unsigned int localPort = 8888;


on

// local port to listen

// An EthernetUDP instance to let us send and receive


packets over UDP
EthernetUDP Udp;
void setup() {
// start the Ethernet and UDP:
Ethernet.begin(mac,ip);
Udp.begin(localPort);
}
void loop() {
int packetSize = Udp.parsePacket();
if(packetSize) {
Serial.print("Received packet of size ");
Serial.println(packetSize);
Serial.print("From IP : ");
IPAddress remote = Udp.remoteIP();
//print out the remote connection's IP address
Serial.print(remote);
Serial.print(" on port : ");
//print out the remote connection's port
Serial.println(Udp.remotePort());
}
}
UDP.remotePort()

Description
Gets the port of the remote UDP connection.
This function must be called after UDP.parsePacket().

226

Syntax
UDP.remotePort();

Parameters
None

Returns
int : the port of the UDP connection to a remote host

Example
#include <SPI.h>
#include <Ethernet.h>
#include <EthernetUdp.h>
// Enter a MAC address and IP address for your controller
below.
// The IP address will be dependent on your local
network:
byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED };
IPAddress ip(192, 168, 1, 177);
unsigned int localPort = 8888;
on

// local port to listen

// An EthernetUDP instance to let us send and receive


packets over UDP
EthernetUDP Udp;
char packetBuffer[UDP_TX_PACKET_MAX_SIZE]; //buffer
hold
incoming packet,

to

void setup() {
// start the Ethernet and UDP:
Ethernet.begin(mac,ip);
Udp.begin(localPort);

227

}
void loop() {
int packetSize = Udp.parsePacket();
if(packetSize)
{
Serial.print("Received packet of size ");
Serial.println(packetSize);
Serial.print("From ");
IPAddress remote = Udp.remoteIP();
for (int i =0; i < 4; i++)
{
Serial.print(remote[i], DEC);
if (i < 3)
{
Serial.print(".");
}
}
Serial.print(", port ");
Serial.println(Udp.remotePort());
// read the packet into packetBufffer
Udp.read(packetBuffer,UDP_TX_PACKET_MAX_SIZE);
Serial.println("Contents:");
Serial.println(packetBuffer);
}
}

SD Library
The SD library allows for reading from and writing to SD cards, e.g. on the Arduino Ethernet
Shield. It is built on sdfatlib by William Greiman. The library supports FAT16 and FAT32 file
systems on standard SD cards and SDHC cards. It uses short 8.3 names for files. The file
names passed to the SD library functions can include paths separated by forward-slashes, /,
e.g. "directory/filename.txt". Because the working directory is always the root of the SD card,
a name refers to the same file whether or not it includes a leading slash (e.g. "/file.txt" is
equivalent to "file.txt"). As of version 1.0, the library supports opening multiple files.
The communication between the microcontroller and the SD card usesSPI, which takes place
on digital pins 11, 12, and 13 (on most Arduino boards) or 50, 51, and 52 (Arduino Mega).
Additionally, another pin must be used to select the SD card. This can be the hardware SS pin
- pin 10 (on most Arduino boards) or pin 53 (on the Mega) - or another pin specified in the

228

call to SD.begin(). Note that even if you don't use the hardware SS pin, it must be left as an
output or the SD library won't work.
Notes on using the Library and various shields

Some things to keep in mind when using the SD Library


Overview
The communication between the microcontroller and the SD card uses SPI, which
takes place on digital pins 11, 12, and 13 (on most Arduino boards) or 50, 51, and 52
(Arduino Mega). Additionally, another pin must be used to select the SD card. This
can be the hardware SS pin - pin 10 (on most Arduino boards) or pin 53 (on the Mega)
- or another pin specified in the call to SD.begin(). Note that even if you don't use the
hardware SS pin, it must be left as an output or the SD library won't work. Different
boards use different pins for this functionality, so be sure youve selected the correct
pin in SD.begin().
Not all the functions are listed on the main SD library page, because they are part of
the library's utility functions.

Formatting/Preparing the card


(NB : whenever referring to the SD card, it means SD and microSD sizes, as well as
SD and SDHD formats)
Most SD cards work right out of the box, but it's possible you have one that was used
in a computer or camera and it cannot be read by the SD library. Formatting the card
will create a file system that the Arduino can read and write to.
It's not desirable to format SD cards frequently, as it shortens their life span.
Youll need a SD reader and computer to format your card. The library supports
the FAT16 and FAT32 filesystems, but useFAT16 when possible. The process to
format is fairly straightforward.
Windows : right click on your cards directory and choose Format from the drop
down. Make sure you choose FAT as the filesystem.
OSX : Open Disk Utility (located in Applications>Utilities). Choose the Card, click
on the erase tab, select MS-DOS(FAT) as the Format, and click Erase. NB: OSX
places a number of hidden files on the device when it formats a drive. To format a
SD car without the extra files on OSX, follow these notes on Ladyadas site.
Linux: With a SD card inserted, open a terminal window. At the prompt, type df, and
press enter. The windows will report the device name of your SD card, it should look
something like /dev/sdb1. Unmount the SD card, but leave it in the computer.
Type sudo mkdosfs -F 16 /dev/sdb1, replacing the device name with yours. Remove the SD
card and replace it to verify it works.

229

File Naming
FAT file systems have a limitation when it comes to naming conventions. You must
use the 8.3 format, so that file names look like NAME001.EXT, where
NAME001 is an 8 character or fewer string, and EXT is a 3 character extension.
People commonly use the extensions .TXT and .LOG. It is possible to have a shorter
file name (for example, mydata.txt, or time.log), but you cannot use longer file names.

Opening/Closing files
When you use file.write(), it doesn't write to the card until you flush() or close().
Whenever you open a file, be sure to close it to save your data.
As of version 1.0, it is possible to have multiple files open.

Different Shields/boards
There are a number of different shields that support SD cards. This list is not
exclusive, but are commonly used.
Arduino Ethernet Shield

230

The Ethernet Shield comes with an SD card slot onboard. The shield fits on top of
your Arduino. Because the Ethernet module uses pin 10, the CS pin for the SD card
has been moved to pin 4. Make sure you use SD.begin(4) to use the SD card
functionality.
Adafruit Micro-SD breakout Board

This board supports Micro-SD cards, ans youll need to wire it up before you can use
it. On the board, connect GND to ground, 5v to 5v, CLK to Pin 13 on your Arduino,
DO to pin 12, DI to pin 11, and CS to pin 10. If you are already using pin 10, you can
use a different pin, as long as you remember to change the pin in SD.begin().
Sparkfun SD Shield
231

The Sparkfun shield fits on your Arduino and uses pin 8 for CS. You will need use
SD.begin(8) to use the card. NB: the Sparkfun shield was recently updated. Older
versions look similar, but were lacking a connection to the 3.3V bus and did not have
the onboard hex inverter.
SD class
The SD class provides functions for accessing the SD card and manipulating its files and
directories.

begin()
exists()
mkdir()
open()
remove()
rmdir()
begin()

232

Description
Initializes the SD library and card. This begins use of the SPI bus (digital pins 11, 12,
and 13 on most Arduino boards; 50, 51, and 52 on the Mega) and the chip select pin,
which defaults to the hardware SS pin (pin 10 on most Arduino boards, 53 on the
Mega). Note that even if you use a different chip select pin, the hardware SS pin must
be kept as an output or the SD library functions will not work.

Syntax
SD.begin()
SD.begin(cspin)

Parameters
cspin (optional): the pin connected to the chip select line of the SD card; defaults to
the hardware SS line of the SPI bus

Returns
true on success; false on failure
exists()

Description
Tests whether a file or directory exists on the SD card.

Syntax
SD.exists(filename)

Parameters
filename: the name of the file to test for existence, which can include directories
(delimited by forward-slashes, /)

Returns
true if the file or directory exists, false if not
233

mkdir()

Description
Create a directory on the SD card. This will also create any intermediate directories
that don't already exists; e.g. SD.mkdir("a/b/c") will create a, b, and c.

Syntax
SD.mkdir(filename)

Parameters
filename: the name of the directory to create, with sub-directories separated by
forward-slashes, /

Returns
true if the creation of the directory succeeded, false if not
open()

Description
Opens a file on the SD card. If the file is opened for writing, it will be created if it
doesn't already exist (but the directory containing it must already exist).

Syntax
SD.open(filepath)
SD.open(filepath, mode)

Parameters
filename: the name the file to open, which can include directories (delimited by
forward slashes, /) - char *
mode (optional): the mode in which to open the file, defaults to FILE_READ - byte.
one of:

234

FILE_READ: open the file for reading, starting at the beginning of the file.
FILE_WRITE: open the file for reading and writing, starting at the end of the

file.

Returns
a File object referring to the opened file; if the file couldn't be opened, this object will
evaluate to false in a boolean context, i.e. you can test the return value with "if (f)".
remove()

Description
Remove a file from the SD card.

Syntax
SD.remove(filename)

Parameters
filename: the name of the file to remove, which can include directories (delimited by
forward-slashes, /)

Returns
true if the removal of the file succeeded, false if not. (if the file didn't exist, the return
value is unspecified)
rmdir()

Description
Remove a directory from the SD card. The directory must be empty.

Syntax
SD.rmdir(filename)

235

Parameters
filename: the name of the directory to remove, with sub-directories separated by
forward-slashes, /

Returns
true if the removal of the directory succeeded, false if not. (if the directory didn't exist,
the return value is unspecified)
File class
The File class allows for reading from and writing to individual files on the SD card.

available()
close()
flush()
peek()
position()
print()
println()
seek()
size()
read()
write()
isDirectory()
openNextFile()
rewindDirectory()
available()
Check if there are any bytes available for reading from the file.
available() inherits from the Stream utility class.

Syntax
file.available()

Parameters
file: an instance of the File class (returned by SD.open())
236

Returns
the number of bytes available (int)
close()
Close the file, and ensure that any data written to it is physically saved to the SD card.

Syntax
file.close()

Parameters
file: an instance of the File class (returned by SD.open())

Returns
none
flush()
Ensures that any bytes written to the file are physically saved to the SD card. This is
done automatically when the file is closed.
flush() inherits from the Stream utility class.

Syntax
file.flush()

Parameters
file: an instance of the File class (returned by SD.open())

Returns
none
peek()
237

Read a byte from the file without advancing to the next one. That is, successive calls
to peek() will return the same value, as will the next call to read().
peek() inherits from the Stream utility class.

Syntax
file.peek()

Parameters
file: an instance of the File class (returned by SD.open())

Returns
The next byte (or character), or -1 if none is available.
position()
Get the current position within the file (i.e. the location to which the next byte will be
read from or written to).

Syntax
file.position()

Parameters
file: an instance of the File class (returned by SD.open())

Returns
the position within the file (unsigned long)
print()

238

Description
Print data to the file, which must have been opened for writing. Prints numbers as a
sequence of digits, each an ASCII character (e.g. the number 123 is sent as the three
characters '1', '2', '3').

Syntax
file.print(data)
file.print(data, BASE)

Parameters
file: an instance of the File class (returned by SD.open())
data: the data to print (char, byte, int, long, or string)
BASE (optional): the base in which to print numbers: BIN for binary (base 2), DEC
for decimal (base 10), OCT for octal (base 8), HEX for hexadecimal (base 16).

Returns
byte
print() will return the number of bytes written, though reading that number is optional
println()

Description
Print data, followed by a carriage return and newline, to the File, which must have
been opened for writing. Prints numbers as a sequence of digits, each an ASCII
character (e.g. the number 123 is sent as the three characters '1', '2', '3').

Syntax
file.println()
file.println(data)
file.print(data, BASE)

239

Parameters
file: an instance of the File class (returned by SD.open())
data (optional): the data to print (char, byte, int, long, or string)
BASE (optional): the base in which to print numbers: BIN for binary (base 2), DEC
for decimal (base 10), OCT for octal (base 8), HEX for hexadecimal (base 16).

Returns
byte
println() will return the number of bytes written, though reading that number is
optional
seek()
Seek to a new position in the file, which must be between 0 and the size of the file
(inclusive).

Syntax
file.seek(pos)

Parameters
file: an instance of the File class (returned by SD.open())
pos: the position to which to seek (unsigned long)

Returns
true for success, false for failure (boolean)
size()
Get the size of the file.

240

Syntax
file.size()

Parameters
file: an instance of the File class (returned by SD.open())

Returns
the size of the file in bytes (unsigned long)
read()
Read a byte from the file.
read() inherits from the Stream utility class.

Syntax
file.read()

Parameters
file: an instance of the File class (returned by SD.open())

Returns
The next byte (or character), or -1 if none is available.
write()

Description
Write data to the file.

Syntax
file.write(data)
file.write(buf, len)
241

Parameters
file: an instance of the File class (returned by SD.open())
data: the byte, char, or string (char *) to write
buf: an array of characters or bytes
len: the number of elements in buf

Returns
byte
write() will return the number of bytes written, though reading that number is optional
isDirectory()
Directories (or folders) are special kinds of files, this function reports if the current file is a
directory or not.

Syntax
file.isDirectory()

Parameters
file: an instance of the File class (returned by file.open()

Returns
boolean

Example
#include <SD.h>
File root;
void setup()
{
Serial.begin(9600);
pinMode(10, OUTPUT);
242

SD.begin(10);
root = SD.open("/");
printDirectory(root, 0);
Serial.println("done!");
}
void loop()
{
// nothing happens after setup finishes.
}
void printDirectory(File dir, int numTabs) {
while(true) {
File entry = dir.openNextFile();
if (! entry) {
// no more files
//Serial.println("**nomorefiles**");
break;
}
for (uint8_t i=0; i<numTabs; i++) {
Serial.print('\t');
}
Serial.print(entry.name());
if (entry.isDirectory()) {
Serial.println("/");
printDirectory(entry, numTabs+1);
} else {
// files have sizes, directories do not
Serial.print("\t\t");
Serial.println(entry.size(), DEC);
}
}
}
openNextFile()
Reports the next file or folder in a directory.

243

Syntax
file.openNextFile()

Parameters
file: an instance of the File class that is a directory

Returns
char : the next file or folder in the path

Example
#include <SD.h>
File root;
void setup()
{
Serial.begin(9600);
pinMode(10, OUTPUT);
SD.begin(10);
root = SD.open("/");
printDirectory(root, 0);
Serial.println("done!");
}
void loop()
{
// nothing happens after setup finishes.
}
void printDirectory(File dir, int numTabs) {
while(true) {
File entry = dir.openNextFile();
if (! entry) {
// no more files
Serial.println("**nomorefiles**");
}
for (uint8_t i=0; i<numTabs; i++) {
Serial.print('\t');
244

}
Serial.print(entry.name());
if (entry.isDirectory()) {
Serial.println("/");
printDirectory(entry, numTabs+1);
} else {
// files have sizes, directories do not
Serial.print("\t\t");
Serial.println(entry.size(), DEC);
}
}
}
rewindDirectory()
rewindDirectory() will bring you back to the first file in the directory, used in
conjunction with openNextFile().

Syntax
file.rewindDirectory()

Parameters
file: an instance of the File class.

Returns
None

Example
#include <SD.h>
File root;
void setup()
{
Serial.begin(9600);
pinMode(10, OUTPUT);
SD.begin(10);
root = SD.open("/");
printDirectory(root, 0);
Serial.println("done!");
245

}
void loop()
{
// nothing happens after setup finishes.
}
void printDirectory(File dir, int numTabs) {
while(true) {
File entry = dir.openNextFile();
if (! entry) {
// no more files
// return to the first file in the directory
dir.rewindDirectory();
break;
}
for (uint8_t i=0; i<numTabs; i++) {
Serial.print('\t');
}
Serial.print(entry.name());
if (entry.isDirector()) {
Serial.println("/");
printDirectory(entry, numTabs+1);
} else {
// files have sizes, directories do not
Serial.print("\t\t");
Serial.println(entry.size(), DEC);
}
}
}

246

You might also like