SQL Server 2016 Always Encrypted

By:   |   Comments (16)   |   Related: > Encryption


Problem

SQL Server has had ways to encrypt data in the past - for example, Transparent Data Encryption (TDE). This technology protects the data at rest and when the database files or backups are compromised. However it is accessible to the database itself and to anyone who can own it and obtain the key/certificate/password (system administrators, hackers, what have you).

Solution

Always Encrypted is a new feature in SQL Server 2016, which encrypts the data both at rest *and* in motion (and keeps it encrypted in memory). So this protects the data from rogue administrators, backup thieves, and man-in-the-middle attacks. Unlike TDE, as well, Always Encrypted allows you to encrypt only certain columns, rather than the entire database.

The client library ensures that plaintext is only revealed within the application or middle tier, and nowhere in between the application and the database. In the following illustration, I attempt to show that the data is simply ciphertext both in the database and in both directions between the application and the database:

Always Encrypted data flow

And this brings about the first limitation of Always Encrypted: It is not supported by all client libraries at this moment. In fact the only provider that currently works with Always Encrypted is the ADO.NET 4.6, so you will need to ensure .NET Framework 4.6 is installed on any machine that will run a client application that interfaces with Always Encrypted data.

This tip walks through basic Always Encrypted configuration, shows some examples, and explains limitations, all based on the most recent build at the time of writing (CTP 2.2). You can play with this feature by downloading the latest SQL Server 2016 CTP.

SQL Server 2016 Always Encrypted Concepts

There are several core concepts used in Always Encrypted:

  • Column Master Key - this is an encryption key that protects the column encryption key(s). You must have at least one master key before encrypting any columns.
  • Column Encryption Key - this is the encryption key that actually protects that encrypted columns.
  • Column-level encryption setting - a column must be set to encrypted, with a specific column encryption key, the algorithm (currently only one algorithm is supported), and the type of encryption to be used:
    • Deterministic - always encrypts to the same ciphertext, so can be used for certain operations (point lookups, distinct, group by) and can be indexed.
    • Randomized - more secure, but cannot be evaluated or used in any operations (write/display only) and cannot be indexed.
  • Connection string - in order for the client driver to understand that column encryption is in use, the connection string must have the following attribute:
Column Encryption Setting = enabled;

The application code itself, aside from the setting in the connection string, does not have to change at all, since it doesn't need to know which columns are actually encrypted.

SQL Server 2016 Always Encrypted Example

To keep things simple, I'm going to demonstrate with an example on a single, local machine (to avoid the complications of having keys distributed to multiple machines, an exercise I'll leave for the reader). First, let's create a database:

CREATE DATABASE AEDemo;

Now, I'm going to create a master key and a column key. In Object Explorer, expand the database, expand Security, and expand Always Encrypted Keys. You'll see two nodes there, and you can right-click the first to create a master key:

Column Master Key menu

The dialog doesn't give you many options here; provide a name, and pick the key source. (I chose Local Machine but if you pick Current User, you may need to generate a self-signed certificate.) Note that you can create multiple master keys (to support key rotation).

Column Master Key dialog

Next, create a column encryption key using the other node:

Column Encryption Key menu

Similarly, this dialog just lets you assign a name, and pick the master key it is associated with:

Column Encryption Key dialog

On my machine, this would generate the following CREATE statements (but please don't try to copy these and run them on your own machine):

CREATE COLUMN MASTER KEY DEFINITION [MasterKey]
WITH
(
	KEY_STORE_PROVIDER_NAME = N'MSSQL_CERTIFICATE_STORE',
	KEY_PATH = N'LocalMachine/My/FDC49FA0B8C76167F85C3964D349CB09D97E43B7'
);

CREATE COLUMN ENCRYPTION KEY [ColumnKey]
WITH VALUES
(
	COLUMN MASTER KEY DEFINITION = [MasterKey],
	ALGORITHM = 'RSA_OAEP',
	ENCRYPTED_VALUE = 0x01700000016C...
	-- really long value ----^^^^^^^^^^
);

Now with the keys created, we can create a table that uses them. Let's say we have an Employees table, and we want to encrypt LastName and Salary. We want to use deterministic encryption for LastName, because we're likely to look up an employee that way, but we can use randomized encryption on Salary, because we're highly unlikely to ever want to look up an employee because they are making $74,208 (and we know we can't perform range queries in any case).

