2

我想让一个父对象删除自己,它是单个事务范围中的子对象。我还想在这两种情况下检查要删除的对象是否存在,以及用户是否有权访问该对象。考虑以下代码:

我得到服务器上的 MSDTC 不可用异常。反正有没有通过我的服务方法传递连接?

请看下面的例子:

// 类 Flight, FlightService, FlightDao // 类 Pilot, PilotService, PilotDao

// FlightService
public void deleteFlight(Flight flight) {
    FlightDao flightDao = new FlightDao();
    Flight existingFlight = flightDao.findById(flight.Id);
    if (existingFlight != null) {
        using (TransactionScope scope = new TransactionScope()) {
            try {
                PilotService.Instance.deletePilot(flight.Pilot);
                flightDao.delete(flight);
            } catch (Exception e) {
                log.Error(e.Message, e);
                throw new ServiceException(e.Message, e);
            }
            scope.Complete();   
        }
    }       
}

// PilotService
public void deleteFlight(Pilot pilot) {
    PilotDao pilotDao = new PilotDao();
    Pilot existingPilot = pilotDao.findById(pilot.Id); // THIS LINE RIGHT HERE THROWS EXCEPTION
    if (existingPilot != null) { 
        using (TransactionScope scope = new TransactionScope()) {
            try {               
                pilotDao.delete(pilot);
            } catch (Exception e) {
                log.Error(e.Message, e);
                throw new ServiceException(e.Message, e);
            }
            scope.Complete();   
        }
    }       
}
4

2 回答 2

0

您正在将多个数据上下文层与事务一起使用。您需要将一个传递给另一个。“ deletePilot ”调用应该在相同的数据上下文中执行。一种解决方案是在数据访问层使用构造函数来接受来自另一个数据服务的数据上下文。他们将在相同的上下文中执行操作。

public void deleteFlight(IYourDataContext context, Pilot pilot) {
PilotDao pilotDao = new PilotDao(context);
//do operations now in same context.
...
于 2012-05-15T04:31:24.263 回答
0

这里的问题是我试图在同一个循环中多次使用同一个 SqlDataReader。这肯定在事务中不起作用。

例子:

SqlCommand command = new SqlCommand(...);
SqlDataReader reader = command.ExecuteReader();
if (reader.read()) {
  return buildMyObject(reader);
}

private MyObject buildMyObject(SqlDataReader reader) {
  MyObject o1 = new MyObject();
  // set fields on my object from reader

  // broken! i was attempting create a new sql connection here and attempt to use a reader
  // but the reader is already in use.
  return o1;
}
于 2012-05-22T15:15:58.043 回答