0

我想在创建整个数据之前开始向 HTTP 服务器发送数据。

当您使用 java.net.HttpURLConnection 时,这很容易:

urlConnection = (HttpURLConnection) url.openConnection();
urlConnection.setDoInput(true);
urlConnection.setDoOutput(true);
urlConnection.setChunkedStreamingMode(0);

dos = new DataOutputStream(urlConnection.getOutputStream());
...
dos.writeShort(s);
...

但由于某些原因,我想使用 org.apache.http 包(我必须开发一个基于包 org.apache.http 的库)。我已经阅读了它的文档,但是我没有找到与上面的代码类似的任何东西。在知道最终数据大小之前,是否可以使用 org.apache.http 包以块的形式将数据发送到 HTTP 服务器?

提前感谢所有建议;)

4

1 回答 1

2

在不知道其最终大小的情况下发送数据块也很容易使用 Apache 库。这是一个简单的例子:

DataInputStream dis;
...
HttpClient httpclient = new DefaultHttpClient();
HttpPost httppost = new HttpPost("http://localhost:8080");

BasicHttpEntity entity = new BasicHttpEntity();
entity.setChunked(true);
entity.setContentLength(-1);
entity.setContent(dis);

httppost.setEntity(entity);
HttpResponse response = null;
try {
     response = httpclient.execute(httppost);
} catch (ClientProtocolException e) {
    // TODO
} catch (IOException e) {
    // TODO
}
...
// processing http response....

dis是一个应该包含实体主体的流。您可以dis使用管道流将输入流与输出流连接起来。因此,一个线程可能正在创建数据(例如,从麦克风录制声音),而另一个线程可能会将其发送到服务器。

// creating piped streams
private PipedInputStream pis;
private PipedOutputStream pos;
private DataOutputStream dos;
private DataInputStream dis;

...

pos = new PipedOutputStream();
pis = new PipedInputStream(pos);
dos = new DataOutputStream(pos);
dis = new DataInputStream(pis);

// in thread creating data dynamically
try {
    // writing data to dos stream
    ...
    dos.write(b);
    ...
} catch (IOException e) {
    // TODO
}

// Before finishing thread, we have to flush and close dos stream
// then dis stream will know that all data have been written and will finish
// streaming data to server.
try {
    dos.flush();
    dos.close();
} catch (Exception e) {
    // TODO
}

dos应该传递给动态创建数据的线程,传递给dis向服务器发送数据的线程。

另见:http ://www.androidadb.com/class/ba/BasicHttpEntity.html

于 2012-09-05T20:48:36.627 回答