Audit.NET
22.1.0
See the version list below for details.
dotnet add package Audit.NET --version 22.1.0
NuGet\Install-Package Audit.NET -Version 22.1.0
<PackageReference Include="Audit.NET" Version="22.1.0" />
paket add Audit.NET --version 22.1.0
#r "nuget: Audit.NET, 22.1.0"
// Install Audit.NET as a Cake Addin #addin nuget:?package=Audit.NET&version=22.1.0 // Install Audit.NET as a Cake Tool #tool nuget:?package=Audit.NET&version=22.1.0
Audit.NET
USAGE | OUTPUT | CUSTOMIZATION | DATA PROVIDERS | CREATION POLICY | CONFIGURATION | EXTENSIONS
issues | build status | chat / support | donations |
---|---|---|---|
An extensible framework to audit executing operations in .NET and .NET Core.
Generate audit logs with evidence for reconstruction and examination of activities that have affected specific operations or procedures.
With Audit.NET you can generate tracking information about operations being executed. It gathers environmental information such as the caller user id, machine name, method name, exceptions, including execution time and exposing an extensible mechanism to enrich the logs and handle the audit output.
Output extensions are provided to log to JSON Files, Event Log, SQL, MySQL, PostgreSQL, RavenDB, MongoDB, AzureBlob, AzureTables, AzureCosmos, Redis, Elasticsearch, DynamoDB, UDP datagrams and more.
Interaction extensions to audit different systems are provided, such as Entity Framework, MVC, WebAPI, WCF, File System, SignalR, MongoClient and HttpClient.
NuGet
To install the package run the following command on the Package Manager Console:
PM> Install-Package Audit.NET
Changelog
Check the CHANGELOG.md file.
Default Serialization Mechanism
Audit.NET will default to different serialization mechanism depending on the target framework of the client application, as shown on the following table:
Target | Serialization |
---|---|
≥ .NET 5.0 | System.Text.Json |
≤ .NETSTANDARD2.1 / .NETCOREAPP3.1 | Newtonsoft.Json |
≤ .NET 4.8 | Newtonsoft.Json |
System.Text.Json
is the new default for applications and libraries targeting .NET 5.0 or higherNewtonsoft.Json
will still be the default for applications and libraries targeting lower framework versions.
If you want to change the default behavior, refer to Custom serialization mechanism.
Usage
The Audit Scope is the central object of this framework. It encapsulates an audit event, controlling its life cycle. The Audit Event is an extensible information container of an audited operation. See the audit scope statechart.
There are several ways to create an Audit Scope:
Calling the
Create()
/CreateAsync()
method of anAuditScopeFactory
instance, for example:var factory = new AuditScopeFactory(); var scope = factory.Create(new AuditScopeOptions(...));
Using the overloads of the static methods
Create()
/CreateAsync()
onAuditScope
, for example:var scope = AuditScope.Create("Order:Update", () => order, new { MyProperty = "value" });
The first parameter of the
AuditScope.Create
method is an event type name intended to identify and group the events. The second is the delegate to obtain the object to track (target object). This object is passed as aFunc<object>
to allow the library to inspect the value at the beginning and at the disposal of the scope. It is not mandatory to supply a target object.You can use the overload that accepts an
AuditScopeOptions
instance to configure any of the available options for the scope:var scope = AuditScope.Create(new AuditScopeOptions() { EventType = "Order:Update", TargetGetter = () => order, ExtraFields = new { MyProperty = "value" } });
Using the provided fluent API, for example:
var scope = AuditScope.Create(_ => _ .EventType("Order:Update") .ExtraFields(new { MyProperty = "value" }) .Target(() => order));
AuditScope options
Option | Type | Description |
---|---|---|
EventType | string |
A string representing the type of the event |
TargetGetter | Func<object> |
Target object getter (a func that returns the object to track) |
ExtraFields | object |
Anonymous object that contains additional fields to be merged into the audit event |
DataProvider | AuditDataProvider |
The data provider to use. Defaults to the DataProvider configured on Audit.Core.Configuration.DataProvider |
CreationPolicy | EventCreationPolicy |
The creation policy to use. Default is InsertOnEnd |
IsCreateAndSave | bool |
Value indicating whether this scope should be immediately ended and saved after creation. Default is false |
AuditEvent | AuditEvent |
Custom initial audit event to use. By default it will create a new instance of basic AuditEvent |
SkipExtraFrames | int |
Value used to indicate how many frames in the stack should be skipped to determine the calling method. Default is 0 |
CallingMethod | MethodBase |
Specific calling method to store on the event. Default is to use the calling stack to determine the calling method. |
Suppose you have the following code to cancel an order that you want to audit:
Order order = Db.GetOrder(orderId);
order.Status = -1;
order.OrderItems = null;
order = Db.OrderUpdate(order);
To audit this operation, you can surround the code with a using
block that creates an AuditScope
, indicating a target object to track:
Order order = Db.GetOrder(orderId);
using (AuditScope.Create("Order:Update", () => order))
{
order.Status = -1;
order.OrderItems = null;
order = Db.OrderUpdate(order);
}
Note
It is not mandatory to use a
using
block, but it simplifies the syntax when the code to audit is on a single block, allowing the detection of exceptions and calculating the duration by implicitly saving the event on disposal.
Note
When using the extensions that logs interactions with different systems, like Audit.EntityFramework, Audit.WebApi, etc. you don't need to explicitly create the
AuditScope
orAuditEvent
, they are created internally by the extension.
Simple logging
If you are not tracking an object, nor the duration of an event, you can use the Log
shortcut method that logs an event immediately.
For example:
AuditScope.Log("Event Type", new { ExtraField = "extra value" });
Manual Saving
You can control the creation and saving logic, by creating a manual AuditScope
. For example to log a pair of Start
/End
method calls as a single event:
public class SomethingThatStartsAndEnds
{
private AuditScope auditScope;
public int Status { get; set; }
public void Start()
{
// Create a manual scope
auditScope = AuditScope.Create(new AuditScopeOptions()
{
EventType = "MyEvent",
TargetGetter = () => this.Status,
CreationPolicy = EventCreationPolicy.Manual
});
}
public void End()
{
// Save the event
auditScope.Save();
// Discard to avoid further saving
auditScope.Discard();
}
}
For more information about the EventCreationPolicy
please see Event Creation Policy section.
Asynchronous operations
Asynchronous versions of the operations that saves audit logs are also provided. For example:
public async Task SaveOrderAsync(Order order)
{
AuditScope auditScope = null;
try
{
// async scope creation
auditScope = await AuditScope.CreateAsync("order", () => order);
}
finally
{
// async disposal
await auditScope.DisposeAsync();
}
}
Note
On older .NET framework versions the
Dispose
method was always synchronous, so if your audit code is on async methods and you created the scope within ausing
statement, you should explicitly call theDisposeAsync()
method. For projects targeting .NET Standard starting on version 2.0 and C# 8, you can simply use theawait using
statement, since theAuditScope
implements theIAsyncDisposable
interface.
Output
The library will generate an output (AuditEvent
) for each operation, including:
- Tracked object's state before and after the operation.
- Execution time and duration.
- Environment information such as user, machine, domain, locale, etc.
- Comments and Custom Fields provided.
An example of the output in JSON:
{
"EventType": "Order:Update",
"Environment": {
"UserName": "Federico",
"MachineName": "HP",
"DomainName": "HP",
"CallingMethodName": "Audit.UnitTest.AuditTests.TestUpdate()",
"Exception": null,
"Culture": "en-GB"
},
"Activity": {
"StartTimeUtc": "2023-12-01T17:36:52.2256288Z",
"SpanId": "23a93b9e8cbc457f",
"TraceId": "2d3e5e90f790c7d2274d9bb047531f66",
"ParentId": "0000000000000000",
"Operation": "Update"
},
"StartDate": "2016-08-23T11:33:14.653191Z",
"EndDate": "2016-08-23T11:33:23.1820786Z",
"Duration": 8529,
"Target": {
"Type": "Order",
"Old": {
"OrderId": "39dc0d86-d5fc-4d2e-b918-fb1a97710c99",
"Status": 2,
"OrderItems": [{
"Sku": "1002",
"Quantity": 3.0
}]
},
"New": {
"OrderId": "39dc0d86-d5fc-4d2e-b918-fb1a97710c99",
"Status": -1,
"OrderItems": null
}
}
}
Output details
The following tables describes the output fields:
Field Name | Type | Description |
---|---|---|
EventType | string | User-defined string to group the events |
Environment | Environment | Contains information about the execution environment |
StartDate | DateTime | Date and time when the event has started |
EndDate | DateTime | Date and time when the event has ended |
Duration | integer | Duration of the event in milliseconds |
Target | Target | User-defined tracked object |
Comments | Array of strings | User-defined comments |
CustomFields | Dictionary | User-defined custom fields |
Field Name | Type | Description |
---|---|---|
UserName | string | Current logged user name |
MachineName | string | Executing machine name |
DomainName | string | Current user domain |
CallingMethodName | string | Calling method signature information |
StackTrace | string | The full stack trace at the moment of the audit scope creation (NULL unless it's enabled by configuration) |
Exception | string | Indicates if an Exception has been detected (NULL if no exception has been thrown) |
Culture | string | Current culture identifier |
Field Name | Type | Description |
---|---|---|
Type | string | Tracked object type name |
Old | Object | Value of the tracked object at the beginning of the event |
New | Object | Value of the tracked object at the end of the event |
Custom Fields and Comments
The AuditScope
object provides two methods to extend the event output.
- Use
SetCustomField()
method to add any object as an extra field to the event. - Use
Comment()
to add textual comments to the event'sComments
array.
For example:
Order order = Db.GetOrder(orderId);
using (var audit = AuditScope.Create("Order:Update", () => order))
{
audit.SetCustomField("ReferenceId", orderId);
order.Status = -1;
order = Db.OrderUpdate(order);
audit.Comment("Status Updated to Cancelled");
}
You can also set Custom Fields when creating the AuditScope
, by passing an anonymous object with the properties you want as extra fields. For example:
using (var audit = AuditScope.Create("Order:Update", () => order, new { ReferenceId = orderId }))
{
order.Status = -1;
order = Db.OrderUpdate(order);
audit.Comment("Status Updated to Cancelled");
}
You can also access the Custom Fields directly from Event.CustomFields
property of the scope. For example:
using (var audit = AuditScope.Create("Order:Update", () => order, new { ReferenceId = orderId }))
{
audit.Event.CustomFields["ReferenceId"] = orderId;
}
Note
Custom fields are not limited to single properties, you can store any object as well, by default they will be JSON serialized.
Extending AuditEvent
Another way to enrich the event output is to create a class inheriting from the AuditEvent
class, then you can pass an instance of your class to the AuditScope.Create method. For example:
public class YourAuditEvent : AuditEvent
{
public Guid ReferenceId { get; set; } = Guid.NewGuid();
}
using (var scope = AuditScope.Create(new AuditScopeOptions { AuditEvent = new YourAuditEvent() }))
{
//...
}
The output of the previous examples would be:
{
"EventType": "Order:Update",
"Environment": {
"UserName": "Federico",
"MachineName": "HP",
"DomainName": "HP",
"CallingMethodName": "Audit.UnitTest.AuditTests.TestUpdate()",
"Exception": null,
"Culture": "en-GB"
},
"Target": {
"Type": "Order",
"Old": {
"OrderId": "39dc0d86-d5fc-4d2e-b918-fb1a97710c99",
"Status": 2,
},
"New": {
"OrderId": "39dc0d86-d5fc-4d2e-b918-fb1a97710c99",
"Status": -1,
}
},
"ReferenceId": "39dc0d86-d5fc-4d2e-b918-fb1a97710c99", // <-- Custom Field
"Comments": ["Status Updated to Cancelled"], // <-- Comments
"StartDate": "2016-08-23T11:34:44.656101-05:00",
"EndDate": "2016-08-23T11:34:55.1810821-05:00",
"Duration": 8531
}
Discard option
The AuditScope
object has a Discard()
method to allow the user to discard an event. Discarding an event means it won't be saved.
For example, if you want to avoid saving the audit event under certain condition:
using (var scope = AuditScope.Create(new AuditScopeOptions("SomeEvent", () => someTarget)))
{
try
{
//some operation
Critical.Operation();
}
catch (Exception ex)
{
//If an exception is thrown, discard the audit event
scope.Discard();
}
}
Data providers
A data provider (or storage sink) contains the logic to handle the audit event output, where you define what to do with the audit logs.
You can use one of the data providers included or inject your own mechanism
by creating a class that inherits from AuditDataProvider
and overrides its methods:
InsertEvent
: should store the event and return a unique ID for it.ReplaceEvent
: should update an event given its ID. This method is only called for Creation Policies Manual or InsertOnStartReplaceOnEnd.
If your data provider will support asynchronous operations, you must also implement the following methods:
InsertEventAsync
: Asynchronous implementation of the InsertEvent method.ReplaceEventAsync
: Asynchronous implementation of the ReplaceEvent method.
Also, if your data provider will support event retrieval, you should implement the methods:
GetEvent
: Retrieves an event by id.GetEventAsync
: Asynchronous implementation of the GetEvent method.
For example:
public class MyCustomDataProvider : AuditDataProvider
{
public override object InsertEvent(AuditEvent auditEvent)
{
var fileName = $"Log{Guid.NewGuid()}.json";
File.WriteAllText(fileName, auditEvent.ToJson());
return fileName;
}
public override void ReplaceEvent(object eventId, AuditEvent auditEvent)
{
var fileName = eventId.ToString();
File.WriteAllText(fileName, auditEvent.ToJson());
}
public override T GetEvent<T>(object eventId)
{
var fileName = eventId.ToString();
return JsonConvert.DeserializeObject<T>(File.ReadAllText(fileName));
}
// async implementation:
public override async Task<object> InsertEventAsync(AuditEvent auditEvent, CancellationToken cancellationToken = default)
{
var fileName = $"Log{Guid.NewGuid()}.json";
await File.WriteAllTextAsync(fileName, auditEvent.ToJson(), cancellationToken);
return fileName;
}
public override async Task ReplaceEventAsync(object eventId, AuditEvent auditEvent, CancellationToken cancellationToken = default)
{
var fileName = eventId.ToString();
await File.WriteAllTextAsync(fileName, auditEvent.ToJson(), cancellationToken);
}
public override async Task<T> GetEventAsync<T>(object eventId, CancellationToken cancellationToken = default)
{
var fileName = eventId.ToString();
return await GetFromFileAsync<T>(cancellationToken);
}
}
Data provider selection
The data provider can be set globally for the entire application or per audit scope.
To set the global data provider assign the DataProvider
property on the static Audit.Core.Configuration
object. For example:
Audit.Core.Configuration.DataProvider = new MyCustomDataProvider();
Or using the fluent API UseCustomProvider
method:
Audit.Core.Configuration.Setup()
.UseCustomProvider(new MyCustomDataProvider());
You can also set the global data provider with a factory method that is called when an Audit Scope is created. For example:
Audit.Core.Configuration.DataProviderFactory = () => new LazyDataProvider();
Or using the fluent API UseFactory
:
Audit.Core.Configuration.Setup()
.UseFactory(() => new LazyDataProvider());
Note
If you don't specify a global data provider, it will default to a
FileDataProvider
that logs events as .json files into the current working directory.
See Configuration section for more information.
To set the data provider per-scope, use the AuditScopeOptions
when creating an AuditScope
. For example:
var scope = AuditScope.Create(new AuditScopeOptions
{
DataProvider = new MyCustomDataProvider(), ... }
);
Dynamic data providers
As an alternative to creating a data provider class, you can define the mechanism at run time by using the DynamicDataProvider
or DynamicAsyncDataProvider
classes. For example:
var dataProvider = new DynamicDataProvider();
// Attach an action for insert
dataProvider.AttachOnInsert(ev => Console.Write(ev.ToJson()));
Audit.Core.Configuration.DataProvider = dataProvider;
Or by using the fluent API:
Audit.Core.Configuration.Setup()
.UseDynamicProvider(config => config
.OnInsert(ev => Console.Write(ev.ToJson())));
For async operations you should use the DynamicAsyncDataProvider
, for example:
var dataProvider = new DynamicAsyncDataProvider();
dataProvider.AttachOnInsert(async ev => await File.WriteAllTextAsync(filePath, ev.ToJson()));
Audit.Core.Configuration.DataProvider = dataProvider;
Or by using the fluent API:
Audit.Core.Configuration.Setup()
.UseDynamicAsyncProvider(config => config
.OnInsert(async ev => await File.WriteAllTextAsync(filePath, ev.ToJson())));
Data providers included
The Data Providers included are summarized in the following table:
Data Provider | Package | Description | Configuration API |
---|---|---|---|
AmazonQldbDataProvider | Audit.NET.AmazonQLDB | Store the audit events using Amazon QLDB. | .UseAmazonQldb() |
AzureCosmosDataProvider | Audit.NET.AzureCosmos | Store the events in an Azure Cosmos DB container, in JSON format. | .UseAzureCosmos() |
AzureStorageBlobDataProvider | Audit.NET.AzureStorageBlobs | Store the events in an Azure Blob Storage container, in JSON format. | .UseAzureStorageBlobs() |
AzureStorageTableDataProvider | Audit.NET.AzureStorageTables | Store the events in an Azure Table Storage. | .UseAzureTableStorage() |
DynamoDataProvider | Audit.NET.DynamoDB | Store audit events in Amazon DynamoDB™ tables. | .UseDynamoDB() |
DynamicDataProvider / DynamicAsyncDataProvider | Audit.NET | Dynamically change the behavior at run-time. Define Insert and a Replace actions with lambda expressions. | .UseDynamicProvider() / .UseDynamicAsyncProvider() |
ElasticsearchDataProvider | Audit.NET.Elasticsearch | Store audit events in Elasticsearch indices. | .UseElasticsearch() |
EntityFrameworkDataProvider | Audit.EntityFramework | Store EntityFramework audit events in the same EF context. (This data provider can only be used for Entity Framework audits) | .UseEntityFramework() |
EventLogDataProvider | Audit.NET Audit.NET.EventLog.Core | Write the audit logs to the Windows EventLog. | .UseEventLogProvider() |
FileDataProvider | Audit.NET | Store the audit logs as files. Dynamically configure the directory and path. | .UseFileLogProvider() |
InMemoryDataProvider | Audit.NET | Store the audit logs in memory in a thread-safe list. Useful for testing purposes. | .UseInMemoryProvider() |
KafkaDataProvider | Audit.NET.Kafka | Stream the audit events to Apache Kafka topics. | .UseKafka() / .UseKafka<TKey>() |
Log4netDataProvider | Audit.NET.log4net | Store the audit events using Apache log4net™. | .UseLog4net() |
MongoDataProvider | Audit.NET.MongoDB | Store the events in a Mongo DB collection, in BSON format. | .UseMongoDB() |
MySqlDataProvider | Audit.NET.MySql | Store the events as rows in a MySQL database table, in JSON format. | .UseMySql() |
NLogDataProvider | Audit.NET.NLog | Store the audit events using NLog. | .UseNLog() |
PostgreSqlDataProvider | Audit.NET.PostgreSql | Store the events as rows in a PostgreSQL database table, in JSON format. | .UsePostgreSql() |
SerilogDataProvider | Audit.NET.Serilog | Store the audit events using Serilog™ | .UseSerilog() |
SqlDataProvider | Audit.NET.SqlServer | Store the events as rows in a MS SQL Table, in JSON format. | .UseSqlServer() |
RavenDbDataProvider | Audit.NET.RavenDB | Store the events as documents in a Raven DB database table, in JSON format. | .UseRavenDB() |
RedisDataProvider | Audit.NET.Redis | Store audit logs in Redis as Strings, Lists, SortedSets, Hashes, Streams or publish to a PubSub channel. | .UseRedis() |
UdpDataProvider | Audit.NET.Udp | Send Audit Logs as UDP datagrams to a network. | .UseUdp() |
Event Creation Policy
The audit scope can be configured to call its data provider in different ways:
Insert on End: (default) The audit event is inserted when the scope is disposed.
Insert on Start, Replace on End: The event (on its initial state) is inserted when the scope is created, and then the complete event information is replaced when the scope is disposed.
Insert on Start, Insert on End: Two versions of the event are inserted, the initial when the scope is created, and the final when the scope is disposed.
Manual: The event saving (insert/replace) should be explicitly invoked by calling the
Save()
method on theAuditScope
.
You can set the Creation Policy per-scope, for example to explicitly set the Creation Policy to Manual:
using (var scope = AuditScope.Create(new AuditScopeOptions { CreationPolicy = EventCreationPolicy.Manual }))
{
//...
scope.Save();
}
Note
If you don't provide a Creation Policy, the default Creation Policy configured will be used (see the configuration section).
AuditScope statechart
The following is the internal state machine representation of the AuditScope
object:
<img src="https://i.imgur.com/7WqGECe.png" alt="AuditScope statecart" />
Configuration
Data provider
To change the default data provider, set the static property DataProvider
on Audit.Core.Configuration
class. This should be done prior to the AuditScope
creation, i.e. during application startup.
For example, to set your own provider as the default data provider:
Audit.Core.Configuration.DataProvider = new MyCustomDataProvider();
Note
If you don't specify a Data Provider, a default
FileDataProvider
will be used to write the events as .json files into the current working directory.
Creation Policy
To change the default creation policy, set the static property CreationPolicy
on Audit.Core.Configuration
class. This should be done prior to the AuditScope
creation, i.e. during application startup.
For example, to set the default creation policy to Manual:
Audit.Core.Configuration.CreationPolicy = EventCreationPolicy.Manual;
Note
If you don't specify a Creation Policy, the default
Insert on End
will be used.
Custom Actions
You can configure Custom Actions that are executed for all the Audit Scopes in your application. This allows to globally change the behavior and data, intercepting the scopes after they are created or before they are saved.
Call the static AddCustomAction()
method on Audit.Core.Configuration
class to attach a custom action.
For example, to globally discard the events under a certain condition:
Audit.Core.Configuration.AddCustomAction(ActionType.OnScopeCreated, scope =>
{
if (DateTime.Now.Hour == 17) // Tea time
{
scope.Discard();
}
});
Or to add custom fields / comments globally to all scopes:
Audit.Core.Configuration.AddCustomAction(ActionType.OnEventSaving, scope =>
{
if (scope.Event.Environment.Exception != null)
{
scope.SetCustomField("Oops", true);
}
scope.Comment("Saved at " + DateTime.Now);
});
Custom actions can also be asynchronous, for example:
Audit.Core.Configuration.AddCustomAction(ActionType.OnScopeCreated, async scope =>
{
var result = await svcProvider.GetService<InfoService>().GetInfoAsync();
scope.SetCustomField("Info", result);
});
The ActionType
indicates when to perform the action. The allowed values are:
OnScopeCreated
: When the Audit Scope is being created, before any saving. This is executed once per Audit Scope.OnEventSaving
: When an Audit Scope's Event is about to be saved.OnEventSaved
: After an Audit Scope's Event is saved.
Stack Trace
To include the stack trace details into the event environment, ensure that the IncludeStackTrace
configuration is set to true
. Default is false
.
Audit.Core.Configuration.IncludeStackTrace = true;
or
Audit.Core.Configuration.Setup()
.IncludeStackTrace();
Activity Trace
To include the activy trace details from System.Diagnostics.Activity
API into the event, ensure that the IncludeActivityTrace
configuration is set to true
. Default is false
.
It will include the current Activity
operation name, ID, StartTime, along with associated Tags and Events.
Audit.Core.Configuration.IncludeActivityTrace = true;
or
Audit.Core.Configuration.Setup()
.IncludeActivityTrace();
Global switch off
You can disable audit logging by setting the static property Configuration.AuditDisabled
to true
.
The audit events are globally ignored while this flag is set. For example to disable the audits on certain environment:
if (environment.IsDevelopment())
{
Audit.Core.Configuration.AuditDisabled = true;
}
Global serialization settings
Most of the data providers serializes audit events in JSON format.
The default mechanism for serialization depends on the target framework of your application:
- Targeting .NET 5.0 or higher: The JSON serialization is done with Microsoft's
System.Text.Json
library. - Targeting lower framework versions: The JSON serialization is done with James Newton-King's
Newtonsoft.Json
library.
You can change the settings for the default serialization mechanism via the static property Configuration.JsonSettings
.
For example, when using Newtonsoft.Json:
Audit.Core.Configuration.JsonSettings = new JsonSerializerSettings()
{
NullValueHandling = NullValueHandling.Ignore,
TypeNameAssemblyFormatHandling = TypeNameAssemblyFormatHandling.Full,
Converters = new List<JsonConverter>() { new MyStreamConverter() }
};
Or, if you target net5.0 or higher, using System.Text.Json:
Audit.Core.Configuration.JsonSettings = new JsonSerializerOptions
{
DefaultIgnoreCondition = JsonIgnoreCondition.WhenWritingDefault,
AllowTrailingCommas = true
};
Custom serialization mechanism
If you want to use a custom JSON serialization mechanism for the Audit Events, you can create a class implementing IJsonAdapter
and assign it to the
static property Configuration.JsonAdapter
.
For example:
Audit.Core.Configuration.JsonAdapter = new MyCustomAdapter();
Or by using the fluent API:
Audit.Core.Configuration.Setup()
.JsonAdapter<MyCustomAdapter>()
...
Note
Take into account that some of the
AuditEvent
properties relies on attribute decoration for serialization and deserialization. (On .NET 5.0 and higher, these decorations are fromSystem.Text.Json
, but when targeting an older .NET framework the decorators are fromNewtonsoft.Json
). The recommendation is to use the default adapter amd, when needed, use the alternative adapters provided (see next section).
Alternative serialization mechanism
Two libraries are provided to configure an alternative JSON serialization mechanism:
Audit.NET.JsonNewtonsoftAdapter
:To use when you target .NET 5.0 or higher, but you want to use
Newtonsoft.Json
as the serialization mechanism.Add a reference to the library
Audit.NET.JsonNewtonsoftAdapter
and set an instance ofJsonNewtonsoftAdapter
to the static configuration propertyConfiguration.JsonAdapter
, for example:var settings = new JsonSerializerSettings() { TypeNameHandling = TypeNameHandling.All }; Audit.Core.Configuration.JsonAdapter = new JsonNewtonsoftAdapter(settings);
Or by calling the
JsonNewtonsoftAdapter()
fluent configuration API:Audit.Core.Configuration.Setup() .JsonNewtonsoftAdapter(settings) ...
NOTE: This
JsonNewtonsoftAdapter
takes into accountJsonExtensionDataAttribute
andJsonIgnoreAttribute
decorators from bothSystem.Text.Json
andNewtonsoft.Json
, so the Audit Events will be properly serialized.Audit.NET.JsonSystemSerializer
:When you target an older .NET Framework, but want to use
System.Text.Json
Add a reference to the library
Audit.NET.JsonSystemSerializer
and set an instance ofJsonSystemAdapter
to the static configuration propertyConfiguration.JsonAdapter
, for example:var options = new JsonSerializerOptions() { WriteIndented = true }; Audit.Core.Configuration.JsonAdapter = new JsonSystemAdapter(options);
Or by calling the
JsonSystemAdapter()
fluent configuration API:Audit.Core.Configuration.Setup() .JsonSystemAdapter(options) ...
Configuration Fluent API
Alternatively to the properties/methods mentioned before, you can configure the library using a convenient Fluent API provided by the method Audit.Core.Configuration.Setup()
, this is the most straightforward way to configure the library.
For example, to set the FileLog Provider with its default settings using a Manual creation policy:
Audit.Core.Configuration.Setup
.IncludeStackTrace()
.IncludeActivityTrace()
.UseFileLogProvider()
.WithCreationPolicy(EventCreationPolicy.Manual);
Configuration examples
File log provider with dynamic directory path and filename:
Audit.Core.Configuration.Setup()
.UseFileLogProvider(config => config
.DirectoryBuilder(_ => $@"C:\Logs\{DateTime.Now:yyyy-MM-dd}")
.FilenameBuilder(auditEvent => $"{auditEvent.Environment.UserName}_{DateTime.Now.Ticks}.json"));
File log provider with an InsertOnStart-ReplaceOnEnd creation policy, and a global custom field set in a custom action:
Audit.Core.Configuration.Setup()
.UseFileLogProvider(config => config
.FilenamePrefix("Event_")
.Directory(@"C:\AuditLogs\1"))
.WithCreationPolicy(EventCreationPolicy.InsertOnStartReplaceOnEnd)
.WithAction(x => x.OnScopeCreated(scope => scope.SetCustomField("ApplicationId", "MyApplication")));
Event log provider with an InsertOnEnd creation policy:
Audit.Core.Configuration.Setup()
.UseEventLogProvider(config => config
.SourcePath("My Audited Application")
.LogName("Application"))
.WithCreationPolicy(EventCreationPolicy.InsertOnEnd);
Dynamic provider to log to the console:
Audit.Core.Configuration.Setup()
.UseDynamicProvider(config => config
.OnInsert(ev => Console.WriteLine("{0}: {1}->{2}", ev.StartDate, ev.Environment.UserName, ev.EventType)));
Extensions
The following packages are extensions to log interactions with different systems such as MVC, WebApi, WCF and Entity Framework:
<a></a> | Package | Description |
---|---|---|
<img src="https://i.imgur.com/hVMM5WF.png" alt="icon" width="90"/> | Audit.DynamicProxy | Generate detailed audit logs for any class without changing its code by using a proxy. |
<img src="https://i.imgur.com/wdVHFoc.png" alt="icon" width="90"/> | Audit.EntityFramework | Generate detailed audit logs for saving operations on Entity Framework, by inheriting from a provided DbContext or IdentityDbContext . Includes support for EF 6 and EF 7 (EF Core). |
<img src="https://i.imgur.com/Fn4thn0.png" alt="icon" width="90"/> | Audit.FileSystem | Generate audit logs by intercepting file system events via FileSystemWatcher. |
<img src="https://i.imgur.com/8lV5DRk.png" alt="icon" width="90" /> | Audit.HttpClient | Generate detailed client-side audit logs for HttpClient REST calls, by configuring a provided message handler. |
<img src="https://i.imgur.com/ap6CeoG.png" alt="icon" width="90"/> | Audit.MVC | Generate detailed audit logs by decorating MVC Actions and Controllers with an action filter attribute. Includes support for ASP.NET Core MVC. |
<img src="https://i.imgur.com/GB2e52X.jpg" alt="icon" width="90"/> | Audit.SignalR | Generate audit logs for SignalR and SignalR Core invocations by intercepting the hub processing |
<img src="https://i.imgur.com/p6knit4.png" alt="icon" width="90" /> | Audit.WCF | Generate detailed server-side audit logs for Windows Communication Foundation (WCF) service calls, by configuring a provided behavior. |
<img src="https://i.imgur.com/p6knit4.png" alt="icon" width="90" /> | Audit.WCF.Client | Generate detailed client-side audit logs for Windows Communication Foundation (WCF) service calls, by configuring a provided behavior. |
<img src="https://i.imgur.com/9go2b0f.png" alt="icon" width="90"/> | Audit.WebApi | Generate detailed audit logs by decorating Web API Methods and Controllers with an action filter attribute, or by using a middleware. Includes support for ASP.NET Core. |
<img src="https://i.imgur.com/1nMVLQo.png" alt="icon" width="90"/> | Audit.MongoClient | Generate detailed audit logs by adding a Command Event Subscriber into the configuration of the MongoDB Driver. |
Storage providers
Apart from the FileLog, EventLog and Dynamic event storage providers, there are others included in different packages:
<a></a> | Package | Description |
---|---|---|
<img src="https://i.imgur.com/C0Xu3iX.png" alt="icon" width="80"/> | Audit.NET.AmazonQLDB | Store the audit events in Amazon QLDB (Quantum Ledger Database). |
<img src="https://i.imgur.com/yeBZZiP.png" alt="icon" width="80"/> | Audit.NET.AzureCosmos | Store the events in an Azure Cosmos DB container, in JSON format. |
<img src="https://i.imgur.com/ouaw5CX.png" alt="icon" width="80"/> | Audit.NET.AzureStorage | Store the events in an Azure Blob Storage container or an Azure Table using the legacy client WindowsAzure.Storage. |
<img src="https://i.imgur.com/ouaw5CX.png" alt="icon" width="80"/> | Audit.NET.AzureStorageBlobs | Store the events in an Azure Blob Storage container using the latest client Azure.Storage.Blobs. |
<img src="https://i.imgur.com/ouaw5CX.png" alt="icon" width="80"/> | Audit.NET.AzureStorageTables | Store the events in an Azure Table Storage using the latest client Azure.Data.Tables. |
<img src="https://i.imgur.com/kIGe4Z5.png" alt="icon" width="80"/> | Audit.NET.DynamoDB | Store the audit events in Amazon DynamoDB tables. |
<img src="https://i.imgur.com/PbeWVKz.png" alt="icon" width="80"/> | Audit.NET.Elasticsearch | Store the audit events in Elasticsearch indices. |
<img src="https://i.imgur.com/C0Xu3iX.png" alt="icon" width="80"/> | Audit.NET.Kafka | Stream the audit events to an Apache Kafka server. |
<img src="https://i.imgur.com/qxbK98k.png" alt="icon" width="80"/> | Audit.NET.log4net | Store the audit events using Apache log4net™. |
<img src="https://i.imgur.com/1nMVLQo.png" alt="icon" width="80"/> | Audit.NET.MongoDB | Store the events in a Mongo DB Collection, in BSON format. |
<img src="https://i.imgur.com/NHRBp86.png" alt="icon" width="80"/> | Audit.NET.MySql | Store the events as rows in MySQL database, in JSON format. |
<img src="https://i.imgur.com/qxbK98k.png" alt="icon" width="80"/> | Audit.NET.NLog | Store the audit events using NLog™. |
<img src="https://i.imgur.com/ZxbDxAU.png" alt="icon" width="80"/> | Audit.NET.PostgreSql | Store the events as rows in a PostgreSQL database, in JSON format. |
<img src="https://i.imgur.com/C0Xu3iX.png" alt="icon" width="80"/> | Audit.NET.RavenDB | Store the events as documents in a Raven DB database, in JSON format. |
<img src="https://i.imgur.com/abs6duI.png" alt="icon" width="80"/> | Audit.NET.Redis | Store Audit Logs in a Redis database as String, List, Hash, Sorted Set, Streams or publishing to a Redis PubSub channel. |
<img src="https://i.imgur.com/lmzs1gw.png" alt="icon" width="80"/> | Audit.NET.SqlServer | Store the events as rows in a SQL Table, in JSON format. |
<img src="https://i.imgur.com/POysCvd.jpg" alt="icon" width="80"/> | Audit.NET.Serilog | Store the audit events using Serilog™ |
<img src="https://i.imgur.com/FItQD9n.png" alt="icon" width="80"/> | Audit.NET.Udp | Send Audit Logs as UDP datagrams to a network. |
Change Log
For detailed information on changes in new release refer to the change log.
Contribute
If you like this project please contribute in any of the following ways:
- Star this project on GitHub.
- Request a new feature or expose any bug you found by creating a new issue.
- Ask any questions about the library on StackOverflow.
- Subscribe to and use the Gitter Audit.NET channel.
- Support the project by becoming a Backer:
- Spread the word by blogging about it, or sharing it on social networks: <p class="share-buttons"> <a href="https://www.facebook.com/sharer/sharer.php?u=https://nuget.org/packages/Audit.NET/&t=Check+out+Audit.NET" target="_blank"> <img width="24" height="24" alt="Share this package on Facebook" src="https://nuget.org/Content/gallery/img/facebook.svg" / > </a> <a href="https://twitter.com/intent/tweet?url=https://nuget.org/packages/Audit.NET/&text=Check+out+Audit.NET" target="_blank"> <img width="24" height="24" alt="Tweet this package" src="https://nuget.org/Content/gallery/img/twitter.svg" /> </a> </p>
- Make a donation via PayPal:
Product | Versions Compatible and additional computed target framework versions. |
---|---|
.NET | net5.0 is compatible. net5.0-windows was computed. net6.0 is compatible. net6.0-android was computed. net6.0-ios was computed. net6.0-maccatalyst was computed. net6.0-macos was computed. net6.0-tvos was computed. net6.0-windows was computed. net7.0 is compatible. net7.0-android was computed. net7.0-ios was computed. net7.0-maccatalyst was computed. net7.0-macos was computed. net7.0-tvos was computed. net7.0-windows was computed. net8.0 is compatible. net8.0-android was computed. net8.0-browser was computed. net8.0-ios was computed. net8.0-maccatalyst was computed. net8.0-macos was computed. net8.0-tvos was computed. net8.0-windows was computed. |
.NET Core | netcoreapp1.0 was computed. netcoreapp1.1 was computed. netcoreapp2.0 was computed. netcoreapp2.1 was computed. netcoreapp2.2 was computed. netcoreapp3.0 was computed. netcoreapp3.1 was computed. |
.NET Standard | netstandard1.3 is compatible. netstandard1.4 was computed. netstandard1.5 was computed. netstandard1.6 was computed. netstandard2.0 is compatible. netstandard2.1 is compatible. |
.NET Framework | net45 is compatible. net451 was computed. net452 was computed. net46 was computed. net461 is compatible. net462 was computed. net463 was computed. net47 was computed. net471 was computed. net472 was computed. net48 was computed. net481 was computed. |
MonoAndroid | monoandroid was computed. |
MonoMac | monomac was computed. |
MonoTouch | monotouch was computed. |
Tizen | tizen30 was computed. tizen40 was computed. tizen60 was computed. |
Universal Windows Platform | uap was computed. uap10.0 was computed. |
Xamarin.iOS | xamarinios was computed. |
Xamarin.Mac | xamarinmac was computed. |
Xamarin.TVOS | xamarintvos was computed. |
Xamarin.WatchOS | xamarinwatchos was computed. |
-
.NETFramework 4.5
- Newtonsoft.Json (>= 13.0.1)
- System.Threading.Tasks.Extensions (>= 4.5.4)
-
.NETFramework 4.6.1
- Microsoft.Bcl.AsyncInterfaces (>= 5.0.0)
- Newtonsoft.Json (>= 13.0.1)
-
.NETStandard 1.3
- NETStandard.Library (>= 1.6.1)
- Newtonsoft.Json (>= 13.0.1)
- System.Threading.Tasks.Extensions (>= 4.5.4)
-
.NETStandard 2.0
- Microsoft.Bcl.AsyncInterfaces (>= 5.0.0)
- Newtonsoft.Json (>= 13.0.1)
-
.NETStandard 2.1
- Newtonsoft.Json (>= 13.0.1)
-
net5.0
- System.Text.Json (>= 5.0.2)
-
net6.0
- No dependencies.
-
net7.0
- No dependencies.
-
net8.0
- No dependencies.
NuGet packages (64)
Showing the top 5 NuGet packages that depend on Audit.NET:
Package | Downloads |
---|---|
Audit.EntityFramework.Core
Generate Audit Logs from EntityFramework context changes |
|
Audit.NET.PostgreSql
Store Audit.NET Trail Logs into a PostgreSQL database |
|
Audit.NET.MongoDB
Store Audit.NET Trail Logs into a MongoDB database |
|
Audit.WebApi.Core
Generate detailed Audit Logs for AspNet Core Web API Controller calls. |
|
Reo.Core.AutoHistory
Package Description |
GitHub repositories
This package is not used by any popular GitHub repositories.
Version | Downloads | Last updated |
---|---|---|
27.1.1 | 4,011 | 10/28/2024 |
27.1.0 | 5,457 | 10/24/2024 |
27.0.3 | 53,804 | 9/25/2024 |
27.0.2 | 15,236 | 9/19/2024 |
27.0.1 | 33,335 | 9/4/2024 |
27.0.0 | 6,562 | 9/3/2024 |
26.0.1 | 48,682 | 8/22/2024 |
26.0.0 | 121,054 | 7/19/2024 |
25.0.7 | 103,702 | 7/4/2024 |
25.0.6 | 39,209 | 6/24/2024 |
25.0.5 | 29,250 | 6/18/2024 |
25.0.4 | 396,675 | 3/24/2024 |
25.0.3 | 22,849 | 3/13/2024 |
25.0.2 | 5,054 | 3/12/2024 |
25.0.1 | 44,077 | 2/28/2024 |
25.0.0 | 162,813 | 2/16/2024 |
24.0.1 | 39,090 | 2/12/2024 |
24.0.0 | 3,997 | 2/12/2024 |
23.0.0 | 299,022 | 12/14/2023 |
22.1.0 | 95,857 | 12/9/2023 |
22.0.2 | 40,241 | 12/1/2023 |
22.0.1 | 103,807 | 11/16/2023 |
22.0.0 | 11,719 | 11/14/2023 |
21.1.0 | 151,910 | 10/9/2023 |
21.0.4 | 125,121 | 9/15/2023 |
21.0.3 | 449,027 | 7/9/2023 |
21.0.2 | 14,793 | 7/6/2023 |
21.0.1 | 186,660 | 5/27/2023 |
21.0.0 | 233,881 | 4/15/2023 |
20.2.4 | 310,378 | 3/27/2023 |
20.2.3 | 244,454 | 3/17/2023 |
20.2.2 | 25,029 | 3/14/2023 |
20.2.1 | 28,372 | 3/11/2023 |
20.2.0 | 35,653 | 3/7/2023 |
20.1.6 | 122,483 | 2/23/2023 |
20.1.5 | 127,821 | 2/9/2023 |
20.1.4 | 115,832 | 1/28/2023 |
20.1.3 | 294,942 | 12/21/2022 |
20.1.2 | 58,690 | 12/14/2022 |
20.1.1 | 23,919 | 12/12/2022 |
20.1.0 | 48,232 | 12/4/2022 |
20.0.4 | 61,719 | 11/30/2022 |
20.0.3 | 203,781 | 10/28/2022 |
20.0.2 | 24,384 | 10/26/2022 |
20.0.1 | 37,666 | 10/21/2022 |
20.0.0 | 351,532 | 10/1/2022 |
19.4.1 | 174,656 | 9/10/2022 |
19.4.0 | 101,000 | 9/2/2022 |
19.3.0 | 68,630 | 8/23/2022 |
19.2.2 | 69,295 | 8/11/2022 |
19.2.1 | 37,694 | 8/6/2022 |
19.2.0 | 88,192 | 7/24/2022 |
19.1.4 | 428,221 | 5/23/2022 |
19.1.3 | 15,450 | 5/22/2022 |
19.1.2 | 32,092 | 5/18/2022 |
19.1.1 | 160,337 | 4/28/2022 |
19.1.0 | 291,243 | 4/10/2022 |
19.0.7 | 340,363 | 3/13/2022 |
19.0.6 | 45,025 | 3/7/2022 |
19.0.5 | 265,958 | 1/28/2022 |
19.0.4 | 68,759 | 1/23/2022 |
19.0.3 | 273,999 | 12/14/2021 |
19.0.2 | 18,045 | 12/11/2021 |
19.0.1 | 238,925 | 11/20/2021 |
19.0.0 | 58,855 | 11/11/2021 |
19.0.0-rc.net60.2 | 4,947 | 9/26/2021 |
19.0.0-rc.net60.1 | 268 | 9/16/2021 |
18.1.6 | 1,145,636 | 9/26/2021 |
18.1.5 | 147,000 | 9/7/2021 |
18.1.4 | 65,530 | 9/6/2021 |
18.1.3 | 50,359 | 8/19/2021 |
18.1.2 | 38,731 | 8/8/2021 |
18.1.1 | 28,696 | 8/5/2021 |
18.1.0 | 35,828 | 8/1/2021 |
18.0.1 | 12,233 | 7/30/2021 |
18.0.0 | 22,756 | 7/26/2021 |
17.0.8 | 107,251 | 7/7/2021 |
17.0.7 | 82,605 | 6/16/2021 |
17.0.6 | 36,207 | 6/5/2021 |
17.0.5 | 28,371 | 5/28/2021 |
17.0.4 | 110,223 | 5/4/2021 |
17.0.3 | 16,988 | 5/1/2021 |
17.0.2 | 67,314 | 4/22/2021 |
17.0.1 | 29,711 | 4/18/2021 |
17.0.0 | 143,969 | 3/26/2021 |
16.5.6 | 20,606 | 3/25/2021 |
16.5.5 | 34,285 | 3/23/2021 |
16.5.4 | 35,414 | 3/9/2021 |
16.5.3 | 28,656 | 2/26/2021 |
16.5.2 | 13,148 | 2/23/2021 |
16.5.1 | 25,775 | 2/21/2021 |
16.5.0 | 34,325 | 2/17/2021 |
16.4.5 | 24,784 | 2/15/2021 |
16.4.4 | 26,599 | 2/5/2021 |
16.4.3 | 22,754 | 1/27/2021 |
16.4.2 | 22,395 | 1/22/2021 |
16.4.1 | 11,927 | 1/21/2021 |
16.4.0 | 41,963 | 1/11/2021 |
16.3.3 | 10,369 | 1/8/2021 |
16.3.2 | 23,462 | 1/3/2021 |
16.3.1 | 13,032 | 12/31/2020 |
16.3.0 | 25,769 | 12/30/2020 |
16.2.1 | 141,207 | 12/27/2020 |
16.2.0 | 232,012 | 10/13/2020 |
16.1.5 | 59,774 | 10/4/2020 |
16.1.4 | 63,159 | 9/17/2020 |
16.1.3 | 20,031 | 9/13/2020 |
16.1.2 | 19,762 | 9/9/2020 |
16.1.1 | 41,614 | 9/3/2020 |
16.1.0 | 366,992 | 8/19/2020 |
16.0.3 | 63,025 | 8/15/2020 |
16.0.2 | 47,377 | 8/9/2020 |
16.0.1 | 10,620 | 8/8/2020 |
16.0.0 | 31,975 | 8/7/2020 |
15.3.0 | 596,737 | 7/23/2020 |
15.2.3 | 47,121 | 7/14/2020 |
15.2.2 | 260,970 | 5/19/2020 |
15.2.1 | 66,509 | 5/12/2020 |
15.2.0 | 14,070 | 5/9/2020 |
15.1.1 | 34,023 | 5/4/2020 |
15.1.0 | 71,847 | 4/13/2020 |
15.0.5 | 134,638 | 3/18/2020 |
15.0.4 | 49,779 | 2/28/2020 |
15.0.3 | 10,607 | 2/26/2020 |
15.0.2 | 220,136 | 1/20/2020 |
15.0.1 | 42,380 | 1/10/2020 |
15.0.0 | 35,699 | 12/17/2019 |
14.9.1 | 137,663 | 11/30/2019 |
14.9.0 | 10,150 | 11/29/2019 |
14.8.1 | 32,611 | 11/26/2019 |
14.8.0 | 55,172 | 11/20/2019 |
14.7.0 | 175,049 | 10/9/2019 |
14.6.6 | 10,493 | 10/8/2019 |
14.6.5 | 73,859 | 9/27/2019 |
14.6.4 | 15,171 | 9/21/2019 |
14.6.3 | 97,470 | 8/12/2019 |
14.6.2 | 22,819 | 8/3/2019 |
14.6.1 | 9,436 | 8/3/2019 |
14.6.0 | 40,432 | 7/26/2019 |
14.5.7 | 43,403 | 7/18/2019 |
14.5.6 | 72,694 | 7/10/2019 |
14.5.5 | 23,613 | 7/1/2019 |
14.5.4 | 34,364 | 6/17/2019 |
14.5.3 | 31,653 | 6/5/2019 |
14.5.2 | 30,189 | 5/30/2019 |
14.5.1 | 21,545 | 5/28/2019 |
14.5.0 | 48,289 | 5/24/2019 |
14.4.0 | 13,024 | 5/22/2019 |
14.3.4 | 25,764 | 5/14/2019 |
14.3.3 | 11,903 | 5/9/2019 |
14.3.2 | 53,067 | 4/30/2019 |
14.3.1 | 12,930 | 4/27/2019 |
14.3.0 | 14,830 | 4/24/2019 |
14.2.3 | 21,497 | 4/17/2019 |
14.2.2 | 31,667 | 4/10/2019 |
14.2.1 | 34,563 | 4/5/2019 |
14.2.0 | 74,702 | 3/16/2019 |
14.1.1 | 29,512 | 3/8/2019 |
14.1.0 | 42,133 | 2/11/2019 |
14.0.4 | 62,639 | 1/31/2019 |
14.0.3 | 19,788 | 1/22/2019 |
14.0.2 | 72,482 | 12/15/2018 |
14.0.1 | 42,362 | 11/29/2018 |
14.0.0 | 42,674 | 11/19/2018 |
13.3.0 | 11,414 | 11/16/2018 |
13.2.2 | 11,103 | 11/15/2018 |
13.2.1 | 12,901 | 11/13/2018 |
13.2.0 | 23,336 | 10/31/2018 |
13.1.5 | 10,301 | 10/31/2018 |
13.1.4 | 16,077 | 10/25/2018 |
13.1.3 | 12,858 | 10/18/2018 |
13.1.2 | 33,355 | 9/12/2018 |
13.1.1 | 11,548 | 9/11/2018 |
13.1.0 | 9,930 | 9/11/2018 |
13.0.0 | 28,555 | 8/29/2018 |
12.3.6 | 11,576 | 8/29/2018 |
12.3.5 | 43,884 | 8/22/2018 |
12.3.4 | 9,822 | 8/21/2018 |
12.3.3 | 34,056 | 8/21/2018 |
12.3.2 | 18,555 | 8/20/2018 |
12.3.1 | 9,145 | 8/20/2018 |
12.3.0 | 8,908 | 8/20/2018 |
12.2.2 | 11,776 | 8/15/2018 |
12.2.1 | 13,954 | 8/9/2018 |
12.2.0 | 9,412 | 8/8/2018 |
12.1.11 | 15,701 | 7/30/2018 |
12.1.10 | 21,896 | 7/20/2018 |
12.1.9 | 17,309 | 7/10/2018 |
12.1.8 | 12,950 | 7/2/2018 |
12.1.7 | 112,125 | 6/7/2018 |
12.1.6 | 33,798 | 6/4/2018 |
12.1.5 | 10,467 | 6/2/2018 |
12.1.4 | 17,608 | 5/25/2018 |
12.1.3 | 14,550 | 5/16/2018 |
12.1.2 | 10,172 | 5/15/2018 |
12.1.1 | 11,431 | 5/14/2018 |
12.1.0 | 16,356 | 5/9/2018 |
12.0.7 | 21,742 | 5/5/2018 |
12.0.6 | 10,777 | 5/4/2018 |
12.0.5 | 10,201 | 5/3/2018 |
12.0.4 | 13,760 | 4/30/2018 |
12.0.3 | 10,213 | 4/30/2018 |
12.0.2 | 9,839 | 4/27/2018 |
12.0.1 | 10,564 | 4/25/2018 |
12.0.0 | 10,938 | 4/22/2018 |
11.2.0 | 19,208 | 4/11/2018 |
11.1.0 | 12,655 | 4/8/2018 |
11.0.8 | 10,622 | 3/26/2018 |
11.0.7 | 10,351 | 3/20/2018 |
11.0.6 | 16,724 | 3/7/2018 |
11.0.5 | 17,756 | 2/22/2018 |
11.0.4 | 12,613 | 2/14/2018 |
11.0.3 | 10,131 | 2/12/2018 |
11.0.2 | 11,489 | 2/9/2018 |
11.0.1 | 14,069 | 1/29/2018 |
11.0.0 | 16,897 | 1/15/2018 |
10.0.3 | 12,592 | 12/29/2017 |
10.0.2 | 10,327 | 12/26/2017 |
10.0.1 | 10,023 | 12/18/2017 |
10.0.0 | 10,611 | 12/18/2017 |
9.3.0 | 9,003 | 12/17/2017 |
9.2.0 | 8,756 | 12/17/2017 |
9.1.3 | 22,093 | 12/5/2017 |
9.1.2 | 11,300 | 11/27/2017 |
9.1.1 | 10,666 | 11/21/2017 |
9.1.0 | 8,576 | 11/21/2017 |
9.0.1 | 8,970 | 11/11/2017 |
9.0.0 | 8,820 | 11/10/2017 |
8.7.0 | 23,383 | 11/9/2017 |
8.6.0 | 8,862 | 11/9/2017 |
8.5.0 | 22,559 | 10/3/2017 |
8.4.0 | 8,836 | 10/3/2017 |
8.3.1 | 13,691 | 9/8/2017 |
8.3.0 | 8,705 | 9/8/2017 |
8.2.0 | 8,690 | 9/4/2017 |
8.1.0 | 10,387 | 8/22/2017 |
8.0.0 | 25,793 | 8/19/2017 |
7.1.3 | 8,583 | 8/14/2017 |
7.1.2 | 8,497 | 8/2/2017 |
7.1.1 | 8,009 | 7/26/2017 |
7.1.0 | 11,075 | 7/5/2017 |
7.0.9 | 7,484 | 6/28/2017 |
7.0.8 | 7,519 | 6/19/2017 |
7.0.6 | 21,179 | 4/7/2017 |
7.0.5 | 6,853 | 3/21/2017 |
7.0.4 | 6,085 | 3/21/2017 |
7.0.3 | 6,222 | 3/20/2017 |
7.0.2 | 5,829 | 3/13/2017 |
7.0.0 | 7,550 | 3/1/2017 |
6.2.0 | 8,234 | 2/25/2017 |
6.1.0 | 10,221 | 2/14/2017 |
6.0.0 | 5,675 | 2/9/2017 |
5.3.0 | 5,061 | 2/5/2017 |
5.2.0 | 5,745 | 1/26/2017 |
5.1.0 | 5,127 | 1/19/2017 |
5.0.0 | 4,976 | 1/7/2017 |
4.11.0 | 4,995 | 1/5/2017 |
4.10.0 | 4,891 | 12/31/2016 |
4.9.0 | 4,960 | 12/26/2016 |
4.8.0 | 5,237 | 12/17/2016 |
4.7.0 | 5,127 | 12/8/2016 |
4.6.5 | 5,031 | 12/4/2016 |
4.6.4 | 5,036 | 11/25/2016 |
4.6.2 | 7,774 | 11/18/2016 |
4.6.1 | 4,746 | 11/15/2016 |
4.6.0 | 4,822 | 11/11/2016 |
4.5.9 | 5,327 | 11/2/2016 |
4.5.8 | 4,699 | 11/2/2016 |
4.5.7 | 4,730 | 10/26/2016 |
4.5.6 | 4,874 | 10/6/2016 |
4.5.5 | 4,672 | 10/3/2016 |
4.5.4 | 4,648 | 10/2/2016 |
4.5.3 | 4,613 | 9/30/2016 |
4.5.2 | 4,701 | 9/28/2016 |
4.5.1 | 4,541 | 9/28/2016 |
4.5.0 | 4,678 | 9/28/2016 |
4.4.0 | 4,496 | 9/23/2016 |
4.3.0 | 4,488 | 9/22/2016 |
4.2.0 | 4,348 | 9/19/2016 |
4.1.0 | 4,027 | 9/13/2016 |
4.0.1 | 4,847 | 9/9/2016 |
4.0.0 | 4,081 | 9/9/2016 |
3.6.0 | 4,641 | 9/7/2016 |
3.4.0 | 4,924 | 9/7/2016 |
3.3.0 | 3,458 | 9/4/2016 |
3.2.0 | 3,423 | 9/3/2016 |
3.1.0 | 3,587 | 9/2/2016 |
3.0.0 | 4,446 | 8/31/2016 |
2.5.0 | 4,641 | 8/27/2016 |
2.4.0 | 3,970 | 8/26/2016 |
2.3.0 | 3,613 | 8/22/2016 |
2.2.0 | 1,843 | 8/22/2016 |
2.1.0 | 3,511 | 8/22/2016 |
2.0.0 | 3,094 | 8/21/2016 |
1.0.0.4 | 3,101 | 8/19/2016 |
1.0.0.3 | 3,345 | 8/18/2016 |
1.0.0.1 | 3,756 | 8/18/2016 |
1.0.0 | 2,371 | 8/18/2016 |