If you are handling full chain certificates (i.e. the ones generated by letsencrypt / certbot etc), which are a concatenation of the certificate and the certificate authority chain, you can use bash string manipulation.
For example:
# content of /path/to/fullchain.pem
-----BEGIN CERTIFICATE-----
some long base64 string containing
the certificate
-----END CERTIFICATE-----
-----BEGIN CERTIFICATE-----
another base64 string
containing the first certificate
in the authority chain
-----END CERTIFICATE-----
-----BEGIN CERTIFICATE-----
another base64 string
containing the second certificate
in the authority chain
(there might be more...)
-----END CERTIFICATE-----
To extract the certificate and the certificate authority chain into variables:
# load the certificate into a variable
FULLCHAIN=$(</path/to/fullchain.pem)
CERTIFICATE="${FULLCHAIN%%-----END CERTIFICATE-----*}-----END CERTIFICATE-----"
CHAIN=$(echo -e "${FULLCHAIN#*-----END CERTIFICATE-----}" | sed '/./,$!d')
Explanation:
Instead of using awk or openssl (which are powerful tools but not always available, i.e. in Docker Alpine images), you can use bash string manipulation.
"${FULLCHAIN%%-----END CERTIFICATE-----*}-----END CERTIFICATE-----"
: from end of the content of FULLCHAIN, return the longest substring match, then concat -----END CERTIFICATE-----
as it get stripped away. The *
matches all the characters after -----END CERTIFICATE-----
.
$(echo -e "${FULLCHAIN#*-----END CERTIFICATE-----}" | sed '/./,$!d')
: from the beginning of the content of FULLCHAIN, return the shortest substring match, then strip leading new lines. Likewise, the *
matches all the characters before -----END CERTIFICATE-----
.
For a quick reference (while you can find more about string manipulation in bash here):
${VAR#substring}
= the shortest substring from the beginning of the content of VAR
${VAR%substring}
= the shortest substring from the end of the content of VAR
${VAR##substring}
= the longest substring from the beginning of the content of VAR
${VAR%%substring}
= the longest substring from the end of the content of VAR