我正在尝试创建一个连接到Linux虚拟机(带有JSch
)的应用程序,并向Linux询问有关自身的一些问题,例如操作系统名称和内核版本。我已经成功了,应用程序正常运行..但仅在Eclipse控制台中。
如果我尝试在Label或TextArea上打印出来......奇怪的事情正在发生。例如,如果我尝试在标签上打印出来,那么它只打印出最后一个命令。如果我用TextArea尝试它然后打印出所有东西,但是在一行中,我不知道如何制动线...
以下是代码:
import javafx.fxml.FXML;
import javafx.scene.canvas.Canvas;
import javafx.scene.control.Label;
import javafx.scene.control.TextArea;
import javafx.scene.control.TextField;
import javafx.scene.layout.Pane;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.util.Properties;
import com.jcraft.jsch.Channel;
import com.jcraft.jsch.ChannelExec;
import com.jcraft.jsch.JSch;
import com.jcraft.jsch.Session;
public class MainWindowController {
@FXML private TextField ip_text_field, username_text_field, password_text_field;
@FXML private Label output;
String ip, username, pass;
private Main main;
public void setMain(Main main){
this.main = main;
}
public String getIP(){ip = ip_text_field.getText(); return ip;}
public String getUsername(){username = username_text_field.getText(); return username;}
public String getPassword(){pass = password_text_field.getText(); return pass;}
public void connectButtonFunction(){
try{
String command = "lsb_release -a | grep -i Description && uname -mrs";
String host = getIP();
String user = getUsername();
String password = getPassword();
JSch jsch = new JSch();
Session session = jsch.getSession(user, host, 22);
Properties config = new Properties();
config.put("StrictHostKeyChecking", "no");
session.setConfig(config);;
session.setPassword(password);
session.connect();
Channel channel = session.openChannel("exec");
((ChannelExec)channel).setCommand(command);
channel.setInputStream(null);
((ChannelExec)channel).setErrStream(System.err);
InputStream input = channel.getInputStream();
channel.connect();
//System.out.println("Channel Connected to machine " + host + " server with command: " + command );
try{
InputStreamReader inputReader = new InputStreamReader(input);
BufferedReader bufferedReader = new BufferedReader(inputReader);
String line = null;
while((line = bufferedReader.readLine()) != null){
//System.out.println(line);
output.setText(line);
}
bufferedReader.close();
inputReader.close();
}catch(IOException ex){
ex.printStackTrace();
}
channel.disconnect();
session.disconnect();
}catch(Exception ex){
ex.printStackTrace();
}
}
}
以下是标签的外观。
答案 0 :(得分:1)
它仅在您使用Label
时显示最后一个命令的原因是因为setText
每次都会重写标签文本。
这样的事情可以解决它:
String buffer = "";
while((line = bufferedReader.readLine()) != null){
buffer += line + "\n"; // assuming `line` doesn't end with a newline already
}
output.setText(buffer);
至于TextArea
问题(您还将在Label
中面对),您可以通过调用output.setWrapText(true)
启用文字换行
注意:您可以在appendText
上拨打setText
而不是TextArea
,而无需额外的缓冲。