我必须从tsa服务器获取时间戳。我正在发送文件(在byte[]中转换)。但是,当我尝试获得响应时,会抛出NullPointerException

这是我的代码:

public static void timeStampServer () throws IOException{
        //String TSA_URL1    = "http://tsa.starfieldtech.com/";
        String TSA_URL2 = "http://ca.signfiles.com/TSAServer.aspx";
        //String TSA_URL3 = "http://timestamping.edelweb.fr/service/tsp";
        try {
            byte[] digest = leerByteFichero("C:\\deskSign.txt");

            TimeStampRequestGenerator reqgen = new TimeStampRequestGenerator();
            TimeStampRequest req = reqgen.generate(TSPAlgorithms.SHA1, digest);
            byte request[] = req.getEncoded();

            URL url = new URL(TSA_URL2);
            HttpURLConnection con = (HttpURLConnection) url.openConnection();

            con.setDoOutput(true);
            con.setDoInput(true);
            con.setRequestMethod("POST");
            con.setRequestProperty("Content-type", "application/timestamp-query");

            con.setRequestProperty("Content-length", String.valueOf(request.length));

            if (con.getResponseCode() != HttpURLConnection.HTTP_OK) {
                throw new IOException("Received HTTP error: " + con.getResponseCode() + " - " + con.getResponseMessage());
            }
            InputStream in = con.getInputStream();
            TimeStampResp resp = TimeStampResp.getInstance(new ASN1InputStream(in).readObject());
            TimeStampResponse response = new TimeStampResponse(resp);
            response.validate(req);
            System.out.println(response.getTimeStampToken().getTimeStampInfo().getGenTime());
        } catch (IOException e) {
            e.printStackTrace();
        } catch (Exception e) {
            e.printStackTrace();
        }
    }


我正在尝试使用3 tsa服务器,但是其中任何一个都可以返回有效的TSA。
所有这些都在“ TimeStampResponse response = new TimeStampResponse(resp);”中引发NullPointerException。 TSA_URL2引发


java.io.IOException:接收到HTTP错误:411-所需长度。


我不知道问题出在tsa服务器还是我的代码中。有人可以帮助我吗?

最佳答案

我能看到的问题出在您的请求中(NullPointer来自空响应,因为您没有响应)。具体来说,问题是HTTP请求标头后没有冒号。这使得服务器无法读取必需的Content-length标头。从RFC2616节4.2(HTTP doc):


HTTP标头字段,其中包括通用标头(第4.5节),
请求标头(第5.3节),响应标头(第6.2节)和
实体标题(第7.1节)字段,遵循与以下相同的通用格式
RFC 822第3.1节中给出的内容。每个标头字段均包含
名称,后跟冒号(“:”)和字段值。


TL; DR:

更改:

        con.setRequestProperty("Content-type", "application/timestamp-query");
        con.setRequestProperty("Content-length", String.valueOf(request.length));


至:

        con.setRequestProperty("Content-type:", "application/timestamp-query");
        con.setRequestProperty("Content-length:", String.valueOf(request.length));

08-17 16:35