Use Automatic Queryable Encryption with AWS
Overview
This guide shows you how to build an application that implements the MongoDB Queryable Encryption feature to automatically encrypt and decrypt document fields and use Amazon Web Services (AWS) KMS for key management.
After you complete the steps in this guide, you should have:
- A Customer Master Key managed by AWS KMS 
- An AWS IAM user with permissions to access the Customer Master Key in AWS KMS 
- A working client application that inserts documents with encrypted fields using your Customer Master Key 
Tip
Customer Master Keys
To learn more about the Customer Master Key, read the Keys and Key Vaults documentation.
Before You Get Started
To complete and run the code in this guide, you need to set up your development environment as shown in the Installation Requirements page.
Tip
See: Full Application
To see the complete code for this sample application,
select the tab corresponding to your programming language and follow
the provided link. Each sample application repository includes a
README.md file that you can use to learn how to set up your environment
and run the application.
Set Up the KMS
Create the Customer Master Key
Log in to your AWS Management Console.
Navigate to the AWS KMS Console.
Create your Customer Master Key
Create a new symmetric key by following the official AWS documentation on Creating symmetric KMS keys. The key you create is your Customer Master Key. Choose a name and description that helps you identify it; these fields do not affect the functionality or configuration of your CMK.
In the Usage Permissions step of the key generation process, apply the following default key policy that enables Identity and Access Management (IAM) policies to grant access to your Customer Master Key:
{   "Version": "2012-10-17",   "Statement": [     {       "Sid": "Enable IAM User Permissions",       "Effect": "Allow",       "Principal": {         "AWS": "<ARN of your AWS account principal>"       },       "Action": "kms:*",       "Resource": "*"     }   ] } 
Important
Record the Amazon Resource Name (ARN) and Region of your Customer Master Key. You will use these in later steps of this guide.
Tip
Key Policies
To learn more about key policies, see Key Policies in AWS KMS in the official AWS documentation.
Create an AWS IAM User
Navigate to the AWS IAM Console.
Create an IAM User
Create a new programmatic IAM user in the AWS management console by following the official AWS documentation on Adding a User. You will use this IAM user as a service account for your Queryable Encryption-enabled application. Your application authenticates with AWS KMS using the IAM user to encrypt and decrypt your Data Encryption Keys (DEKs) with your Customer Master Key (CMK).
Important
Record your Credentials
Ensure you record the following IAM credentials in the final step of creating your IAM user:
- access key ID 
- secret access key 
You have one opportunity to record these credentials. If you do not record these credentials during this step, you must create another IAM user.
Grant Permissions
Grant your IAM user kms:Encrypt and kms:Decrypt permissions for
your remote master key.
Important
The new client IAM user should not have administrative permissions for the master key. To keep your data secure, follow the principle of least privilege.
The following inline policy allows an IAM user to encrypt and decrypt with the Customer Master Key with the least privileges possible:
Note
Remote Master Key ARN
The following policy requires the ARN of the key you generate in the Create the Master Key step of this guide.
{   "Version": "2012-10-17",   "Statement": [     {       "Effect": "Allow",       "Action": ["kms:Decrypt", "kms:Encrypt"],       "Resource": "<the Amazon Resource Name (ARN) of your remote master key>"     }   ] } 
To apply the preceding policy to your IAM user, follow the Adding IAM identity permissions guide in the AWS documentation.
Important
Authenticate with IAM Roles in Production
When deploying your Queryable Encryption-enabled application to a production environment, authenticate your application by using an IAM role instead of an IAM user.
To learn more about IAM roles, see the following pages in the official AWS documentation:
Create the Application
Assign Your Application Variables
The code samples in this tutorial use the following variables to perform the Queryable Encryption workflow:
- kmsProviderName - The KMS you're using to store your Customer Master Key. Set this variable to - "aws"for this tutorial.
- uri - Your MongoDB deployment connection URI. Set your connection URI in the - MONGODB_URIenvironment variable or replace the value directly.
- keyVaultDatabaseName - The database in MongoDB where your data encryption keys (DEKs) will be stored. Set this variable to - "encryption".
- keyVaultCollectionName - The collection in MongoDB where your DEKs will be stored. Set this variable to - "__keyVault".
- keyVaultNamespace - The namespace in MongoDB where your DEKs will be stored. Set this variable to the values of the - keyVaultDatabaseNameand- keyVaultCollectionNamevariables, separated by a period.
- encryptedDatabaseName - The database in MongoDB where your encrypted data will be stored. Set this variable to - "medicalRecords".
- encryptedCollectionName - The collection in MongoDB where your encrypted data will be stored. Set this variable to - "patients".
You can declare these variables by using the following code:
// KMS provider name should be one of the following: "aws", "gcp", "azure", "kmip" or "local" const kmsProviderName = "<Your KMS Provider Name>"; const uri = process.env.MONGODB_URI; // Your connection URI const keyVaultDatabaseName = "encryption"; const keyVaultCollectionName = "__keyVault"; const keyVaultNamespace = `${keyVaultDatabaseName}.${keyVaultCollectionName}`; const encryptedDatabaseName = "medicalRecords"; const encryptedCollectionName = "patients"; 
- kmsProviderName - The KMS you're using to store your Customer Master Key. Set this value to - "aws"for this tutorial.
- keyVaultDatabaseName - The database in MongoDB where your data encryption keys (DEKs) will be stored. Set the value of - keyVaultDatabaseNameto- "encryption".
- keyVaultCollectionName - The collection in MongoDB where your DEKs will be stored. Set the value of - keyVaultCollectionNameto- "__keyVault".
- keyVaultNamespace - The namespace in MongoDB where your DEKs will be stored. Set - keyVaultNamespaceto a new- CollectionNamespaceobject whose name is the values of the- keyVaultDatabaseNameand- keyVaultCollectionNamevariables, separated by a period.
- encryptedDatabaseName - The database in MongoDB where your encrypted data will be stored. Set the value of - encryptedDatabaseNameto- "medicalRecords".
- encryptedCollectionName - The collection in MongoDB where your encrypted data will be stored. Set the value of - encryptedCollectionNameto- "patients".
- uri - Your MongoDB deployment connection URI. Set your connection URI in the - appsettings.jsonfile or replace the value directly.
You can declare these variables by using the following code:
// KMS provider name should be one of the following: "aws", "gcp", "azure", "kmip" or "local" const string kmsProviderName = "<your KMS provider name>"; const string keyVaultDatabaseName = "encryption"; const string keyVaultCollectionName = "__keyVault"; var keyVaultNamespace =     CollectionNamespace.FromFullName($"{keyVaultDatabaseName}.{keyVaultCollectionName}"); const string encryptedDatabaseName = "medicalRecords"; const string encryptedCollectionName = "patients"; var appSettings = new ConfigurationBuilder().AddJsonFile("appsettings.json").Build(); var uri = appSettings["MongoDbUri"]; 
- kmsProviderName - The KMS you're using to store your Customer Master Key. Set this variable to - "aws"for this tutorial.
- uri - Your MongoDB deployment connection URI. Set your connection URI in the - MONGODB_URIenvironment variable or replace the value directly.
- keyVaultDatabaseName - The database in MongoDB where your data encryption keys (DEKs) will be stored. Set this variable to - "encryption".
- keyVaultCollectionName - The collection in MongoDB where your DEKs will be stored. Set this variable to - "__keyVault".
- keyVaultNamespace - The namespace in MongoDB where your DEKs will be stored. Set this variable to the values of the - keyVaultDatabaseNameand- keyVaultCollectionNamevariables, separated by a period.
- encryptedDatabaseName - The database in MongoDB where your encrypted data will be stored. Set this variable to - "medicalRecords".
- encryptedCollectionName - The collection in MongoDB where your encrypted data will be stored. Set this variable to - "patients".
You can declare these variables by using the following code:
// KMS provider name should be one of the following: "aws", "gcp", "azure", "kmip" or "local" kmsProviderName := "<KMS provider name>" uri := os.Getenv("MONGODB_URI") // Your connection URI keyVaultDatabaseName := "encryption" keyVaultCollectionName := "__keyVault" keyVaultNamespace := keyVaultDatabaseName + "." + keyVaultCollectionName encryptedDatabaseName := "medicalRecords" encryptedCollectionName := "patients" 
- kmsProviderName - The KMS you're using to store your Customer Master Key. Set this variable to - "aws"for this tutorial.
- uri - Your MongoDB deployment connection URI. Set your connection URI in the - MONGODB_URIenvironment variable or replace the value directly.
- keyVaultDatabaseName - The database in MongoDB where your data encryption keys (DEKs) will be stored. Set this variable to - "encryption".
- keyVaultCollectionName - The collection in MongoDB where your DEKs will be stored. Set this variable to - "__keyVault".
- keyVaultNamespace - The namespace in MongoDB where your DEKs will be stored. Set this variable to the values of the - keyVaultDatabaseNameand- keyVaultCollectionNamevariables, separated by a period.
- encryptedDatabaseName - The database in MongoDB where your encrypted data will be stored. Set this variable to - "medicalRecords".
- encryptedCollectionName - The collection in MongoDB where your encrypted data will be stored. Set this variable to - "patients".
You can declare these variables by using the following code:
// KMS provider name should be one of the following: "aws", "gcp", "azure", "kmip" or "local" String kmsProviderName = "<KMS provider name>"; String uri = QueryableEncryptionHelpers.getEnv("MONGODB_URI"); // Your connection URI String keyVaultDatabaseName = "encryption"; String keyVaultCollectionName = "__keyVault"; String keyVaultNamespace = keyVaultDatabaseName + "." + keyVaultCollectionName; String encryptedDatabaseName = "medicalRecords"; String encryptedCollectionName = "patients"; 
- kmsProviderName - The KMS you're using to store your Customer Master Key. Set this variable to - "aws"for this tutorial.
- uri - Your MongoDB deployment connection URI. Set your connection URI in the - MONGODB_URIenvironment variable or replace the value directly.
- keyVaultDatabaseName - The database in MongoDB where your data encryption keys (DEKs) will be stored. Set this variable to - "encryption".
- keyVaultCollectionName - The collection in MongoDB where your DEKs will be stored. Set this variable to - "__keyVault".
- keyVaultNamespace - The namespace in MongoDB where your DEKs will be stored. Set this variable to the values of the - keyVaultDatabaseNameand- keyVaultCollectionNamevariables, separated by a period.
- encryptedDatabaseName - The database in MongoDB where your encrypted data will be stored. Set this variable to - "medicalRecords".
- encryptedCollectionName - The collection in MongoDB where your encrypted data will be stored. Set this variable to - "patients".
You can declare these variables by using the following code:
// KMS provider name should be one of the following: "aws", "gcp", "azure", "kmip" or "local" const kmsProviderName = "<Your KMS Provider Name>"; const uri = process.env.MONGODB_URI; // Your connection URI const keyVaultDatabaseName = "encryption"; const keyVaultCollectionName = "__keyVault"; const keyVaultNamespace = `${keyVaultDatabaseName}.${keyVaultCollectionName}`; const encryptedDatabaseName = "medicalRecords"; const encryptedCollectionName = "patients"; 
- kms_provider_name - The KMS you're using to store your Customer Master Key. Set this variable to - "aws"for this tutorial.
- uri - Your MongoDB deployment connection URI. Set your connection URI in the - MONGODB_URIenvironment variable or replace the value directly.
- key_vault_database_name - The database in MongoDB where your data encryption keys (DEKs) will be stored. Set this variable to - "encryption".
- key_vault_collection_name - The collection in MongoDB where your DEKs will be stored. Set this variable to - "__keyVault".
- key_vault_namespace - The namespace in MongoDB where your DEKs will be stored. Set this variable to the values of the - key_vault_database_nameand- key_vault_collection_namevariables, separated by a period.
- encrypted_database_name - The database in MongoDB where your encrypted data will be stored. Set this variable to - "medicalRecords".
- encrypted_collection_name - The collection in MongoDB where your encrypted data will be stored. Set this variable to - "patients".
You can declare these variables by using the following code:
# KMS provider name should be one of the following: "aws", "gcp", "azure", "kmip" or "local" kms_provider_name = "<KMS provider name>" uri = os.environ['MONGODB_URI']  # Your connection URI key_vault_database_name = "encryption" key_vault_collection_name = "__keyVault" key_vault_namespace = f"{key_vault_database_name}.{key_vault_collection_name}" encrypted_database_name = "medicalRecords" encrypted_collection_name = "patients" 
Important
Key Vault Collection Namespace Permissions
The Key Vault collection is in the encryption.__keyVault
namespace. Ensure that the database user your application uses to connect
to MongoDB has ReadWrite
permissions on this namespace.
Tip
Environment Variables
The sample code in this tutorial references environment variables that you need to set. Alternatively, you can replace the values directly in the code.
To learn how you can setup these environment variables, see the README.md file included in the sample application on GitHub.
Tip
Environment Variables
The sample code in this tutorial references environment variables that you need to set. Alternatively, you can replace the values directly in the code.
To learn how you can setup these environment variables, see the README.md file included in the sample application on GitHub.
Tip
Environment Variables
The sample code in this tutorial references environment variables that you need to set. Alternatively, you can replace the values directly in the code.
To learn how you can setup these environment variables, see the README.md file included in the sample application on GitHub.
Tip
Environment Variables
The sample code in this tutorial references environment variables that you need to set. Alternatively, you can replace the values directly in the code.
To learn how you can setup these environment variables, see the README.md file included in the sample application on GitHub.
Tip
Environment Variables
The sample code in this tutorial references environment variables that you need to set. Alternatively, you can replace the values directly in the code.
To learn how you can setup these environment variables, see the README.md file included in the sample application on GitHub.
Tip
Environment Variables
The sample code in this tutorial references environment variables that you need to set. Alternatively, you can replace the values directly in the code.
To learn how you can setup these environment variables, see the README.md file included in the sample application on GitHub.
Create your Encrypted Collection
Add Your AWS KMS Credentials
Create a variable containing your AWS KMS credentials with the following structure. Use the Access Key ID and Secret Access Key you created in the Create an IAM User step of this tutorial.
kmsProviderCredentials = {   aws: {     accessKeyId: process.env["AWS_ACCESS_KEY_ID"], // Your AWS access key ID     secretAccessKey: process.env["AWS_SECRET_ACCESS_KEY"], // Your AWS secret access key   }, }; 
var kmsProviderCredentials = new Dictionary<string, IReadOnlyDictionary<string, object>>(); var kmsOptions = new Dictionary<string, object> {     { "accessKeyId", _appSettings["Aws:AccessKeyId"] }, // Your AWS access key ID     { "secretAccessKey", _appSettings["Aws:SecretAccessKey"] } // Your AWS secret access key }; kmsProviderCredentials.Add(kmsProvider, kmsOptions); 
kmsProviderCredentials := map[string]map[string]interface{}{ 	"aws": { 		"accessKeyId":     os.Getenv("AWS_ACCESS_KEY_ID"),     // AWS access key ID 		"secretAccessKey": os.Getenv("AWS_SECRET_ACCESS_KEY"), // AWS secret access key 	}, } 
Map<String, Object> kmsProviderDetails = new HashMap<>(); kmsProviderDetails.put("accessKeyId", getEnv("AWS_ACCESS_KEY_ID")); // Your AWS access key ID kmsProviderDetails.put("secretAccessKey", getEnv("AWS_SECRET_ACCESS_KEY")); // Your AWS secret access key Map<String, Map<String, Object>> kmsProviderCredentials = new HashMap<String, Map<String, Object>>(); kmsProviderCredentials.put("aws", kmsProviderDetails); 
kmsProviders = {   aws: {     accessKeyId: process.env.AWS_ACCESS_KEY_ID, // Your AWS access key ID     secretAccessKey: process.env.AWS_SECRET_ACCESS_KEY, // Your AWS secret access key   }, }; 
kms_provider_credentials = {     "aws": {         "accessKeyId": os.environ['AWS_ACCESS_KEY_ID'], # Your AWS access key ID         "secretAccessKey": os.environ['AWS_SECRET_ACCESS_KEY'] # Your AWS secret access key     } } 
Important
Reminder: Authenticate with IAM Roles in Production
To use an IAM role instead of an IAM user to authenticate your application, specify an empty object for your credentials in your KMS provider object. This instructs the driver to automatically retrieve the credentials from the environment:
kmsProviders = {   aws: { } }; 
kmsProviderCredentials.Add("aws", new Dictionary<string, object>); 
kmsProviderCredentials := map[string]map[string]interface{}{   "aws": { }, } 
kmsProviderCredentials.put("aws", new HashMap<>()); 
kmsProviders = {   aws: { } }; 
kms_provider_credentials = {   "aws": { } } 
Add your Customer Master Key Credentials
Create a variable containing your Customer Master Key credentials with the following structure. Use the ARN and Region you recorded in the Create a Customer Master Key step of this tutorial.
customerMasterKeyCredentials = {   key: process.env["AWS_KEY_ARN"], // Your AWS Key ARN   region: process.env["AWS_KEY_REGION"], // Your AWS Key Region }; 
var customerMasterKeyCredentials = new BsonDocument {     { "key", _appSettings["Aws:KeyArn"] }, // Your AWS Key ARN     { "region", _appSettings["Aws:KeyRegion"] } // Your AWS Key Region }; 
customerMasterKeyCredentials := map[string]string{ 	"key":    os.Getenv("AWS_KEY_ARN"),    // Your AWS Key ARN 	"region": os.Getenv("AWS_KEY_REGION"), // Your AWS Key Region } 
BsonDocument customerMasterKeyCredentials = new BsonDocument(); customerMasterKeyCredentials.put("provider", new BsonString(kmsProviderName)); customerMasterKeyCredentials.put("key", new BsonString(getEnv("AWS_KEY_ARN"))); // Your AWS Key ARN customerMasterKeyCredentials.put("region", new BsonString(getEnv("AWS_KEY_REGION"))); // Your AWS Key Region 
customerMasterKeyCredentials = {   key: process.env.AWS_KEY_ARN, // Your AWS Key ARN   region: process.env.AWS_KEY_REGION, // Your AWS Key Region }; 
customer_master_key_credentials = {     "key": os.environ['AWS_KEY_ARN'],  # Your AWS Key ARN     "region": os.environ['AWS_KEY_REGION'] # Your AWS Key Region } 
Set Your Automatic Encryption Options
Create an autoEncryptionOptions object that contains the following
options:
- The namespace of your Key Vault collection 
- The - kmsProviderCredentialsobject, which contains your AWS KMS credentials
const autoEncryptionOptions = {   keyVaultNamespace: keyVaultNamespace,   kmsProviders: kmsProviderCredentials, }; 
Create an AutoEncryptionOptions object that contains the following
options:
- The namespace of your Key Vault collection 
- The - kmsProviderCredentialsobject, which contains your AWS KMS credentials
- The - extraOptionsobject, which contains the path to your Automatic Encryption Shared Library
var extraOptions = new Dictionary<string, object> {     { "cryptSharedLibPath", _appSettings["CryptSharedLibPath"] } // Path to your Automatic Encryption Shared Library }; var autoEncryptionOptions = new AutoEncryptionOptions(     keyVaultNamespace,     kmsProviderCredentials,     extraOptions: extraOptions); 
Create an AutoEncryption object that contains the following
options:
- The namespace of your Key Vault collection 
- The - kmsProviderCredentialsobject, which contains your AWS KMS credentials
- The - cryptSharedLibraryPathobject, which contains the path to your Automatic Encryption Shared Library
cryptSharedLibraryPath := map[string]interface{}{ 	"cryptSharedLibPath": os.Getenv("SHARED_LIB_PATH"), // Path to your Automatic Encryption Shared Library } autoEncryptionOptions := options.AutoEncryption(). 	SetKeyVaultNamespace(keyVaultNamespace). 	SetKmsProviders(kmsProviderCredentials). 	SetExtraOptions(cryptSharedLibraryPath) 
Create an AutoEncryptionSettings object that contains the following
options:
- The namespace of your Key Vault collection 
- The - kmsProviderCredentialsobject, which contains your AWS KMS credentials
- The - extraOptionsobject, which contains the path to your Automatic Encryption Shared Library
Map<String, Object> extraOptions = new HashMap<String, Object>(); extraOptions.put("cryptSharedLibPath", getEnv("SHARED_LIB_PATH")); // Path to your Automatic Encryption Shared Library AutoEncryptionSettings autoEncryptionSettings = AutoEncryptionSettings.builder()         .keyVaultNamespace(keyVaultNamespace)         .kmsProviders(kmsProviderCredentials)         .extraOptions(extraOptions)         .build(); 
Create an autoEncryptionOptions object that contains the following
options:
- The namespace of your Key Vault collection 
- The - kmsProvidersobject, which contains your AWS KMS credentials
- The - sharedLibraryPathOptionsobject, which contains the path to your Automatic Encryption Shared Library
const extraOptions = {   cryptSharedLibPath: process.env.SHARED_LIB_PATH, // Path to your Automatic Encryption Shared Library }; const autoEncryptionOptions = {   keyVaultNamespace,   kmsProviders,   extraOptions, }; 
Create an AutoEncryptionOpts object that contains the following
options:
- The - kms_provider_credentialsobject, which contains your AWS KMS credentials
- The namespace of your Key Vault collection 
- The path to your Automatic Encryption Shared Library 
auto_encryption_options = AutoEncryptionOpts(     kms_provider_credentials,     key_vault_namespace,     crypt_shared_lib_path=os.environ['SHARED_LIB_PATH'] # Path to your Automatic Encryption Shared Library> ) 
Note
Automatic Encryption Options
The automatic encryption options provide configuration information to the Automatic Encryption Shared Library, which modifies the application's behavior when accessing encrypted fields.
To learn more about the Automatic Encryption Shared Library, see the Automatic Encryption Shared Library for Queryable Encryption page.
Create a Client to Set Up an Encrypted Collection
To create a client used to encrypt and decrypt data in
your collection, instantiate a new MongoClient by using your
connection URI and your automatic encryption options.
const encryptedClient = Mongo(uri, autoEncryptionOptions); 
var clientSettings = MongoClientSettings.FromConnectionString(uri); clientSettings.AutoEncryptionOptions = qeHelpers.GetAutoEncryptionOptions(     keyVaultNamespace,     kmsProviderCredentials); var encryptedClient = new MongoClient(clientSettings); 
encryptedClient, err := mongo.Connect( 	context.TODO(), 	options.Client().ApplyURI(uri).SetAutoEncryptionOptions(autoEncryptionOptions), ) if err != nil { 	panic(fmt.Sprintf("Unable to connect to MongoDB: %v\n", err)) } defer func() { 	_ = encryptedClient.Disconnect(context.TODO()) }() 
MongoClientSettings clientSettings = MongoClientSettings.builder()         .applyConnectionString(new ConnectionString(uri))         .autoEncryptionSettings(autoEncryptionSettings)         .build(); try (MongoClient encryptedClient = MongoClients.create(clientSettings)) { 
const encryptedClient = new MongoClient(uri, {   autoEncryption: autoEncryptionOptions, }); 
encrypted_client = MongoClient(     uri, auto_encryption_opts=auto_encryption_options) 
Specify Fields to Encrypt
To encrypt a field, add it to the encryption schema. To enable queries on a field, add the "queries" property. Create the encryption schema as follows:
const encryptedFieldsMap = {   encryptedFields: {     fields: [       {         path: "patientRecord.ssn",         bsonType: "string",         queries: { queryType: "equality" },       },       {         path: "patientRecord.billing",         bsonType: "object",       },     ],   }, }; 
var encryptedFields = new BsonDocument {     {         "fields", new BsonArray         {             new BsonDocument             {                 { "keyId", BsonNull.Value },                 { "path", "record.ssn" },                 { "bsonType", "string" },                 { "queries", new BsonDocument("queryType", "equality") }             },             new BsonDocument             {                 { "keyId", BsonNull.Value },                 { "path", "record.billing" },                 { "bsonType", "object" }             }         }     } }; 
encryptedFieldsMap := bson.M{ 	"fields": []bson.M{ 		bson.M{ 			"keyId":    nil, 			"path":     "patientRecord.ssn", 			"bsonType": "string", 			"queries": []bson.M{ 				{ 					"queryType": "equality", 				}, 			}, 		}, 		bson.M{ 			"keyId":    nil, 			"path":     "patientRecord.billing", 			"bsonType": "object", 		}, 	}, } 
BsonDocument encryptedFieldsMap = new BsonDocument().append("fields",         new BsonArray(Arrays.asList(                 new BsonDocument()                         .append("keyId", new BsonNull())                         .append("path", new BsonString("patientRecord.ssn"))                         .append("bsonType", new BsonString("string"))                         .append("queries", new BsonDocument()                                 .append("queryType", new BsonString("equality"))),                 new BsonDocument()                         .append("keyId", new BsonNull())                         .append("path", new BsonString("patientRecord.billing"))                         .append("bsonType", new BsonString("object"))))); 
const encryptedFieldsMap = {   encryptedFields: {     fields: [       {         path: "patientRecord.ssn",         bsonType: "string",         queries: { queryType: "equality" },       },       {         path: "patientRecord.billing",         bsonType: "object",       },     ],   }, }; 
encrypted_fields_map = {     "fields": [         {             "path": "patientRecord.ssn",             "bsonType": "string",             "queries": [{"queryType": "equality"}]         },         {             "path": "patientRecord.billing",             "bsonType": "object",         }     ] } 
Note
In the previous code sample, both the "ssn" and "billing" fields are encrypted, but only the "ssn" field can be queried.
Create the Collection
Instantiate ClientEncryption to access the API for the
encryption helper methods.
const clientEncryption = encryptedClient.getClientEncryption() 
var clientEncryptionOptions = new ClientEncryptionOptions(     keyVaultClient: keyVaultClient,     keyVaultNamespace: keyVaultNamespace,     kmsProviders: kmsProviderCredentials ); var clientEncryption = new ClientEncryption(clientEncryptionOptions); 
opts := options.ClientEncryption(). 	SetKeyVaultNamespace(keyVaultNamespace). 	SetKmsProviders(kmsProviderCredentials) clientEncryption, err := mongo.NewClientEncryption(encryptedClient, opts) if err != nil { 	panic(fmt.Sprintf("Unable to create a ClientEncryption instance due to the following error: %s\n", err)) } 
ClientEncryptionSettings clientEncryptionSettings = ClientEncryptionSettings.builder()         .keyVaultMongoClientSettings(MongoClientSettings.builder()                 .applyConnectionString(new ConnectionString(uri))                 .build())         .keyVaultNamespace(keyVaultNamespace)         .kmsProviders(kmsProviderCredentials)         .build(); ClientEncryption clientEncryption = ClientEncryptions.create(clientEncryptionSettings); 
const clientEncryption = new ClientEncryption(encryptedClient, autoEncryptionOptions); 
client_encryption = ClientEncryption(     kms_providers=kms_provider_credentials,     key_vault_namespace=key_vault_namespace,     key_vault_client=encrypted_client,     codec_options=CodecOptions(uuid_representation=STANDARD) ) 
Create your encrypted collection by using the encryption
helper method accessed through the ClientEncryption class.
This method automatically generates data encryption keys for your
encrypted fields and creates the encrypted collection:
await clientEncryption.createEncryptedCollection(   encryptedDatabaseName,   encryptedCollectionName,   {     provider: kmsProviderName,     createCollectionOptions: encryptedFieldsMap,     masterKey: customerMasterKeyCredentials,   } ); 
The C# version of this tutorial uses separate classes as data models
to represent the document structure.
Add the following Patient, PatientRecord, and PatientBilling
classes to your project:
using MongoDB.Bson; using MongoDB.Bson.Serialization.Attributes; [] public class Patient {     public ObjectId Id { get; set; }     public string Name { get; set; }     public PatientRecord Record { get; set; } } 
public class PatientRecord {     public string Ssn { get; set; }     public PatientBilling Billing { get; set; } } 
public class PatientBilling {     public string CardType { get; set; }     public long CardNumber { get; set; } } 
After you've added these classes, create your encrypted collection by
using the encryption helper method accessed through the
ClientEncryption class.
This method automatically generates data encryption keys for your
encrypted fields and creates the encrypted collection:
var createCollectionOptions = new CreateCollectionOptions<Patient> {     EncryptedFields = encryptedFields }; clientEncryption.CreateEncryptedCollection(patientDatabase,     encryptedCollectionName,     createCollectionOptions,     kmsProviderName,     customerMasterKeyCredentials); 
Tip
Database vs. Database Name
The method that creates the encrypted collection requires a reference to a database object rather than the database name. You can obtain this reference by using a method on your client object.
The Golang version of this tutorial uses data models to represent the document structure. Add the following structs to your project to represent the data in your collection:
type PatientDocument struct { 	PatientName   string        `bson:"patientName"` 	PatientID     int32         `bson:"patientId"` 	PatientRecord PatientRecord `bson:"patientRecord"` } 
type PatientRecord struct { 	SSN     string      `bson:"ssn"` 	Billing PaymentInfo `bson:"billing"` } 
type PaymentInfo struct { 	Type   string `bson:"type"` 	Number string `bson:"number"` } 
After you've added these classes, create your encrypted
collection by using the encryption helper method accessed
through the ClientEncryption class.
This method automatically generates data encryption keys for your
encrypted fields and creates the encrypted collection:
createCollectionOptions := options.CreateCollection().SetEncryptedFields(encryptedFieldsMap) _, _, err = 	clientEncryption.CreateEncryptedCollection( 		context.TODO(), 		encryptedClient.Database(encryptedDatabaseName), 		encryptedCollectionName, 		createCollectionOptions, 		kmsProviderName, 		customerMasterKey, 	) 
Tip
Database vs. Database Name
The method that creates the encrypted collection requires a reference to a database object rather than the database name. You can obtain this reference by using a method on your client object.
Create your encrypted collection by using the encryption
helper method accessed through the ClientEncryption class.
This method automatically generates data encryption keys for your
encrypted fields and creates the encrypted collection:
CreateCollectionOptions createCollectionOptions = new CreateCollectionOptions().encryptedFields(encryptedFieldsMap); CreateEncryptedCollectionParams encryptedCollectionParams = new CreateEncryptedCollectionParams(kmsProviderName); encryptedCollectionParams.masterKey(customerMasterKeyCredentials); try {     clientEncryption.createEncryptedCollection(             encryptedClient.getDatabase(encryptedDatabaseName),             encryptedCollectionName,             createCollectionOptions,             encryptedCollectionParams); }  
Tip
Database vs. Database Name
The method that creates the encrypted collection requires a reference to a database object rather than the database name. You can obtain this reference by using a method on your client object.
Note
Import ClientEncryption
When using the Node.js driver v6.0 and later, you must import
ClientEncryption from mongodb.
For earlier driver versions, import ClientEncryption from
mongodb-client-encryption.
Create your encrypted collection by using the encryption
helper method accessed through the ClientEncryption class.
This method automatically generates data encryption keys for your
encrypted fields and creates the encrypted collection:
await clientEncryption.createEncryptedCollection(   encryptedDatabase,   encryptedCollectionName,   {     provider: kmsProviderName,     createCollectionOptions: encryptedFieldsMap,     masterKey: customerMasterKeyCredentials,   } ); 
Tip
Database vs. Database Name
The method that creates the encrypted collection requires a reference to a database object rather than the database name. You can obtain this reference by using a method on your client object.
Create your encrypted collection by using the encryption
helper method accessed through the ClientEncryption class.
This method automatically generates data encryption keys for your
encrypted fields and creates the encrypted collection:
client_encryption.create_encrypted_collection(     encrypted_client[encrypted_database_name],     encrypted_collection_name,     encrypted_fields_map,     kms_provider_name,     customer_master_key_credentials, ) 
Tip
Database vs. Database Name
The method that creates the encrypted collection requires a reference to a database object rather than the database name. You can obtain this reference by using a method on your client object.
Insert a Document with Encrypted Fields
Create a sample document that describes a patient's personal information.
Use the encrypted client to insert it into the patients collection,
as shown in the following example:
const patientDocument = {   patientName: "Jon Doe",   patientId: 12345678,   patientRecord: {     ssn: "987-65-4320",     billing: {       type: "Visa",       number: "4111111111111111",     },   }, }; const encryptedCollection = encryptedClient.getDB(encryptedDatabaseName).getCollection(encryptedCollectionName); const insertResult = await encryptedCollection.insertOne(patientDocument); 
Create a sample document that describes a patient's personal information.
Use the encrypted client to insert it into the patients collection,
as shown in the following example:
var patient = new Patient {     Name = "Jon Doe",     Id = new ObjectId(),     Record = new PatientRecord     {         Ssn = "987-65-4320",         Billing = new PatientBilling         {             CardType = "Visa",             CardNumber = 4111111111111111         }     } }; var encryptedCollection = encryptedClient.GetDatabase(encryptedDatabaseName).     GetCollection<Patient>(encryptedCollectionName); encryptedCollection.InsertOne(patient); 
Create a sample document that describes a patient's personal information.
Use the encrypted client to insert it into the patients collection,
as shown in the following example:
patientDocument := &PatientDocument{ 	PatientName: "John Doe", 	PatientID:   12345678, 	PatientRecord: PatientRecord{ 		SSN: "987-65-4320", 		Billing: PaymentInfo{ 			Type:   "Visa", 			Number: "4111111111111111", 		}, 	}, } coll := encryptedClient.Database(encryptedDatabaseName).Collection(encryptedCollectionName) _, err = coll.InsertOne(context.TODO(), patientDocument) if err != nil { 	panic(fmt.Sprintf("Unable to insert the patientDocument: %s", err)) } 
This tutorial uses POJOs as data models to represent the document structure. To set up your application to use POJOs, add the following code:
CodecProvider pojoCodecProvider = PojoCodecProvider.builder().automatic(true).build(); CodecRegistry pojoCodecRegistry = fromRegistries(getDefaultCodecRegistry(), fromProviders(pojoCodecProvider)); 
To learn more about Java POJOs, see the Plain Old Java Object wikipedia article.
This tutorial uses the following POJOs:
- Patient
- PatientRecord
- PatientBilling
You can view these classes in the models package of the complete Java application.
Add these POJO classes to your application. Then, create an instance
of a Patient that describes a patient's personal information. Use
the encrypted client to insert it into the patients collection,
as shown in the following example:
MongoDatabase encryptedDb = encryptedClient.getDatabase(encryptedDatabaseName).withCodecRegistry(pojoCodecRegistry); MongoCollection<Patient> collection = encryptedDb.getCollection(encryptedCollectionName, Patient.class); PatientBilling patientBilling = new PatientBilling("Visa", "4111111111111111"); PatientRecord patientRecord = new PatientRecord("987-65-4320", patientBilling); Patient patientDocument = new Patient("Jon Doe", patientRecord); InsertOneResult result = collection.insertOne(patientDocument); 
Create a sample document that describes a patient's personal information.
Use the encrypted client to insert it into the patients collection,
as shown in the following example:
const patientDocument = {   patientName: "Jon Doe",   patientId: 12345678,   patientRecord: {     ssn: "987-65-4320",     billing: {       type: "Visa",       number: "4111111111111111",     },   }, }; const encryptedCollection = encryptedClient   .db(encryptedDatabaseName)   .collection(encryptedCollectionName); const result = await encryptedCollection.insertOne(patientDocument); 
Create a sample document that describes a patient's personal information.
Use the encrypted client to insert it into the patients collection,
as shown in the following example:
patient_document = {     "patientName": "Jon Doe",     "patientId": 12345678,     "patientRecord": {         "ssn": "987-65-4320",         "billing": {             "type": "Visa",             "number": "4111111111111111",         },     }, } encrypted_collection = encrypted_client[encrypted_database_name][encrypted_collection_name] result = encrypted_collection.insert_one(patient_document) 
Query on an Encrypted Field
The following code sample executes a find query on an encrypted field and prints the decrypted data:
const findResult = await encryptedCollection.findOne({   "patientRecord.ssn": "987-65-4320", }); console.log(findResult); 
var ssnFilter = Builders<Patient>.Filter.Eq("record.ssn", patient.Record.Ssn); var findResult = await encryptedCollection.Find(ssnFilter).ToCursorAsync(); Console.WriteLine(findResult.FirstOrDefault().ToJson()); 
var findResult PatientDocument err = coll.FindOne( 	context.TODO(), 	bson.M{"patientRecord.ssn": "987-65-4320"}, ).Decode(&findResult) 
Patient findResult = collection.find(     new BsonDocument()             .append("patientRecord.ssn", new BsonString("987-65-4320")))             .first();   System.out.println(findResult); 
const findResult = await encryptedCollection.findOne({   "patientRecord.ssn": "987-65-4320", }); console.log(findResult); 
find_result = encrypted_collection.find_one({     "patientRecord.ssn": "987-65-4320" }) print(find_result) 
The output of the preceding code sample should look similar to the following:
{   "_id": {     "$oid": "648b384a722cb9b8392df76a"   },   "name": "Jon Doe",   "record": {     "ssn": "987-65-4320",     "billing": {       "type": "Visa",       "number": "4111111111111111"     }   },   "__safeContent__": [     {       "$binary": {         "base64": "L1NsYItk0Sg+oL66DBj6IYHbX7tveANQyrU2cvMzD9Y=",         "subType": "00"       }     }   ] } 
Warning
Do not Modify the __safeContent__ Field
The __safeContent__ field is essential to Queryable Encryption. Do not modify
the contents of this field.
Learn More
To learn how Queryable Encryption works, see Queryable Encryption Fundamentals.
To learn more about the topics mentioned in this guide, see the following links:
- Learn more about Queryable Encryption components on the Reference page. 
- Learn how Customer Master Keys and Data Encryption Keys work on the Keys and Key Vaults page. 
- See how KMS Providers manage your Queryable Encryption keys on the KMS Providers page.