Skip to content
Snippets Groups Projects
GOLANG-HOWTO.md 10.2 KiB
Newer Older
# Tink for Go HOW-TO
baskaran's avatar
baskaran committed

The following subsections present instructions and/or Go snippets for some
common cryptographic tasks in [Tink](https://github.com/google/tink).
baskaran's avatar
baskaran committed

## Installing Tink

To install Tink locally run:
baskaran's avatar
baskaran committed

```sh
baskaran's avatar
baskaran committed
go get github.com/google/tink/go/...
baskaran's avatar
baskaran committed
```

to run all the tests locally:
baskaran's avatar
baskaran committed

```sh
cd $GOPATH/go/src/github.com/google/tink/go
go test ./...
```

Golang Tink API also supports [Bazel](https://www.bazel.build) builds. To run
the tests using bazel:
baskaran's avatar
baskaran committed

```sh
cd $GOPATH/go/src/github.com/google/tink/go
bazel build ... && bazel test ...
```

## GoDoc

GoDocs for the Tink API can be found
[here](https://godoc.org/github.com/google/tink).
baskaran's avatar
baskaran committed

## Obtaining and using primitives
baskaran's avatar
baskaran committed

[_Primitives_](PRIMITIVES.md) represent cryptographic operations offered by
Tink, hence they form the core of Tink API. A primitive is just an interface
that specifies what operations are offered by the primitive. A primitive can
have multiple implementations, and user chooses a desired implementation by
using a key of corresponding type (see the [this
section](KEY-MANAGEMENT.md#key-keyset-and-keysethandle) for details).

The following table summarizes Golang implementations of primitives that are
currently available

Primitive          | Implementations
------------------ | ---------------------------------
AEAD               | AES-GCM, AES-CTR-HMAC
Deterministic AEAD | AES-SIV
MAC                | HMAC-SHA256
Digital Signatures | ECDSA over NIST curves, Ed25519
Hybrid Encryption  | ECIES with AEAD and HKDF

### AEAD

AEAD encryption assures the confidentiality and authenticity of the data. This
primitive is CPA secure.
baskaran's avatar
baskaran committed

```go
package main

import (
    "fmt"

    "github.com/google/tink/go/aead"
    "github.com/google/tink/go/keyset"
)

func main() {

    kh, err := keyset.NewHandle(aead.AES256GCMKeyTemplate())
    if err != nil {
        // handle the error
    }

    a := aead.New(kh)

    ct , err := a.Encrypt([]byte("this data needs to be encrypted"), []byte("associated data"))
    if err != nil {
        // handle error
    }

    pt, err := a.Decrypt(ct, []byte("associated data"))
    if err != nil {
        //handle error
    }

}

```

### MAC

MAC computes a tag for a given message that can be used to authenticate a
message. MAC protects data integrity as well as provides for authenticity of the
message.
baskaran's avatar
baskaran committed

```go
package main

import (
    "fmt"

    "github.com/google/tink/go/mac"
    "github.com/google/tink/go/keyset"
)

func main() {

    kh, err := keyset.NewHandle(mac.HMACSHA256Tag256KeyTemplate())
    if err != nil {
        // handle the error
    }

    m := mac.New(kh)

    mac , err := m.ComputeMac([]byte("this data needs to be MACed"))
    if err != nil {
        // handle error
    }

    if m.VerifyMAC(mac, []byte("this data needs to be MACed")); err != nil {
        //handle error
    }

}
```

### Deterministic AEAD

Unlike AEAD, implementations of this interface are not semantically secure,
because encrypting the same plaintext always yields the same ciphertext.
baskaran's avatar
baskaran committed

```go
package main

import (
    "fmt"

    "github.com/google/tink/go/daead"
    "github.com/google/tink/go/keyset"
)

func main() {

    kh, err := keyset.NewHandle(daead.AESSIVKeyTemplate())
    if err != nil {
        // handle the error
    }

    d := daead.New(kh)

    ct1 , err := d.EncryptDeterministically([]byte("this data needs to be encrypted"), []byte("additional data"))
    if err != nil {
        // handle error
    }

    pt , err := d.DecryptDeterministically(ct, []byte("additional data"))
    if err != nil {
        // handle error
    }

    ct2 , err := d.EncryptDeterministically([]byte("this data needs to be encrypted"), []byte("additional data"))
    if err != nil {
        // handle error
    }

    // ct1 will be equal to ct2


}
```

### Signature

To sign data using Tink you can use ECDSA or ED25519 key templates.

```go
package main

import (
    "fmt"

    "github.com/google/tink/go/signature"
baskaran's avatar
baskaran committed
    "github.com/google/tink/go/keyset"
)

func main() {

    kh, err := keyset.NewHandle(signature.ECDSAP256KeyTemplate()) // other key templates can also be used
    if err != nil {
        // handle the error
    }

    s := signature.NewSigner(kh)

    a , err := s.Sign([]byte("this data needs to be signed"))
    if err != nil {
        // handle error
    }

    v := signature.NewVerifier(kh)

    if err := v.Verify(a, []byte("this data needs to be signed")); err != nil {
        // handle error
    }


}
```

### Hybrid encryption and decryption
baskaran's avatar
baskaran committed

The functionality of Hybrid Encryption is represented as a pair of primitives
(interfaces):

 * `HybridEncrypt` for encryption of data
 * `HybridDecrypt` for decryption

Implementations of these interfaces are secure against adaptive chosen
ciphertext attacks.

In addition to plaintext, the encryption takes an extra parameter, contextInfo.
It usually is public data implicit from the context.  It is bound to the
resulting ciphertext, which allows for checking the integrity of contextInfo
(but there are no guarantees in regards to the secrecy or authenticity of
contextInfo).
baskaran's avatar
baskaran committed

```go
package main

import (
    "github.com/google/tink/go/hybrid"
    "github.com/google/tink/go/core/registry"
    "github.com/google/tink/go/keyset"
)


func main() {

    kh , err := keyset.NewHandle(hybrid.ECIESHKDFAES128CTRHMACSHA256KeyTemplate())
    if err != nil {
        //handle error
    }
    h := hybrid.NewHybridEncrypt(kh)

    ct, err = h.Encrypt([]byte("secret message"), []byte("context info"))
    if err != nil {
        // handle error
    }

    khd , err := keyset.NewHandle( .....); /// get a handle on the decryption key material
    hd := hybrid.NewHybridDecrypt(khd)

    pt, err := hd.Decrypt(ct, []byte("context info"))
    if err != nil {
        // handle error
    }
}

```
### Envelope encryption
baskaran's avatar
baskaran committed

Tink APIs work with GCP and AWS KMS.

```go
package main

import (
    "github.com/google/tink/go/aead"
    "github.com/google/tink/go/core/registry"
    "github.com/google/tink/go/integration/gcpkms"
    "github.com/google/tink/go/keyset"
)

const (
    keyURI = "gcp-kms://......"
)

func main() {
    gcpclient := gcpkms.NewGCPClient(keyURI)
    _, err := gcpclient.LoadCredentials("/mysecurestorage/credentials.json")
    if err != nil {
        //handle error
    }
    registry.RegisterKMSClient(gcpclient)

    dek := aead.AES128CTRHMACSHA256KeyTemplate()
    kh, err := keyset.NewHandle(aead.KMSEnvelopeAEADKeyTemplate(keyURI, dek))
    if err != nil {
        // handle error
    }
    a, err := aead.New(kh)
    if err != nil {
        // handle error
    }

    ct, err = a.Encrypt([]byte("secret message"), []byte("associated data"))
    if err != nil {
        // handle error
    }

    pt, err = a.Decrypt(ct, []byte("associated data"))
    if err != nil {
        // handle error
    }
}

```

## Key management
baskaran's avatar
baskaran committed

### Generating new key(set)s
baskaran's avatar
baskaran committed

To take advantage of key rotation and other key management features, a Tink user
works usually not with single keys, but with keysets. Keysets are just sets of
keys with some additional parameters and metadata.
baskaran's avatar
baskaran committed

Internally Tink stores keysets as Protocol Buffers, but you can work with
keysets via a wrapper called keyset handle. You can generate a new keyset and
obtain its handle using a KeyTemplate. KeysetHandle objects enforce certain
restrictions that prevent accidental leakage of the sensistive key material.
baskaran's avatar
baskaran committed

```go
package main

import (
    "fmt"

    "github.com/google/tink/go/aead"
    "github.com/google/tink/go/keyset"
)

func main() {

    kh, err := keyset.NewHandle(aead.AES128GCMKeyTemplate()) // other key templates can also be used
    if err != nil {
        // handle the error
    }
    fmt.Println(kh.String())
}

```

Key templates are available for MAC, digital signatures, AEAD encryption, DAEAD
encryption and hybrid encryption.
baskaran's avatar
baskaran committed

Key Template Type  | Key Template
------------------ | ------------
AEAD               | aead.AES128CTRHMACSHA256KeyTemplate()
AEAD               | aead.AES128GCMKeyTemplate()
AEAD               | aead.AES256CTRHMACSHA256KeyTemplate()
AEAD               | aead.AES256GCMKeyTemplate()
AEAD               | aead.ChaCha20Poly1305KeyTemplate()
AEAD               | aead.XChaCha20Poly1305KeyTemplate()
DAEAD              | daead.AESSIVKeyTemplate()
baskaran's avatar
baskaran committed
MAC                | mac.HMACSHA256Tag128KeyTemplate()
MAC                | mac.HMACSHA256Tag256KeyTemplate()
MAC                | mac.HMACSHA512Tag256KeyTemplate()
MAC                | mac.HMACSHA512Tag512KeyTemplate()
baskaran's avatar
baskaran committed
Signature          | signature.ECDSAP256KeyTemplate()
Signature          | signature.ECDSAP384KeyTemplate()
Signature          | signature.ECDSAP521KeyTemplate()
Hybrid             | hybrid.ECIESHKDFAES128GCMKeyTemplate()
Hybrid             | hybrid.ECIESHKDFAES128CTRHMACSHA256KeyTemplate()
baskaran's avatar
baskaran committed

To avoid accidental leakage of sensitive key material, one should avoid mixing
keyset generation and usage in code. To support the separation of these
activities Tink provides a command-line tool, [Tinkey](TINKEY.md), which can be
used for common key management tasks.
baskaran's avatar
baskaran committed

### Storing and loading existing keysets
baskaran's avatar
baskaran committed

After generating key material, you might want to persist it to a storage system.
Tink supports persisting the keys after encryption to any io.Writer and
io.Reader implementations.
baskaran's avatar
baskaran committed

```go
package main

import (
    "github.com/golang/protobuf/proto"
    "github.com/google/tink/go/aead"
    "github.com/google/tink/go/keyset"
)

func main() {

    kh, err := keyset.NewHandle(aead.AES128GCMKeyTemplate())
    if err != nil {
        // handle error
    }

    // Fetch the master key
    masterKey = aead.NewKMSEnvelopeAead("..", "..") //key template, //remote aead
    if err != nil {
        // handle error
    }

    // io.Reader and io.Writer implementation. This is simply writing to memory.
    memKeyset := &keyset.MemReaderWriter{}

    // Write encrypts the keyset handle with the master key and
    // writes to the io.Writer implementation(memKeyset)
    // We recommend you encrypt the keyset handle before persisting.
    if err := kh.Write(memKeyset, masterKey); err != nil {
baskaran's avatar
baskaran committed
        // handle error
    }

    // Read reads the encrypted keyset handle back from the io.Reader implementation
    // and decrypts it using the master key.
    kh2, err := keyset.Read(memKeyset, masterKey)
baskaran's avatar
baskaran committed
    if err != nil {
        // handle error
    }

    if !proto.Equal(kh.Keyset(), kh2.Keyset()) {
baskaran's avatar
baskaran committed
        // handle error
    }
}
```