我正在PL / SQL中发出POST请求,但遇到了Certificate validation failure
错误。如果我在数据库之外运行它,则可以使用cURL或Postman正常运行。
在后面的程序中,我需要指定客户端证书,私钥和CA证书。在cURL中,我正在使用--cert
,--key
和--cacert
。
在PL / SQL中运行时,我只能指定存储这些文件的钱包,但是似乎没有指定我要使用的证书和密钥的选项,我认为这就是为什么有问题吗?
declare
req utl_http.req;
res utl_http.resp;
url varchar2(4000) := 'https://server/';
buffer varchar2(4000);
begin
utl_http.set_wallet('file:wallet_path');
req := utl_http.begin_request(url,'POST');
utl_http.set_header(req,'header_name','header_text');
res := utl_http.get_response(req);
begin
loop
utl_http.read_line(res, buffer);
dbms_output.put_line(buffer);
end loop;
utl_http.end_response(res);
exception when utl_http.end_of_body then
utl_http.end_response(res);
end;
end;
/
UTL_HTTP没有这种功能(可能有一些错误),但是您可以尝试使用Java存储过程。它更加灵活,并且仅通过这种方式修复了“证书验证失败”错误。
有一个POST请求功能的示例:
CREATE OR REPLACE JAVA SOURCE NAMED "example/HttpUtil" AS
import javax.net.ssl.*;
import java.io.*;
import java.net.HttpURLConnection;
import java.net.URL;
import java.security.cert.X509Certificate;
import java.sql.Blob;
public class HttpUtil {
public static boolean doRequest(String link, Blob requestBody, Blob[] responseBody, String[] message) {
String res = "Success";
boolean result = true;
try {
request(link,requestBody,responseBody);
} catch (Exception ex) {
StringWriter sw = new StringWriter();
PrintWriter pw = new PrintWriter(sw);
ex.printStackTrace(pw);
res = sw.toString();
result = false;
}
message[0] = res;
return result;
}
public static void request(String link, Blob requestBody, Blob[] responseBody) throws Exception {
URL url = new URL(link);
HttpURLConnection con = (HttpURLConnection) url.openConnection();
con.setDoOutput(true);
con.setRequestMethod("POST");
con.setRequestProperty("Proxy-Connection", "Keep-Alive");
con.setRequestProperty("Content-Type", "application/x-www-form-urlencoded; charset=utf-8");
con.setRequestProperty("Content-Length", String.valueOf(requestBody.length()));
DataOutputStream outputStream = new DataOutputStream(con.getOutputStream());
InputStream reqStream = requestBody.getBinaryStream();
byte[] buff = new byte[1024];
int len = 0;
while ((len = reqStream.read(buff)) != -1) {
outputStream.write(buff, 0, len);
}
int status = con.getResponseCode();
InputStream in;
if (status >= 400) {
in = con.getErrorStream();
} else {
in = con.getInputStream();
}
OutputStream out = responseBody[0].setBinaryStream(0);
byte[] buf = new byte[1024];
int n;
while (-1 != (n = in.read(buf))) {
out.write(buf, 0, n);
}
in.close();
con.disconnect();
out.flush();
}
}
/
ALTER JAVA SOURCE "example/HttpUtil" COMPILE;
CREATE OR REPLACE FUNCTION http_request (is_url IN VARCHAR2,
i_body IN BLOB,
io_resp IN OUT NOCOPY BLOB,
o_message OUT VARCHAR2)
RETURN BOOLEAN
AS LANGUAGE JAVA
NAME 'HttpUtil.doRequest(java.lang.String, java.sql.Blob, java.sql.Blob[], java.lang.String[]) return boolean';