Part 4 of a small series into building a Public Key Infrastructure chain with Golang
Files and directories - check. Now let’s start to populate those directories with some keys for our Certificate Authority!
Series Table of Contents
Key Pairs
Key Pairs are important as they’re the fundamental crytographic component of PKI. Let’s create a few functions to create a Key Pair and save them to files with our Golang application that was started in the Directory Structure article.
The final scripts and extra goodies will be provided at the end…whenever I finish writing all this…
Note: There are other kinds of Key Pair Algorithms you could use - for these purposes we’ll go with trusy RSA.
func.keys.go
func generateRSAKeypair(keySize int) (*rsa.PrivateKey, *rsa.PublicKey, error) {
if keySize == 0 {
keySize = 4096
}
privKey, err := rsa.GenerateKey(rand.Reader, keySize)
if err != nil {
return nil, nil, err
}
return privKey, &privKey.PublicKey, nil
}
func writeRSAKeyPair(privKey *bytes.Buffer, pubKey *bytes.Buffer, path string) (bool, bool, error) {
privKeyFile, err := writeKeyFile(privKey, path+".priv.pem", 0400)
if err != nil {
return false, false, err
}
pubKeyFile, err := writeKeyFile(pubKey, path+".pub.pem", 0644)
if err != nil {
return privKeyFile, false, err
}
return privKeyFile, pubKeyFile, nil
}
func writeKeyFile(pem *bytes.Buffer, path string, permission int) (bool, error) {
pemByte, _ := ioutil.ReadAll(pem)
keyFile, err := WriteByteFile(path, pemByte, permission, false)
if err != nil {
return false, err
}
return keyFile, nil
}
func pemEncodeRSAPrivateKey(privKey *rsa.PrivateKey, rsaPrivateKeyPassword string) (privKeyPEM *bytes.Buffer, b *bytes.Buffer) {
privKeyPEM = new(bytes.Buffer)
b = new(bytes.Buffer)
privateKeyBlock := &pem.Block{
Type: "RSA PRIVATE KEY",
Bytes: x509.MarshalPKCS1PrivateKey(privKey),
}
pem.Encode(privKeyPEM, privateKeyBlock)
if rsaPrivateKeyPassword != "" {
encBytes := encryptBytes(privKeyPEM.Bytes(), rsaPrivateKeyPassword)
b.Write(encBytes)
}
return privKeyPEM, b
}
func pemToEncryptedBytes(pem *bytes.Buffer, passphrase string) (b *bytes.Buffer) {
b = new(bytes.Buffer)
encBytes := encryptBytes(pem.Bytes(), passphrase)
b.Write(encBytes)
return b
}
func pemEncodeRSAPublicKey(caPubKey *rsa.PublicKey) *bytes.Buffer {
caPubKeyPEM := new(bytes.Buffer)
pem.Encode(caPubKeyPEM, &pem.Block{
Type: "RSA PUBLIC KEY",
Bytes: x509.MarshalPKCS1PublicKey(caPubKey),
})
return caPubKeyPEM
}
Helper functions
Here are some additional functions that are in support of these Key Pair functions:
func.file.go
Add Key Pair Generation to CreateNewCA function
Now we can add the key pair generation functions after the file system creation steps:
Next Steps
With that you should now have two files that provide your Root Certificate Authority a Public and Private RSA Key Pair. Next up we’ll be creating a Certificate Request for the Certificate Authority that will be self-signed since it’s a Root CA.