The syntax for specifying encryption on a column is a bit cumbersome. As I mentioned earlier, only one encryption algorithm is supported, and it's quote a mouthful: AEAD_AES_256_CBC_HMAC_SHA_256. Also, any columns using string data types that use deterministic encryption must use one of the BIN2 collations.

CREATE TABLE dbo.EncryptedTable
(
  ID INT IDENTITY(1,1) PRIMARY KEY,
  
  LastName NVARCHAR(32) COLLATE Latin1_General_BIN2 
    ENCRYPTED WITH 
    (
       ENCRYPTION_TYPE = DETERMINISTIC, 
       ALGORITHM = 'AEAD_AES_256_CBC_HMAC_SHA_256', 
       COLUMN_ENCRYPTION_KEY = ColumnKey
    ) NOT NULL,
    
  Salary INT 
    ENCRYPTED WITH 
    (
       ENCRYPTION_TYPE = RANDOMIZED, 
       ALGORITHM = 'AEAD_AES_256_CBC_HMAC_SHA_256', 
       COLUMN_ENCRYPTION_KEY = ColumnKey
    ) NOT NULL
);
GO

CREATE PROCEDURE dbo.AddPerson
  @LastName NVARCHAR(32),
  @Salary   INT
AS
BEGIN
  INSERT dbo.EncryptedTable(LastName,Salary) SELECT @LastName, @Salary;
END
GO

CREATE PROCEDURE dbo.GetPeopleByLastName
  @LastName NVARCHAR(32) 
AS
BEGIN
  SELECT ID, LastName, Salary
  FROM dbo.EncryptedTable
  WHERE LastName = @LastName COLLATE Latin1_General_BIN2;
END
GO

Now, I have yet to figure out how to insert a row into this table from Management Studio, and I suppose that is partly the point:

INSERT dbo.EncryptedTable(LastName,Salary) SELECT N'Bertrand',720000;

-- Result:
Msg 206, Level 16, State 2
Operand type clash: nvarchar is incompatible with nvarchar(4000) encrypted with
 (encryption_type = 'DETERMINISTIC', encryption_algorithm_name 
= 'AEAD_AES_256_CBC_HMAC_SHA_256', column_encryption_key_name = 'ColumnKey', 
 column_encryption_key_database_name = 'AEDemo')

If I use correctly typed parameters instead of ad hoc SQL, I get a different error:

DECLARE @LastName NVARCHAR(32) = N'Bertrand', @Salary INT = 720000;
INSERT dbo.EncryptedTable(LastName,Salary) SELECT @LastName, @Salary;

-- Result:
Msg 33299, Level 16, State 6
Encryption scheme mismatch for columns/variables '@LastName'. The encryption scheme
 for the columns/variables is (encryption_type = 'PLAINTEXT') and the expression near
  line '2' expects it to be (encryption_type = 'DETERMINISTIC', encryption_algorithm_name
  = 'AEAD_AES_256_CBC_HMAC_SHA_256', column_encryption_key_name = 'ColumnKey',
  column_encryption_key_database_name = 'AEDemo') (or weaker). 

I get the same error if I create call the AddPerson procedure with matching parameters:

DECLARE @LastName NVARCHAR(32) = N'Bertrand', @Salary INT = 720000;
EXEC dbo.AddPerson @LastName, @Salary;

So, dusting off Visual Studio, I'm going to make a very simple Windows Forms application that will allow me to populate and query this table. I'm not going to include all of the code here, just the relevant bits. First, the connection string needs to include the Column Encryption Setting attribute indicated above, so my App.Config has this:

<connectionStrings>
  <add name="AEDB" connectionString="Data Source=.;Initial Catalog=AEDemo;
    Integrated Security=True;Column Encryption Setting=Enabled"
    providerName="System.Data.SqlClient" />
</connectionStrings>

I add two textboxes and two buttons to my form, to allow me to (a) enter a last name and a salary, and insert a row; or (b) enter a last name, and retrieve and display the salary. (This is rather simplistic because, of course, in most companies there will be multiple people with the same last name. But this is just a demo.)

The form ultimately looks like this:

Always Encrypted demo Windows Forms app

And the code behind those two buttons:

