Note
Access to this page requires authorization. You can try signing in or changing directories.
Access to this page requires authorization. You can try changing directories.
Applies to: 
 SQL Server 2025 (17.x) Preview 
 Azure SQL Database 
 Azure SQL Managed Instance 
 SQL database in Microsoft Fabric Preview
The vector data type is designed to store vector data optimized for operations such as similarity search and machine learning applications. Vectors are stored in an optimized binary format but are exposed as JSON arrays for convenience. Each element of the vector is stored as a single-precision (4-byte) floating-point value.
To provide a familiar experience for developers, the vector data type is created and displayed as a JSON array. For example, a vector with three dimensions can be represented as '[0.1, 2, 30]'. Implicit and explicit conversion from and to the vector type can be done using varchar, nvarchar and json types.
Note
SQL Server 2025 (17.x) Preview supports half-precision (float16) vectors.
To learn more, see here.
float16 vector is currently available for preview. To test, enable the PREVIEW_FEATURES database scoped configuration option. For details, review PREVIEW_FEATURES = { ON | OFF }.
ALTER DATABASE SCOPED CONFIGURATION
SET PREVIEW_FEATURES = ON;
GO
Note
For limitations, review Limitations and Known issues.
Vector features are available in Azure SQL Managed Instance configured with the Always-up-to-date policy.
For more information on working with vector data, see:
Sample syntax
The usage syntax for the vector type is similar to all other SQL Server data types in a table.
column_name VECTOR( {<dimensions>} ) [NOT NULL | NULL] 
By default, the base type is float32. To use half-precision, you need to specify float16 explicitly
column_name VECTOR(<dimensions> [, <base_type>]) [NOT NULL | NULL]
Dimensions
A vector must have at least one dimension. The maximum number of dimensions supported is 1998.
Examples
A. Column definition
The vector type can be used in column definition contained in a CREATE TABLE statement, for example:
The following example creates a table with a vector column and inserts data into it.
You can define a VECTOR column in a table using either the default base type (float32) or explicitly specify float16 for half-precision storage.
CREATE TABLE dbo.vectors
(
  id INT PRIMARY KEY,
  v VECTOR(3) NOT NULL -- Uses default base type (`float32`)
);
CREATE TABLE dbo.vectors (
    id INT PRIMARY KEY,
    v VECTOR(3, float16) -- Uses float16 for reduced storage and precision
);
INSERT INTO dbo.vectors (id, v) VALUES 
(1, '[0.1, 2, 30]'),
(2, '[-100.2, 0.123, 9.876]'),
(3, JSON_ARRAY(1.0, 2.0, 3.0)); -- Using JSON_ARRAY to create a vector
SELECT * FROM dbo.vectors;
B. Usage in variables
The following example declares vectors using the new vector data type and calculates distances using the VECTOR_DISTANCE function.
The vector type can be used with variables:
DECLARE @v VECTOR(3) = '[0.1, 2, 30]';
SELECT @v;
DECLARE @v VECTOR(3, float16) = '[0.1, 2, 30]';
SELECT @v;
C. Usage in stored procedures or functions
The vector data type can be used as parameter in stored procedure or functions. For example:
CREATE PROCEDURE dbo.SampleStoredProcedure
@V VECTOR(3),
@V2 VECTOR(3) OUTPUT
AS
BEGIN
    SELECT @V;
    SET @V2 = @V;
