我们有一个使用WCF数据服务的Silverlight应用程序。我们想要添加日志记录功能:生成新行时,此新行的主键也会记录在日志记录表中。行生成和日志记录应在同一事务中进行。主键是通过数据库生成的(使用IDENTITY关键字)。
最好用一个例子来说明。在这里,我创建了一个新的 Customer 行,在同一个事务中,我将Customer的主键写入 AuditLog 行。此示例使用胖客户端和实体框架:
using (var ts = new TransactionScope())
{
AuditTestEntities entities = new AuditTestEntities();
Customer c = new Customer();
c.CustomerName = "Acme Pty Ltd";
entities.AddToCustomer(c);
Debug.Assert(c.CustomerID == 0);
entities.SaveChanges();
// The EntityFramework automatically updated the customer object
// with the newly generated key
Debug.Assert(c.CustomerID != 0);
AuditLog al = new AuditLog();
al.EntryDateTime = DateTime.Now;
al.Description = string.Format("Created customer with customer id {0}", c.CustomerID);
entities.AddToAuditLog(al);
entities.SaveChanges();
ts.Complete();
}
使用Entity Framework开发胖客户端时,这是一个微不足道的问题。
但是,使用Silverlight和ADO.NET数据服务:
那么,这甚至可能吗?
答案 0 :(得分:4)
简答:不,这甚至不可能
好的......所以:
但遗憾的是,您无法做任何事情将一个请求与另一个请求绑定,并将它们包装在一个事务中。
...然而
如果通过创建一个派生自AuditLog的CustomerAuditLog方法来更改模型:
// Create and insert customer ...
// Create audit log and relate to un-insert customer
CustomerAuditLog al = new CustomerAuditLog();
al.EntryDateTime = DateTime.Now;
al.Description = string.Format("Created customer with {Customer.ID}");
// assuming your entities implement INotifyPropertyChanging and you are using
// the Data Services Update to .NET 3.5 SP1 to use DataServiceCollection
// to notify the DataServiceContext that a relationship has been formed.
//
// If not you will manually need to tell Astoria about the relationship too.
al.Customer = c;
entities.AddToAuditLog(al);
entities.SaveChanges();
在您的基础DataSource或甚至数据库中深入了解某种逻辑,以用适当的值替换{Customer.ID}。
您可能能够使它工作,因为如果两个插入发生在同一个事务中,而一个(CustomerAuditLog)依赖于另一个(Customer),则应该由底层数据源对它们进行适当的排序。
但是你可以看到这种方法有点hacky,你不希望每个可能的审计信息都有一个Type!并且......它可能甚至不起作用。
希望这有帮助
Microsoft数据服务团队