Using Sql_variant data type
Starting with version 6.3.0, the JDBC driver supports the sql_variant datatype. Sql_variant is also supported when using features such as Table-Valued Parameters and BulkCopy, with some limitations. Not all data types can be stored in the sql_variant data type. For a list of supported data types with sql_variant, see sql_variant (Transact-SQL).
Populating and retrieving a table
Assuming one has a table with a sql_variant column as:
CREATE TABLE sampleTable (col1 sql_variant)
A sample script to insert values using statement:
try (Statement stmt = connection.createStatement()){
stmt.execute("insert into sampleTable values (1)");
}
Inserting value using prepared statement:
try (PreparedStatement preparedStatement = con.prepareStatement("insert into sampleTable values (?)")) {
preparedStatement.setObject(1, 1);
preparedStatement.execute();
}
If the underlying type of the data being passed is known, the respective setter can be used. For instance, preparedStatement.setInt()
can be used when inserting an integer value.
try (PreparedStatement preparedStatement = con.prepareStatement("insert into table values (?)")) {
preparedStatement.setInt (1, 1);
preparedStatement.execute();
}
For reading values from the table, the respective getters can be used. For example, getInt()
or getString()
methods can be used if the values coming from the server are known:
try (SQLServerResultSet resultSet = (SQLServerResultSet) stmt.executeQuery("select * from sampleTable ")) {
resultSet.next();
resultSet.getInt(1); //or rs.getString(1); or rs.getObject(1);
}
Using stored procedures with sql_variant
Having a stored procedure such as:
String sql = "CREATE PROCEDURE " + inputProc + " @p0 sql_variant OUTPUT AS SELECT TOP 1 @p0=col1 FROM sampleTable ";
Output parameters must be registered:
try (CallableStatement callableStatement = con.prepareCall(" {call " + inputProc + " (?) }")) {
callableStatement.registerOutParameter(1, microsoft.sql.Types.SQL_VARIANT);
callableStatement.execute();
}
Limitations of sql_variant
When using TVP to populate a table with a
datetime
/smalldatetime
/date
value stored in a sql_variant, callinggetDateTime()
/getSmallDateTime()
/getDate()
on a ResultSet doesn't work and throws the following exception:Java.lang.String cannot be cast to java.sql.Timestamp
Workaround: use
getString()
orgetObject()
instead.Using TVP to populate a table and send a null value in a sql_variant isn't supported. Trying to do that results in an exception:
Inserting null value with column type sql_variant in TVP is not supported.