Security

This document provides guidelines for deploying OPA inside untrusted environments. You should read this document if you are deploying OPA as a service.

Securing the API involves configuring OPA to use TLS, authentication, and authorization so that:

  • Traffic between OPA and clients is encrypted.
  • Clients verify the OPA API endpoint identity.
  • OPA verifies client identities.
  • Clients are only granted access to specific APIs or sections of The data Document.

TLS and HTTPS

HTTPS is configured by specifying TLS credentials via command line flags at startup:

  • --tls-cert-file=<path> specifies the path of the file containing the TLS certificate.
  • --tls-private-key-file=<path> specifies the path of the file containing the TLS private key.

OPA will exit immediately with a non-zero status code if only one of these flags is specified.

Note that for using TLS-based authentication, a CA cert file can be provided:

  • --tls-ca-cert-file=<path> specifies the path of the file containing the CA cert.

If provided, it will be used to validate clients’ TLS certificates when using TLS authentication (see below).

By default, OPA ignores insecure HTTP connections when TLS is enabled. To allow insecure HTTP connections in addition to HTTPS connections, provide another listening address with --addr. For example:

  1. opa run --server \
  2. --log-level debug \
  3. --tls-cert-file public.crt \
  4. --tls-private-key-file private.key \
  5. --addr https://0.0.0.0:8181 \
  6. --addr http://localhost:8282

1. Generate the TLS credentials for OPA (Example)

  1. openssl genrsa -out private.key 2048
  2. openssl req -new -x509 -sha256 -key private.key -out public.crt -days 1

We have generated a self-signed certificate for example purposes here. DO NOT rely on self-signed certificates outside of development without understanding the risks.

2. Start OPA with TLS enabled

  1. opa run --server --log-level debug \
  2. --tls-cert-file public.crt \
  3. --tls-private-key-file private.key

3. Try to access the API with HTTP

  1. curl http://localhost:8181/v1/data

4. Access the API with HTTPS

  1. curl -k https://localhost:8181/v1/data

We have to use cURL’s -k/--insecure flag because we are using a self-signed certificate.

Authentication and Authorization

This section shows how to configure OPA to authenticate and authorize client requests. Client-side authentication of the OPA API endpoint should be handled with TLS.

Authentication and authorization allow OPA to:

  • Verify client identities.
  • Control client access to APIs and data.

Both are configured via command line flags:

  • --authentication=<scheme> specifies the authentication scheme to use.
  • --authorization=<scheme> specifies the authorization scheme to use.

By default, OPA does not perform authentication or authorization and these flags default to off.

For authentication, OPA supports:

  • Bearer tokens: Bearer tokens are enabled by starting OPA with --authentication=token. When the token authentication mode is enabled, OPA will extract the Bearer token from incoming API requests and provide to the authorization handler. When you use the token authentication, you must configure an authorization policy that checks the tokens. If the client does not supply a Bearer token, the input.identity value will be undefined when the authorization policy is evaluated.
  • Client TLS certificates: Client TLS authentication is enabled by starting OPA with --authentication=tls. When this authentication mode is enabled, OPA will require all clients to provide a client certificate. It is verified against the CA certificate(s) provided via --tls-ca-cert-path. Upon successful verification, the input.identity value is set to the TLS certificate’s subject.

Note that TLS authentication does not disable non-HTTPS listeners. To ensure that all your communication is secured, it should be paired with an authorization policy (see below) that at least requires the client identity (input.identity) to be set.

For authorization, OPA relies on policy written in Rego. Authorization is enabled by starting OPA with --authorization=basic.

When the basic authorization scheme is enabled, a minimal authorization policy must be provided on startup. The authorization policy must be structured as follows:

  1. # The "system" namespace is reserved for internal use
  2. # by OPA. Authorization policy must be defined under
  3. # system.authz as follows:
  4. package system.authz
  5. default allow = false # Reject requests by default.
  6. allow {
  7. # Logic to authorize request goes here.
  8. }

When OPA receives a request, it executes a query against the document defined data.system.authz.allow. The implementation of the policy may span multiple packages however it is recommended that administrators keep the policy under the system namespace.

If the document produced by the allow rule is true, the request is processed normally. If the document is undefined or not true, the request is rejected immediately.

