一尘不染

为什么必须调用URLConnection#getInputStream才能写出URLConnection#getOutputStream?

java

我正在尝试写入URLConnection#getOutputStream,但是,直到我致电,实际上才发送任何数据URLConnection#getInputStream。即使我设置URLConnnection#doInput为false,也仍然不会发送。有人知道为什么吗?API文档中没有任何内容对此进行描述。

URLConnection上的Java
API文档:http
:
//download.oracle.com/javase/6/docs/api/java/net/URLConnection.html

Java的关于读取和写入URLConnection的教程:http
:
//download.oracle.com/javase/tutorial/networking/urls/readingWriting.html

import java.io.IOException;
import java.io.OutputStreamWriter;
import java.net.URL;
import java.net.URLConnection;

public class UrlConnectionTest {

    private static final String TEST_URL = "http://localhost:3000/test/hitme";

    public static void main(String[] args) throws IOException  {

        URLConnection urlCon = null;
        URL url = null;
        OutputStreamWriter osw = null;

        try {
            url = new URL(TEST_URL);
            urlCon = url.openConnection();
            urlCon.setDoOutput(true);
            urlCon.setRequestProperty("Content-Type", "text/plain");

            ////////////////////////////////////////
            // SETTING THIS TO FALSE DOES NOTHING //
            ////////////////////////////////////////
            // urlCon.setDoInput(false);

            osw = new OutputStreamWriter(urlCon.getOutputStream());
            osw.write("HELLO WORLD");
            osw.flush();

            /////////////////////////////////////////////////
            // MUST CALL THIS OTHERWISE WILL NOT WRITE OUT //
            /////////////////////////////////////////////////
            urlCon.getInputStream();

            /////////////////////////////////////////////////////////////////////////////////////////////////////////
            // If getInputStream is called while doInput=false, the following exception is thrown:                 //
            // java.net.ProtocolException: Cannot read from URLConnection if doInput=false (call setDoInput(true)) //
            /////////////////////////////////////////////////////////////////////////////////////////////////////////

        } catch (Exception e) {
            e.printStackTrace();                
        } finally {
            if (osw != null) {
                osw.close();
            }
        }

    }

}

阅读 301

收藏
2020-09-08

共1个答案

一尘不染

URLConnection和HttpURLConnection的API(无论是好是坏)都是为用户设计的,使其遵循一系列非常特定的事件:

  1. 设置请求属性
  2. (可选)getOutputStream(),写入流,关闭流
  3. getInputStream(),从流中读取,关闭流

如果您的请求是POST或PUT,则需要可选步骤#2。

据我所知,OutputStream不像套接字,它不直接连接到服务器上的InputStream。相反,在关闭或刷新流并调用getInputStream()之后,您的输出将内置到Request中并发送。语义基于您将要读取响应的假设。我所看到的每个示例都显示了事件的顺序。我肯定会与您和其他人一样,与常规流I
/ O API相比,此API是违反直觉的。

您链接到的教程指出“
URLConnection是一个以HTTP为中心的类”。我的解释是,这些方法是围绕“请求-响应”模型设计的,并假设它们将被使用。

对于它的价值,我发现此错误报告比Javadoc文档更好地解释了类的预期操作。该报告的评估指出“发送请求的唯一方法是调用getInputStream。”

2020-09-08