0

我正在为我的老学校为他们的学校铃声创建一个程序,并且我正在使用 java。目前在我的 arduino 上,我有一个程序,当它从串口接收到一个数字时,它会打开铃铛,持续多久。该程序可在串行监视器中运行,但不能在 Java 中运行。这些是我的 2 个程序:

import java.io.OutputStream;

import gnu.io.SerialPort;



public class Main {
    public static void main(String[] args) throws Exception {
        SerialPort sP = Arduino.connect("COM3");

        Thread.sleep(1500);

        OutputStream out = sP.getOutputStream();

        Thread.sleep(1500);

        out.write("3000".getBytes());
        out.flush();
        Thread.sleep(1500);
        out.close();
    }
}

还有我的 Arduino 连接程序;

import gnu.io.*;

public class Arduino {
    public static SerialPort connect(String portName) throws Exception {
        CommPortIdentifier portIdentifier = CommPortIdentifier.getPortIdentifier(portName);

        if(portIdentifier.isCurrentlyOwned()) {
            System.out.println("ERROR!!! -- Port already in use!");
        }else{
            CommPort commPort = portIdentifier.open("XBell", 0);

            if(commPort instanceof SerialPort) {
                SerialPort serialPort = (SerialPort) commPort;
                serialPort.setSerialPortParams(38400, SerialPort.DATABITS_8, SerialPort.STOPBITS_1, SerialPort.PARITY_NONE);

                return serialPort;
            }else{
                System.out.println("wait wat");
            }
        }
        return null;
    }
}

这是Arduino代码:

int Relay = 13;
//The pin that the relay is attached to
int time;
//Creates temp variable

void setup() {
    //Initialize the Relay pin as an output:
    pinMode(Relay, OUTPUT);
    //Initialize the serial communication:
    Serial.begin(9600);
}

void loop() {
    while(true) {
        //Check if data has been sent from the computer:
        if (Serial.available()) {
            //Assign serial value to temp
            time = Serial.parseInt();
            //Output value to relay
            digitalWrite(Relay, HIGH);
            delay(time);
            digitalWrite(Relay, LOW);

        }
    }
}

如果你能告诉我我做错了什么,那将非常有帮助。谢谢!

4

1 回答 1

2

几个问题。

  • Java 代码集 38400,Arduino 9600 波特。

  • 不能确保 getBytes() 为您提供 ASCII。它将返回您的默认编码受到一系列警告。通常,您不能指望这种方法,并且应该始终更喜欢对编码进行显式控制。被烧死的人不计其数,这里只是一个随机的参考。尝试 getBytes("UTF-8")

  • 您没有定义数字结尾的终结符。您可能认为发送了“3000”,但您应该认为发送了“3”,然后是“0”,然后是“0”,然后是“0”。在 Arduino 方面,对 Serial.available() 的调用可以在此序列中的任何时间发生。因此,当仅收到“3”时,代码可以到达 parseInt() 行。Arduino 通过 loop() 旋转的速度比单个字符传输时间快得多。在每秒 9600 位和一个字符 N81 的 10 位时,1 个字符在网络上移动的时间超过 1 毫秒。在 16 MHz 时钟下,Arduino 将通过 loop() 多次旋转。您需要更改命令协议以包含终止符,并且只有 parseInt() 当您拥有完整编号时。

于 2013-08-05T07:23:32.280 回答