Unit of Work
Once a new UOW started, it creates an ambient scope that is participated by all the database operations performed in the current scope and considered as a single transaction boundary. The operations are committed (on success) or rolled back (on exception) all together.
ABP’s UOW system is;
- Works conventional, so most of the times you don’t deal with UOW at all.
- Database provider independent.
- Web independent, that means you can create unit of work scopes in any type of applications beside web applications/services.
The following method types are considered as a unit of work:
- ASP.NET Core MVC Controller Actions.
- ASP.NET Core Razor Page Handlers.
- Application service methods.
- Repository methods.
A UOW automatically begins for these methods except if there is already a surrounding (ambient) UOW in action. Examples;
- If you call a repository method and there is no UOW started yet, it automatically begins a new transactional UOW that involves all the operations done in the repository method and commits the transaction if the repository method doesn’t throw any exception. The repository method doesn’t know about UOW or transaction at all. It just works on a regular database objects ( for , for example) and the UOW is handled by the ABP Framework.
- If you call an application service method, the same UOW system works just as explained above. If the application service method uses some repositories, the repositories don’t begin a new UOW, but participates to the current unit of work started by the ABP Framework for the application service method.
- The same is true for an ASP.NET Core controller action. If the operation has started with a controller action, then the UOW scope is the controller action’s method body.
All of these are automatically handled by the ABP Framework.
While the section above explains the UOW as it is database transaction, actually a UOW doesn’t have to be transactional. By default;
- HTTP GET requests don’t start a transactional UOW. They still starts a UOW, but doesn’t create a database transaction.
- All other HTTP request types start a UOW with a database transaction, if database level transactions are supported by the underlying database provider.
This is because an HTTP GET request doesn’t (and shouldn’t) make any change in the database. You can change this behavior using the options explained below.
AbpUnitOfWorkDefaultOptions
is used to configure the default options for the unit of work system. Configure the options in the ConfigureServices
method of your .
Example: Completely disable the database transactions
Option Properties
TransactionBehavior
(enum
:UnitOfWorkTransactionBehavior
). A global point to configure the transaction behavior. Default value isAuto
and work as explained in the “Database Transaction Behavior“ section above. You can enable (even for HTTP GET requests) or disable transactions with this option.TimeOut
(int?
): Used to set the timeout value for UOWs. Default value isnull
and uses to the default of the underlying database provider.IsolationLevel
(IsolationLevel?
): Used to set the of the database transaction, if the UOW is transactional.
In some cases, you may want to change the conventional transaction scope, create inner scopes or fine control the transaction behavior. The following sections cover these possibilities.
This is an easy way to enable UOW for a class (or a hierarchy of classes) that is not unit of work by the conventions explained above.
Example: Implement IUnitOfWorkEnabled
for an arbitrary service
using System.Threading.Tasks;
using Volo.Abp.DependencyInjection;
using Volo.Abp.Uow;
namespace AbpDemo
{
public class MyService : ITransientDependency, IUnitOfWorkEnabled
{
public virtual async Task FooAsync()
{
//this is a method with a UOW scope
}
}
}
Then MyService
(and any class derived from it) methods will be UOW.
- If you are not injecting the service over an interface (like
IMyService
), then the methods of the service must bevirtual
(otherwise, dynamic proxy / interception system can not work). - Only
async
methods (methods returning aTask
orTask<T>
) are intercepted. So, sync methods can not start a UOW.
UnitOfWorkAttribute
UnitOfWork
attribute provides much more possibility like enabling or disabling UOW and controlling the transaction behavior.
UnitOfWork
attribute can be used for a class or a method level.
Example: Enable UOW for a specific method of a class
using System.Threading.Tasks;
using Volo.Abp.DependencyInjection;
using Volo.Abp.Uow;
{
public class MyService : ITransientDependency
{
[UnitOfWork]
public virtual async Task FooAsync()
{
//this is a method with a UOW scope
}
public virtual async Task BarAsync()
{
//this is a method without UOW
}
}
}
Example: Enable UOW for all the methods of a class
Again, the same rules are valid here:
- If you are not injecting the service over an interface (like
IMyService
), then the methods of the service must bevirtual
(otherwise, dynamic proxy / interception system can not work). - Only
async
methods (methods returning aTask
orTask<T>
) are intercepted. So, sync methods can not start a UOW.
UnitOfWorkAttribute Properties
IsTransactional
(bool?
): Used to set whether the UOW should be transactional or not. Default value isnull
. if you leave it , it is determined automatically based on the conventions and the configuration.TimeOut
(int?
): Used to set the timeout value for this UOW. Default value isnull
and fallbacks to the default configured value.IsolationLevel
(IsolationLevel?
): Used to set the isolation level of the database transaction, if the UOW is transactional. If not set, uses the default configured value.IsDisabled
(bool
): Used to disable the UOW for the current method/class.
Example: Disable UOW for a controller action
using System.Threading.Tasks;
using Volo.Abp.AspNetCore.Mvc;
using Volo.Abp.Uow;
namespace AbpDemo.Web
{
public class MyController : AbpController
{
[UnitOfWork(IsDisabled = true)]
public virtual async Task FooAsync()
{
//...
}
}
}
IUnitOfWorkManager
is the main service that is used to control the unit of work system. The following sections explains how to directly work with this service (while most of the times you won’t need).
IUnitOfWorkManager.Begin
method is used to create a new UOW scope.
Example: Create a new non-transactional UOW scope
using System.Threading.Tasks;
using Volo.Abp.DependencyInjection;
using Volo.Abp.Uow;
namespace AbpDemo
{
public class MyService : ITransientDependency
{
private readonly IUnitOfWorkManager _unitOfWorkManager;
public MyService(IUnitOfWorkManager unitOfWorkManager)
{
_unitOfWorkManager = unitOfWorkManager;
}
{
using (var uow = _unitOfWorkManager.Begin(
requiresNew: true, isTransactional: false
))
{
//...
await uow.CompleteAsync();
}
}
}
}
Begin
method gets the following optional parameters:
requiresNew
(bool
): Settrue
to ignore the surrounding unit of work and start a new UOW with the provided options. Default value isfalse
. If it isfalse
and there is a surrounding UOW,Begin
method doesn’t actually begin a new UOW, but silently participates to the existing UOW.isTransactional
(bool
). Default value isfalse
.isolationLevel
(): Used to set the of the database transaction, if the UOW is transactional. If not set, uses the default configured value.TimeOut
(int?
): Used to set the timeout value for this UOW. Default value isnull
and fallbacks to the default configured value.
The Current Unit Of Work
UOW is ambient, as explained before. If you need to access to the current unit of work, you can use the IUnitOfWorkManager.Current
property.
Current
property returns a IUnitOfWork
object.
SaveChangesAsync
IUnitOfWork.SaveChangesAsync()
method can be needed to save all the changes until now to the database. If you are using EF Core, it behaves exactly same. If the current UOW is transactional, even saved changes can be rolled back on an error (for the supporting database providers).
Example: Save changes after inserting an entity to get its auto-increment id
using System.Threading.Tasks;
using Volo.Abp.Application.Services;
using Volo.Abp.Domain.Repositories;
namespace AbpDemo
{
public class CategoryAppService : ApplicationService, ICategoryAppService
{
private readonly IRepository<Category, int> _categoryRepository;
public CategoryAppService(IRepository<Category, int> categoryRepository)
{
_categoryRepository = categoryRepository;
}
public async Task<int> CreateAsync(string name)
{
var category = new Category {Name = name};
await _categoryRepository.InsertAsync(category);
//Saving changes to be able to get the auto increment id
await UnitOfWorkManager.Current.SaveChangesAsync();
return category.Id;
}
}
}
This example uses auto-increment int
primary key for the Category
entity. Auto-increment PKs require to save the entity to the database to get the id of the new entity.
This example is an derived from the base ApplicationService
class, which already has the IUnitOfWorkManager
service injected as the UnitOfWorkManager
property. So, no need to inject it manually.
Since getting the current UOW is pretty common, there is also a CurrentUnitOfWork
property as a shortcut to the UnitOfWorkManager.Current
. So, the example above can be changed to use it:
await CurrentUnitOfWork.SaveChangesAsync();
Alternative to the SaveChanges()
Since saving changes after inserting, updating or deleting an entity can be frequently needed, corresponding methods has an optional autoSave
parameter. So, the CreateAsync
method above could be re-written as shown below:
If your intent is just to save the changes after creating/updating/deleting an entity, it is suggested to use the autoSave
option instead of manually using the CurrentUnitOfWork.SaveChangesAsync()
.
Other IUnitOfWork Properties/Methods
OnCompleted
method gets a callback action which is called when the unit of work successfully completed (where you can be sure that all changes are saved).Failed
andDisposed
events can be used to be notified if the UOW fails or when it is disposed.Complete
andRollback
methods are used to complete (commit) or roll backs the current UOW, which are normally used internally by the ABP Framework but can be used if you manually start a transaction using theIUnitOfWorkManager.Begin
method.Options
can be used to get options that was used while starting the UOW.Items
dictionary can be used to store and get arbitrary objects inside the same unit of work, which can be a point to implement custom logics.
Unit of work system is fully integrated to the ASP.NET Core. It properly works when you use ASP.NET Core MVC Controllers or Razor Pages. It defines action filters and page filters for the UOW system.
Example:
app.UseUnitOfWork();
app.UseConfiguredEndpoints();