我想阅读/ etc / passwd文件的内容并获取一些数据:
public void getLinuxUsers()
{
try
{
// !!! firstl line of the file is not read
BufferedReader in = new BufferedReader(new FileReader("/etc/passwd"));
String str;
str = in.readLine();
while ((str = in.readLine()) != null)
{
String[] ar = str.split(":");
String username = ar[0];
String userID = ar[2];
String groupID = ar[3];
String userComment = ar[4];
String homedir = ar[5];
System.out.println("Usrname " + username +
" user ID " + userID);
}
in.close();
}
catch (IOException e)
{
System.out.println("File Read Error");
}
}
我注意到两个问题:
不会使用root帐户信息读取文件的第一行。我这样开始:
root:x:0:0:root:/root:/bin/bash
bin:x:1:1:bin:/bin:/sbin/nologin
daemon:x:2:2:daemon:/sbin:/sbin/nologin
adm:x:3:4:adm:/var/adm:/sbin/nologin
我如何修改代码以使用Java 8 NIO?我想首先检查文件的现有内容,然后继续阅读内容。
答案 0 :(得分:7)
问题是第一个readLine()
在外面正在处理字符串的循环,你应该删除它:
str = in.readLine();
...因为在下一行(具有while
的那一行)你重新分配str
变量,这就是第一行丢失的原因:循环的主体从第二行开始处理。最后,要使用Java nio
,请执行以下操作:
if (new File("/etc/passwd").exists()) {
Path path = Paths.get("/etc/passwd");
List<String> lines = Files.readAllLines(path, Charset.defaultCharset());
for (String line : lines) {
// loop body, same as yours
}
}
答案 1 :(得分:2)
与nio:
Path filePath = Paths.get("/etc/passwd");
List<String> fileLines = Files.readAllLines(filePath);
请注意,没有2nd参数的Files.readAllLines将文件编码视为UTF-8,而不是系统编码(property&#34; file.encoding&#34;)