2

現在、JSP ページで JSTL タグを使用して、外部ページのコンテンツをインポートしています。

<c:import url="http://some.url.com/">
   <c:param name="Param1" value="<%= param1 %>" />
   ...
   <c:param name="LongParam1" value="<%= longParam1 %>" />
</c:import>

残念ながら、パラメータは現在長くなっています。URL でGETパラメーターとしてエンコードされているため、「414: 要求 URL が大きすぎます」というエラーが表示されます。パラメータを外部 URLにPOSTする方法はありますか? 別のタグ/タグ ライブラリを使用している可能性がありますか?

4

2 に答える 2

3

http://www.docjar.com/html/api/org/apache/taglibs/standard/tag/common/core/ImportSupport.java.htmlおよびhttp://www.docjar.com/html/apiを調べた後/org/apache/taglibs/standard/tag/el/core/ImportTag.java.htmlタグを使用して POST リクエストを実行できないという結論に達しましたimport

あなたが持っている唯一の選択肢はカスタムタグを使用することだと思います-いくつかのPOSTパラメーターを取り、応答テキストを出力するapache httpclientタグを書くのはかなり簡単なはずです。

于 2009-10-20T07:59:16.167 に答える
1

これにはサーブレットが必要ですjava.net.URLConnection

基本的な例:

String url = "http://example.com";
String charset = "UTF-8";
String query = String.format("Param1=%s&LongParam1=%d", param1, longParam1);

URLConnection urlConnection = new URL(url).openConnection();
urlConnection.setUseCaches(false);
urlConnection.setDoOutput(true); // Triggers POST.
urlConnection.setRequestProperty("accept-charset", charset);
urlConnection.setRequestProperty("content-type", "application/x-www-form-urlencoded");

OutputStreamWriter writer = null;
try {
    writer = new OutputStreamWriter(urlConnection.getOutputStream(), charset);
    writer.write(query);
} finally {
    if (writer != null) try { writer.close(); } catch (IOException logOrIgnore) {}
}

InputStream result = urlConnection.getInputStream();
// Now do your thing with the result.
// Write it into a String and put as request attribute
// or maybe to OutputStream of response as being a Servlet behind `jsp:include`.
于 2009-12-15T16:25:02.347 に答える