OPA provides the following input document when executing the authorization policy:

  1. {
  2. "input": {
  3. # Identity established by authentication scheme.
  4. # When Bearer tokens are used, the identity is
  5. # set to the Bearer token value.
  6. "identity": <String>,
  7. # One of {"GET", "POST", "PUT", "PATCH", "DELETE"}.
  8. "method": <HTTP Method>,
  9. # URL path represented as an array.
  10. # For example: /v1/data/exempli-gratia
  11. # is represented as ["v1", "data", "exampli-gratia"]
  12. "path": <HTTP URL Path>,
  13. # URL parameters represented as an object of string arrays.
  14. # For example: metrics&explain=true is represented as
  15. # {"metrics": [""], "explain": ["true"]}
  16. "params": <HTTP URL Parameters>,
  17. # Request headers represented as an object of string arrays.
  18. #
  19. # Example Request Headers:
  20. #
  21. # host: acmecorp.com
  22. # x-custom: secretvalue
  23. #
  24. # Example input.headers Value:
  25. #
  26. # {"Host": ["acmecorp.com"], "X-Custom": ["mysecret"]}
  27. #
  28. # Example header check:
  29. #
  30. # input.headers["X-Custom"][_] = "mysecret"
  31. #
  32. # Header keys follow canonical MIME form. The first character and any
  33. # characters following a hyphen are uppercase. The rest are lowercase.
  34. # If the header key contains space or invalid header field bytes,
  35. # no conversion is performed.
  36. "headers": <HTTP Headers>
  37. }
  38. }

At a minimum, the authorization policy should grant access to a special root identity:

  1. package system.authz
  2. default allow = false # Reject requests by default.
  3. allow { # Allow request if...
  4. "secret" == input.identity # Identity is the secret root key.
  5. }

When OPA is configured with this minimal authorization policy, requests without authentication are rejected:

  1. GET /v1/policies HTTP/1.1

Response:

  1. HTTP/1.1 401 Unauthorized
  2. Content-Type: application/json
  1. {
  2. "code": "unauthorized",
  3. "message": "request rejected by administrative policy"
  4. }

However, if Bearer token authentication is enabled and the request includes the secret from above, the request is allowed:

  1. GET /v1/policies HTTP/1.1
  2. Authorization: Bearer secret

Response:

  1. HTTP/1.1 200 OK
  2. Content-Type: application/json

Token-based Authentication Example

When Bearer tokens are used for authentication, the policy should at minimum validate the identity:

  1. package system.authz
  2. # Tokens may defined in policy or pushed into OPA as data.
  3. tokens = {
  4. "my-secret-token-foo": {
  5. "roles": ["admin"]
  6. },
  7. "my-secret-token-bar": {
  8. "roles": ["service-1"]
  9. },
  10. "my-secret-token-baz": {
  11. "roles": ["service-2", "service-3"]
  12. }
  13. }
  14. default allow = false # Reject requests by default.
  15. allow { # Allow request if...
  16. input.identity == "secret" # Identity is the secret root key.
  17. }
  18. allow { # Allow request if...
  19. tokens[input.identity] # Identity exists in "tokens".
  20. }

To complete this example, the policy could further restrict tokens to specific documents:

  1. package system.authz
  2. # Rights may be defined in policy or pushed into OPA as data.
  3. rights = {
  4. "admin": {
  5. "path": "*"
  6. },
  7. "service-1": {
  8. "path": ["v1", "data", "exempli", "gratia"]
  9. },
  10. "service-2": {
  11. "path": ["v1", "data", "par", "example"]
  12. }
  13. }
  14. # Tokens may be defined in policy or pushed into OPA as data.
  15. tokens = {
  16. "my-secret-token-foo": {
  17. "roles": ["admin"]
  18. },
  19. "my-secret-token-bar": {
  20. "roles": ["service-1"]
  21. },
  22. "my-secret-token-baz": {
  23. "roles": ["service-2", "service-3"]
  24. }
  25. }
  26. default allow = false # Reject requests by default.
  27. allow { # Allow request if...
  28. some right
  29. identity_rights[right] # Rights for identity exist, and...
  30. right.path == "*" # Right.path is '*'.
  31. } { # Or...
  32. some right
  33. identity_rights[right] # Rights for identity exist, and...
  34. right.path == input.path # Right.path matches input.path.
  35. }
  36. identity_rights[right] { # Right is in the identity_rights set if...
  37. token := tokens[input.identity] # Token exists for identity, and...
  38. role := token.roles[_] # Token has a role, and...
  39. right := rights[role] # Role has rights defined.
  40. }

TLS-based Authentication Example

To set up authentication based on TLS, we will need three certificates:

  1. the CA cert (self-signed),
  2. the server cert (signed by the CA), and
  3. the client cert (signed by the CA).

These are example invocations using openssl. Don’t use these in production, the key sizes are only good for demonstration purposes.

