button1.addActionListener(new ActionListener() { @Override public void actionPerformed(ActionEvent e1) { String srcPath = null; String destPath = null; FileInputStream fis= null; FileOutputStream fos=null; try { //文件 File file=new File(srcPath); File file1=new File(destPath); //流 fis = new FileInputStream(file); fos=new FileOutputStream(file1); //读数据 byte[] buffer=new byte[1024]; int len; while((len=fis.read(buffer))!=-1){ fos.write(buffer,0,len); } } catch (IOException e) { e.printStackTrace(); } finally { //关闭流 try { if(fis!=null) fis.close(); } catch (IOException e) { e.printStackTrace(); } try { if(fos!=null) fos.close(); } catch (IOException e) { e.printStackTrace(); } } } } );点击button1实现已选择文件的拷贝,详细说说代码要怎么改
时间: 2024-02-04 09:03:41 浏览: 61
文件拷贝(read() write()实现)
要实现从用户选择的文件拷贝到指定目录,需要修改代码中的srcPath和destPath变量,以及添加文件选择器的代码。
代码修改如下:
```java
button1.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent e1) {
// 创建文件选择器
JFileChooser chooser = new JFileChooser();
// 显示文件选择器对话框
int result = chooser.showOpenDialog(null);
if (result == JFileChooser.APPROVE_OPTION) {
// 获取用户选择的文件
File selectedFile = chooser.getSelectedFile();
// 设置源文件路径为用户选择的文件路径
String srcPath = selectedFile.getAbsolutePath();
// 设置目标文件路径为指定目录下的同名文件
String destPath = "/path/to/destination/directory/" + selectedFile.getName();
FileInputStream fis = null;
FileOutputStream fos = null;
try {
// 创建文件对象
File file = new File(srcPath);
File file1 = new File(destPath);
// 创建输入流和输出流
fis = new FileInputStream(file);
fos = new FileOutputStream(file1);
// 读取数据
byte[] buffer = new byte[1024];
int len;
while ((len = fis.read(buffer)) != -1) {
fos.write(buffer, 0, len);
}
} catch (IOException e) {
e.printStackTrace();
} finally {
// 关闭流
try {
if (fis != null)
fis.close();
} catch (IOException e) {
e.printStackTrace();
}
try {
if (fos != null)
fos.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
});
```
在该代码中,我们使用了JFileChooser类创建了一个文件选择器,用户可以通过该对话框选择需要拷贝的文件。通过调用chooser.getSelectedFile()方法,我们可以获取用户选择的文件,并将其路径赋值给srcPath变量。我们还设置了目标文件路径destPath,指定为指定目录下的同名文件。需要根据实际情况修改目标路径。
除此之外,该代码与之前的代码相同,均为从源文件中读取数据,写入到目标文件中。需要注意的是,在finally块中,我们需要关闭输入流fis和输出流fos,释放资源。
阅读全文