我有一个方法(带WebMethod
属性),我定义了一个事务,在我的方法和事务中我调用了2个存储过程,第一个是GetAllBook
:
select *
from Book_TBL
where IsActive = 'True'
,第二个是updateBook
:
update Book_TBL
set IsActive = 'False'
where IsActive = 'True'
和我的方法:
public struct BOOK
{
public string BOOK_NAME;
public string BOOK_DESC;
}
[WebMethod]
public static List<BOOK> GetMyBooks()
{
using (TransactionScope _transactionScope = new TransactionScope(TransactionScopeOption.Required))
{
string _connString = "Data Source=.;Initial Catalog=BookStore;Integrated Security=True";
SqlConnection _conn = new SqlConnection(_connString);
_conn.Open();
SqlCommand _com = new SqlCommand();
_com.CommandType = System.Data.CommandType.StoredProcedure;
_com.CommandText = "GetAllBook";
_com.Connection = _conn;
SqlDataAdapter bookdataAdapter = new SqlDataAdapter(_com);
DataSet bookDS = new DataSet();
bookdataAdapter.Fill(bookDS, "Book_TBL");
List<BOOK> bookList = new List<BOOK>();
_conn.Close();
BOOK book;
foreach (DataRow dr in bookDS.Tables["Book_TBL"].Rows)
{
book = new BOOK();
book.BOOK_NAME = dr["book_name"].ToString();
book.BOOK_DESC = dr["book_desc"].ToString();
bookList.Add(book);
}
SqlCommand updateCommand= new SqlCommand();
_conn.Open();
updateCommand.CommandText = "updateBook";
updateCommand.CommandType = System.Data.CommandType.StoredProcedure;
updateCommand.Connection = _conn;
updateCommand.ExecuteNonQuery();
_conn.Close();
return bookList;
}
}
当我运行项目时myMethod
向我提供了IsActive = True
但没有更新我的桌子的书籍列表!有什么问题?
答案 0 :(得分:5)
你必须调用TransactionScope.Complete
,相当于一个提交。没有它,使用块处理它,这相当于回滚。
答案 1 :(得分:1)
我不知道你真正想用这种深层嵌套的方法做什么,但你应该先把所有东西都放在第一位:
public class Book
{
public string Name { get; set; }
public string Description { get; set; }
}
public static List<Book> GetMyBooks()
{
var bookList = new List<Book>();
using (var transactionScope = new TransactionScope(TransactionScopeOption.Required))
{
const string connString = "Data Source=.;Initial Catalog=BookStore;Integrated Security=True";
using (var conn = new SqlConnection(connString))
{
using (var com = new SqlCommand())
{
com.CommandType = CommandType.StoredProcedure;
com.CommandText = "GetAllBook";
com.Connection = conn;
using (var bookdataAdapter = new SqlDataAdapter(com))
{
using (var bookDataSet = new DataSet())
{
bookdataAdapter.Fill(bookDataSet, "Book_TBL");
foreach (DataRow dr in bookDataSet.Tables["Book_TBL"].Rows)
{
bookList.Add(new Book
{
Name = dr["book_name"].ToString(),
Description = dr["book_desc"].ToString()
});
}
using (var updateCommand = new SqlCommand())
{
updateCommand.CommandText = "updateBook";
updateCommand.CommandType = CommandType.StoredProcedure;
updateCommand.Connection = conn;
updateCommand.ExecuteNonQuery();
}
}
}
}
}
transactionScope.Complete();
return bookList;
}
}
如前所述,你必须手动提交交易。
答案 2 :(得分:0)
你应该像这样使用课程SqlTransaction
:
using (SqlConnection cn = new SqlConnection())
{
cn.Open();
using (SqlTransaction tr = cn.BeginTransaction())
{
//some code
tr.Commit();
}
}