2

我想在我的AndroidHttpClient中实现ProgressDialog。我在这里找到了一个简单的实现CountingMultipartEntity。 另外我添加了内容长度支持。我重写了方法。 FileBody 上传几乎可以正常工作。当上传包含​​一个文件时,它可以完美运行,但是当有两个文件时,第二个文件只上传了部分。 InputStreamBody 有效,但仅当我不计算InputStream的长度时。所以我必须重置它,但是如何?
addPart

这是我最重要的addPart

@Override
public void addPart(String name, ContentBody cb) {
    if (cb instanceof FileBody) {
        this.contentLength += ((FileBody) cb).getFile().length();
    } else if (cb instanceof InputStreamBody) {
        try {
            CountingInputStream in =
                new CountingInputStream(((InputStreamBody) cb).getInputStream());
            ObjectInputStream ois = new ObjectInputStream(in);
            ois.readObject();
            this.contentLength += in.getBytesRead();
        } catch (Exception e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        }
    }
    super.addPart(name, cb);
}

CountingInputStreamInputStream的简单扩展:

public class CountingInputStream extends InputStream {
    private InputStream source;
    private long bytesRead = 0;

    public CountingInputStream(InputStream source) {
        this.source = source;
    }

    public int read() throws IOException {
        int value = source.read();
        bytesRead++;
        return value;
    }

    public long getBytesRead() {
        return bytesRead;
    }
}

计数几乎有效,只有 2 个字节,不应该存在。但这太重要了。

首先,我认为必须重置流。之后调用的重置in.getReadedBytes();导致IOException

感谢您的任何建议。

4

1 回答 1

1

我发现了我的错误。我已经覆盖了getContentLength()对传输很重要的方法,删除我自己的版本后,文件传输工作正常。

为了获得InputStream的大小,我使用了上面的类,但编辑了方法getBytesRead(),因为ObjectInputStream会导致StreamCorruptedException

public long getBytesRead() {
    try {
        while (read() != -1)
            ;
    } catch (IOException e) {
        e.printStackTrace();
    }

    return bytesRead;
}

getContentLength()要获取内容长度,如果没有任何流,您可以采用给定的方法。
否则,您必须实现自己的内容长度计算。上述方法addPart(String name, ContentBody cb)提供了一种途径。您可以从MultiPartyEntityHttpMultipart类中获得有关内容长度计算的更多详细信息。

于 2011-06-20T11:56:40.903 回答