Note that we’re creating an extra client, which has a certificate signed by the proper CA, but will later be used to illustrate the authorization policy.

  1. # CA
  2. openssl genrsa -out ca-key.pem 2048
  3. openssl req -x509 -new -nodes -key ca-key.pem -days 1000 -out ca.pem -subj "/CN=my-ca"
  4. # client 1
  5. openssl genrsa -out client-key.pem 2048
  6. openssl req -new -key client-key.pem -out csr.pem -subj "/CN=my-client"
  7. openssl x509 -req -in csr.pem -CA ca.pem -CAkey ca-key.pem -CAcreateserial -out client-cert.pem -days 1000
  8. # client 2
  9. openssl genrsa -out client-key-2.pem 2048
  10. openssl req -new -key client-key-2.pem -out csr.pem -subj "/CN=my-client-2"
  11. openssl x509 -req -in csr.pem -CA ca.pem -CAkey ca-key.pem -CAcreateserial -out client-cert-2.pem -days 1000
  12. # create server cert with IP and DNS SANs
  13. cat <<EOF >req.cnf
  14. [req]
  15. req_extensions = v3_req
  16. distinguished_name = req_distinguished_name
  17. [req_distinguished_name]
  18. [v3_req]
  19. basicConstraints = CA:FALSE
  20. keyUsage = nonRepudiation, digitalSignature, keyEncipherment
  21. subjectAltName = @alt_names
  22. [alt_names]
  23. DNS.1 = opa.example.com
  24. IP.1 = 127.0.0.1
  25. EOF
  26. openssl genrsa -out server-key.pem 2048
  27. openssl req -new -key server-key.pem -out csr.pem -subj "/CN=my-server" -config req.cnf
  28. openssl x509 -req -in csr.pem -CA ca.pem -CAkey ca-key.pem -CAcreateserial -out server-cert.pem -days 1000 -extensions v3_req -extfile req.cnf

We also create a simple authorization policy file, called check.rego:

  1. package system.authz
  2. # client_cns may defined in policy or pushed into OPA as data.
  3. client_cns = {
  4. "my-client": true
  5. }
  6. default allow = false
  7. allow { # Allow request if
  8. split(input.identity, "=", ["CN", cn]) # the cert subject is a CN, and
  9. client_cns[cn] # the name is a known client.
  10. }

Now, we’re ready to starting the server with -authentication=tls and the certificate-related parameters:

  1. $ opa run -s \
  2. --tls-cert-file server-cert.pem \
  3. --tls-private-key-file server-key.pem \
  4. --tls-ca-cert-file ca.pem \
  5. --authentication=tls \
  6. --authorization=basic \
  7. -a https://127.0.0.1:8181 \
  8. check.rego
  9. INFO[2019-01-14T10:24:52+01:00] First line of log stream. addrs="[https://127.0.0.1:8181]" insecure_addr=

We can use curl to validate our TLS-based authentication setup:

First, we use the client certificate that was signed by the CA, and has a subject matching our authorization policy:

  1. $ curl --key client-key.pem \
  2. --cert client-cert.pem \
  3. --cacert ca.pem \
  4. --resolve opa.example.com:8181:127.0.0.1 \
  5. https://opa.example.com:8181/v1/data
  6. {"result":{}}

Note that we’re passing the CA cert to curl – this is done to have curl accept the server’s certificate, which has been signed by our CA cert.

Since we’ve setup an IP SAN, we may also curl https://127.0.0.1:8181/v1/data directly. (To keep our examples focused, we’ll do that from here on.)

Using a valid certificate whose subject will be declined by our authorization policy:

  1. $ curl --key client-key-2.pem \
  2. --cert client-cert-2.pem \
  3. --cacert ca.pem \
  4. https://127.0.0.1:8181/v1/data
  5. {
  6. "code": "unauthorized",
  7. "message": "request rejected by administrative policy"
  8. }

Finally, we’ll attempt to query without a client certificate:

  1. $ curl --cacert ca.pem https://127.0.0.1:8181/v1/data
  2. curl: (35) error:14094412:SSL routines:ssl3_read_bytes:sslv3 alert bad certificate

As you can see, TLS-based authentication disallows these request completely.

Hardened Configuration Example

You can run a hardened OPA deployment with minimal configuration. There are a few things to keep in mind:

  • Limit API access to host-local clients executing policy queries.
  • Configure TLS (for localhost TCP) or a UNIX domain socket.
  • Do not pass credentials as command-line arguments.
  • Run OPA as a non-root user ideally inside it’s own account.

With OPA configured to fetch policies using the Bundles feature you can configure OPA with a restrictive authorization policy that only grants clients access to the default policy decision, i.e., POST /:

  1. package system.authz
  2. # Deny access by default.
  3. default allow = false
  4. # Allow anonymous access to the default policy decision.
  5. allow {
  6. input.method = "POST"
  7. input.path = [""]
  8. }

The example below shows flags that tell OPA to:

  • Authorize all API requests (--authorization=basic)
  • Listen on localhost for HTTPS (not HTTP!) connections (--addr, --tls-cert-file, --tls-private-key-file)
  • Download bundles from a remote HTTPS endpoint (--set flags and --set-file flag)
  1. opa run \
  2. --server \
  3. --authorization=basic \
  4. --addr=https://localhost:8181 \
  5. --tls-cert-file=/var/tmp/server.crt \
  6. --tls-private-key-file=/var/tmp/server.key \
  7. --set=bundle.service=default \
  8. --set=bundle.name=myapp_authz_bundle \
  9. --set=services.default.url=https://control.acmecorp.com \
  10. --set-file=services.default.credentials.bearer.token=/var/tmp/secret-bearer-token

The /var/tmp/secret-bearer-token will store the credential in plaintext. You should make sure that file permission(s) are setup to limit access.