END
Feature availability
The new vector type is available under all database compatibility levels.
Support for float16 vectors is currently gated under the PREVIEW_FEATURES configuration.
You must explicitly enable it before using VECTOR(..., float16).
ALTER DATABASE SCOPED CONFIGURATION
SET PREVIEW_FEATURES = ON;
GO
Conversions
- The vector type can't be used with the sql_variant type or assigned to a sql_variant variable or column. This restriction is similar to varchar(max), varbinary(max), nvarchar(max), xml, json, and CLR-based data types.
Compatibility
Enhancements to TDS Protocol
SQL Server stores vectors in an optimized binary format but exposes them as JSON arrays for convenience. Supported drivers use enhancements to the TDS protocol to transmit vector data more efficiently in binary format and present them to applications as native vector types. This approach reduces payload size, eliminates the overhead of JSON parsing, and preserves full floating-point precision. As a result, it improves both performance and accuracy when working with high-dimensional vectors in AI and machine learning scenarios.
Note
float16 vectors are currently transmitted as VARCHAR(MAX) (JSON array) over TDS.  Binary transport support for float16 is not yet available in drivers like ODBC, JDBC, and .NET.
Native Driver Support
Applications using TDS version 7.4 or higher and updated drivers can natively read, write, stream, and bulk copy vector data.
These capabilities require versions of the drivers listed below. Ensure you're using the correct version to enable native vector support.
- Microsoft.Data.SqlClient: Version 6.1.0 introduces the SqlVectortype, extendingSystem.Data.SqlDbTypes.
- Microsoft JDBC Driver for SQL Server: Version 13.1.0 Preview introduces the microsoft.sql.Types.VECTORtype andmicrosoft.sql.Vectorclass.
Note
For clients that don't support the updated TDS protocol, SQL Server continues to expose vector data as varchar(max) types to ensure backward compatibility. Client applications can work with vector data as if it were a JSON array. The SQL Database Engine automatically converts vectors to and from a JSON array, making the new type transparent for the client. Hence drivers and all languages are automatically compatible with the new type.
You can start using the new vector type right away. The following examples show different languages and driver configurations.
Important
Requires Microsoft.Data.SqlClient 6.1.0 or later for native vector support.
using Microsoft.Data;
using Microsoft.Data.SqlClient;
using Microsoft.Data.SqlTypes;
namespace VectorSampleApp
{
    class Program
    {
        // Set your environment variable or fallback to local server
        private static readonly string connectionString =
            Environment.GetEnvironmentVariable("CONNECTION_STR")
            ?? "Server=tcp:localhost,1433;Database=Demo2;Integrated Security=True;TrustServerCertificate=True";
        private const int VectorDimensions = 3;
        private const string TableName = "dbo.Vectors";
        static void Main()
        {
            using var connection = new SqlConnection(connectionString);
            connection.Open();
            SetupTables(connection, TableName, VectorDimensions);
            InsertVectorData(connection, TableName);
            ReadVectorData(connection, TableName);
        }
        private static void SetupTables(SqlConnection connection, string tableName, int vectorDimensionCount)
        {
            using var command = connection.CreateCommand();
            command.CommandText = $@"
                IF OBJECT_ID('{tableName}', 'U') IS NOT NULL DROP TABLE {tableName};
                IF OBJECT_ID('{tableName}Copy', 'U') IS NOT NULL DROP TABLE {tableName}Copy;";
            command.ExecuteNonQuery();
            command.CommandText = $@"
                CREATE TABLE {tableName} (
                    Id INT IDENTITY(1,1) PRIMARY KEY,
                    VectorData VECTOR({vectorDimensionCount})
                );
                CREATE TABLE {tableName}Copy (
                    Id INT IDENTITY(1,1) PRIMARY KEY,
                    VectorData VECTOR({vectorDimensionCount})
                );";
            command.ExecuteNonQuery();
        }
        private static void InsertVectorData(SqlConnection connection, string tableName)
        {
            using var command = new SqlCommand($"INSERT INTO {tableName} (VectorData) VALUES (@VectorData)", connection);
            var param = command.Parameters.Add("@VectorData", SqlDbTypeExtensions.Vector);
            // Insert null using DBNull.Value
            param.Value = DBNull.Value;
            command.ExecuteNonQuery();
            // Insert non-null vector
            param.Value = new SqlVector<float>(new float[] { 3.14159f, 1.61803f, 1.41421f });
            command.ExecuteNonQuery();
            // Insert typed null vector
            param.Value = SqlVector<float>.CreateNull(VectorDimensions);
            command.ExecuteNonQuery();
            // Prepare once and reuse for loop
            command.Prepare();
            for (int i = 0; i < 10; i++)
            {
                param.Value = new SqlVector<float>(new float[]
                {
                    i + 0.1f,
                    i + 0.2f,
                    i + 0.3f
                });
                command.ExecuteNonQuery();
            }
        }
        private static void ReadVectorData(SqlConnection connection, string tableName)
        {
            using var command = new SqlCommand($"SELECT VectorData FROM {tableName}", connection);
            using var reader = command.ExecuteReader();
            while (reader.Read())
            {
                var sqlVector = reader.GetSqlVector<float>(0);
                Console.WriteLine($"Type: {sqlVector.GetType()}, IsNull: {sqlVector.IsNull}, Length: {sqlVector.Length}");
                if (!sqlVector.IsNull)
                {
                    float[] values = sqlVector.Memory.ToArray();
                    Console.WriteLine("VectorData: " + string.Join(", ", values));
                }
                else
                {
                    Console.WriteLine("VectorData: NULL");
                }
            }
        }
    }
}
Note
If you're not using the latest .NET drivers, you can still work with vector data in C# by serializing and deserializing it as a JSON string using the JsonSerializer class. This ensures compatibility with the varchar(max) representation of vectors exposed by SQL Server for older clients.
using Microsoft.Data.SqlClient;
using Dapper;
using DotNetEnv;
using System.Text.Json;
namespace DotNetSqlClient;
class Program
{
    static void Main(string[] args)
    {
        Env.Load();
        var v1 = new float[] { 1.0f, 2.0f, 3.0f };
        using var conn = new SqlConnection(Env.GetString("MSSQL"));
        conn.Execute("INSERT INTO dbo.vectors VALUES(100, @v)", param: new {@v = JsonSerializer.Serialize(v1)});
        var r = conn.ExecuteScalar<string>("SELECT v FROM dbo.vectors") ?? "[]";
        var v2 = JsonSerializer.Deserialize<float[]>(r); 
        Console.WriteLine(JsonSerializer.Serialize(v2));          
    }
}
Tools
The following tools support the vector data type:
- SQL Server Management Studio version 21 and later versions
- DacFX and SqlPackage version 162.5 (November 2024) and later versions
- The SQL Server extension for Visual Studio Code version 1.32 (May 2025) and later versions
- Microsoft.Build.Sql version 1.0.0 (March 2025) and later versions
- SQL Server Data Tools (Visual Studio 2022) version 17.13 and later versions
Limitations
The vector type has the following limitations:
Tables
- Column-level constraints aren't supported, except for NULL/NOT NULLconstraints.- DEFAULTand- CHECKconstraints aren't supported for vector columns.
- Key constraints, such as PRIMARY KEYorFOREIGN KEY, aren't supported for vector columns. Equality, uniqueness, joins using vector columns as keys, and sort orders don't apply to vector data types.
- There's no notion of uniqueness for vectors, so unique constraints aren't applicable.
- Checking the range of values within a vector is also not applicable.
 
- Vectors don't support comparison, addition, subtraction, multiplication, division, concatenation, or any other mathematical, logical, and compound assignment operators.
- vector columns can't be used in memory-optimized tables.
Indexes
- B-tree indexes or columnstore indexes aren't allowed on vector columns. However, a vector column can be specified as an included column in an index definition.
Table schema metadata
- sp_describe_first_result_set system stored procedure doesn't correctly return the vector data type. Therefore, many data access clients and driver see a varchar or nvarchar data type.
Ledger tables
- Stored procedure sp_verify_database_ledgergenerates an error if the database contains a table with a vector column.
User-defined types
- Creation of alias type using CREATE TYPEfor the vector type isn't allowed, similar to the behavior of the xml and json data types.
Always Encrypted
- vector type isn't supported with Always Encrypted feature.
Known issues
- Data Masking currently shows vector data as varbinary data type in the Azure portal.