我对Java和Android不了解。我想做的是在Android应用程序中打开/ dev / ttyS0,该应用程序应该与串行线路通讯,但我迷路了。
我的设备已经扎根,并且可以从命令行“回显...> / dev / ttyS0”并从中读取信息,但是我迷失了在Java中尝试这样做的迷路。首先,我找不到一种无法以简单的读写模式打开文件的方法,没有应对缓冲区和其他复杂问题(显然,我想要无缓冲的I / O)。
我搜索了Internet,但是所有示例均涉及我不可用的USB。然后,我找到了UartDevice类,但这是一个从...派生适当实现的类。
我尝试使用File类,并将Reader类和Writer类都附加到该类上,但是编译器抱怨,并且坦率地说,我不确定这是一条路。我需要一个框架代码来开始;我想念一个简单的TextFile类,该类具有无缓冲的read()和write()方法,它们将在同一打开文件上同时使用!
有人可以向我指出正确的方向吗?
答案 0 :(得分:0)
Java中的所有文件访问都是通过输入和输出流完成的。如果要打开文件,只需为其创建FileOutputStream或FileInputStream。这些是无缓冲的流。然后,如果要写入原始字节,可以将其包装在ByteArrayOutputStream或ByteArrayInputStream中。
要执行字符模式,可以使用Writer。具有ascii字符集的OutputStreamWriter可以包装FileOutputStream。那应该为您做字符转换。只是不要使用FileWriter,虽然看起来很合适,但它没有选择字符集的选项,默认值不是ascii。要读入,请使用InputStreamReader。
答案 1 :(得分:0)
经过多次尝试,并借助SO网站上的大量信息,我终于成功完成了任务。这是代码:
public class MainActivity
extends AppCompatActivity {
File serport;
private FileInputStream mSerR;
private FileOutputStream mSerW;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
// let this program to access the serial port, and
// turn off the local echo. sudo() is a routine found here on S.O.
sudo("chmod a+rw /dev/ttyS0");
sudo("stty -echo </dev/ttyS0");
// open the file for read and write
serport = new File("/dev/ttyS0");
try {
mSerR = new FileInputStream(serport);
mSerW = new FileOutputStream(serport);
} catch (FileNotFoundException e) {}
// edLine is a textbox where to write a string and send to the port
final EditText edLine = (EditText) findViewById(R.id.edLine);
// edTerm is a multiline text box to show the dialog
final TextView edTerm = findViewById(R.id.edTerm);
// pressing Enter, the content of edLine is echoed and sent to the port
edLine.setOnKeyListener(new View.OnKeyListener() {
public boolean onKey(View v, int keyCode, KeyEvent event) {
// If the event is a key-down event on the "enter" button
if ((event.getAction() == KeyEvent.ACTION_DOWN) && (keyCode == KeyEvent.KEYCODE_ENTER)) {
// Perform action on key press
String cmd = edLine.getText()+"\n";
edTerm.append(cmd);
byte[] obuf = cmd.getBytes();
try {
mSerW.write(obuf);
} catch (IOException e) {}
edLine.setText("");
// read the reply; some time must be granted to the server
// for replying
cmd = "";
int b=-1, tries=8;
while (tries>0) {
try {
b = mSerR.read();
} catch (IOException e) {}
if (b==-1) {
try {
Thread.sleep(5);
} catch (InterruptedException e) {}
--tries;
} else {
tries=3; // allow more timeout (more brief)
if (b==10) break;
cmd = cmd + (char) b;
}
}
// append the received reply to the multiline control
edTerm.append(cmd+"\n");
return true;
}
return false;
}
});
}
}