1.配置串口通訊數據位、校驗位、中止位
一般咱們使用Serial.begin(speed)來完成串口的初始化,這種方式,只能配置串口的波特率。
而使用Serial.begin(speed, config)能夠配置數據位、校驗位、中止位等。
例如Serial.begin(9600,SERIAL_8E2)是將串口波特率設爲9600,數據位8,偶校驗,中止位2。
config可用配置以下:git
config可選配置 | 數據位 | 校驗位 | 中止位 | config可選配置 | 數據位 | 校驗位 | 中止位 | |
SERIAL_5N1 | 5 | 無 | 1 | SERIAL_5E2 | 5 | 偶 | 2 | |
SERIAL_6N1 | 6 | 無 | 1 | SERIAL_6E2 | 6 | 偶 | 2 | |
SERIAL_7N1 | 7 | 無 | 1 | SERIAL_7E2 | 7 | 偶 | 2 | |
SERIAL_8N1 | 8 | 無 | 1 | SERIAL_8E2 | 8 | 偶 | 2 | |
SERIAL_5N2 | 5 | 無 | 2 | SERIAL_5O1 | 5 | 奇 | 1 | |
SERIAL_6N2 | 6 | 無 | 2 | SERIAL_6O1 | 6 | 奇 | 1 | |
SERIAL_7N2 | 7 | 無 | 2 | SERIAL_7O1 | 7 | 奇 | 1 | |
SERIAL_8N2 | 8 | 無 | 2 | SERIAL_8O1 | 8 | 奇 | 1 | |
SERIAL_5E1 | 5 | 偶 | 1 | SERIAL_5O2 | 5 | 奇 | 2 | |
SERIAL_6E1 | 6 | 偶 | 1 | SERIAL_6O2 | 6 | 奇 | 2 | |
SERIAL_7E1 | 7 | 偶 | 1 | SERIAL_7O2 | 7 | 奇 | 2 | |
SERIAL_8E1 | 8 | 偶 | 1 | SERIAL_8O2 | 8 | 奇 | 2 |
2. if (Serial)的用法
當串口被打開時,Serial的值爲真。串口被關閉時Serial的值爲假。
比較囧的是,這個方法只適用於Leonardo和micro的Serial,也就是說鏈接鏈接到電腦USB的那個模擬串口。
例如如下程序,當你沒有使用串口監視器打開串口時,程序就會一直循環運行while (!Serial) {;} ,當你打開串口監視器,程序會退出while循環,開始loop中的程序。oop
1
2
3
4
5
6
7
8
|
void
setup() {
Serial.begin(9600);
while
(!Serial) {;}
}
void
loop() {
}
|
3.read和peek輸入方式的差別
串口接收到的數據都會暫時存放在接收緩衝區中,使用read()與peek()都是從接收緩衝區中讀取數據。不一樣的是,使用read()讀取數據後,會將該數據從接收緩衝區移除;而使用peek()讀取時,不會移除接收緩衝區中的數據。
你可使用如下程序,觀察其運行結果:
ui
01
02
03
04
05
06
07
08
09
10
11
12
13
|
char
col;
void
setup() {
Serial.begin(9600);
}
void
loop() {
while
(Serial.available()>0){
col=Serial.read();
Serial.print(
"Read: "
);
Serial.println(col);
delay(1000);
}
}
|
01
02
03
04
05
06
07
08
09
10
11
12
13
|
char
col;
void
setup() {
Serial.begin(9600);
}
void
loop() {
while
(Serial.available()>0){
col=Serial.peek();
Serial.print(
"Read: "
);
Serial.println(col);
delay(1000);
}
}
|
4. 串口讀入int型數據
其實是串口讀入字符串,再轉換爲int型數據。spa
1
2
3
4
5
6
7
8
9
|
while
(Serial.available() > 0) {
int
inChar = Serial.read();
if
(isDigit(inChar))
{
inString += (
char
)inChar;
}
i=inString.toInt();
}
}
|
5.輸出不一樣進制的文本
咱們能夠是用 Serial.print(val, format)的形式輸出不一樣進制的文本
參數val 是須要輸出的數據
參數format 是須要輸出的進制形式,你可使用以下參數:
BIN(二進制)
DEC(十進制)
OCT(八進制)
HEX(十六進制)
例如,使用Serial.print(123,BIN),你能夠在串口調試器上看到1111011
使用Serial.print(123,HEX),你能夠在串口調試器上看到7B
6.Arduino MEGA\Arduino DUE上其餘串口用法
serial1\serial2\serial3
和serial用法同樣
好比serial3.begin(9600);
6.修改串口緩衝區大小
Arduino串口緩衝區默認爲64字節,若是你單次傳輸的數據較多能夠將
arduino-1.0.5-r2\hardware\arduino\cores\arduino\HardwareSerial.cpp中的
#define SERIAL_BUFFER_SIZE 64
修改成
#define SERIAL_BUFFER_SIZE 128
這樣就有128字節的緩衝區了調試