我有一个带有主键、两个外键和其他属性的表。我想以一种在插入后应该返回主键的方式插入一行,我正在使用以下语句来执行查询
int MyId = (int)insert.ExecuteScalar();
但上面的代码返回一个外键,它是插入查询的一部分。插入后如何获得主键返回?其次,有什么方法可以在插入后获取任何特定属性。
我正在使用 asp.net 和 Sql Server 2008
我有一个带有主键、两个外键和其他属性的表。我想以一种在插入后应该返回主键的方式插入一行,我正在使用以下语句来执行查询
int MyId = (int)insert.ExecuteScalar();
但上面的代码返回一个外键,它是插入查询的一部分。插入后如何获得主键返回?其次,有什么方法可以在插入后获取任何特定属性。
我正在使用 asp.net 和 Sql Server 2008
在 SQL Server 中使用这样的表:
create table test
(
id int identity primary key,
data nvarchar(255)
)
您可以使用SCOPE_IDENTITY() :(错误检查遗漏等)
using System;
using System.Data;
using System.Data.SqlClient;
namespace sqltest
{
class Program
{
static void Main(string[] args)
{
SqlParameter id = new SqlParameter("id",0);
//parameter value can be set server side and will be returned to client
id.Direction=ParameterDirection.Output;
string query="Insert into test values ('hello world');select @id=SCOPE_IDENTITY()";
int lastID=0;
using (SqlConnection conn = new SqlConnection("put your connection string here"))
{
conn.Open();
using (SqlCommand comm = new SqlCommand(query, conn))
{
comm.Parameters.Add(id);
comm.ExecuteNonQuery();
//id.Value now holds the last identity value
lastID = Convert.ToInt32(id.Value);
}//end using comm
}//end using conn
}//end Main
}
}
但老实说,如果可能的话,我会建议你对这类事情使用抽象(Linq2SQL、实体框架、NHibernate 等),因为它让你不必处理这种样板文件。
使用输出!
create table mytab(
pk int identity primary key,
data nvarchar(20)
);
go
insert into mytab
output inserted.pk
values ('new item my PK');
go