Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

sign file with bouncy castle in java

I want to sign a file content with certificate in java.

With terminal and openssl, I can do this :

openssl smime -sign -in nosign.mobileconfig -out signed.mobileconfig -signer server.crt -inkey server.key -certfile cacert.crt -outform der -nodetach

server.crt and .key are the files to sign, and I think I understand the cacert.crt is embedded inside the out content.

finally, I have a file signed and trusted.

In Java, I can't use openssl (don't want to launch openssl command) so, I have to sign it with a lib.

To do that, I use Bouncy Castle (version 1.53)

here is my code :

    byte[] profile = ...; // I can have it also in String

    // the certificate in -certfile
    FileInputStream inputStream = new FileInputStream("src/main/resources/cacert.crt"); 

    byte[] caCertificate = ByteStreams.toByteArray(inputStream);

    // the certificate to sign : server.crt, embedded in p12
    X509Certificate serverCertificate = (X509Certificate) this.keyStore.getCertificate("1");

    // Private key is the server.key
    ContentSigner sha1Signer = new JcaContentSignerBuilder("SHA1withRSA").setProvider("BC").build(this.privateKey);

    CMSSignedDataGenerator generator = new CMSSignedDataGenerator();
    generator.addSignerInfoGenerator(new JcaSignerInfoGeneratorBuilder(
            new JcaDigestCalculatorProviderBuilder().setProvider("BC").build()).build(sha1Signer, serverCertificate));

    // the embedded certificate : cacert.crt, but  I don't know if it is good to do that this way
    X509CertificateHolder holder = new X509CertificateHolder(caCertificate);

    generator.addCertificate(holder);

    CMSProcessableByteArray bytes = new CMSProcessableByteArray(profile);
    CMSSignedData signedData = generator.generate(bytes, true);

    System.out.println("signedData : \n" + signedData.getEncoded());

Can you help me to have the good signed data please ? Thanks !

EDIT : I've got an error at

    X509CertificateHolder holder = new X509CertificateHolder(caCertificate);

java.io.IOException: unknown tag 13 encountered

like image 923
zarghol Avatar asked Dec 09 '15 09:12

zarghol


1 Answers

The CA certificate file is obviously in PEM (ASCII) format. The constructor for X509CertificateHolder needs the BER/DER (binary) encoding of the certificate.

You can convert it by adding this:

PEMParser pemParser = new PEMParser(new FileReader("src/main/resources/cacert.crt"));
X509CertificateHolder caCertificate = (X509CertificateHolder) pemParser.readObject();

You should add the signing certificate to the CMS structure as well:

generator.addCertificate(new X509CertificateHolder(serverCertificate.getEncoded()));
like image 120
Omikron Avatar answered Sep 20 '22 14:09

Omikron