private void button1_Click(object sender, EventArgs e)
{
  using (SqlConnection con = new SqlConnection())
  {
    con.ConnectionString = ConfigurationManager.ConnectionStrings["AEDB"].ToString();
    con.Open();
    using (SqlCommand cmd = new SqlCommand("dbo.AddPerson", con))
    {
      cmd.CommandType = CommandType.StoredProcedure;
      SqlParameter ln = new SqlParameter("@LastName", SqlDbType.NVarChar, 32);
      ln.Value = textBox1.Text;
      SqlParameter sal = new SqlParameter("@Salary", SqlDbType.Int);
      sal.Value = Convert.ToInt32(textBox2.Text);
      cmd.Parameters.Add(ln);
      cmd.Parameters.Add(sal);
      cmd.ExecuteNonQuery();
      MessageBox.Show("Person added.");
      textBox1.Clear(); textBox2.Clear();
    }
  }
}

private void button2_Click(object sender, EventArgs e)
{
  using (SqlConnection con = new SqlConnection())
  {
    con.ConnectionString = ConfigurationManager.ConnectionStrings["AEDB"].ToString();
    con.Open();
    using (SqlCommand cmd = new SqlCommand("dbo.GetPeopleByLastName", con))
    {
      cmd.CommandType = CommandType.StoredProcedure;
      SqlParameter ln = new SqlParameter("@LastName", SqlDbType.NVarChar, 32);
      ln.Value = textBox1.Text;
      cmd.Parameters.Add(ln);
      SqlDataReader rdr = cmd.ExecuteReader();
      while (rdr.Read())
      {
        textBox2.Text = rdr["Salary"].ToString();
      }
    }
  }
}

Quite crude and rudimentary, but it gets the job done: When you enter a last name and a salary and press the Add button, it adds it to the database, and then clears the form. If you add just a last name and press the other button, it populates the salary field with that person's salary.

If we watch the instance with Profiler, we can see calls like this go across the wire, demonstrating that the values were converted from plaintext to ciphertext long before they arrived at SQL Server:

exec dbo.AddPerson 
 @LastName = 0x01A3F81E529328147EA31036CD6A628118E74ED653D2A6DE51...,
 @Salary = 0x01AFB0BAEA355EDC5EEE8E815AF247F333CD2180285A403A63DF...

If we go back to Management Studio, we can now at least LOOK at the data:

SELECT ID, LastName, Salary FROM dbo.EncryptedTable;

-- Result:

1   0x01A3F81E529328147EA3103...   0x01AFB0BAEA355EDC5EEE8E8...
2   0x01D4F9DF70F408909651C1B...   0x01835D094FA4285A90282E2...
3   0x01492D5727DB04D5693C565...   0x01608DC314883FAB89F2EB9...
Summary

Always Encrypted provides a secure way to protect data in a particular column, in a way that is both safer and more efficient than Transparent Data Encryption. There are some limitations, though, and I talk about some of them in more depth in a recent T-SQL Tuesday post here. For a C# demo of SQL Server 2016 Always Encrypted, click here to download the project and begin experimenting.

Next Steps


sql server categories

sql server webinars

subscribe to mssqltips

sql server tutorials

sql server white papers

next tip



About the author
MSSQLTips author Aaron Bertrand Aaron Bertrand (@AaronBertrand) is a passionate technologist with industry experience dating back to Classic ASP and SQL Server 6.5. He is editor-in-chief of the performance-related blog, SQLPerformance.com, and also blogs at sqlblog.org.

This author pledges the content of this article is based on professional experience and not AI generated.

View all my tips



Comments For This Article




Tuesday, January 25, 2022 - 11:51:12 AM - Aaron Bertrand Back To Top (89695)
Hi Saeed, you can do this with secure enclaves in SQL Server 2019, see these links:

https://www.mssqltips.com/sqlservertip/6327/enable-always-encrypted-with-secure-enclaves-in-sql-server-management-studio/?utm_source=AaronBertrand

https://stackoverflow.com/a/64668925/61305

https://docs.microsoft.com/en-us/sql/relational-databases/security/encryption/always-encrypted-enclaves

Tuesday, January 25, 2022 - 11:49:34 AM - Aaron Bertrand Back To Top (89694)
Hi Saeed, you can do this with secure enclaves in SQL Server 2019, please see this Stack Overflow question:
https://stackoverflow.com/a/64668925/61305

Tuesday, January 25, 2022 - 12:10:47 AM - Saeed Back To Top (89693)
Hi.can i use like on encrypted field?

Wednesday, July 22, 2020 - 9:11:32 AM - Aaron Bertrand Back To Top (86175)

