1. 程式人生 > >processing與arduino互動編程

processing與arduino互動編程

程序 VR sage 一次 2.4 返回值 urn button 監視器

Processing向串口發送數據

 1 import processing.serial.*;
 2 Serial port;
 3 String message;
 4 void setup() {
 5   message = "c";
 6   port = new Serial(this, "COM3", 9600);
 7 }
 8 
 9 void draw() {
10   port.write(message);
11 }

arduino連接的是com3,執行程序後Arduino板載的RX燈一直亮起,說明有數據在不停地發送過去。關閉程序後,RX燈熄滅。

2.3Arduino串口編程

通過頭文件HardwareSerial.h中定義一個HardwareSerial類的對象serial,然後直接使用類的成員函數來實現的。

Serial.begin()  用於設置串口的比特率,除以8可得到每秒傳輸的字節數

Serial.end()   停止串口通信

Serial.available()  用來判斷串口是否收到數據,該函數返回值為int型,不帶參數

示例:從串口輸出“The char I havr received:" 字符

 1 int c = 0;
 2 
 3 void setup()
 4 {
 5   Serial.begin(9600);
 6 }
 7 
 8 void
loop() 9 { 10 if (Serial.available()){ 11 c = Serial.read(); 12 Serial.print("The char I have received:"); 13 Serial.println(c, DEC); 14 } 15 delay(200); 16 }

打開Arduino界面的串口監視器,輸入任意字符,單片機收到會返回該字符的ASCII碼。一次輸入多個字符,會返回多個ASCII碼。

2.4 Process與Arduino通信編程

實例一:在Processing界面上畫一個矩形,當用鼠標單擊矩形內的時候,Arduino板載的LED燈點亮,單擊矩形外的時候,Arduino板載的LED熄滅。

processing代碼

 1 import processing.serial.*;
 2 Serial port;
 3 
 4 void setup() {
 5   port = new Serial(this, "COM3", 9600);
 6   size(300, 300);
 7 }
 8 
 9 void draw() {
10   rect(100, 100, 50, 50);
11 }
12 
13 void mouseClicked() {
14   if ((mouseX >= 100) & (mouseX <= 150) & (mouseY >= 100) & (mouseY <= 150)) {
15     println("LED turn ON!");
16     port.write("a");
17   } else {
18     println("LED turn OFF!");
19     port.write("b");
20   }
21 }

Arduino代碼

int c = 0;

void setup() {
  Serial.begin(9600);
  pinMode(13, OUTPUT);
  digitalWrite(13, LOW);
}

void loop() {
  if(Serial.available()) {
    c = Serial.read();
    if (c == 97)
      digitalWrite(13, HIGH);
    else
      digitalWrite(13, LOW);
  }
}

實例二:將一個開關連接到Arduino上的+引腳,信號線連接在D8,長按開關,Processing上的圓形變成紅色;松開開關,Processing上的圓變成綠色。初始為綠色。

processing代碼:

 1 import processing.serial.*;
 2 Serial myPort;
 3 
 4 void setup() {
 5   size(300, 300);
 6   fill(0, 255, 0);
 7   ellipse(100, 100, 100, 100);
 8   myPort = new Serial(this, "COM3", 9600);
 9 }
10 
11 void draw() {
12   while (myPort.available() > 0) {
13     char inByte = myPort.readChar();
14     println(inByte);
15     switch (inByte) {
16       case a: fill(0, 255, 0);
17                 ellipse(100, 100, 100, 100);
18                 break;
19       case b: fill(255, 0, 0);
20                 ellipse(100, 100, 100, 100);
21                 break;
22       default: break;
23     }
24   }
25 }

Arduino代碼:

 1 boolean button;
 2 
 3 void setup() {
 4   button = false;
 5   pinMode (8, INPUT);
 6   Serial.begin(9600);
 7 }
 8 
 9 void loop() {
10   button = digitalRead(8);
11   if (button) {
12     Serial.write("a");
13   } else {
14     Serial.write("b");
15   }
16 }
17     

processing與arduino互動編程