0

参考我之前的问题

我用以下方法制作了程序:
程序首先从文件中读取 2k 数据并将其存储到一个字节数组中。
然后将要添加到每个数据包的数据也存储在一个数组中,并将两者都添加到数组列表中。然后将数组列表写入文件的输出流。

代码在这里:

File bin=chooser.getSelectedFile();
int filesize=(int)bin.length();
int pcount=filesize/2048; 
byte[] file=new byte[filesize];
byte[] meta=new byte[12];
int arraysize=pcount*12+filesize;
byte[] rootfile=new byte[46];
ArrayList al = new ArrayList();
String root;
prbar.setVisible(true);
int mark=0;
String metas;
try{
    FileInputStream fis=new FileInputStream(bin);
    FileOutputStream fos=new FileOutputStream(bin.getName().replace(".bin", ".xyz"));
    ObjectOutputStream os=new ObjectOutputStream(fos);
    root="46kb"+"5678"+"0000"+pcount+"MYBOX"+"13"+"S208";
    rootfile=root.getBytes();
    for(int n=0;n<=pcount;n++)
    {
        fis.read(file, 0, 2048);
        mark=mark+2048;
        int v=(mark/filesize)*100;
        prbar.setValue(v);
        metas="02KB"+"1234"+n;
        meta=metas.getBytes();

        al.add(rootfile);
        al.add(meta);
        al.add(file);
    }
    os.writeObject(al.toArray());
}
catch(Exception ex){
    erlabel.setText(ex.getMessage());
}

程序运行没有任何错误,但文件未正确创建。方法错误或代码错误。

请帮忙

4

2 回答 2

2

您似乎正在编写自己的二进制格式,但您使用的是具有自己标头的 ObjectOutputStream。writeObject 以允许 Java 进程反序列化该对象的方式写入对象而不是数据,例如使用它的类层次结构和字段名称。

对于二进制文件,我建议您使用带有 BufferedOutputStream 的普通 DataOutputStream ,这将更高效并执行您想要的操作。

我还建议您在生成数据时编写数据,而不是使用 ArrayList。这将使用更少的内存,使代码更简单,更快。


我会更像这样写代码

File bin = chooser.getSelectedFile();
int filesize = (int) bin.length();
int pcount = (filesize + 2048 - 1) / 2048;
byte[] file = new byte[2048];

FileInputStream fis = new FileInputStream(bin);
String name2 = bin.getName().replace(".bin", ".xyz");
OutputStream os = new BufferedOutputStream(new FileOutputStream(name2));
byte[] rootfile = ("46kb" + "5678" + "0000" + pcount + "MYBOX" + "13" + "S208").getBytes("UTF-8");

for (int n = 0; n < pcount; n++) {
    os.write(rootfile);
    byte[] metas = ("02KB" + "1234" + n).getBytes("UTF-8");
    os.write(metas);

    int len = fis.read(file);

    os.write(file, 0, len);
    int percent = 100 * n / pcount;
    prbar.setValue(percent);
}
ow.close();
于 2012-09-14T08:18:30.517 回答
1

首先是最小的事情:

int v=(mark/filesize)*100;

我认为使用整数除法总是产生 0。

int v = mark * 100 / filesize;

byte[] 对象(file例如)被创建一次和多次添加到列表中。您将获得最后一次覆盖的 n 个副本。

于 2012-09-14T08:18:13.527 回答