用java写一个代码,实现把指定文件路径filePath底下的文件按照参数n,按照每组n个进行分组保存到指定路径path2下
时间: 2024-05-01 17:16:50 浏览: 53
java 将数据保存到指定的文件中
5星 · 资源好评率100%
```
import java.io.File;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.util.ArrayList;
import java.util.List;
public class FileGroup {
public static void main(String[] args) {
String filePath = "/path/to/source/folder";
String path2 = "/path/to/target/folder";
int n = 5;
try {
List<File> fileList = getFileList(filePath);
List<List<File>> fileGroupList = groupFiles(fileList, n);
saveFileGroups(fileGroupList, path2);
} catch (IOException e) {
e.printStackTrace();
}
}
public static List<File> getFileList(String filePath) throws IOException {
List<File> fileList = new ArrayList<>();
File folder = new File(filePath);
if (!folder.exists()) {
throw new IOException("文件夹不存在");
}
File[] files = folder.listFiles();
for (File file : files) {
if (file.isFile()) {
fileList.add(file);
}
}
return fileList;
}
public static List<List<File>> groupFiles(List<File> fileList, int n) {
List<List<File>> fileGroupList = new ArrayList<>();
int size = fileList.size();
int groupNum = size / n;
int remainder = size % n;
int index = 0;
for (int i = 0; i < groupNum; i++) {
List<File> fileGroup = new ArrayList<>();
for (int j = 0; j < n; j++) {
fileGroup.add(fileList.get(index++));
}
fileGroupList.add(fileGroup);
}
if (remainder > 0) {
List<File> fileGroup = new ArrayList<>();
for (int i = 0; i < remainder; i++) {
fileGroup.add(fileList.get(index++));
}
fileGroupList.add(fileGroup);
}
return fileGroupList;
}
public static void saveFileGroups(List<List<File>> fileGroupList, String path2) throws IOException {
File folder = new File(path2);
if (!folder.exists()) {
folder.mkdirs();
}
for (int i = 0; i < fileGroupList.size(); i++) {
File fileGroupFolder = new File(folder, "group" + (i + 1));
if (!fileGroupFolder.exists()) {
fileGroupFolder.mkdirs();
}
List<File> fileGroup = fileGroupList.get(i);
for (File file : fileGroup) {
FileInputStream fis = new FileInputStream(file);
FileOutputStream fos = new FileOutputStream(new File(fileGroupFolder, file.getName()));
byte[] buffer = new byte[1024];
int len;
while ((len = fis.read(buffer)) > 0) {
fos.write(buffer, 0, len);
}
fis.close();
fos.close();
}
}
}
}
```
解释:
1. `getFileList`方法获取指定路径下的所有文件。
2. `groupFiles`方法将文件列表按照参数n分组,每组n个。
3. `saveFileGroups`方法将分组后的文件列表保存到指定路径下。
4. 在`main`方法中调用以上三个方法,传入相应的参数,实现分组保存。
阅读全文