Azhar, Always Encrypted works on all editions of all supported versions of SQL Server. It might have been an Enterprise feature in SQL Sevrer 2016 RTM (which is out of support and shouldn't be used), but it was made availabile in all editions starting with SQL Server 2016 SP1. You can see this in the second row of the table listed here:

https://docs.microsoft.com/en-us/sql/sql-server/editions-and-components-of-sql-server-2016?view=sql-server-ver15#RDBMSS


Wednesday, July 22, 2020 - 7:06:52 AM - azhar ali buttar Back To Top (86174)

Mentioning the editions of Microsoft SQL Server this works with would make this article more interesting and valuable.


Tuesday, December 19, 2017 - 4:36:22 PM - Shelby Back To Top (74255)

Loved the article, well done!  I wanted to point out how you can insert data in SSMS:

You need to first change the connection and add “Column Encryption Setting = enabled;” to your SSMS connection (click on the “Change Connection” button to the left of the database name in the tool bar, select Options, then Additional Connection Parameters and add it there).

Then, you’ll need to add parameterization to your queries.  Do this by selecting Query / Query Options / Advanced / and check “Enable Parameterization for Always Encrypted”

SSMS will then parameterize your variables if they were created on one line:

declare @lastname NVARCHAR(32) = 'Smith';

declare @salary int = 30000;


Then the insert works:

insert into EncryptedTable

values (@lastname,@salary);

 


Monday, June 6, 2016 - 4:05:09 PM - Aaron Bertrand Back To Top (41622)

 

Hi @Jason, very hard to debug your copy of the C# application from here. Did you copy the C# code from the web page, or did you download the project? Did you make any modifications to it?


Monday, June 6, 2016 - 3:46:32 PM - Jason Back To Top (41621)

I'm trying to run your C# code. However, I'm getting multiple errors:

 

An unhandled exception of type 'System.FormatException' occurred in mscorlib.dll

Additional information: Input string was not in a correct format.


Monday, November 2, 2015 - 3:34:59 PM - Aaron Bertrand Back To Top (39006)

@Tom The connection string is not involved. The provider (e.g. .NET) . In my example I made the setup very simple, but in reality you would protect the master key and some rogue person writing a C# app wouldn't be able to access it. I also think you misunderstood what I meant by "man in the middle" attacks - the main in the middle is the person who is sniffing packets or otherwise watching data transmitted over the wire. Unlike in other technologies like TDE, in this case all that person would see is encrypted data in either direction.


Monday, November 2, 2015 - 1:02:39 PM - Tom Groszko Back To Top (39005)

 

Given this and the one I downloaded I don't understand why this provides any level of security. I must be completely missing something.

"So this protects the data from rogue administrators, backup thieves, and man-in-the-middle attacks. "

If the man in the middle can write a simple C# application as you did they could see all the always encrypted data. Seems like the C# app or connection string needs to provide something to decrypt the data to make this valuable and I just missed that in the example. 


Wednesday, September 23, 2015 - 10:45:10 AM - Aaron Bertrand Back To Top (38736)

No, an encrypted column can't participate in a computed column definition (you get an operand type clash) and you can't encrypt a computed column (various syntax errors, so the syntax simply doesn't support it as far as I can tell). This means if you encrypt first name and last name separately, and you have a computed column as first name + last name, it's not going to work.

I talk about this (briefly) and many other limitations here:

http://blogs.sqlsentry.com/aaronbertrand/t-sql-tuesday-69-always-encrypted-limitations/


Wednesday, September 23, 2015 - 10:21:09 AM - Thomas Franz Back To Top (38735)

Can encrypted fields be part of an computed column? If yes, what would be the content of this column (showing in SSMS / App)?


Friday, September 18, 2015 - 11:16:20 AM - Aaron Bertrand Back To Top (38711)

Gaby, I don't think there have been any official statements at all yet on PCI compliance, sorry.


Thursday, September 17, 2015 - 1:26:11 PM - Gaby A. Back To Top (38699)

Great article.  I know it's early yet, but this would be a great way to make one of our db servers PCI compliant.  Currently we use an external device to encrypt the data, because as sysadmins, I can see normal SQL encryption, but not the device encryption.  

 

Do you know if this feature has PCI compliance?  If so, it would be a great way to save costs by not having to renew the third party product.


Tuesday, September 15, 2015 - 2:12:12 PM - Greg Robidoux Back To Top (38688)

The download has been fixed.

-Greg


Tuesday, September 15, 2015 - 12:32:07 PM - Gabriel Flores Back To Top (38685)

Link to the C# demo is broken. Thanks Aaron for these helpful blog entries on SQL Server 2016, especially detailing the limitations and drawbacks!















get free sql tips
agree to terms