Return value from SQL Server Insert command using c# Return value from SQL Server Insert command using c# sql-server sql-server

Return value from SQL Server Insert command using c#


SCOPE_IDENTITY returns the last identity value inserted into an identity column in the same scope. A scope is a module: a stored procedure, trigger, function, or batch. Therefore, two statements are in the same scope if they are in the same stored procedure, function, or batch.

You can use SqlCommand.ExecuteScalar to execute the insert command and retrieve the new ID in one query.

using (var con = new SqlConnection(ConnectionString)) {    int newID;    var cmd = "INSERT INTO foo (column_name)VALUES (@Value);SELECT CAST(scope_identity() AS int)";    using (var insertCommand = new SqlCommand(cmd, con)) {        insertCommand.Parameters.AddWithValue("@Value", "bar");        con.Open();        newID = (int)insertCommand.ExecuteScalar();    }}


try this:

INSERT INTO foo (column_name)OUTPUT INSERTED.column_name,column_name,...VALUES ('bar')

OUTPUT can return a result set (among other things), see: OUTPUT Clause (Transact-SQL). Also, if you insert multiple values (INSERT SELECT) this method will return one row per inserted row, where other methods will only return info on the last row.

working example:

declare @YourTable table (YourID int identity(1,1), YourCol1 varchar(5))INSERT INTO @YourTable (YourCol1)OUTPUT INSERTED.YourIDVALUES ('Bar')

OUTPUT:

YourID-----------1(1 row(s) affected)


I think you can use @@IDENTITY for this, but I think there's some special rules/restrictions around it?

using (var con = new SqlConnection("connection string")){    con.Open();    string query = "INSERT INTO table (column) VALUES (@value)";    var command = new SqlCommand(query, con);    command.Parameters.Add("@value", value);    command.ExecuteNonQuery();    command.Parameters.Clear();    command.CommandText = "SELECT @@IDENTITY";    int identity = Convert.ToInt32(command.ExecuteScalar());}