NLog Indicates that the value of the marked element could be null sometimes, so the check for null is necessary before its usage. [CanBeNull] object Test() => null; void UseTest() { var p = Test(); var s = p.ToString(); // Warning: Possible 'System.NullReferenceException' } Indicates that the value of the marked element could never be null. [NotNull] object Foo() { return null; // Warning: Possible 'null' assignment } Can be appplied to symbols of types derived from IEnumerable as well as to symbols of Task and Lazy classes to indicate that the value of a collection item, of the Task.Result property or of the Lazy.Value property can never be null. Can be appplied to symbols of types derived from IEnumerable as well as to symbols of Task and Lazy classes to indicate that the value of a collection item, of the Task.Result property or of the Lazy.Value property can be null. Indicates that the marked method builds string by format pattern and (optional) arguments. Parameter, which contains format string, should be given in constructor. The format string should be in -like form. [StringFormatMethod("message")] void ShowError(string message, params object[] args) { /* do something */ } void Foo() { ShowError("Failed: {0}"); // Warning: Non-existing argument in format string } Specifies which parameter of an annotated method should be treated as format-string For a parameter that is expected to be one of the limited set of values. Specify fields of which type should be used as values for this parameter. Indicates that the function argument should be string literal and match one of the parameters of the caller function. For example, ReSharper annotates the parameter of . void Foo(string param) { if (param == null) throw new ArgumentNullException("par"); // Warning: Cannot resolve symbol } Indicates that the method is contained in a type that implements System.ComponentModel.INotifyPropertyChanged interface and this method is used to notify that some property value changed. The method should be non-static and conform to one of the supported signatures: NotifyChanged(string) NotifyChanged(params string[]) NotifyChanged{T}(Expression{Func{T}}) NotifyChanged{T,U}(Expression{Func{T,U}}) SetProperty{T}(ref T, T, string) public class Foo : INotifyPropertyChanged { public event PropertyChangedEventHandler PropertyChanged; [NotifyPropertyChangedInvocator] protected virtual void NotifyChanged(string propertyName) { ... } string _name; public string Name { get { return _name; } set { _name = value; NotifyChanged("LastName"); /* Warning */ } } } Examples of generated notifications: NotifyChanged("Property") NotifyChanged(() => Property) NotifyChanged((VM x) => x.Property) SetProperty(ref myField, value, "Property") Describes dependency between method input and output.

Function Definition Table syntax:

FDT ::= FDTRow [;FDTRow]* FDTRow ::= Input => Output | Output <= Input Input ::= ParameterName: Value [, Input]* Output ::= [ParameterName: Value]* {halt|stop|void|nothing|Value} Value ::= true | false | null | notnull | canbenull If method has single input parameter, it's name could be omitted.
Using halt (or void/nothing, which is the same) for method output means that the methods doesn't return normally (throws or terminates the process).
Value canbenull is only applicable for output parameters.
You can use multiple [ContractAnnotation] for each FDT row, or use single attribute with rows separated by semicolon. There is no notion of order rows, all rows are checked for applicability and applied per each program state tracked by R# analysis.
[ContractAnnotation("=> halt")] public void TerminationMethod() [ContractAnnotation("halt <= condition: false")] public void Assert(bool condition, string text) // regular assertion method [ContractAnnotation("s:null => true")] public bool IsNullOrEmpty(string s) // string.IsNullOrEmpty() // A method that returns null if the parameter is null, // and not null if the parameter is not null [ContractAnnotation("null => null; notnull => notnull")] public object Transform(object data) [ContractAnnotation("=> true, result: notnull; => false, result: null")] public bool TryParse(string s, out Person result)
Indicates that marked element should be localized or not. [LocalizationRequiredAttribute(true)] class Foo { string str = "my string"; // Warning: Localizable string } Indicates that the value of the marked type (or its derivatives) cannot be compared using '==' or '!=' operators and Equals() should be used instead. However, using '==' or '!=' for comparison with null is always permitted. [CannotApplyEqualityOperator] class NoEquality { } class UsesNoEquality { void Test() { var ca1 = new NoEquality(); var ca2 = new NoEquality(); if (ca1 != null) { // OK bool condition = ca1 == ca2; // Warning } } } When applied to a target attribute, specifies a requirement for any type marked with the target attribute to implement or inherit specific type or types. [BaseTypeRequired(typeof(IComponent)] // Specify requirement class ComponentAttribute : Attribute { } [Component] // ComponentAttribute requires implementing IComponent interface class MyComponent : IComponent { } Indicates that the marked symbol is used implicitly (e.g. via reflection, in external library), so this symbol will not be marked as unused (as well as by other usage inspections). Should be used on attributes and causes ReSharper to not mark symbols marked with such attributes as unused (as well as by other usage inspections) Only entity marked with attribute considered used. Indicates implicit assignment to a member. Indicates implicit instantiation of a type with fixed constructor signature. That means any unused constructor parameters won't be reported as such. Indicates implicit instantiation of a type. Specify what is considered used implicitly when marked with or . Members of entity marked with attribute are considered used. Entity marked with attribute and all its members considered used. This attribute is intended to mark publicly available API which should not be removed and so is treated as used. Tells code analysis engine if the parameter is completely handled when the invoked method is on stack. If the parameter is a delegate, indicates that delegate is executed while the method is executed. If the parameter is an enumerable, indicates that it is enumerated while the method is executed. Indicates that a method does not make any observable state changes. The same as System.Diagnostics.Contracts.PureAttribute. [Pure] int Multiply(int x, int y) => x * y; void M() { Multiply(123, 42); // Waring: Return value of pure method is not used } Indicates that the return value of method invocation must be used. Indicates the type member or parameter of some type, that should be used instead of all other ways to get the value that type. This annotation is useful when you have some "context" value evaluated and stored somewhere, meaning that all other ways to get this value must be consolidated with existing one. class Foo { [ProvidesContext] IBarService _barService = ...; void ProcessNode(INode node) { DoSomething(node, node.GetGlobalServices().Bar); // ^ Warning: use value of '_barService' field } } Indicates that a parameter is a path to a file or a folder within a web project. Path can be relative or absolute, starting from web root (~). An extension method marked with this attribute is processed by ReSharper code completion as a 'Source Template'. When extension method is completed over some expression, it's source code is automatically expanded like a template at call site. Template method body can contain valid source code and/or special comments starting with '$'. Text inside these comments is added as source code when the template is applied. Template parameters can be used either as additional method parameters or as identifiers wrapped in two '$' signs. Use the attribute to specify macros for parameters. In this example, the 'forEach' method is a source template available over all values of enumerable types, producing ordinary C# 'foreach' statement and placing caret inside block: [SourceTemplate] public static void forEach<T>(this IEnumerable<T> xs) { foreach (var x in xs) { //$ $END$ } } Allows specifying a macro for a parameter of a source template. You can apply the attribute on the whole method or on any of its additional parameters. The macro expression is defined in the property. When applied on a method, the target template parameter is defined in the property. To apply the macro silently for the parameter, set the property value = -1. Applying the attribute on a source template method: [SourceTemplate, Macro(Target = "item", Expression = "suggestVariableName()")] public static void forEach<T>(this IEnumerable<T> collection) { foreach (var item in collection) { //$ $END$ } } Applying the attribute on a template method parameter: [SourceTemplate] public static void something(this Entity x, [Macro(Expression = "guid()", Editable = -1)] string newguid) { /*$ var $x$Id = "$newguid$" + x.ToString(); x.DoSomething($x$Id); */ } Allows specifying a macro that will be executed for a source template parameter when the template is expanded. Allows specifying which occurrence of the target parameter becomes editable when the template is deployed. If the target parameter is used several times in the template, only one occurrence becomes editable; other occurrences are changed synchronously. To specify the zero-based index of the editable occurrence, use values >= 0. To make the parameter non-editable when the template is expanded, use -1. > Identifies the target parameter of a source template if the is applied on a template method. ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter is an MVC action. If applied to a method, the MVC action name is calculated implicitly from the context. Use this attribute for custom wrappers similar to System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String). ASP.NET MVC attribute. Indicates that a parameter is an MVC area. Use this attribute for custom wrappers similar to System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String). ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter is an MVC controller. If applied to a method, the MVC controller name is calculated implicitly from the context. Use this attribute for custom wrappers similar to System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String, String). ASP.NET MVC attribute. Indicates that a parameter is an MVC Master. Use this attribute for custom wrappers similar to System.Web.Mvc.Controller.View(String, String). ASP.NET MVC attribute. Indicates that a parameter is an MVC model type. Use this attribute for custom wrappers similar to System.Web.Mvc.Controller.View(String, Object). ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter is an MVC partial view. If applied to a method, the MVC partial view name is calculated implicitly from the context. Use this attribute for custom wrappers similar to System.Web.Mvc.Html.RenderPartialExtensions.RenderPartial(HtmlHelper, String). ASP.NET MVC attribute. Allows disabling inspections for MVC views within a class or a method. ASP.NET MVC attribute. Indicates that a parameter is an MVC display template. Use this attribute for custom wrappers similar to System.Web.Mvc.Html.DisplayExtensions.DisplayForModel(HtmlHelper, String). ASP.NET MVC attribute. Indicates that a parameter is an MVC editor template. Use this attribute for custom wrappers similar to System.Web.Mvc.Html.EditorExtensions.EditorForModel(HtmlHelper, String). ASP.NET MVC attribute. Indicates that a parameter is an MVC template. Use this attribute for custom wrappers similar to System.ComponentModel.DataAnnotations.UIHintAttribute(System.String). ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter is an MVC view component. If applied to a method, the MVC view name is calculated implicitly from the context. Use this attribute for custom wrappers similar to System.Web.Mvc.Controller.View(Object). ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter is an MVC view component name. ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter is an MVC view component view. If applied to a method, the MVC view component view name is default. ASP.NET MVC attribute. When applied to a parameter of an attribute, indicates that this parameter is an MVC action name. [ActionName("Foo")] public ActionResult Login(string returnUrl) { ViewBag.ReturnUrl = Url.Action("Foo"); // OK return RedirectToAction("Bar"); // Error: Cannot resolve action } Razor attribute. Indicates that a parameter or a method is a Razor section. Use this attribute for custom wrappers similar to System.Web.WebPages.WebPageBase.RenderSection(String). Indicates how method, constructor invocation or property access over collection type affects content of the collection. Method does not use or modify content of the collection. Method only reads content of the collection but does not modify it. Method can change content of the collection but does not add new elements. Method can add new elements to the collection. Indicates that the marked method is assertion method, i.e. it halts control flow if one of the conditions is satisfied. To set the condition, mark one of the parameters with attribute. Indicates the condition parameter of the assertion method. The method itself should be marked by attribute. The mandatory argument of the attribute is the assertion type. Specifies assertion type. If the assertion method argument satisfies the condition, then the execution continues. Otherwise, execution is assumed to be halted. Marked parameter should be evaluated to true. Marked parameter should be evaluated to false. Marked parameter should be evaluated to null value. Marked parameter should be evaluated to not null value. Indicates that the marked method unconditionally terminates control flow execution. For example, it could unconditionally throw exception. Indicates that method is pure LINQ method, with postponed enumeration (like Enumerable.Select, .Where). This annotation allows inference of [InstantHandle] annotation for parameters of delegate type by analyzing LINQ method chains. Indicates that IEnumerable, passed as parameter, is not enumerated. Indicates that parameter is regular expression pattern. Prevents the Member Reordering feature from tossing members of the marked class. The attribute must be mentioned in your member reordering patterns XAML attribute. Indicates the type that has ItemsSource property and should be treated as ItemsControl-derived type, to enable inner items DataContext type resolve. XAML attribute. Indicates the property of some BindingBase-derived type, that is used to bind some item of ItemsControl-derived type. This annotation will enable the DataContext type resolve for XAML bindings for such properties. Property should have the tree ancestor of the ItemsControl type or marked with the attribute. Support implementation of Asynchronous continuation delegate - function invoked at the end of asynchronous processing. Exception during asynchronous processing or null if no exception was thrown. Helpers for asynchronous operations. Iterates over all items in the given collection and runs the specified action in sequence (each action executes only after the preceding one has completed without an error). Type of each item. The items to iterate. The asynchronous continuation to invoke once all items have been iterated. The action to invoke for each item. Repeats the specified asynchronous action multiple times and invokes asynchronous continuation at the end. The repeat count. The asynchronous continuation to invoke at the end. The action to invoke. Modifies the continuation by pre-pending given action to execute just before it. The async continuation. The action to pre-pend. Continuation which will execute the given action before forwarding to the actual continuation. Attaches a timeout to a continuation which will invoke the continuation when the specified timeout has elapsed. The asynchronous continuation. The timeout. Wrapped continuation. Iterates over all items in the given collection and runs the specified action in parallel (each action executes on a thread from thread pool). Type of each item. The items to iterate. The asynchronous continuation to invoke once all items have been iterated. The action to invoke for each item. Runs the specified asynchronous action synchronously (blocks until the continuation has been invoked). The action. Using this method is not recommended because it will block the calling thread. Wraps the continuation with a guard which will only make sure that the continuation function is invoked only once. The asynchronous continuation. Wrapped asynchronous continuation. Gets the combined exception from all exceptions in the list. The exceptions. Combined exception or null if no exception was thrown. Disposes the Timer, and waits for it to leave the Timer-callback-method The Timer object to dispose Timeout to wait (TimeSpan.Zero means dispose without wating) Timer disposed within timeout (true/false) Asynchronous action. Continuation to be invoked at the end of action. Asynchronous action with one argument. Type of the argument. Argument to the action. Continuation to be invoked at the end of action. Represents the logging event with asynchronous continuation. Initializes a new instance of the struct. The log event. The continuation. Gets the log event. Gets the continuation. Implements the operator ==. The event info1. The event info2. The result of the operator. Implements the operator ==. The event info1. The event info2. The result of the operator. Determines whether the specified is equal to this instance. The to compare with this instance. A value of true if the specified is equal to this instance; otherwise, false. Returns a hash code for this instance. A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. String Conversion Helpers Converts input string value into Input value Output value Default value Returns failure if the input value could not be parsed Converts the string representation of the name or numeric value of one or more enumerated constants to an equivalent enumerated object. A parameter specifies whether the operation is case-sensitive. The return value indicates whether the conversion succeeded. The enumeration type to which to convert value. The string representation of the enumeration name or underlying value to convert. When this method returns, result contains an object of type TEnum whose value is represented by value if the parse operation succeeds. If the parse operation fails, result contains the default value of the underlying type of TEnum. Note that this value need not be a member of the TEnum enumeration. This parameter is passed uninitialized. true if the value parameter was converted successfully; otherwise, false. Wrapper because Enum.TryParse is not present in .net 3.5 Converts the string representation of the name or numeric value of one or more enumerated constants to an equivalent enumerated object. A parameter specifies whether the operation is case-sensitive. The return value indicates whether the conversion succeeded. The enumeration type to which to convert value. The string representation of the enumeration name or underlying value to convert. true to ignore case; false to consider case. When this method returns, result contains an object of type TEnum whose value is represented by value if the parse operation succeeds. If the parse operation fails, result contains the default value of the underlying type of TEnum. Note that this value need not be a member of the TEnum enumeration. This parameter is passed uninitialized. true if the value parameter was converted successfully; otherwise, false. Wrapper because Enum.TryParse is not present in .net 3.5 Enum.TryParse implementation for .net 3.5 Don't uses reflection NLog internal logger. Writes to file, console or custom textwriter (see ) Don't use as that can lead to recursive calls - stackoverflows Gets a value indicating whether internal log includes Trace messages. Gets a value indicating whether internal log includes Debug messages. Gets a value indicating whether internal log includes Info messages. Gets a value indicating whether internal log includes Warn messages. Gets a value indicating whether internal log includes Error messages. Gets a value indicating whether internal log includes Fatal messages. Logs the specified message without an at the Trace level. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Trace level. Log message. Logs the specified message without an at the Trace level. will be only called when logging is enabled for level Trace. Function that returns the log message. Logs the specified message with an at the Trace level. Exception to be logged. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Trace level. The type of the first argument. Message which may include positional parameters. Argument {0} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. The type of the third argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Argument {2} to the message. Logs the specified message with an at the Trace level. Exception to be logged. Log message. Logs the specified message with an at the Trace level. will be only called when logging is enabled for level Trace. Exception to be logged. Function that returns the log message. Logs the specified message without an at the Debug level. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Debug level. Log message. Logs the specified message without an at the Debug level. will be only called when logging is enabled for level Debug. Function that returns the log message. Logs the specified message with an at the Debug level. Exception to be logged. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Trace level. The type of the first argument. Message which may include positional parameters. Argument {0} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. The type of the third argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Argument {2} to the message. Logs the specified message with an at the Debug level. Exception to be logged. Log message. Logs the specified message with an at the Debug level. will be only called when logging is enabled for level Debug. Exception to be logged. Function that returns the log message. Logs the specified message without an at the Info level. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Info level. Log message. Logs the specified message without an at the Info level. will be only called when logging is enabled for level Info. Function that returns the log message. Logs the specified message with an at the Info level. Exception to be logged. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Trace level. The type of the first argument. Message which may include positional parameters. Argument {0} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. The type of the third argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Argument {2} to the message. Logs the specified message with an at the Info level. Exception to be logged. Log message. Logs the specified message with an at the Info level. will be only called when logging is enabled for level Info. Exception to be logged. Function that returns the log message. Logs the specified message without an at the Warn level. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Warn level. Log message. Logs the specified message without an at the Warn level. will be only called when logging is enabled for level Warn. Function that returns the log message. Logs the specified message with an at the Warn level. Exception to be logged. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Trace level. The type of the first argument. Message which may include positional parameters. Argument {0} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. The type of the third argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Argument {2} to the message. Logs the specified message with an at the Warn level. Exception to be logged. Log message. Logs the specified message with an at the Warn level. will be only called when logging is enabled for level Warn. Exception to be logged. Function that returns the log message. Logs the specified message without an at the Error level. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Error level. Log message. Logs the specified message without an at the Error level. will be only called when logging is enabled for level Error. Function that returns the log message. Logs the specified message with an at the Error level. Exception to be logged. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Trace level. The type of the first argument. Message which may include positional parameters. Argument {0} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. The type of the third argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Argument {2} to the message. Logs the specified message with an at the Error level. Exception to be logged. Log message. Logs the specified message with an at the Error level. will be only called when logging is enabled for level Error. Exception to be logged. Function that returns the log message. Logs the specified message without an at the Fatal level. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Fatal level. Log message. Logs the specified message without an at the Fatal level. will be only called when logging is enabled for level Fatal. Function that returns the log message. Logs the specified message with an at the Fatal level. Exception to be logged. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the Trace level. The type of the first argument. Message which may include positional parameters. Argument {0} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Logs the specified message without an at the Trace level. The type of the first argument. The type of the second argument. The type of the third argument. Message which may include positional parameters. Argument {0} to the message. Argument {1} to the message. Argument {2} to the message. Logs the specified message with an at the Fatal level. Exception to be logged. Log message. Logs the specified message with an at the Fatal level. will be only called when logging is enabled for level Fatal. Exception to be logged. Function that returns the log message. Initializes static members of the InternalLogger class. Set the config of the InternalLogger with defaults and config. Gets or sets the minimal internal log level. If set to , then messages of the levels , and will be written. Gets or sets a value indicating whether internal messages should be written to the console output stream. Your application must be a console application. Gets or sets a value indicating whether internal messages should be written to the console error stream. Your application must be a console application. Gets or sets a value indicating whether internal messages should be written to the .Trace Gets or sets the file path of the internal log file. A value of value disables internal logging to a file. Gets or sets the text writer that will receive internal logs. Gets or sets a value indicating whether timestamp should be included in internal log output. Is there an thrown when writing the message? Logs the specified message without an at the specified level. Log level. Message which may include positional parameters. Arguments to the message. Logs the specified message without an at the specified level. Log level. Log message. Logs the specified message without an at the specified level. will be only called when logging is enabled for level . Log level. Function that returns the log message. Logs the specified message with an at the specified level. will be only called when logging is enabled for level . Exception to be logged. Log level. Function that returns the log message. Logs the specified message with an at the specified level. Exception to be logged. Log level. Message which may include positional parameters. Arguments to the message. Logs the specified message with an at the specified level. Exception to be logged. Log level. Log message. Write to internallogger. optional exception to be logged. level message optional args for Determine if logging should be avoided because of exception type. The exception to check. true if logging should be avoided; otherwise, false. Determine if logging is enabled for given LogLevel The for the log event. true if logging is enabled; otherwise, false. Determine if logging is enabled. true if logging is enabled; otherwise, false. Write internal messages to the log file defined in . Message to write. Message will be logged only when the property is not null, otherwise the method has no effect. Write internal messages to the defined in . Message to write. Message will be logged only when the property is not null, otherwise the method has no effect. Write internal messages to the . Message to write. Message will be logged only when the property is true, otherwise the method has no effect. Write internal messages to the . Message to write. Message will be logged when the property is true, otherwise the method has no effect. Write internal messages to the . A message to write. Works when property set to true. The is used in Debug and Release configuration. The works only in Debug configuration and this is reason why is replaced by . in DEBUG Logs the assembly version and file version of the given Assembly. The assembly to log. A cyclic buffer of object. Initializes a new instance of the class. Buffer size. Whether buffer should grow as it becomes full. The maximum number of items that the buffer can grow to. Gets the capacity of the buffer Gets the number of items in the buffer Adds the specified log event to the buffer. Log event. The number of items in the buffer. Gets the array of events accumulated in the buffer and clears the buffer as one atomic operation. Events in the buffer. Condition and expression. Initializes a new instance of the class. Left hand side of the AND expression. Right hand side of the AND expression. Gets the left hand side of the AND expression. Gets the right hand side of the AND expression. Returns a string representation of this expression. A concatenated '(Left) and (Right)' string. Evaluates the expression by evaluating and recursively. Evaluation context. The value of the conjunction operator. Exception during evaluation of condition expression. Initializes a new instance of the class. Initializes a new instance of the class. The message. Initializes a new instance of the class. The message. The inner exception. Initializes a new instance of the class. The that holds the serialized object data about the exception being thrown. The that contains contextual information about the source or destination. The parameter is null. The class name is null or is zero (0). Base class for representing nodes in condition expression trees. Converts condition text to a condition expression tree. Condition text to be converted. Condition expression tree. Evaluates the expression. Evaluation context. Expression result. Returns a string representation of the expression. A that represents the condition expression. Evaluates the expression. Evaluation context. Expression result. Condition layout expression (represented by a string literal with embedded ${}). Initializes a new instance of the class. The layout. Gets the layout. The layout. Returns a string representation of this expression. String literal in single quotes. Evaluates the expression by calculating the value of the layout in the specified evaluation context. Evaluation context. The value of the layout. Condition level expression (represented by the level keyword). Returns a string representation of the expression. The 'level' string. Evaluates to the current log level. Evaluation context. Ignored. The object representing current log level. Condition literal expression (numeric, LogLevel.XXX, true or false). Initializes a new instance of the class. Literal value. Gets the literal value. The literal value. Returns a string representation of the expression. The literal value. Evaluates the expression. Evaluation context. The literal value as passed in the constructor. Condition logger name expression (represented by the logger keyword). Returns a string representation of this expression. A logger string. Evaluates to the logger name. Evaluation context. The logger name. Condition message expression (represented by the message keyword). Returns a string representation of this expression. The 'message' string. Evaluates to the logger message. Evaluation context. The logger message. Marks class as a log event Condition and assigns a name to it. Initializes a new instance of the class. Condition method name. Condition method invocation expression (represented by method(p1,p2,p3) syntax). Initializes a new instance of the class. Name of the condition method. of the condition method. The method parameters. Gets the method info. Gets the method parameters. The method parameters. Returns a string representation of the expression. A that represents the condition expression. Evaluates the expression. Evaluation context. Expression result. A bunch of utility methods (mostly predicates) which can be used in condition expressions. Partially inspired by XPath 1.0. Compares two values for equality. The first value. The second value. true when two objects are equal, false otherwise. Compares two strings for equality. The first string. The second string. Optional. If true, case is ignored; if false (default), case is significant. true when two strings are equal, false otherwise. Gets or sets a value indicating whether the second string is a substring of the first one. The first string. The second string. Optional. If true (default), case is ignored; if false, case is significant. true when the second string is a substring of the first string, false otherwise. Gets or sets a value indicating whether the second string is a prefix of the first one. The first string. The second string. Optional. If true (default), case is ignored; if false, case is significant. true when the second string is a prefix of the first string, false otherwise. Gets or sets a value indicating whether the second string is a suffix of the first one. The first string. The second string. Optional. If true (default), case is ignored; if false, case is significant. true when the second string is a prefix of the first string, false otherwise. Returns the length of a string. A string whose lengths is to be evaluated. The length of the string. Indicates whether the specified regular expression finds a match in the specified input string. The string to search for a match. The regular expression pattern to match. A string consisting of the desired options for the test. The possible values are those of the separated by commas. true if the regular expression finds a match; otherwise, false. Marks the class as containing condition methods. Condition not expression. Initializes a new instance of the class. The expression. Gets the expression to be negated. The expression. Returns a string representation of the expression. A that represents the condition expression. Evaluates the expression. Evaluation context. Expression result. Condition or expression. Initializes a new instance of the class. Left hand side of the OR expression. Right hand side of the OR expression. Gets the left expression. The left expression. Gets the right expression. The right expression. Returns a string representation of the expression. A that represents the condition expression. Evaluates the expression by evaluating and recursively. Evaluation context. The value of the alternative operator. Exception during parsing of condition expression. Initializes a new instance of the class. Initializes a new instance of the class. The message. Initializes a new instance of the class. The message. The inner exception. Initializes a new instance of the class. The that holds the serialized object data about the exception being thrown. The that contains contextual information about the source or destination. The parameter is null. The class name is null or is zero (0). Condition parser. Turns a string representation of condition expression into an expression tree. Initializes a new instance of the class. The string reader. Instance of used to resolve references to condition methods and layout renderers. Parses the specified condition string and turns it into tree. The expression to be parsed. The root of the expression syntax tree which can be used to get the value of the condition in a specified context. Parses the specified condition string and turns it into tree. The expression to be parsed. Instance of used to resolve references to condition methods and layout renderers. The root of the expression syntax tree which can be used to get the value of the condition in a specified context. Parses the specified condition string and turns it into tree. The string reader. Instance of used to resolve references to condition methods and layout renderers. The root of the expression syntax tree which can be used to get the value of the condition in a specified context. Try stringed keyword to success? Parse number negative number? minus should be parsed first. Condition relational (==, !=, <, <=, > or >=) expression. Initializes a new instance of the class. The left expression. The right expression. The relational operator. Gets the left expression. The left expression. Gets the right expression. The right expression. Gets the relational operator. The operator. Returns a string representation of the expression. A that represents the condition expression. Evaluates the expression. Evaluation context. Expression result. Compares the specified values using specified relational operator. The first value. The second value. The relational operator. Result of the given relational operator. Promote values to the type needed for the comparision, e.g. parse a string to int. Promotes to type success? Try to promote both values. First try to promote to , when failed, try to . Get the order for the type for comparision. index, 0 to maxint. Lower is first Dictionary from type to index. Lower index should be tested first. Build the dictionary needed for the order of the types. Get the string representing the current Relational operators used in conditions. Equality (==). Inequality (!=). Less than (<). Greater than (>). Less than or equal (<=). Greater than or equal (>=). Hand-written tokenizer for conditions. Initializes a new instance of the class. The string reader. Gets the type of the token. The type of the token. Gets the token value. The token value. Gets the value of a string token. The string token value. Asserts current token type and advances to the next token. Expected token type. If token type doesn't match, an exception is thrown. Asserts that current token is a keyword and returns its value and advances to the next token. Keyword value. Gets or sets a value indicating whether current keyword is equal to the specified value. The keyword. A value of true if current keyword is equal to the specified value; otherwise, false. Gets or sets a value indicating whether the tokenizer has reached the end of the token stream. A value of true if the tokenizer has reached the end of the token stream; otherwise, false. Gets or sets a value indicating whether current token is a number. A value of true if current token is a number; otherwise, false. Gets or sets a value indicating whether the specified token is of specified type. The token type. A value of true if current token is of specified type; otherwise, false. Gets the next token and sets and properties. Try the comparison tokens (greater, smaller, greater-equals, smaller-equals) current char is match Try the logical tokens (and, or, not, equals) current char is match Mapping between characters and token types for punctuations. Initializes a new instance of the CharToTokenType struct. The character. Type of the token. Token types for condition expressions. Marks the class or a member as advanced. Advanced classes and members are hidden by default in generated documentation. Initializes a new instance of the class. Identifies that the output of layout or layout render does not change for the lifetime of the current appdomain. A layout(renderer) could be converted to a literal when: - The layout and all layout properies are SimpleLayout or [AppDomainFixedOutput] Recommendation: Apply this attribute to a layout or layout-renderer which have the result only changes by properties of type Layout. Used to mark configurable parameters which are arrays. Specifies the mapping between XML elements and .NET types. Initializes a new instance of the class. The type of the array item. The XML element name that represents the item. Gets the .NET type of the array item. Gets the XML element name. An assembly is trying to load. New event args The assembly that is trying to load. NLog configuration section handler class for configuring NLog from App.config. Creates a configuration section handler. Parent object. Configuration context object. Section XML node. The created section handler object. Constructs a new instance the configuration item (target, layout, layout renderer, etc.) given its type. Type of the item. Created object of the specified type. Provides registration information for named items (targets, layouts, layout renderers, etc.) managed by NLog. Everything of an assembly could be loaded by Called before the assembly will be loaded. Initializes a new instance of the class. The assemblies to scan for named items. Gets or sets default singleton instance of . This property implements lazy instantiation so that the is not built before the internal logger is configured. Gets or sets the creator delegate used to instantiate configuration objects. By overriding this property, one can enable dependency injection or interception for created objects. Gets the factory. The target factory. Gets the factory. The filter factory. gets the factory not using due to backwardscomp. Gets the factory. The layout renderer factory. Gets the factory. The layout factory. Gets the ambient property factory. The ambient property factory. Legacy interface, no longer used by the NLog engine Gets or sets the JSON serializer to use with or Gets or sets the string serializer to use with Gets or sets the parameter converter to use with , or Perform message template parsing and formatting of LogEvent messages (True = Always, False = Never, Null = Auto Detect) - Null (Auto Detect) : NLog-parser checks for positional parameters, and will then fallback to string.Format-rendering. - True: Always performs the parsing of and rendering of using the NLog-parser (Allows custom formatting with ) - False: Always performs parsing and rendering using string.Format (Fastest if not using structured logging) Gets the time source factory. The time source factory. Gets the condition method factory. The condition method factory. Registers named items from the assembly. The assembly. Registers named items from the assembly. The assembly. Item name prefix. Call Preload for NLogPackageLoader Every package could implement a class "NLogPackageLoader" (namespace not important) with the public static method "Preload" (no arguments) This method will be called just before registering all items in the assembly. Call the Preload method for . The Preload method must be static. Clears the contents of all factories. Registers the type. The type to register. The item name prefix. Builds the default configuration item factory. Default factory. Registers items in NLog.Extended.dll using late-bound types, so that we don't need a reference to NLog.Extended.dll. Attribute used to mark the default parameters for layout renderers. Initializes a new instance of the class. Format of the exception output to the specific target. Appends the Message of an Exception to the specified target. Appends the type of an Exception to the specified target. Appends the short type of an Exception to the specified target. Appends the result of calling ToString() on an Exception to the specified target. Appends the method name from Exception's stack trace to the specified target. Appends the stack trace from an Exception to the specified target. Appends the contents of an Exception's Data property to the specified target. Destructure the exception (usually into JSON) Factory for class-based items. The base type of each item. The type of the attribute used to annotate items. Scans the assembly. The types to scan. The prefix. Registers the type. The type to register. The item name prefix. Registers the item based on a type name. Name of the item. Name of the type. Clears the contents of the factory. Registers a single type definition. The item name. The type of the item. Tries to get registered item definition. Name of the item. Reference to a variable which will store the item definition. Item definition. Tries to create an item instance. Name of the item. The result. True if instance was created successfully, false otherwise. Creates an item instance. The name of the item. Created item. Factory specialized for s. Clear all func layouts Register a layout renderer with a callback function. Name of the layoutrenderer, without ${}. the renderer that renders the value. Tries to create an item instance. Name of the item. The result. True if instance was created successfully, false otherwise. Provides means to populate factories of named items (such as targets, layouts, layout renderers, etc.). Implemented by objects which support installation and uninstallation. Performs installation which requires administrative permissions. The installation context. Performs uninstallation which requires administrative permissions. The installation context. Determines whether the item is installed. The installation context. Value indicating whether the item is installed or null if it is not possible to determine. Interface for accessing configuration details Name of the config section Configuration Key/Value Pairs Child config sections Interface for loading NLog Finds and loads the NLog configuration LogFactory that owns the NLog configuration NLog configuration (or null if none found) Notifies when LoggingConfiguration has been successfully applied LogFactory that owns the NLog configuration NLog Config Get file paths (including filename) for the possible NLog config files. The filepaths to the possible config file Represents a factory of named items (such as targets, layouts, layout renderers, etc.). Base type for each item instance. Item definition type (typically or ). Registers new item definition. Name of the item. Item definition. Tries to get registered item definition. Name of the item. Reference to a variable which will store the item definition. Item definition. Creates item instance. Name of the item. Newly created item instance. Tries to create an item instance. Name of the item. The result. True if instance was created successfully, false otherwise. Provides context for install/uninstall operations. Mapping between log levels and console output colors. Initializes a new instance of the class. Initializes a new instance of the class. The log output. Gets or sets the installation log level. Gets or sets a value indicating whether to ignore failures during installation. Whether installation exceptions should be rethrown. If IgnoreFailures is set to true, this property has no effect (there are no exceptions to rethrow). Gets the installation parameters. Gets or sets the log output. Logs the specified trace message. The message. The arguments. Logs the specified debug message. The message. The arguments. Logs the specified informational message. The message. The arguments. Logs the specified warning message. The message. The arguments. Logs the specified error message. The message. The arguments. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Creates the log event which can be used to render layouts during installation/uninstallations. Log event info object. Convert object-value into specified type Parses the input value and converts into the wanted type Input Value Wanted Type Format to use when parsing Culture to use when parsing Output value with wanted type Encapsulates and the logic to match the actual logger name All subclasses defines immutable objects. Concrete subclasses defines various matching rules through Creates a concrete based on . Rules used to select the concrete implementation returned: if is null => returns (never matches) if doesn't contains any '*' nor '?' => returns (matches only on case sensitive equals) if == '*' => returns (always matches) if doesn't contain '?' if contains exactly 2 '*' one at the beginning and one at the end (i.e. "*foobar*) => returns if contains exactly 1 '*' at the beginning (i.e. "*foobar") => returns if contains exactly 1 '*' at the end (i.e. "foobar*") => returns returns It may include one or more '*' or '?' wildcards at any position. '*' means zero or more occurrecnces of any character '?' means exactly one occurrence of any character A concrete Returns the argument passed to Checks whether given name matches the logger name pattern. String to be matched. A value of when the name matches, otherwise. Defines a that never matches. Used when pattern is null Defines a that always matches. Used when pattern is '*' Defines a that matches with a case-sensitive Equals Used when pattern is a string without wildcards '?' '*' Defines a that matches with a case-sensitive StartsWith Used when pattern is a string like "*foobar" Defines a that matches with a case-sensitive EndsWith Used when pattern is a string like "foobar*" Defines a that matches with a case-sensitive Contains Used when pattern is a string like "*foobar*" Defines a that matches with a complex wildcards combinations: '*' means zero or more occurrences of any character '?' means exactly one occurrence of any character used when pattern is a string containing any number of '?' or '*' in any position i.e. "*Server[*].Connection[?]" Keeps logging configuration and provides simple API to modify it. This class is thread-safe..ToList() is used for that purpose. Variables defined in xml or in API. name is case case insensitive. Gets the factory that will be configured Initializes a new instance of the class. Initializes a new instance of the class. Use the old exception log handling of NLog 3.0? This method was marked as obsolete on NLog 4.1 and it may be removed in a future release. Gets the variables defined in the configuration. Gets a collection of named targets specified in the configuration. A list of named targets. Unnamed targets (such as those wrapped by other targets) are not returned. Gets the collection of file names which should be watched for changes by NLog. Gets the collection of logging rules. Gets or sets the default culture info to use as . Specific culture info or null to use Gets all targets. Compare objects based on their name. This property is use to cache the comparer object. Defines methods to support the comparison of objects for equality based on their name. Registers the specified target object. The name of the target is read from . The target object with a non when is Registers the specified target object under a given name. Name of the target. The target object. when is when is Finds the target with the specified name. The name of the target to be found. Found target or when the target is not found. Finds the target with the specified name and specified type. The name of the target to be found. Type of the target Found target or when the target is not found of not of type Add a rule with min- and maxLevel. Minimum log level needed to trigger this rule. Maximum log level needed to trigger this rule. Name of the target to be written when the rule matches. Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. Add a rule with min- and maxLevel. Minimum log level needed to trigger this rule. Maximum log level needed to trigger this rule. Target to be written to when the rule matches. Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. Add a rule with min- and maxLevel. Minimum log level needed to trigger this rule. Maximum log level needed to trigger this rule. Target to be written to when the rule matches. Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. Gets or sets a value indicating whether to quit processing any further rule when this one matches. Add a rule for one loglevel. log level needed to trigger this rule. Name of the target to be written when the rule matches. Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. Add a rule for one loglevel. log level needed to trigger this rule. Target to be written to when the rule matches. Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. Add a rule for one loglevel. log level needed to trigger this rule. Target to be written to when the rule matches. Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. Gets or sets a value indicating whether to quit processing any further rule when this one matches. Add a rule for all loglevels. Name of the target to be written when the rule matches. Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. Add a rule for all loglevels. Target to be written to when the rule matches. Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. Add a rule for all loglevels. Target to be written to when the rule matches. Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. Gets or sets a value indicating whether to quit processing any further rule when this one matches. Finds the logging rule with the specified name. The name of the logging rule to be found. Found logging rule or when not found. Removes the specified named logging rule. The name of the logging rule to be removed. Found one or more logging rule to remove, or when not found. Called by LogManager when one of the log configuration files changes. A new instance of that represents the updated configuration. Removes the specified named target. Name of the target. Installs target-specific objects on current system. The installation context. Installation typically runs with administrative permissions. Uninstalls target-specific objects from current system. The installation context. Uninstallation typically runs with administrative permissions. Closes all targets and releases any unmanaged resources. Log to the internal (NLog) logger the information about the and associated with this instance. The information are only recorded in the internal logger if Debug level is enabled, otherwise nothing is recorded. Flushes any pending log messages on all appenders. The asynchronous continuation. Validates the configuration. Copies all variables from provided dictionary into current configuration variables. Master variables dictionary Replace a simple variable with a value. The orginal value is removed and thus we cannot redo this in a later stage. Checks whether unused targets exist. If found any, just write an internal log at Warn level. If initializing not started or failed, then checking process will be canceled Arguments for events. Initializes a new instance of the class. The new configuration. The old configuration. Gets the old configuration. The old configuration. Gets the new configuration. The new configuration. Gets the new configuration The new configuration. Gets the old configuration The old configuration. Enables loading of NLog configuration from a file Get default file paths (including filename) for possible NLog config files. Get default file paths (including filename) for possible NLog config files. Loads NLog configuration from Constructor Loads NLog configuration from provided config section Builds list with unique keys, using last value of duplicates. High priority keys placed first. Parse loglevel, but don't throw if exception throwing is disabled Name of attribute for logging. Value of parse. Used if there is an exception Parses a single config section within the NLog-config Section was recognized Parse {Rules} xml element Rules are added to this parameter. Parse {Logger} xml element Parse boolean Name of the property for logging. value to parse Default value to return if the parse failed Boolean attribute value or default. Remove the namespace (before :) x:a, will be a Gets the optional boolean attribute value. Name of the attribute. Default value to return if the attribute is not found or if there is a parse error Boolean attribute value or default. Arguments for . Initializes a new instance of the class. Whether configuration reload has succeeded. Initializes a new instance of the class. Whether configuration reload has succeeded. The exception during configuration reload. Gets a value indicating whether configuration reload has succeeded. A value of true if succeeded; otherwise, false. Gets the exception which occurred during configuration reload. The exception. Enables FileWatcher for the currently loaded NLog Configuration File, and supports automatic reload on file modification. Represents a logging rule. An equivalent of <logger /> configuration element. Create an empty . Create an empty . Create a new with a and which writes to . Logger name pattern used for . It may include one or more '*' or '?' wildcards at any position. Minimum log level needed to trigger this rule. Maximum log level needed to trigger this rule. Target to be written to when the rule matches. Create a new with a which writes to . Logger name pattern used for . It may include one or more '*' or '?' wildcards at any position. Minimum log level needed to trigger this rule. Target to be written to when the rule matches. Create a (disabled) . You should call or see cref="EnableLoggingForLevels"/> to enable logging. Logger name pattern used for . It may include one or more '*' or '?' wildcards at any position. Target to be written to when the rule matches. Rule identifier to allow rule lookup Gets a collection of targets that should be written to when this rule matches. Gets a collection of child rules to be evaluated when this rule matches. Gets a collection of filters to be checked before writing to targets. Gets or sets a value indicating whether to quit processing any further rule when this one matches. Gets or sets logger name pattern. Logger name pattern used by to check if a logger name matches this rule. It may include one or more '*' or '?' wildcards at any position. '*' means zero or more occurrecnces of any character '?' means exactly one occurrence of any character Gets the collection of log levels enabled by this rule. Default action if none of the filters match Enables logging for a particular level. Level to be enabled. Enables logging for a particular levels between (included) and . Minimum log level needed to trigger this rule. Maximum log level needed to trigger this rule. Disables logging for a particular level. Level to be disabled. Disables logging for particular levels between (included) and . Minimum log level to be disables. Maximum log level to de disabled. Enables logging the levels between (included) and . All the other levels will be disabled. >Minimum log level needed to trigger this rule. Maximum log level needed to trigger this rule. Returns a string representation of . Used for debugging. A that represents the current . Checks whether te particular log level is enabled for this rule. Level to be checked. A value of when the log level is enabled, otherwise. Checks whether given name matches the . String to be matched. A value of when the name matches, otherwise. Factory for locating methods. The type of the class marker attribute. The type of the method marker attribute. Gets a collection of all registered items in the factory. Sequence of key/value pairs where each key represents the name of the item and value is the of the item. Scans the assembly for classes marked with and methods marked with and adds them to the factory. The types to scan. The prefix to use for names. Registers the type. The type to register. The item name prefix. Clears contents of the factory. Registers the definition of a single method. The method name. The method info. Tries to retrieve method by name. The method name. The result. A value of true if the method was found, false otherwise. Retrieves method by name. Method name. MethodInfo object. Tries to get method definition. The method name. The result. A value of true if the method was found, false otherwise. Marks the layout or layout renderer depends on mutable objects from the LogEvent This can be or Attaches a simple name to an item (such as , , , etc.). Initializes a new instance of the class. The name of the item. Gets the name of the item. The name of the item. Indicates NLog should not scan this property during configuration. Initializes a new instance of the class. Marks the object as configuration item for NLog. Initializes a new instance of the class. Represents simple XML element with case-insensitive attribute semantics. Initializes a new instance of the class. The input URI. Initializes a new instance of the class. The reader to initialize element from. Prevents a default instance of the class from being created. Gets the element name. Gets the dictionary of attribute values. Gets the collection of child elements. Gets the value of the element. Last error occured during configuration read Returns children elements with the specified element name. Name of the element. Children elements with the specified element name. Asserts that the name of the element is among specified element names. The allowed names. Returns all parsing errors from current and all child elements. Special attribute we could ignore Default implementation of Attribute used to mark the required parameters for targets, layout targets and filters. Provides simple programmatic configuration API used for trivial logging cases. Warning, these methods will overwrite the current config. Configures NLog for console logging so that all messages above and including the level are output to the console. Configures NLog for console logging so that all messages above and including the specified level are output to the console. The minimal logging level. Configures NLog for to log to the specified target so that all messages above and including the level are output. The target to log all messages to. Configures NLog for to log to the specified target so that all messages above and including the specified level are output. The target to log all messages to. The minimal logging level. Configures NLog for file logging so that all messages above and including the level are written to the specified file. Log file name. Configures NLog for file logging so that all messages above and including the specified level are written to the specified file. Log file name. The minimal logging level. Value indicating how stack trace should be captured when processing the log event. Stack trace should not be captured. Stack trace should be captured without source-level information. Stack trace should be captured including source-level information such as line numbers. Capture maximum amount of the stack trace information supported on the platform. Marks the layout or layout renderer as thread independent - it producing correct results regardless of the thread it's running on. Without this attribute everything is rendered on the main thread. If this attribute is set on a layout, it could be rendered on the another thread. This could be more efficient as it's skipped when not needed. If context like HttpContext.Current is needed, which is only available on the main thread, this attribute should not be applied. See the AsyncTargetWrapper and BufferTargetWrapper with the , using Apply this attribute when: - The result can we rendered in another thread. Delaying this could be more efficient. And/Or, - The result should not be precalculated, for example the target sends some extra context information. Marks the layout or layout renderer as thread safe - it producing correct results regardless of the number of threads it's running on. Without this attribute then the target concurrency will be reduced A class for configuring NLog through an XML configuration file (App.config style or App.nlog style). Parsing of the XML file is also implemented in this class. - This class is thread-safe..ToList() is used for that purpose. - Update TemplateXSD.xml for changes outside targets Initializes a new instance of the class. Configuration file to be read. Initializes a new instance of the class. Configuration file to be read. The to which to apply any applicable configuration values. Initializes a new instance of the class. Configuration file to be read. Ignore any errors during configuration. Initializes a new instance of the class. Configuration file to be read. Ignore any errors during configuration. The to which to apply any applicable configuration values. Initializes a new instance of the class. XML reader to read from. Create XML reader for (xml config) file. filepath reader or null if filename is empty. Initializes a new instance of the class. containing the configuration section. Name of the file that contains the element (to be used as a base for including other files). null is allowed. Initializes a new instance of the class. containing the configuration section. Name of the file that contains the element (to be used as a base for including other files). null is allowed. The to which to apply any applicable configuration values. Initializes a new instance of the class. containing the configuration section. Name of the file that contains the element (to be used as a base for including other files). null is allowed. Ignore any errors during configuration. Initializes a new instance of the class. containing the configuration section. Name of the file that contains the element (to be used as a base for including other files). null is allowed. Ignore any errors during configuration. The to which to apply any applicable configuration values. Initializes a new instance of the class. The XML element. Name of the XML file. Initializes a new instance of the class. The XML element. Name of the XML file. If set to true errors will be ignored during file processing. Initializes a new instance of the class. The XML contents. Name of the XML file. If set to true errors will be ignored during file processing. Parse XML string as NLog configuration NLog configuration Gets the default object by parsing the application configuration file (app.exe.config). Did the Succeeded? true= success, false= error, null = initialize not started yet. Gets or sets a value indicating whether all of the configuration files should be watched for changes and reloaded automatically when changed. Gets the collection of file names which should be watched for changes by NLog. This is the list of configuration files processed. If the autoReload attribute is not set it returns empty collection. Re-reads the original configuration file and returns the new object. The new object. Get file paths (including filename) for the possible NLog config files. The filepaths to the possible config file Overwrite the paths (including filename) for the possible NLog config files. The filepaths to the possible config file Clear the candidate file paths and return to the defaults. Initializes the configuration. containing the configuration section. Name of the file that contains the element (to be used as a base for including other files). null is allowed. Ignore any errors during configuration. Checks whether any error during XML configuration parsing has occured. If there are any and ThrowConfigExceptions or ThrowExceptions setting is enabled - throws NLogConfigurationException, otherwise just write an internal log at Warn level. Root NLog configuration xml element Add a file with configuration. Check if not already included. Parse the root path to config file. The default value for the autoReload option. Parse {configuration} xml element. path to config file. The default value for the autoReload option. Parse {NLog} xml element. path to config file. The default value for the autoReload option. Parses a single config section within the NLog-config Section was recognized Include (multiple) files by filemask, e.g. *.nlog base directory in case if is relative relative or absolute fileMask Matches when the specified condition is met. Conditions are expressed using a simple language described here. Gets or sets the condition expression. Checks whether log event should be logged or not. Log event. - if the log event should be ignored
- if the filter doesn't want to decide
- if the log event should be logged
.
An abstract filter class. Provides a way to eliminate log messages based on properties other than logger name and log level. Initializes a new instance of the class. Gets or sets the action to be taken when filter matches. Gets the result of evaluating filter against given log event. The log event. Filter result. Checks whether log event should be logged or not. Log event. - if the log event should be ignored
- if the filter doesn't want to decide
- if the log event should be logged
.
Marks class as a layout renderer and assigns a name to it. Initializes a new instance of the class. Name of the filter. Filter result. The filter doesn't want to decide whether to log or discard the message. The message should be logged. The message should not be logged. The message should be logged and processing should be finished. The message should not be logged and processing should be finished. A base class for filters that are based on comparing a value to a layout. Initializes a new instance of the class. Gets or sets the layout to be used to filter log messages. The layout. Matches when the calculated layout contains the specified substring. This filter is deprecated in favor of <when /> which is based on conditions. Gets or sets a value indicating whether to ignore case when comparing strings. Gets or sets the substring to be matched. Checks whether log event should be logged or not. Log event. - if the log event should be ignored
- if the filter doesn't want to decide
- if the log event should be logged
.
Matches when the calculated layout is equal to the specified substring. This filter is deprecated in favor of <when /> which is based on conditions. Gets or sets a value indicating whether to ignore case when comparing strings. Gets or sets a string to compare the layout to. Checks whether log event should be logged or not. Log event. - if the log event should be ignored
- if the filter doesn't want to decide
- if the log event should be logged
.
Matches when the calculated layout does NOT contain the specified substring. This filter is deprecated in favor of <when /> which is based on conditions. Gets or sets the substring to be matched. Gets or sets a value indicating whether to ignore case when comparing strings. Checks whether log event should be logged or not. Log event. - if the log event should be ignored
- if the filter doesn't want to decide
- if the log event should be logged
.
Matches when the calculated layout is NOT equal to the specified substring. This filter is deprecated in favor of <when /> which is based on conditions. Initializes a new instance of the class. Gets or sets a string to compare the layout to. Gets or sets a value indicating whether to ignore case when comparing strings. Checks whether log event should be logged or not. Log event. - if the log event should be ignored
- if the filter doesn't want to decide
- if the log event should be logged
.
Matches when the result of the calculated layout has been repeated a moment ago How long before a filter expires, and logging is accepted again Max length of filter values, will truncate if above limit Applies the configured action to the initial logevent that starts the timeout period. Used to configure that it should ignore all events until timeout. Max number of unique filter values to expect simultaneously Default number of unique filter values to expect, will automatically increase if needed Insert FilterCount value into when an event is no longer filtered Append FilterCount to the when an event is no longer filtered Reuse internal buffers, and doesn't have to constantly allocate new buffers Default buffer size for the internal buffers Can be used if has been enabled. Constructor Checks whether log event should be logged or not. In case the LogEvent has just been repeated. Log event. - if the log event should be ignored
- if the filter doesn't want to decide
- if the log event should be logged
.
Uses object pooling, and prunes stale filter items when the pool runs dry Remove stale filter-value from the cache, and fill them into the pool for reuse Renders the Log Event into a filter value, that is used for checking if just repeated Repeated LogEvent detected. Checks if it should activate filter-action Filter Value State (mutable) Filter Lookup Key (immutable) A global logging class using caller info to find the logger. Starts building a log event with the specified . The log level. The full path of the source file that contains the caller. This is the file path at the time of compile. An instance of the fluent . Starts building a log event at the Trace level. The full path of the source file that contains the caller. This is the file path at the time of compile. An instance of the fluent . Starts building a log event at the Debug level. The full path of the source file that contains the caller. This is the file path at the time of compile. An instance of the fluent . Starts building a log event at the Info level. The full path of the source file that contains the caller. This is the file path at the time of compile. An instance of the fluent . Starts building a log event at the Warn level. The full path of the source file that contains the caller. This is the file path at the time of compile. An instance of the fluent . Starts building a log event at the Error level. The full path of the source file that contains the caller. This is the file path at the time of compile. An instance of the fluent . Starts building a log event at the Fatal level. The full path of the source file that contains the caller. This is the file path at the time of compile. An instance of the fluent . A fluent class to build log events for NLog. Initializes a new instance of the class. The to send the log event. Initializes a new instance of the class. The to send the log event. The for the log event. Gets the created by the builder. Sets the information of the logging event. The exception information of the logging event. current for chaining calls. Sets the level of the logging event. The level of the logging event. current for chaining calls. Sets the logger name of the logging event. The logger name of the logging event. current for chaining calls. Sets the log message on the logging event. The log message for the logging event. current for chaining calls. Sets the log message and parameters for formatting on the logging event. A composite format string. The object to format. current for chaining calls. Sets the log message and parameters for formatting on the logging event. A composite format string. The first object to format. The second object to format. current for chaining calls. Sets the log message and parameters for formatting on the logging event. A composite format string. The first object to format. The second object to format. The third object to format. current for chaining calls. Sets the log message and parameters for formatting on the logging event. A composite format string. The first object to format. The second object to format. The third object to format. The fourth object to format. current for chaining calls. Sets the log message and parameters for formatting on the logging event. A composite format string. An object array that contains zero or more objects to format. current for chaining calls. Sets the log message and parameters for formatting on the logging event. An object that supplies culture-specific formatting information. A composite format string. An object array that contains zero or more objects to format. current for chaining calls. Sets a per-event context property on the logging event. The name of the context property. The value of the context property. current for chaining calls. Sets multiple per-event context properties on the logging event. The properties to set. current for chaining calls. Sets the timestamp of the logging event. The timestamp of the logging event. current for chaining calls. Sets the stack trace for the event info. The stack trace. Index of the first user stack frame within the stack trace. current for chaining calls. Writes the log event to the underlying logger. The method or property name of the caller to the method. This is set at by the compiler. The full path of the source file that contains the caller. This is set at by the compiler. The line number in the source file at which the method is called. This is set at by the compiler. Writes the log event to the underlying logger if the condition delegate is true. If condition is true, write log event; otherwise ignore event. The method or property name of the caller to the method. This is set at by the compiler. The full path of the source file that contains the caller. This is set at by the compiler. The line number in the source file at which the method is called. This is set at by the compiler. Writes the log event to the underlying logger if the condition is true. If condition is true, write log event; otherwise ignore event. The method or property name of the caller to the method. This is set at by the compiler. The full path of the source file that contains the caller. This is set at by the compiler. The line number in the source file at which the method is called. This is set at by the compiler. Extension methods for NLog . Starts building a log event with the specified . The logger to write the log event to. The log level. current for chaining calls. Starts building a log event at the Trace level. The logger to write the log event to. current for chaining calls. Starts building a log event at the Debug level. The logger to write the log event to. current for chaining calls. Starts building a log event at the Info level. The logger to write the log event to. current for chaining calls. Starts building a log event at the Warn level. The logger to write the log event to. current for chaining calls. Starts building a log event at the Error level. The logger to write the log event to. current for chaining calls. Starts building a log event at the Fatal level. The logger to write the log event to. current for chaining calls. Global Diagnostics Context This class was marked as obsolete on NLog 2.0 and it may be removed in a future release. Sets the Global Diagnostics Context item to the specified value. Item name. Item value. Gets the Global Diagnostics Context named item. Item name. The value of , if defined; otherwise . If the value isn't a already, this call locks the for reading the needed for converting to . Gets the Global Diagnostics Context item. Item name. to use when converting the item's value to a string. The value of as a string, if defined; otherwise . If is null and the value isn't a already, this call locks the for reading the needed for converting to . Gets the Global Diagnostics Context named item. Item name. The value of , if defined; otherwise null. Checks whether the specified item exists in the Global Diagnostics Context. Item name. A boolean indicating whether the specified item exists in current thread GDC. Removes the specified item from the Global Diagnostics Context. Item name. Clears the content of the GDC. Global Diagnostics Context - a dictionary structure to hold per-application-instance values. Sets the Global Diagnostics Context item to the specified value. Item name. Item value. Sets the Global Diagnostics Context item to the specified value. Item name. Item value. Gets the Global Diagnostics Context named item. Item name. The value of , if defined; otherwise . If the value isn't a already, this call locks the for reading the needed for converting to . Gets the Global Diagnostics Context item. Item name. to use when converting the item's value to a string. The value of as a string, if defined; otherwise . If is null and the value isn't a already, this call locks the for reading the needed for converting to . Gets the Global Diagnostics Context named item. Item name. The item value, if defined; otherwise null. Returns all item names A collection of the names of all items in the Global Diagnostics Context. Checks whether the specified item exists in the Global Diagnostics Context. Item name. A boolean indicating whether the specified item exists in current thread GDC. Removes the specified item from the Global Diagnostics Context. Item name. Clears the content of the GDC. Include context properties Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets a value indicating whether to include contents of the stack. Gets or sets the option to include all properties from the log events Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets a value indicating whether to include contents of the stack. Interface for serialization of object values into JSON format Serialization of an object into JSON format. The object to serialize to JSON. Output destination. Serialize succeeded (true/false) Auto-generated Logger members for binary compatibility with NLog 1.0. Provides logging interface and utility functions. Writes the diagnostic message at the Trace level. A to be written. Writes the diagnostic message at the Trace level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Trace level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Trace level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format.s Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level. A to be written. Writes the diagnostic message at the Debug level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Debug level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Debug level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level. A to be written. Writes the diagnostic message at the Info level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Info level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Info level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level. A to be written. Writes the diagnostic message at the Warn level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Warn level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Warn level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level. A to be written. Writes the diagnostic message at the Error level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Error level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Error level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level. A to be written. Writes the diagnostic message at the Fatal level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Fatal level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Fatal level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Gets a value indicating whether logging is enabled for the Trace level. A value of if logging is enabled for the Trace level, otherwise it returns . Gets a value indicating whether logging is enabled for the Debug level. A value of if logging is enabled for the Debug level, otherwise it returns . Gets a value indicating whether logging is enabled for the Info level. A value of if logging is enabled for the Info level, otherwise it returns . Gets a value indicating whether logging is enabled for the Warn level. A value of if logging is enabled for the Warn level, otherwise it returns . Gets a value indicating whether logging is enabled for the Error level. A value of if logging is enabled for the Error level, otherwise it returns . Gets a value indicating whether logging is enabled for the Fatal level. A value of if logging is enabled for the Fatal level, otherwise it returns . Writes the diagnostic message at the Trace level using the specified format provider and format parameters. Writes the diagnostic message at the Trace level. Type of the value. The value to be written. Writes the diagnostic message at the Trace level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Trace level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Trace level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Trace level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Trace level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Trace level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Trace level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Trace level. Log message. Writes the diagnostic message at the Trace level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Trace level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Trace level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Trace level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Trace level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Debug level using the specified format provider and format parameters. Writes the diagnostic message at the Debug level. Type of the value. The value to be written. Writes the diagnostic message at the Debug level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Debug level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Debug level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Debug level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Debug level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Debug level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Debug level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Debug level. Log message. Writes the diagnostic message at the Debug level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Debug level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Debug level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Debug level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Debug level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Info level using the specified format provider and format parameters. Writes the diagnostic message at the Info level. Type of the value. The value to be written. Writes the diagnostic message at the Info level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Info level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Info level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Info level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Info level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Info level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Info level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Info level. Log message. Writes the diagnostic message at the Info level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Info level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Info level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Info level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Info level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Warn level using the specified format provider and format parameters. Writes the diagnostic message at the Warn level. Type of the value. The value to be written. Writes the diagnostic message at the Warn level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Warn level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Warn level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Warn level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Warn level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Warn level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Warn level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Warn level. Log message. Writes the diagnostic message at the Warn level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Warn level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Warn level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Warn level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Warn level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Error level using the specified format provider and format parameters. Writes the diagnostic message at the Error level. Type of the value. The value to be written. Writes the diagnostic message at the Error level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Error level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Error level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Error level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Error level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Error level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Error level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Error level. Log message. Writes the diagnostic message at the Error level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Error level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Error level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Error level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Error level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Fatal level using the specified format provider and format parameters. Writes the diagnostic message at the Fatal level. Type of the value. The value to be written. Writes the diagnostic message at the Fatal level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Fatal level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Fatal level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Fatal level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Fatal level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Fatal level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Fatal level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Fatal level. Log message. Writes the diagnostic message at the Fatal level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Fatal level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Fatal level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Fatal level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Fatal level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Auto-generated Logger members for binary compatibility with NLog 1.0. Logger with only generic methods (passing 'LogLevel' to methods) and core properties. Writes the diagnostic message at the specified level. The log level. A to be written. Writes the diagnostic message at the specified level. The log level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the specified level using the specified parameters. The log level. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the specified level using the specified parameters. The log level. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Occurs when logger configuration changes. Gets the name of the logger. Gets the factory that created this logger. Gets a value indicating whether logging is enabled for the specified level. Log level to be checked. A value of if logging is enabled for the specified level, otherwise it returns . Writes the specified diagnostic message. Log event. Writes the specified diagnostic message. The name of the type that wraps Logger. Log event. Writes the diagnostic message at the specified level using the specified format provider and format parameters. Writes the diagnostic message at the specified level. Type of the value. The log level. The value to be written. Writes the diagnostic message at the specified level. Type of the value. The log level. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the specified level. The log level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the specified level. The log level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the specified level. The log level. A to be written. Arguments to format. An exception to be logged. Writes the diagnostic message and exception at the specified level. The log level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Arguments to format. An exception to be logged. Writes the diagnostic message at the specified level using the specified parameters and formatting them with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the specified level. The log level. Log message. Writes the diagnostic message at the specified level using the specified parameters. The log level. A containing format items. Arguments to format. Writes the diagnostic message and exception at the specified level. The log level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the specified level using the specified parameter and formatting it with the supplied format provider. The type of the argument. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified parameter. The type of the argument. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the specified level using the specified parameters. The type of the first argument. The type of the second argument. The log level. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the specified level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. The log level. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Extensions for NLog . Writes the diagnostic message and exception at the specified level. A logger implementation that will handle the message. The log level. An exception to be logged. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Trace level. A logger implementation that will handle the message. An exception to be logged. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Debug level. A logger implementation that will handle the message. An exception to be logged. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Info level. A logger implementation that will handle the message. An exception to be logged. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Warn level. A logger implementation that will handle the message. An exception to be logged. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Error level. A logger implementation that will handle the message. An exception to be logged. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Fatal level. A logger implementation that will handle the message. An exception to be logged. A function returning message to be written. Function is not evaluated if logging is not enabled. Allocates new builder and appends to the provided target builder on dispose Access the new builder allocated Helpers for . Load from url file or path, including .dll basepath, optional Load from url name without .dll Forward declare of system delegate type for use by other classes Keeps track of pending operation count, and can notify when pending operation count reaches zero Mark operation has started Mark operation has completed Exception coming from the completed operation [optional] Registers an AsyncContinuation to be called when all pending operations have completed Invoked on completion AsyncContinuation operation Clear o Sets the stack trace for the event info. The stack trace. Index of the first user stack frame within the stack trace. Index of the first user stack frame within the stack trace. Sets the details retrieved from the Caller Information Attributes Gets the stack frame of the method that did the logging. Gets the number index of the stack frame that represents the user code (not the NLog code). Legacy attempt to skip async MoveNext, but caused source file line number to be lost Gets the entire stack trace. Memory optimized filtering Passing state too avoid delegate capture and memory-allocations. Internal configuration manager used to read .NET configuration files. Just a wrapper around the BCL ConfigurationManager, but used to enable unit testing. Gets the wrapper around ConfigurationManager.AppSettings. Provides untyped IDictionary interface on top of generic IDictionary. The type of the key. The type of the value. Initializes a new instance of the DictionaryAdapter class. The implementation. Gets an object containing the values in the object. An object containing the values in the object. Gets the number of elements contained in the . The number of elements contained in the . Gets a value indicating whether access to the is synchronized (thread safe). true if access to the is synchronized (thread safe); otherwise, false. Gets an object that can be used to synchronize access to the . An object that can be used to synchronize access to the . Gets a value indicating whether the object has a fixed size. true if the object has a fixed size; otherwise, false. Gets a value indicating whether the object is read-only. true if the object is read-only; otherwise, false. Gets an object containing the keys of the object. An object containing the keys of the object. Gets or sets the with the specified key. Dictionary key. Value corresponding to key or null if not found Adds an element with the provided key and value to the object. The to use as the key of the element to add. The to use as the value of the element to add. Removes all elements from the object. Determines whether the object contains an element with the specified key. The key to locate in the object. True if the contains an element with the key; otherwise, false. Returns an object for the object. An object for the object. Removes the element with the specified key from the object. The key of the element to remove. Copies the elements of the to an , starting at a particular index. The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing. The zero-based index in at which copying begins. Returns an enumerator that iterates through a collection. An object that can be used to iterate through the collection. Wrapper IDictionaryEnumerator. Initializes a new instance of the class. The wrapped. Gets both the key and the value of the current dictionary entry. A containing both the key and the value of the current dictionary entry. Gets the key of the current dictionary entry. The key of the current element of the enumeration. Gets the value of the current dictionary entry. The value of the current element of the enumeration. Gets the current element in the collection. The current element in the collection. Advances the enumerator to the next element of the collection. True if the enumerator was successfully advanced to the next element; false if the enumerator has passed the end of the collection. Sets the enumerator to its initial position, which is before the first element in the collection. Ensures that IDictionary.GetEnumerator returns DictionaryEntry values UTF-8 BOM 239, 187, 191 Safe way to get environment variables. Helper class for dealing with exceptions. Mark this exception as logged to the . Is this exception logged to the ? trueif the has been logged to the . Determines whether the exception must be rethrown and logs the error to the if is false. Advised to log first the error to the before calling this method. The exception to check. trueif the must be rethrown, false otherwise. Determines whether the exception must be rethrown immediately, without logging the error to the . Only used this method in special cases. The exception to check. trueif the must be rethrown, false otherwise. Object construction helper. Adapter for to Initializes a new instance of the class. The to wrap. Creates an AppDomainWrapper for the current Gets or sets the base directory that the assembly resolver uses to probe for assemblies. Gets or sets the name of the configuration file for an application domain. Gets or sets the list of directories under the application base directory that are probed for private assemblies. Gets or set the friendly name. Gets an integer that uniquely identifies the application domain within the process. Gets the assemblies that have been loaded into the execution context of this application domain. A list of assemblies in this application domain. Process exit event. Domain unloaded event. Interface for fakeable the current . Not fully implemented, please methods/properties as necessary. Gets or sets the base directory that the assembly resolver uses to probe for assemblies. Gets or sets the name of the configuration file for an application domain. Gets or sets the list of directories under the application base directory that are probed for private assemblies. Gets or set the friendly name. Gets an integer that uniquely identifies the application domain within the process. Gets the assemblies that have been loaded into the execution context of this application domain. A list of assemblies in this application domain. Process exit event. Domain unloaded event. Abstract calls for the application environment Abstract calls to FileSystem Determines whether the specified file exists. The file to check. Returns the content of the specified file The file to load. Base class for optimized file appenders. Initializes a new instance of the class. Name of the file. The create parameters. Gets the path of the file, including file extension. The name of the file. Gets or sets the creation time for a file associated with the appender. The time returned is in Coordinated Universal Time [UTC] standard. The creation time of the file. Gets or sets the creation time for a file associated with the appender. Synchronized by The time format is based on Gets the last time the file associated with the appender is opened. The time returned is in Coordinated Universal Time [UTC] standard. The time the file was last opened. Gets the file creation parameters. The file creation parameters. Writes the specified bytes. The bytes. Flushes this instance. Closes this instance. Gets the creation time for a file associated with the appender. The time returned is in Coordinated Universal Time [UTC] standard. The file creation time. Gets the length in bytes of the file associated with the appender. A long value representing the length of the file in bytes. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Releases unmanaged and - optionally - managed resources. True to release both managed and unmanaged resources; false to release only unmanaged resources. Creates the file stream. If set to true sets the file stream to allow shared writing. If larger than 0 then it will be used instead of the default BufferSize for the FileStream. A object which can be used to write to the file. Base class for optimized file appenders which require the usage of a mutex. It is possible to use this class as replacement of BaseFileAppender and the mutex functionality is not enforced to the implementing subclasses. Initializes a new instance of the class. Name of the file. The create parameters. Gets the mutually-exclusive lock for archiving files. The mutex for archiving. Releases unmanaged and - optionally - managed resources. True to release both managed and unmanaged resources; false to release only unmanaged resources. Creates a mutex that is sharable by more than one process. The prefix to use for the name of the mutex. A object which is sharable by multiple processes. Implementation of which caches file information. Initializes a new instance of the class. Name of the file. The parameters. Closes this instance of the appender. Flushes this current appender. Gets the creation time for a file associated with the appender. The time returned is in Coordinated Universal Time [UTC] standard. The file creation time. Gets the length in bytes of the file associated with the appender. A long value representing the length of the file in bytes. Writes the specified bytes to a file. The bytes array. The bytes array offset. The number of bytes. Factory class which creates objects. Opens the appender for given file name and parameters. Name of the file. Creation parameters. Instance of which can be used to write to the file. Maintains a collection of file appenders usually associated with file targets. An "empty" instance of the class with zero size and empty list of appenders. Initializes a new "empty" instance of the class with zero size and empty list of appenders. Initializes a new instance of the class. The size of the list should be positive. No validations are performed during initialisation as it is an intenal class. Total number of appenders allowed in list. Factory used to create each appender. Parameters used for creating a file. The archive file path pattern that is used to detect when archiving occurs. Invalidates appenders for all files that were archived. Gets the parameters which will be used for creating a file. Gets the file appender factory used by all the appenders in this list. Gets the number of appenders which the list can hold. Subscribe to background monitoring of active file appenders It allocates the first slot in the list when the file name does not already in the list and clean up any unused slots. File name associated with a single appender. The allocated appender. Thrown when is called on an Empty instance. Close all the allocated appenders. Close the allocated appenders initialized before the supplied time. The time which prior the appenders considered expired Fluch all the allocated appenders. File Archive Logic uses the File-Creation-TimeStamp to detect if time to archive, and the File-LastWrite-Timestamp to name the archive-file. NLog always closes all relevant appenders during archive operation, so no need to lookup file-appender Closes the specified appender and removes it from the list. File name of the appender to be closed. File Appender that matched the filePath (null if none found) Interface that provides parameters for create file function. Gets or sets the delay in milliseconds to wait before attempting to write to the file again. Gets or sets the number of times the write is appended on the file before NLog discards the log message. Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on the same host. This makes multi-process logging possible. NLog uses a special technique that lets it keep the files open for writing. Gets or sets a value indicating whether to create directories if they do not exist. Setting this to false may improve performance a bit, but you'll receive an error when attempting to write to a directory that's not present. Gets or sets a value indicating whether to enable log file(s) to be deleted. Gets or sets the log file buffer size in bytes. Gets or set a value indicating whether a managed file stream is forced, instead of using the native implementation. Gets or sets the file attributes (Windows only). Should archive mutex be created? Should manual simple detection of file deletion be enabled? Interface implemented by all factories capable of creating file appenders. Opens the appender for given file name and parameters. Name of the file. Creation parameters. Instance of which can be used to write to the file. Provides a multiprocess-safe atomic file appends while keeping the files open. On Unix you can get all the appends to be atomic, even when multiple processes are trying to write to the same file, because setting the file pointer to the end of the file and appending can be made one operation. On Win32 we need to maintain some synchronization between processes (global named mutex is used for this) Initializes a new instance of the class. Name of the file. The parameters. Writes the specified bytes. The bytes array. The bytes array offset. The number of bytes. Closes this instance. Flushes this instance. Gets the creation time for a file associated with the appender. The time returned is in Coordinated Universal Time [UTC] standard. The file creation time. Gets the length in bytes of the file associated with the appender. A long value representing the length of the file in bytes. Factory class. Opens the appender for given file name and parameters. Name of the file. Creation parameters. Instance of which can be used to write to the file. Appender used to discard data for the FileTarget. Used mostly for testing entire stack except the actual writing to disk. Throws away all data. Factory class. Opens the appender for given file name and parameters. Name of the file. Creation parameters. Instance of which can be used to write to the file. Multi-process and multi-host file appender which attempts to get exclusive write access and retries if it's not available. Initializes a new instance of the class. Name of the file. The parameters. Writes the specified bytes. The bytes array. The bytes array offset. The number of bytes. Flushes this instance. Closes this instance. Gets the creation time for a file associated with the appender. The time returned is in Coordinated Universal Time [UTC] standard. The file creation time. Gets the length in bytes of the file associated with the appender. A long value representing the length of the file in bytes. Factory class. Opens the appender for given file name and parameters. Name of the file. Creation parameters. Instance of which can be used to write to the file. Optimized single-process file appender which keeps the file open for exclusive write. Initializes a new instance of the class. Name of the file. The parameters. Writes the specified bytes. The bytes array. The bytes array offset. The number of bytes. Flushes this instance. Closes this instance. Gets the creation time for a file associated with the appender. The time returned is in Coordinated Universal Time [UTC] standard. The file creation time. Gets the length in bytes of the file associated with the appender. A long value representing the length of the file in bytes. Factory class. Opens the appender for given file name and parameters. Name of the file. Creation parameters. Instance of which can be used to write to the file. Provides a multiprocess-safe atomic file append while keeping the files open. Initializes a new instance of the class. Name of the file. The parameters. Creates or opens a file in a special mode, so that writes are automatically as atomic writes at the file end. See also "UnixMultiProcessFileAppender" which does a similar job on *nix platforms. File to create or open Writes the specified bytes. The bytes array. The bytes array offset. The number of bytes. Closes this instance. Flushes this instance. Gets the length in bytes of the file associated with the appender. A long value representing the length of the file in bytes. Factory class. Opens the appender for given file name and parameters. Name of the file. Creation parameters. Instance of which can be used to write to the file. An immutable object that stores basic file info. Constructs a FileCharacteristics object. The time the file was created in UTC. The time the file was last written to in UTC. The size of the file in bytes. The time the file was created in UTC. The time the file was last written to in UTC. The size of the file in bytes. Optimized routines to get the basic file characteristics of the specified file. Initializes static members of the FileCharacteristicsHelper class. Gets the information about a file. Name of the file. The file stream. The file characteristics, if the file information was retrieved successfully, otherwise null. A layout that represents a filePath. Cached directory separator char array to avoid memory allocation on each method call. Cached invalid filenames char array to avoid memory allocation everytime Path.GetInvalidFileNameChars() is called. not null when == false non null is fixed, is the cache-key, and when newly rendered filename matches the cache-key, then it reuses the cleaned cache-value . is the cache-value that is reused, when the newly rendered filename matches the cache-key Initializes a new instance of the class. Render the raw filename from Layout The log event. StringBuilder to minimize allocations [optional]. String representation of a layout. Convert the raw filename to a correct filename The filename generated by Layout. String representation of a correct filename. Is this (templated/invalid) path an absolute, relative or unknown? Is this (templated/invalid) path an absolute, relative or unknown? Convert object to string value format for conversion. If is null and isn't a already, then the will get a locked by Interface for the wrapper around System.Configuration.ConfigurationManager. Gets the wrapper around ConfigurationManager.AppSettings. Format a log message Format the message and return LogEvent with message to be formatted formatted message Has the logevent properties? LogEvent with message to be formatted False when logevent has no properties to be extracted Appends the logevent message to the provided StringBuilder LogEvent with message to be formatted The to append the formatted message. Get the Raw, unformatted and unstrinyfied, value Get the raw value The value RawValue supported? Interface implemented by layouts and layout renderers. Renders the the value of layout or layout renderer in the context of the specified log event. The log event. String representation of a layout. Supports mocking of SMTP Client code. Specifies how outgoing email messages will be handled. Gets or sets the name or IP address of the host used for SMTP transactions. Gets or sets the port used for SMTP transactions. Gets or sets a value that specifies the amount of time after which a synchronous Send call times out. Gets or sets the credentials used to authenticate the sender. Sends an e-mail message to an SMTP server for delivery. These methods block while the message is being transmitted. System.Net.Mail.MailMessage MailMessage A MailMessage that contains the message to send. Gets or sets the folder where applications save mail messages to be processed by the local SMTP server. Supports rendering as string value with limited or no allocations (preferred) Renders the value of layout renderer in the context of the specified log event null if not possible or unknown Supports object initialization and termination. Initializes this instance. The configuration. Closes this instance. Allows components to request stack trace information to be provided in the . Gets the level of stack trace information required by the implementing class. Render the event info as parse as short current layout default value when the render layout name for log message to internal log when logging fails Render the event info as parse as int current layout default value when the render layout name for log message to internal log when logging fails Render the event info as parse as bool current layout default value when the render layout name for log message to internal log when logging fails Logger configuration. Initializes a new instance of the class. The targets by level. Use the old exception log handling of NLog 3.0? Use the old exception log handling of NLog 3.0? This method was marked as obsolete before NLog 4.3.11 and it will be removed in NLog 5. Gets targets for the specified level. The level. Chain of targets with attached filters. When true: Do not fallback to StringBuilder.Format for positional templates New formatter When true: Do not fallback to StringBuilder.Format for positional templates The MessageFormatter delegate Most-Recently-Used-Cache, that discards less frequently used items on overflow Constructor Maximum number of items the cache will hold before discarding. Attempt to insert item into cache. Key of the item to be inserted in the cache. Value of the item to be inserted in the cache. true when the key does not already exist in the cache, false otherwise. Lookup existing item in cache. Key of the item to be searched in the cache. Output value of the item found in the cache. True when the key is found in the cache, false otherwise. Watches multiple files at the same time and raises an event whenever a single change is detected in any of those files. The types of changes to watch for. Occurs when a change is detected in one of the monitored files. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Stops watching all files. Stops watching the specified file. Watches the specified files for changes. The file names. Supports mocking of SMTP Client code. Disabled Error CS0618 'SmtpClient' is obsolete: 'SmtpClient and its network of types are poorly designed, we strongly recommend you use https://github.com/jstedfast/MailKit and https://github.com/jstedfast/MimeKit instead' Network sender which uses HTTP or HTTPS POST. Initializes a new instance of the class. The network URL. Actually sends the given text over the specified protocol. The bytes to be sent. Offset in buffer. Number of bytes to send. The async continuation to be invoked after the buffer has been sent. To be overridden in inheriting classes. Creates instances of objects for given URLs. Creates a new instance of the network sender based on a network URL. URL that determines the network sender to be created. The maximum queue size. SSL protcols for TCP KeepAliveTime for TCP A newly created network sender. Interface for mocking socket calls. A base class for all network senders. Supports one-way sending of messages over various protocols. Initializes a new instance of the class. The network URL. Gets the address of the network endpoint. Gets the last send time. Initializes this network sender. Closes the sender and releases any unmanaged resources. The continuation. Flushes any pending messages and invokes a continuation. The continuation. Send the given text over the specified protocol. Bytes to be sent. Offset in buffer. Number of bytes to send. The asynchronous continuation. Closes the sender and releases any unmanaged resources. Performs sender-specific initialization. Performs sender-specific close operation. The continuation. Performs sender-specific flush. The continuation. Actually sends the given text over the specified protocol. The bytes to be sent. Offset in buffer. Number of bytes to send. The async continuation to be invoked after the buffer has been sent. To be overridden in inheriting classes. Parses the URI into an endpoint address. The URI to parse. The address family. Parsed endpoint. Default implementation of . Socket proxy for mocking Socket code. Initializes a new instance of the class. The address family. Type of the socket. Type of the protocol. Gets underlying socket instance. Closes the wrapped socket. Invokes ConnectAsync method on the wrapped socket. The instance containing the event data. Result of original method. Invokes SendAsync method on the wrapped socket. The instance containing the event data. Result of original method. Invokes SendToAsync method on the wrapped socket. The instance containing the event data. Result of original method. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Sends messages over a TCP network connection. Initializes a new instance of the class. URL. Must start with tcp://. The address family. Creates the socket with given parameters. The host address. The address family. Type of the socket. Type of the protocol. Instance of which represents the socket. Performs sender-specific initialization. Closes the socket. The continuation. Performs sender-specific flush. The continuation. Sends the specified text over the connected socket. The bytes to be sent. Offset in buffer. Number of bytes to send. The async continuation to be invoked after the buffer has been sent. To be overridden in inheriting classes. Facilitates mocking of class. Raises the Completed event. Sends messages over the network as UDP datagrams. Initializes a new instance of the class. URL. Must start with udp://. The address family. Creates the socket. The address family. Type of the socket. Type of the protocol. Implementation of to use. Performs sender-specific initialization. Closes the socket. The continuation. Sends the specified text as a UDP datagram. The bytes to be sent. Offset in buffer. Number of bytes to send. The async continuation to be invoked after the buffer has been sent. To be overridden in inheriting classes. Scans (breadth-first) the object graph following all the edges whose are instances have attached and returns all objects implementing a specified interfaces. Finds the objects which have attached which are reachable from any of the given root objects when traversing the object graph over public properties. Type of the objects to return. Also search the properties of the wanted objects. The root objects. Ordered list of objects implementing T. ISet is not there in .net35, so using HashSet Converts object into a List of property-names and -values using reflection Scans properties for name (Skips string-compare and value-lookup until finding match) Scans properties for name (Skips property value lookup until finding match) Scans properties for name Binder for retrieving value of Combine paths basepath, not null optional dir optional file Cached directory separator char array to avoid memory allocation on each method call. Trims directory separators from the path path, could be null never null Detects the platform the NLog is running on. Gets the current runtime OS. Gets a value indicating whether current OS is Win32-based (desktop or mobile). Gets a value indicating whether current OS is Unix-based. Gets a value indicating whether current runtime is Mono-based Gets a value indicating whether current runtime supports use of mutex Will creating a mutex succeed runtime? "Cached" detection Will creating a mutex succeed runtime? Portable implementation of . Gets the information about a file. Name of the file. The file stream. The file characteristics, if the file information was retrieved successfully, otherwise null. Portable implementation of . Initializes a new instance of the class. Gets current process ID. Gets current process name. Returns details about current process and thread in a portable manner. Gets the singleton instance of PortableThreadIDHelper or Win32ThreadIDHelper depending on runtime environment. The instance. Gets current process ID. Gets current process absolute file path. Gets current process name (excluding filename extension, if any). Initializes the ThreadIDHelper class. Dictionary that combines the standard with the MessageTemplate-properties extracted from the . The are returned as the first items in the collection, and in positional order. Value of the property Is this a property of the message? Value of the property Is this a property of the message? The properties of the logEvent The properties extracted from the message Injects the list of message-template-parameter into the IDictionary-interface Message-template-parameters Check if the message-template-parameters can be used directly without allocating a dictionary Message-template-parameters Are all parameter names unique (true / false) Attempt to insert the message-template-parameters into an empty dictionary Message-template-parameters The initially empty dictionary Message-template-parameters was inserted into dictionary without trouble (true/false) Attempt to override the existing dictionary values using the message-template-parameters Message-template-parameters The already filled dictionary List of unique message-template-parameters Will always throw, as collection is readonly Will always throw, as collection is readonly Will always throw, as collection is readonly Reflection helpers for accessing properties. Set value parsed from string. object instance to set with property name of the property on The value to be parsed. Is the property of array-type? Type which has the property name of the property. Get propertyinfo object which could have property propertyname on result when success. success. Try parse of string to (Generic) list, comma separated. If there is a comma in the value, then (single) quote the value. For single quotes, use the backslash as escape Reflection helpers. Gets all usable exported types from the given assembly. Assembly to scan. Usable types from the given assembly. Types which cannot be loaded are skipped. Is this a static class? This is a work around, as Type doesn't have this property. From: https://stackoverflow.com/questions/1175888/determine-if-a-type-is-static Optimized delegate for calling MethodInfo Object instance, use null for static methods. Complete list of parameters that matches the method, including optional/default parameters. Creates an optimized delegate for calling the MethodInfo using Expression-Trees Method to optimize Optimized delegate for invoking the MethodInfo Controls a single allocated AsyncLogEventInfo-List for reuse (only one active user) Controls a single allocated char[]-buffer for reuse (only one active user) Controls a single allocated StringBuilder for reuse (only one active user) Controls a single allocated object for reuse (only one active user) Empty handle when is disabled Creates handle to the reusable char[]-buffer for active usage Handle to the reusable item, that can release it again Access the acquired reusable object Controls a single allocated MemoryStream for reuse (only one active user) Supported operating systems. If you add anything here, make sure to add the appropriate detection code to Unknown operating system. Unix/Linux operating systems. Desktop versions of Windows (95,98,ME). Windows NT, 2000, 2003 and future versions based on NT technology. Macintosh Mac OSX Simple character tokenizer. Initializes a new instance of the class. The text to be tokenized. Current position in Full text to be parsed Check current char while not changing the position. Read the current char and change position Get the substring of the Implements a single-call guard around given continuation function. Initializes a new instance of the class. The asynchronous continuation. Continuation function which implements the single-call guard. The exception. HashSet optimized for single item Insert single item on scope start, and remove on scope exit Item to insert in scope Existing hashset to update Force allocation of real hashset-container HashSet EqualityComparer Add item to collection, if it not already exists Item to insert Clear hashset Check if hashset contains item Item exists in hashset (true/false) Remove item from hashset Item removed from hashset (true/false) Copy items in hashset to array Destination array Array offset Create hashset enumerator Enumerator Provides helpers to sort log events and associated continuations. Key selector delegate. The type of the value. The type of the key. Value to extract key information from. Key selected from log event. Performs bucket sort (group by) on an array of items and returns a dictionary for easy traversal of the result set. The type of the value. The type of the key. The inputs. The key selector function. Dictionary where keys are unique input keys, and values are lists of . Performs bucket sort (group by) on an array of items and returns a dictionary for easy traversal of the result set. The type of the value. The type of the key. The inputs. The key selector function. Dictionary where keys are unique input keys, and values are lists of . Performs bucket sort (group by) on an array of items and returns a dictionary for easy traversal of the result set. The type of the value. The type of the key. The inputs. The key selector function. The key comparer function. Dictionary where keys are unique input keys, and values are lists of . Single-Bucket optimized readonly dictionary. Uses normal internally Dictionary if multiple buckets are needed. Avoids allocating a new dictionary, when all items are using the same bucket The type of the key. The type of the value. Allows direct lookup of existing keys. If trying to access non-existing key exception is thrown. Consider to use instead for better safety. Key value for lookup Mapped value found Non-Allocating struct-enumerator Will always throw, as dictionary is readonly Will always throw, as dictionary is readonly Will always throw, as dictionary is readonly Will always throw, as dictionary is readonly Will always throw, as dictionary is readonly Utilities for dealing with values. Gets the fully qualified name of the class invoking the calling method, including the namespace but not the assembly. Gets the fully qualified name of the class invoking the calling method, including the namespace but not the assembly. StackFrame from the calling method Fully qualified class name Returns the assembly from the provided StackFrame (If not internal assembly) Valid asssembly, or null if assembly was internal Returns the classname from the provided StackFrame (If not from internal assembly) Valid class name, or empty string if assembly was internal Stream helpers Copy to output stream and skip BOM if encoding is UTF8 Copy stream input to output. Skip the first bytes stream to read from stream to write to .net35 doesn't have a .copyto Copy stream input to output. Skip the first bytes stream to read from stream to write to first bytes to skip (optional) Helpers for , which is used in e.g. layout renderers. Renders the specified log event context item and appends it to the specified . append to this value to be appended formatstring. If @, then serialize the value with the Default JsonConverter. provider, for example culture Appends int without using culture, and most importantly without garbage value to append Appends uint without using culture, and most importantly without garbage Credits Gavin Pugh - https://www.gavpugh.com/2010/04/01/xnac-avoiding-garbage-when-working-with-stringbuilder/ value to append Clears the provider StringBuilder Copies the contents of the StringBuilder to the MemoryStream using the specified encoding (Without BOM/Preamble) StringBuilder source MemoryStream destination Encoding used for converter string into byte-stream Helper char-buffer to minimize memory allocations Copies the contents of the StringBuilder to the destination StringBuilder StringBuilder source StringBuilder destination Scans the StringBuilder for the position of needle character StringBuilder source needle character to search for Index of the first occurrence (Else -1) Scans the StringBuilder for the position of needle character StringBuilder source needle characters to search for Index of the first occurrence (Else -1) Compares the contents of two StringBuilders Correct implementation of that also works when is not the same True when content is the same Compares the contents of a StringBuilder and a String True when content is the same Append a number and pad with 0 to 2 digits append to this the number Append a number and pad with 0 to 4 digits append to this the number Append a int type (byte, int) as string Constructor Max number of items Initial StringBuilder Size Max StringBuilder Size Takes StringBuilder from pool Allow return to pool Releases StringBuilder back to pool at its right place Keeps track of acquired pool item Releases pool item back into pool Helpers for . IsNullOrWhiteSpace, including for .NET 3.5 Split a string Split string with escape. The escape char is the same as the splitchar split char. escaped also with this char Split string with escape Split a string, optional quoted value Text to split Character to split the Quote character Escape for the , not escape for the , use quotes for that. Represents target with a chain of filters which determine whether logging should happen. cached result as calculating is expensive. Initializes a new instance of the class. The target. The filter chain. Default action if none of the filters match. Gets the target. The target. Gets the filter chain. The filter chain. Default action if none of the filters match. Gets or sets the next item in the chain. The next item in the chain. This is for example the 'target2' logger in writeTo='target1,target2' Gets the stack trace usage. A value that determines stack trace handling. Helper for dealing with thread-local storage. Allocates the data slot for storing thread-local information. Allocated slot key. Gets the data for a slot in thread-local storage. Type of the data. The slot to get data for. Automatically create the object if it doesn't exist. Slot data (will create T if null). Wraps with a timeout. Initializes a new instance of the class. The asynchronous continuation. The timeout. Continuation function which implements the timeout logic. The exception. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. URL Encoding helper. Allow UnreservedMarks instead of ReservedMarks, as specified by chosen RFC Use RFC2396 standard (instead of RFC3986) Should use lowercase when doing HEX escaping of special characters Replace space ' ' with '+' instead of '%20' Skip UTF8 encoding, and prefix special characters with '%u' Escape unicode string data for use in http-requests unicode string-data to be encoded target for the encoded result s for how to perform the encoding Convert the wide-char into utf8-bytes, and then escape Is allowed? Is a-z / A-Z / 0-9 Win32-optimized implementation of . Gets the information about a file. Name of the file. The file stream. The file characteristics, if the file information was retrieved successfully, otherwise null. Win32-optimized implementation of . Initializes a new instance of the class. Gets current process ID. Gets current process absolute file path. Prevents the Xamarin linker from linking the target. By applying this attribute all of the members of the target will be kept as if they had been referenced by the code. Ensures that all members of this type are preserved Flags the method as a method to preserve during linking if the container class is pulled in. Helper class for XML removes any unusual unicode characters that can't be encoded into XML Cleans string of any invalid XML chars found unclean string string with only valid XML chars Pretest, small text and not escape needed Converts object value to invariant format, and strips any invalid xml-characters Object value Object value converted to string Converts object value to invariant format (understood by JavaScript) Object value Object value converted to string XML elements must follow these naming rules: - Element names are case-sensitive - Element names must start with a letter or underscore - Element names can contain letters, digits, hyphens, underscores, and periods - Element names cannot contain spaces Converts object value to invariant format (understood by JavaScript) Object value Object TypeCode Check and remove unusual unicode characters from the result string. Object value converted to string Safe version of WriteAttributeString Safe version of WriteAttributeString Safe version of WriteElementSafeString Safe version of WriteCData Provides an interface to execute System.Actions without surfacing any exceptions raised for that action. Runs the provided action. If the action throws, the exception is logged at Error level. The exception is not propagated outside of this method. Action to execute. Runs the provided function and returns its result. If an exception is thrown, it is logged at Error level. The exception is not propagated outside of this method; a default value is returned instead. Return type of the provided function. Function to run. Result returned by the provided function or the default value of type in case of exception. Runs the provided function and returns its result. If an exception is thrown, it is logged at Error level. The exception is not propagated outside of this method; a fallback value is returned instead. Return type of the provided function. Function to run. Fallback value to return in case of exception. Result returned by the provided function or fallback value in case of exception. Logs an exception is logged at Error level if the provided task does not run to completion. The task for which to log an error if it does not run to completion. This method is useful in fire-and-forget situations, where application logic does not depend on completion of task. This method is avoids C# warning CS4014 in such situations. Returns a task that completes when a specified task to completes. If the task does not run to completion, an exception is logged at Error level. The returned task always runs to completion. The task for which to log an error if it does not run to completion. A task that completes in the state when completes. Runs async action. If the action throws, the exception is logged at Error level. The exception is not propagated outside of this method. Async action to execute. A task that completes in the state when completes. Runs the provided async function and returns its result. If the task does not run to completion, an exception is logged at Error level. The exception is not propagated outside of this method; a default value is returned instead. Return type of the provided function. Async function to run. A task that represents the completion of the supplied task. If the supplied task ends in the state, the result of the new task will be the result of the supplied task; otherwise, the result of the new task will be the default value of type . Runs the provided async function and returns its result. If the task does not run to completion, an exception is logged at Error level. The exception is not propagated outside of this method; a fallback value is returned instead. Return type of the provided function. Async function to run. Fallback value to return if the task does not end in the state. A task that represents the completion of the supplied task. If the supplied task ends in the state, the result of the new task will be the result of the supplied task; otherwise, the result of the new task will be the fallback value. Render a message template property to a string Serialization of an object, e.g. JSON and append to The object to serialize to string. Parameter Format Parameter CaptureType An object that supplies culture-specific formatting information. Output destination. Serialize succeeded (true/false) Log event context data. Initializes a new instance of the class. Gets or sets string that will be used to separate key/value pairs. Get or set if empty values should be included. A value is empty when null or in case of a string, null or empty string. Also render the caller information attributes? (, , ). See https://msdn.microsoft.com/en-us/library/hh534540.aspx Gets or sets how key/value pairs will be formatted. Renders all log event's properties and appends them to the specified . The to append the rendered data to. Logging event. The names of caller information attributes. https://msdn.microsoft.com/en-us/library/hh534540.aspx TODO NLog ver. 5 - Remove these properties Also render the call attributes? (, , ). Designates a property of the class as an ambient property. non-ambient: ${uppercase:${level}} ambient : ${level:uppercase} Initializes a new instance of the class. Ambient property name. Used to render the application domain name. Create a new renderer Create a new renderer Format string. Possible values: "Short", "Long" or custom like {0} {1}. Default "Long" The first parameter is the , the second the second the This string is used in Application setting. Use this layout renderer to insert the value of an application setting stored in the application's App.config or Web.config file. ${appsetting:item=mysetting:default=mydefault} - produces "mydefault" if no appsetting The AppSetting item-name The AppSetting item-name The default value to render if the AppSetting value is null. Renders the specified application setting or default value and appends it to the specified . The to append the rendered data to. Logging event. Renders the assembly version information for the entry assembly or a named assembly. As this layout renderer uses reflection and version information is unlikely to change during application execution, it is recommended to use it in conjunction with the . The entry assembly can't be found in some cases e.g. ASP.NET, unit tests, etc. Initializes a new instance of the class. The (full) name of the assembly. If null, using the entry assembly. Gets or sets the type of assembly version to retrieve. Some version type and platform combinations are not fully supported. - UWP earlier than .NET Standard 1.5: Value for is always returned unless the parameter is specified. - Silverlight: Value for is always returned. Gets or sets the custom format of the assembly version output. Supported placeholders are 'major', 'minor', 'build' and 'revision'. The default .NET template for version numbers is 'major.minor.build.revision'. See https://docs.microsoft.com/en-gb/dotnet/api/system.version?view=netframework-4.7.2#remarks for details. Initializes the layout renderer. Closes the layout renderer. Renders an assembly version and appends it to the specified . The to append the rendered data to. Logging event. Gets the assembly specified by , or entry assembly otherwise Found assembly Type of assembly version to retrieve. Gets the assembly version. Gets the file version. Gets additional version information. The current application domain's base directory. cached Use base dir of current process. Initializes a new instance of the class. Initializes a new instance of the class. Gets or sets the name of the file to be Path.Combine()'d with with the base directory. Gets or sets the name of the directory to be Path.Combine()'d with with the base directory. Renders the application base directory and appends it to the specified . The to append the rendered data to. Logging event. The call site source file name. Full callsite Gets or sets a value indicating whether to include source file path. Gets or sets the number of frames to skip. Gets the level of stack trace information required by the implementing class. The call site (class name, method name and source information). Initializes a new instance of the class. Gets or sets a value indicating whether to render the class name. Gets or sets a value indicating whether to render the include the namespace with . Gets or sets a value indicating whether to render the method name. Gets or sets a value indicating whether the method name will be cleaned up if it is detected as an anonymous delegate. Gets or sets a value indicating whether the method and class names will be cleaned up if it is detected as an async continuation (everything after an await-statement inside of an async method). Gets or sets the number of frames to skip. Gets or sets a value indicating whether to render the source file name and line number. Gets or sets a value indicating whether to include source file path. Gets the level of stack trace information required by the implementing class. Renders the call site and appends it to the specified . The to append the rendered data to. Logging event. The call site source line number. Full callsite Gets or sets the number of frames to skip. Gets the level of stack trace information required by the implementing class. A counter value (increases on each layout rendering). Gets or sets the initial value of the counter. Gets or sets the value to be added to the counter after each layout rendering. Gets or sets the name of the sequence. Different named sequences can have individual values. The current working directory of the application. Gets or sets the name of the file to be Path.Combine()'d with the current directory. Gets or sets the name of the directory to be Path.Combine()'d with the current directory. Current date and time. Initializes a new instance of the class. Gets or sets the culture used for rendering. Gets or sets the date format. Can be any argument accepted by DateTime.ToString(format). Gets or sets a value indicating whether to output UTC time instead of local time. DB null for a database The environment variable. Gets or sets the name of the environment variable. Gets or sets the default value to be used when the environment variable is not set. Thread identity information (username). Initializes a new instance of the class. Gets or sets a value indicating whether username should be included. Gets or sets a value indicating whether domain name should be included. Gets or sets the default value to be used when the User is not set. Gets or sets the default value to be used when the Domain is not set. Log event context data. This class was marked as obsolete on NLog 2.0 and it may be removed in a future release. Gets or sets the name of the item. Renders the specified log event context item and appends it to the specified . The to append the rendered data to. Logging event. Log event context data. See . Gets or sets the name of the item. Format string for conversion from object to string. Gets or sets the culture used for rendering. Gets or sets the object-property-navigation-path for lookup of nested property Exception information provided through a call to one of the Logger.*Exception() methods. Initializes a new instance of the class. Gets or sets the format of the output. Must be a comma-separated list of exception properties: Message, Type, ShortType, ToString, Method, StackTrace. This parameter value is case-insensitive. Gets or sets the format of the output of inner exceptions. Must be a comma-separated list of exception properties: Message, Type, ShortType, ToString, Method, StackTrace. This parameter value is case-insensitive. Gets or sets the separator used to concatenate parts specified in the Format. Gets or sets the separator used to concatenate exception data specified in the Format. Gets or sets the maximum number of inner exceptions to include in the output. By default inner exceptions are not enabled for compatibility with NLog 1.0. Gets or sets the separator between inner exceptions. Gets the formats of the output of inner exceptions to be rendered in target. Gets the formats of the output to be rendered in target. Appends the Message of an Exception to the specified . The to append the rendered data to. The exception containing the Message to append. Appends the method name from Exception's stack trace to the specified . The to append the rendered data to. The Exception whose method name should be appended. Appends the stack trace from an Exception to the specified . The to append the rendered data to. The Exception whose stack trace should be appended. Appends the result of calling ToString() on an Exception to the specified . The to append the rendered data to. The Exception whose call to ToString() should be appended. Appends the type of an Exception to the specified . The to append the rendered data to. The Exception whose type should be appended. Appends the short type of an Exception to the specified . The to append the rendered data to. The Exception whose short type should be appended. Appends the contents of an Exception's Data property to the specified . The to append the rendered data to. The Exception whose Data property elements should be appended. Appends all the serialized properties of an Exception into the specified . The to append the rendered data to. The Exception whose properties should be appended. Split the string and then compile into list of Rendering formats. Renders contents of the specified file. Initializes a new instance of the class. Gets or sets the name of the file. Gets or sets the encoding used in the file. The encoding. Renders the contents of the specified file and appends it to the specified . The to append the rendered data to. Logging event. A layout renderer which could have different behavior per instance by using a . Create a new. Name without ${}. Method that renders the layout. Name used in config without ${}. E.g. "test" could be used as "${test}". Method that renders the layout. The information about the garbage collector. Gets or sets the property to retrieve. Gets or sets the property of System.GC to retrieve. Total memory allocated. Total memory allocated (perform full garbage collection first). Gets the number of Gen0 collections. Gets the number of Gen1 collections. Gets the number of Gen2 collections. Maximum generation number supported by GC. Render a Global Diagnostics Context item. See Gets or sets the name of the item. Format string for conversion from object to string. Globally-unique identifier (GUID). Gets or sets the GUID format as accepted by Guid.ToString() method. Generate the Guid from the NLog LogEvent (Will be the same for all targets) The host name that the process is running on. Gets the host name and falls back to computer name if not available Tries the lookup value. The lookup function. Type of the lookup. Thread identity information (name and authentication information). Gets or sets the separator to be used when concatenating parts of identity information. Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.Name. Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.AuthenticationType. Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.IsAuthenticated. Installation parameter (passed to InstallNLogConfig). Gets or sets the name of the parameter. Renders the specified installation parameter and appends it to the specified . The to append the rendered data to. Logging event. Render environmental information related to logging events. Gets the logging configuration this target is part of. Returns a that represents this instance. A that represents this instance. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Renders the the value of layout renderer in the context of the specified log event. The log event. String representation of a layout renderer. Initializes this instance. The configuration. Closes this instance. Initializes this instance. The configuration. Closes this instance. Renders the value of layout renderer in the context of the specified log event. The log event. The layout render output is appended to builder Renders the value of layout renderer in the context of the specified log event into . The to append the rendered data to. Logging event. Initializes the layout renderer. Closes the layout renderer. Releases unmanaged and - optionally - managed resources. True to release both managed and unmanaged resources; false to release only unmanaged resources. Get the for rendering the messages to a LogEvent with culture Culture in on Layout level Get the for rendering the messages to a , needed for date and number formats LogEvent with culture Culture in on Layout level is preferred Register a custom layout renderer. Short-cut for registing to default Type of the layout renderer. Name of the layout renderer - without ${}. Register a custom layout renderer. Short-cut for registering to default Type of the layout renderer. Name of the layout renderer - without ${}. Register a custom layout renderer with a callback function . The callback receives the logEvent. Name of the layout renderer - without ${}. Callback that returns the value for the layout renderer. Register a custom layout renderer with a callback function . The callback recieves the logEvent and the current configuration. Name of the layout renderer - without ${}. Callback that returns the value for the layout renderer. Marks class as a layout renderer and assigns a name to it. This attribute is not required when registering the layout in the API. Initializes a new instance of the class. Name of the layout renderer, without the `${ }` Format of the ${level} layout renderer output. Render the full level name. Render the first character of the level. Render the ordinal (aka number) for the level. The log level. Gets or sets a value indicating the output format of the level. A string literal. This is used to escape '${' sequence as ;${literal:text=${}' Initializes a new instance of the class. Initializes a new instance of the class. The literal text value. This is used by the layout compiler. Gets or sets the literal text. Renders the specified string literal and appends it to the specified . The to append the rendered data to. Logging event. XML event description compatible with log4j, Chainsaw and NLogViewer. Initializes a new instance of the class. Initializes a new instance of the class. Initializes the layout renderer. Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. Gets or sets a value indicating whether the XML should use spaces for indentation. Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets a value indicating whether to include contents of the stack. Gets or sets the NDLC item separator. Gets or sets the option to include all properties from the log events Gets or sets a value indicating whether to include contents of the stack. Gets or sets the NDC item separator. Gets or sets the log4j:event logger-xml-attribute (Default ${logger}) Gets the level of stack trace information required by the implementing class. Renders the XML logging event and appends it to the specified . The to append the rendered data to. Logging event. The logger name. Gets or sets a value indicating whether to render short logger name (the part after the trailing dot character). The date and time in a long, sortable format yyyy-MM-dd HH:mm:ss.ffff. Gets or sets a value indicating whether to output UTC time instead of local time. Renders the date in the long format (yyyy-MM-dd HH:mm:ss.ffff) and appends it to the specified . The to append the rendered data to. Logging event. The machine name that the process is running on. Render a Mapped Diagnostic Context item, See Gets or sets the name of the item. Format string for conversion from object to string. Render a Mapped Diagnostic Logical Context item (based on CallContext). See Gets or sets the name of the item. Format string for conversion from object to string. The formatted log message. Initializes a new instance of the class. Gets or sets a value indicating whether to log exception along with message. Gets or sets the string that separates message from the exception. Gets or sets whether it should render the raw message without formatting parameters Render a Nested Diagnostic Context item. See Initializes a new instance of the class. Gets or sets the number of top stack frames to be rendered. Gets or sets the number of bottom stack frames to be rendered. Gets or sets the separator to be used for concatenating nested diagnostics context output. Renders the specified Nested Diagnostics Context item and appends it to the specified . The to append the rendered data to. Logging event. Render a Nested Diagnostic Logical Context item (Async scope) See Initializes a new instance of the class. Gets or sets the number of top stack frames to be rendered. Gets or sets the number of bottom stack frames to be rendered. Gets or sets the separator to be used for concatenating nested logical context output. Renders the specified Nested Logical Context item and appends it to the specified . The to append the rendered data to. Logging event. Timing Renderer (Async scope) Gets or sets whether to only include the duration of the last scope created Gets or sets whether to just display the scope creation time, and not the duration Gets or sets the TimeSpan format. Can be any argument accepted by TimeSpan.ToString(format). Renders the timing details of the Nested Logical Context item and appends it to the specified . The to append the rendered data to. Logging event. A newline literal. Renders the specified string literal and appends it to the specified . The to append the rendered data to. Logging event. The directory where NLog.dll is located. Initializes static members of the NLogDirLayoutRenderer class. Gets or sets the name of the file to be Path.Combine()'d with the directory name. Gets or sets the name of the directory to be Path.Combine()'d with the directory name. Initializes the layout renderer. Closes the layout renderer. Renders the directory where NLog is located and appends it to the specified . The to append the rendered data to. Logging event. The performance counter. Gets or sets the name of the counter category. Gets or sets the name of the performance counter. Gets or sets the name of the performance counter instance (e.g. this.Global_). Gets or sets the name of the machine to read the performance counter from. Format string for conversion from float to string. Gets or sets the culture used for rendering. If having multiple instances with the same process-name, then they will get different instance names The identifier of the current process. The information about the running process. Gets or sets the property to retrieve. Gets or sets the format-string to use if the property supports it (Ex. DateTime / TimeSpan / Enum) Property of System.Diagnostics.Process to retrieve. Base Priority. Exit Code. Exit Time. Process Handle. Handle Count. Whether process has exited. Process ID. Machine name. Handle of the main window. Title of the main window. Maximum Working Set. Minimum Working Set. Non-paged System Memory Size. Non-paged System Memory Size (64-bit). Paged Memory Size. Paged Memory Size (64-bit).. Paged System Memory Size. Paged System Memory Size (64-bit). Peak Paged Memory Size. Peak Paged Memory Size (64-bit). Peak Virtual Memory Size. Peak Virtual Memory Size (64-bit).. Peak Working Set Size. Peak Working Set Size (64-bit). Whether priority boost is enabled. Priority Class. Private Memory Size. Private Memory Size (64-bit). Privileged Processor Time. Process Name. Whether process is responding. Session ID. Process Start Time. Total Processor Time. User Processor Time. Virtual Memory Size. Virtual Memory Size (64-bit). Working Set Size. Working Set Size (64-bit). The name of the current process. Gets or sets a value indicating whether to write the full path to the process executable. Renders the current process name (optionally with a full path). The to append the rendered data to. Logging event. The process time in format HH:mm:ss.mmm. Gets or sets a value indicating whether to output in culture invariant format Write timestamp to builder with format hh:mm:ss:fff High precision timer, based on the value returned from QueryPerformanceCounter() optionally converted to seconds. Gets or sets a value indicating whether to normalize the result by subtracting it from the result of the first call (so that it's effectively zero-based). Gets or sets a value indicating whether to output the difference between the result of QueryPerformanceCounter and the previous one. Gets or sets a value indicating whether to convert the result to seconds by dividing by the result of QueryPerformanceFrequency(). Gets or sets the number of decimal digits to be included in output. Gets or sets a value indicating whether to align decimal point (emit non-significant zeros). A value from the Registry. Create new renderer Gets or sets the registry value name. Gets or sets the value to be output when the specified registry key or value is not found. Require escaping backward slashes in . Need to be backwards-compatible. When true: `\` in value should be configured as `\\` `\\` in value should be configured as `\\\\`. Default value wasn't a Layout before and needed an escape of the slash Gets or sets the registry view (see: https://msdn.microsoft.com/de-de/library/microsoft.win32.registryview.aspx). Allowed values: Registry32, Registry64, Default Gets or sets the registry key. HKCU\Software\NLogTest Possible keys:
  • HKEY_LOCAL_MACHINE
  • HKLM
  • HKEY_CURRENT_USER
  • HKCU
  • HKEY_CLASSES_ROOT
  • HKEY_USERS
  • HKEY_CURRENT_CONFIG
  • HKEY_DYN_DATA
  • HKEY_PERFORMANCE_DATA
Reads the specified registry key and value and appends it to the passed . The to append the rendered data to. Logging event. Ignored. Has ? Parse key to and subkey. full registry key name Result of parsing, never null. Aliases for the hives. See https://msdn.microsoft.com/en-us/library/ctb3kd86(v=vs.110).aspx The sequence ID The short date in a sortable format yyyy-MM-dd. Gets or sets a value indicating whether to output UTC time instead of local time. Renders the current short date string (yyyy-MM-dd) and appends it to the specified . The to append the rendered data to. Logging event. System special folder path (includes My Documents, My Music, Program Files, Desktop, and more). Gets or sets the system special folder to use. Full list of options is available at MSDN. The most common ones are:
  • ApplicationData - roaming application data for current user.
  • CommonApplicationData - application data for all users.
  • MyDocuments - My Documents
  • DesktopDirectory - Desktop directory
  • LocalApplicationData - non roaming application data
  • Personal - user profile directory
  • System - System directory
Gets or sets the name of the file to be Path.Combine()'d with the directory name. Gets or sets the name of the directory to be Path.Combine()'d with the directory name. Renders the directory where NLog is located and appends it to the specified . The to append the rendered data to. Logging event. Format of the ${stacktrace} layout renderer output. Raw format (multiline - as returned by StackFrame.ToString() method). Flat format (class and method names displayed in a single line). Detailed flat format (method signatures displayed in a single line). Stack trace renderer. Initializes a new instance of the class. Gets or sets the output format of the stack trace. Gets or sets the number of top stack frames to be rendered. Gets or sets the number of frames to skip. Gets or sets the stack frame separator string. Gets the level of stack trace information required by the implementing class. Renders the call site and appends it to the specified . The to append the rendered data to. Logging event. A temporary directory. Gets or sets the name of the file to be Path.Combine()'d with the directory name. Gets or sets the name of the directory to be Path.Combine()'d with the directory name. Renders the directory where NLog is located and appends it to the specified . The to append the rendered data to. Logging event. The identifier of the current thread. The name of the current thread. The Ticks value of current date and time. The time in a 24-hour, sortable format HH:mm:ss.mmmm. Gets or sets a value indicating whether to output UTC time instead of local time. Gets or sets a value indicating whether to output in culture invariant format A renderer that puts into log a System.Diagnostics trace correlation id. Render a NLog variable (xml or config) Gets or sets the name of the NLog variable. Gets or sets the default value to be used when the variable is not set. Not used if Name is null Initializes the layout renderer. Try get the Renders the specified variable and appends it to the specified . The to append the rendered data to. Logging event. Thread Windows identity information (username). Initializes a new instance of the class. Gets or sets a value indicating whether domain name should be included. Gets or sets a value indicating whether username should be included. Renders the current thread windows identity information and appends it to the specified . The to append the rendered data to. Logging event. Applies caching to another layout output. The value of the inner layout will be rendered only once and reused subsequently. A value indicating when the cache is cleared. Never clear the cache. Clear the cache whenever the is initialized. Clear the cache whenever the is closed. Initializes a new instance of the class. Gets or sets a value indicating whether this is enabled. Gets or sets a value indicating when the cache is cleared. Cachekey. If the cachekey changes, resets the value. For example, the cachekey would be the current day.s Initializes the layout renderer. Closes the layout renderer. Transforms the output of another layout. Output to be transform. Transformed text. Renders the inner layout contents. The log event. Contents of inner layout. Filters characters not allowed in the file names by replacing them with safe character. Initializes a new instance of the class. Gets or sets a value indicating whether to modify the output of this renderer so it can be used as a part of file path (illegal characters are replaced with '_'). Escapes output of another layout using JSON rules. Initializes a new instance of the class. Gets or sets a value indicating whether to apply JSON encoding. Gets or sets a value indicating whether to escape non-ascii characters Left part of a text Gets or sets the length in characters. Same as -property, so it can be used as ambient property. ${message:truncate=80} Converts the result of another layout output to lower case. Initializes a new instance of the class. Gets or sets a value indicating whether lower case conversion should be applied. A value of true if lower case conversion should be applied; otherwise, false. Gets or sets the culture used for rendering. Left part of a text Gets or sets a value indicating whether to disable the IRawValue-interface A value of true if IRawValue-interface should be ignored; otherwise, false. Only outputs the inner layout when exception has been defined for log message. Transforms the output of another layout. Output to be transform. Transformed text. Horizontal alignment for padding layout renderers. When layout text is too long, align it to the left (remove characters from the right). When layout text is too long, align it to the right (remove characters from the left). Applies padding to another layout output. Initializes a new instance of the class. Gets or sets the number of characters to pad the output to. Positive padding values cause left padding, negative values cause right padding to the desired width. Gets or sets the padding character. Gets or sets a value indicating whether to trim the rendered text to the absolute value of the padding length. Gets or sets a value indicating whether a value that has been truncated (when is true) will be left-aligned (characters removed from the right) or right-aligned (characters removed from the left). The default is left alignment. RegistryLayoutRenderer Transforms the output of another layout. Output to be transform. Transformed text. Replaces a string in the output of another layout with another string. ${replace:searchFor=\\n+:replaceWith=-:regex=true:inner=${message}} Gets or sets the text to search for. The text search for. Gets or sets a value indicating whether regular expressions should be used. A value of true if regular expressions should be used otherwise, false. Gets or sets the replacement string. The replacement string. Gets or sets the group name to replace when using regular expressions. Leave null or empty to replace without using group name. The group name. Gets or sets a value indicating whether to ignore case. A value of true if case should be ignored when searching; otherwise, false. Gets or sets a value indicating whether to search for whole words. A value of true if whole words should be searched for; otherwise, false. Initializes the layout renderer. Post-processes the rendered message. The text to be post-processed. Post-processed text. This class was created instead of simply using a lambda expression so that the "ThreadAgnosticAttributeTest" will pass A match evaluator for Regular Expression based replacing Input string. Group name in the regex. Replace value. Match from regex. Groups replaced with . Replaces newline characters from the result of another layout renderer with spaces. Initializes a new instance of the class. Gets or sets a value indicating the string that should be used for separating lines. Right part of a text Gets or sets the length in characters. Decodes text "encrypted" with ROT-13. See https://en.wikipedia.org/wiki/ROT13. Gets or sets the layout to be wrapped. The layout to be wrapped. This variable is for backwards compatibility Encodes/Decodes ROT-13-encoded string. The string to be encoded/decoded. Encoded/Decoded text. Encodes/Decodes ROT-13-encoded string. Substring the result ${substring:${level}:start=2:length=2} ${substring:${level}:start=-2:length=2} ${substring:Inner=${level}:start=2:length=2} Initializes a new instance of the class. Gets or sets the start index. Index Gets or sets the length in characters. If null, then the whole string Index Calculate start position 0 or positive number Calculate needed length 0 or positive number Trims the whitespace from the result of another layout renderer. Initializes a new instance of the class. Gets or sets a value indicating whether lower case conversion should be applied. A value of true if lower case conversion should be applied; otherwise, false. Converts the result of another layout output to upper case. ${uppercase:${level}} //[DefaultParameter] ${uppercase:Inner=${level}} ${level:uppercase} // [AmbientProperty] Initializes a new instance of the class. Gets or sets a value indicating whether upper case conversion should be applied. A value of true if upper case conversion should be applied otherwise, false. Gets or sets the culture used for rendering. Encodes the result of another layout output for use with URLs. Initializes a new instance of the class. Gets or sets a value indicating whether spaces should be translated to '+' or '%20'. A value of true if space should be translated to '+'; otherwise, false. Gets or sets a value whether escaping be done according to Rfc3986 (Supports Internationalized Resource Identifiers - IRIs) A value of true if Rfc3986; otherwise, false for legacy Rfc2396. Gets or sets a value whether escaping be done according to the old NLog style (Very non-standard) A value of true if legacy encoding; otherwise, false for standard UTF8 encoding. Transforms the output of another layout. Output to be transform. Transformed text. Outputs alternative layout when the inner layout produces empty result. Gets or sets the layout to be rendered when original layout produced empty result. Only outputs the inner layout when the specified condition has been met. Gets or sets the condition that must be met for the layout to be printed. If is not met, print this layout. Replaces newline characters from the result of another layout renderer with spaces. Initializes a new instance of the class. Gets or sets the line length for wrapping. Only positive values are allowed Post-processes the rendered message. The text to be post-processed. Post-processed text. Base class for s which wrapping other s. This has the property (which is default) and can be used to wrap. ${uppercase:${level}} //[DefaultParameter] ${uppercase:Inner=${level}} Gets or sets the wrapped layout. [DefaultParameter] so Inner: is not required if it's the first Renders the inner message, processes it and appends it to the specified . The to append the rendered data to. Logging event. Appends the rendered output from -layout and transforms the added output (when necessary) Logging event. The to append the rendered data to. Start position for any necessary transformation of . Transforms the output of another layout. Logging event. Output to be transform. Transformed text. Transforms the output of another layout. Output to be transform. Transformed text. Renders the inner layout contents. The log event. Contents of inner layout. Base class for s which wrapping other s. This expects the transformation to work on a Transforms the output of another layout. Output to be transform. Transforms the output of another layout. Output to be transform. Renders the inner layout contents. for the result Converts the result of another layout output to be XML-compliant. Initializes a new instance of the class. Gets or sets a value indicating whether to apply XML encoding. Ensures always valid XML, but gives a performance hit Gets or sets a value indicating whether to transform newlines (\r\n) into ( ) A layout containing one or more nested layouts. Initializes a new instance of the class. Gets the inner layouts. Initializes the layout. Formats the log event relying on inner layouts. The log event to be formatted. A string representation of the log event. Formats the log event relying on inner layouts. The logging event. for the result Closes the layout. Generate description of Compound Layout Compound Layout String Description A column in the CSV. Initializes a new instance of the class. Initializes a new instance of the class. The name of the column. The layout of the column. Gets or sets the name of the column. Gets or sets the layout of the column. Gets or sets the override of Quoting mode and are faster than the default Specifies allowed column delimiters. Automatically detect from regional settings. Comma (ASCII 44). Semicolon (ASCII 59). Tab character (ASCII 9). Pipe character (ASCII 124). Space character (ASCII 32). Custom string, specified by the CustomDelimiter. A specialized layout that renders CSV-formatted events. If is set, then the header generation with columnnames will be disabled. Initializes a new instance of the class. Gets the array of parameters to be passed. Gets or sets a value indicating whether CVS should include header. A value of true if CVS should include header; otherwise, false. Gets or sets the column delimiter. Gets or sets the quoting mode. Gets or sets the quote Character. Gets or sets the custom column delimiter value (valid when ColumnDelimiter is set to 'Custom'). Initializes the layout. Formats the log event for write. The log event to be formatted. A string representation of the log event. Formats the log event for write. The logging event. for the result Get the headers with the column names. Header with column names for CSV layout. Initializes a new instance of the class. The parent. Renders the layout for the specified logging event by invoking layout renderers. The logging event. The rendered layout. Renders the layout for the specified logging event by invoking layout renderers. The logging event. for the result Generate description of CSV Layout CSV Layout String Description Specifies CSV quoting modes. Quote all column (Fast) Quote nothing (Very fast) Quote only whose values contain the quote symbol or the separator (Slow) JSON attribute. Initializes a new instance of the class. Initializes a new instance of the class. The name of the attribute. The layout of the attribute's value. Initializes a new instance of the class. The name of the attribute. The layout of the attribute's value. Encode value with json-encode Gets or sets the name of the attribute. Gets or sets the layout that will be rendered as the attribute's value. Determines whether or not this attribute will be Json encoded. Gets or sets a value indicating whether to escape non-ascii characters Gets or sets whether an attribute with empty value should be included in the output A specialized layout that renders JSON-formatted events. Initializes a new instance of the class. Gets the array of attributes' configurations. Gets or sets the option to suppress the extra spaces in the output json Gets or sets the option to render the empty object value {} Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets the option to include all properties from the log event (as JSON) List of property names to exclude when is true How far should the JSON serializer follow object references before backing off Initializes the layout. Closes the layout. Formats the log event as a JSON document for writing. The logging event. for the result Formats the log event as a JSON document for writing. The log event to be formatted. A JSON string representation of the log event. Generate description of JSON Layout JSON Layout String Description Abstract interface that layouts must implement. Is this layout initialized? See Gets a value indicating whether this layout is thread-agnostic (can be rendered on any thread). Layout is thread-agnostic if it has been marked with [ThreadAgnostic] attribute and all its children are like that as well. Thread-agnostic layouts only use contents of for its output. Gets the level of stack trace information required for rendering. Gets the logging configuration this target is part of. Converts a given text to a . Text to be converted. object represented by the text. Implicitly converts the specified string to a . The layout string. Instance of . Implicitly converts the specified string to a . The layout string. The NLog factories to use when resolving layout renderers. Instance of . Precalculates the layout for the specified log event and stores the result in per-log event cache. Only if the layout doesn't have [ThreadAgnostic] and doesn't contain layouts with [ThreadAgnostic]. The log event. Calling this method enables you to store the log event in a buffer and/or potentially evaluate it in another thread even though the layout may contain thread-dependent renderer. Renders the event info in layout. The event info. String representing log event. Optimized version of for internal Layouts. Works best when override of is available. The event info. Appends the string representing log event to target Should rendering result be cached on LogEventInfo Valid default implementation of , when having implemented the optimized The logging event. StringBuilder to help minimize allocations [optional]. The rendered layout. Renders the layout for the specified logging event by invoking layout renderers. The logging event. for the result Initializes this instance. The configuration. Closes this instance. Initializes this instance. The configuration. Closes this instance. Initializes the layout. Closes the layout. Renders the layout for the specified logging event by invoking layout renderers. The logging event. The rendered layout. Register a custom Layout. Short-cut for registering to default Type of the Layout. Name of the Layout. Register a custom Layout. Short-cut for registering to default Type of the Layout. Name of the Layout. Optimized version of for internal Layouts, when override of is available. Try get value rawValue if return result is true false if we could not determine the rawValue Marks class as a layout renderer and assigns a format string to it. Initializes a new instance of the class. Layout name. Parses layout strings. Add to A specialized layout that supports header and footer. Gets or sets the body layout (can be repeated multiple times). Gets or sets the header layout. Gets or sets the footer layout. Renders the layout for the specified logging event by invoking layout renderers. The logging event. The rendered layout. Renders the layout for the specified logging event by invoking layout renderers. The logging event. for the result. A specialized layout that renders Log4j-compatible XML events. This layout is not meant to be used explicitly. Instead you can use ${log4jxmlevent} layout renderer. Initializes a new instance of the class. Gets the instance that renders log events. Gets the collection of parameters. Each parameter contains a mapping between NLog layout and a named parameter. Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets the option to include all properties from the log events Gets or sets a value indicating whether to include contents of the stack. Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets a value indicating whether to include contents of the stack. Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. Renders the layout for the specified logging event by invoking layout renderers. The logging event. The rendered layout. Renders the layout for the specified logging event by invoking layout renderers. The logging event. for the result Represents a string with embedded placeholders that can render contextual information. This layout is not meant to be used explicitly. Instead you can just use a string containing layout renderers everywhere the layout is required. Initializes a new instance of the class. Initializes a new instance of the class. The layout string to parse. Initializes a new instance of the class. The layout string to parse. The NLog factories to use when creating references to layout renderers. Original text before compile to Layout renderes Gets or sets the layout text. Is the message fixed? (no Layout renderers used) Get the fixed text. Only set when is true Is the message a simple formatted string? (Can skip StringBuilder) Gets a collection of objects that make up this layout. Gets the level of stack trace information required for rendering. Converts a text to a simple layout. Text to be converted. A object. Escapes the passed text so that it can be used literally in all places where layout is normally expected without being treated as layout. The text to be escaped. The escaped text. Escaping is done by replacing all occurrences of '${' with '${literal:text=${}' Evaluates the specified text by expanding all layout renderers. The text to be evaluated. Log event to be used for evaluation. The input text with all occurrences of ${} replaced with values provided by the appropriate layout renderers. Evaluates the specified text by expanding all layout renderers in new context. The text to be evaluated. The input text with all occurrences of ${} replaced with values provided by the appropriate layout renderers. Returns a that represents the current object. A that represents the current object. XML attribute. Initializes a new instance of the class. Initializes a new instance of the class. The name of the attribute. The layout of the attribute's value. Initializes a new instance of the class. The name of the attribute. The layout of the attribute's value. Encode value with xml-encode Gets or sets the name of the attribute. Gets or sets the layout that will be rendered as the attribute's value. Determines whether or not this attribute will be Xml encoded. Gets or sets whether an attribute with empty value should be included in the output A XML Element Name of the element Value inside the element Determines whether or not this attribute will be Xml encoded. A specialized layout that renders XML-formatted events. Initializes a new instance of the class. The name of the top XML node The value of the top XML node Name of the XML element Upgrade to private protected when using C# 7.2 Value inside the XML element Upgrade to private protected when using C# 7.2 Xml Encode the value for the XML element Ensures always valid XML, but gives a performance hit Auto indent and create new lines Gets the array of xml 'elements' configurations. Gets the array of 'attributes' configurations for the element Gets or sets whether a ElementValue with empty value should be included in the output Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets a value indicating whether to include contents of the dictionary. Gets or sets the option to include all properties from the log event (as XML) List of property names to exclude when is true XML element name to use when rendering properties Support string-format where {0} means property-key-name Skips closing element tag when having configured XML attribute name to use when rendering property-key When null (or empty) then key-attribute is not included Will replace newlines in attribute-value with XML attribute name to use when rendering property-value When null (or empty) then value-attribute is not included and value is formatted as XML-element-value Skips closing element tag when using attribute for value Will replace newlines in attribute-value with XML element name to use for rendering IList-collections items How far should the XML serializer follow object references before backing off Initializes the layout. Formats the log event as a XML document for writing. The logging event. for the result Formats the log event as a XML document for writing. The log event to be formatted. A XML string representation of the log event. write attribute, only if is not empty rendered Generate description of XML Layout XML Layout String Description A specialized layout that renders XML-formatted events. Initializes a new instance of the class. Name of the root XML element Value inside the root XML element Determines whether or not this attribute will be Xml encoded. Represents the logging event. Gets the date of the first log event created. The formatted log message. The log message including any parameter placeholders Initializes a new instance of the class. Initializes a new instance of the class. Log level. Logger name. Log message including parameter placeholders. Initializes a new instance of the class. Log level. Logger name. Log message including parameter placeholders. Log message including parameter placeholders. Initializes a new instance of the class. Log level. Logger name. An IFormatProvider that supplies culture-specific formatting information. Log message including parameter placeholders. Parameter array. Initializes a new instance of the class. Log level. Logger name. An IFormatProvider that supplies culture-specific formatting information. Log message including parameter placeholders. Parameter array. Exception information. Gets the unique identifier of log event which is automatically generated and monotonously increasing. Gets or sets the timestamp of the logging event. Gets or sets the level of the logging event. Gets a value indicating whether stack trace has been set for this event. Gets the stack frame of the method that did the logging. Gets the number index of the stack frame that represents the user code (not the NLog code). Gets the entire stack trace. Gets the callsite class name Gets the callsite member function name Gets the callsite source file path Gets the callsite source file line number Gets or sets the exception information. Gets or sets the logger name. Gets the logger short name. This property was marked as obsolete on NLog 2.0 and it may be removed in a future release. Gets or sets the log message including any parameter placeholders. Gets or sets the parameter values or null if no parameters have been specified. Gets or sets the format provider that was provided while logging or when no formatProvider was specified. Gets or sets the message formatter for generating Uses string.Format(...) when nothing else has been configured. Gets the formatted message. Checks if any per-event properties (Without allocation) Gets the dictionary of per-event context properties. Gets the dictionary of per-event context properties. Internal helper for the PropertiesDictionary type. Create the event-properties dictionary, even if no initial template parameters Provided when having parsed the message template and capture template parameters (else null) Gets the named parameters extracted from parsing as MessageTemplate Gets the dictionary of per-event context properties. This property was marked as obsolete on NLog 2.0 and it may be removed in a future release. Creates the null event. Null log event. Creates the log event. The log level. Name of the logger. The message. Instance of . Creates the log event. The log level. Name of the logger. The format provider. The message. The parameters. Instance of . Creates the log event. The log level. Name of the logger. The format provider. The message. Instance of . Creates the log event. The log level. Name of the logger. The message. The exception. Instance of . This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Creates the log event. The log level. Name of the logger. The exception. The format provider. The message. Instance of . Creates the log event. The log level. Name of the logger. The exception. The format provider. The message. The parameters. Instance of . Creates from this by attaching the specified asynchronous continuation. The asynchronous continuation. Instance of with attached continuation. Returns a string representation of this log event. String representation of the log event. Sets the stack trace for the event info. The stack trace. Index of the first user stack frame within the stack trace. Sets the details retrieved from the Caller Information Attributes Set the true = Always, false = Never, null = Auto Detect Specialized LogFactory that can return instances of custom logger types. The type of the logger to be returned. Must inherit from . Gets the logger with type . The logger name. An instance of . Gets a custom logger with the name of the current class and type . An instance of . This is a slow-running method. Make sure you're not doing this in a loop. Creates and manages instances of objects. Internal for unit tests Overwrite possible file paths (including filename) for possible NLog config files. When this property is null, the default file paths ( are used. Occurs when logging changes. Occurs when logging gets reloaded. Initializes static members of the LogManager class. Initializes a new instance of the class. Initializes a new instance of the class. The config. Initializes a new instance of the class. The config loader Gets the current . Gets or sets a value indicating whether exceptions should be thrown. See also . A value of true if exception should be thrown; otherwise, false. By default exceptions are not thrown under any circumstances. Gets or sets a value indicating whether should be thrown. If null then is used. A value of true if exception should be thrown; otherwise, false. This option is for backwards-compatiblity. By default exceptions are not thrown under any circumstances. Gets or sets a value indicating whether Variables should be kept on configuration reload. Default value - false. Gets or sets the current logging configuration. After setting this property all existing loggers will be re-configured, so there is no need to call manually. Gets or sets the global log level threshold. Log events below this threshold are not logged. Gets the default culture info to use as . Specific culture info or null to use Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Creates a logger that discards all log messages. Null logger instance. Gets the logger with the name of the current class. The logger. This is a slow-running method. Make sure you're not doing this in a loop. Gets the logger with the name of the current class. The logger with type . Type of the logger This is a slow-running method. Make sure you're not doing this in a loop. Gets a custom logger with the name of the current class. Use to pass the type of the needed Logger. The type of the logger to create. The type must inherit from The logger of type . This is a slow-running method. Make sure you are not calling this method in a loop. Gets the specified named logger. Name of the logger. The logger reference. Multiple calls to GetLogger with the same argument are not guaranteed to return the same logger reference. Gets the specified named logger. Name of the logger. Type of the logger The logger reference with type . Multiple calls to GetLogger with the same argument are not guaranteed to return the same logger reference. Gets the specified named logger. Use to pass the type of the needed Logger. Name of the logger. The type of the logger to create. The type must inherit from . The logger of type . Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. Loops through all loggers previously returned by GetLogger and recalculates their target and filter list. Useful after modifying the configuration programmatically to ensure that all loggers have been properly configured. Flush any pending log messages (in case of asynchronous targets) with the default timeout of 15 seconds. Flush any pending log messages (in case of asynchronous targets). Maximum time to allow for the flush. Any messages after that time will be discarded. Flush any pending log messages (in case of asynchronous targets). Maximum time to allow for the flush. Any messages after that time will be discarded. Flush any pending log messages (in case of asynchronous targets). The asynchronous continuation. Flush any pending log messages (in case of asynchronous targets). The asynchronous continuation. Maximum time to allow for the flush. Any messages after that time will be discarded. Flush any pending log messages (in case of asynchronous targets). The asynchronous continuation. Maximum time to allow for the flush. Any messages after that time will be discarded. Decreases the log enable counter and if it reaches -1 the logs are disabled. Logging is enabled if the number of calls is greater than or equal to calls. This method was marked as obsolete on NLog 4.0 and it may be removed in a future release. An object that implements IDisposable whose Dispose() method re-enables logging. To be used with C# using () statement. Increases the log enable counter and if it reaches 0 the logs are disabled. Logging is enabled if the number of calls is greater than or equal to calls. This method was marked as obsolete on NLog 4.0 and it may be removed in a future release. Decreases the log enable counter and if it reaches -1 the logs are disabled. Logging is enabled if the number of calls is greater than or equal to calls. An object that implements IDisposable whose Dispose() method re-enables logging. To be used with C# using () statement. Increases the log enable counter and if it reaches 0 the logs are disabled. Logging is enabled if the number of calls is greater than or equal to calls. Returns if logging is currently enabled. A value of if logging is currently enabled, otherwise. Logging is enabled if the number of calls is greater than or equal to calls. Raises the event when the configuration is reloaded. Event arguments. Raises the event when the configuration is reloaded. Event arguments Currently this logfactory is disposing? Releases unmanaged and - optionally - managed resources. True to release both managed and unmanaged resources; false to release only unmanaged resources. Get file paths (including filename) for the possible NLog config files. The filepaths to the possible config file Overwrite the paths (including filename) for the possible NLog config files. The filepaths to the possible config file Clear the candidate file paths and return to the defaults. Loads logging configuration from file (Currently only XML configuration files supported) Configuration file to be read LogFactory instance for fluent interface Logger cache key. Serves as a hash function for a particular type. A hash code for the current . Determines if two objects are equal in value. Other object to compare to. True if objects are equal, false otherwise. Determines if two objects of the same type are equal in value. Other object to compare to. True if objects are equal, false otherwise. Logger cache. Inserts or updates. Internal for unit tests Enables logging in implementation. Initializes a new instance of the class. The factory. Enables logging. Logging methods which only are executed when the DEBUG conditional compilation symbol is set. Remarks: The DEBUG conditional compilation symbol is default enabled (only) in a debug build. If the DEBUG conditional compilation symbol isn't set in the calling library, the compiler will remove all the invocations to these methods. This could lead to better performance. See: https://msdn.microsoft.com/en-us/library/4xssyw96%28v=vs.90%29.aspx Provides logging interface and utility functions. Auto-generated Logger members for binary compatibility with NLog 1.0. Provides logging interface and utility functions. Writes the diagnostic message at the Debug level using the specified format provider and format parameters. Writes the diagnostic message at the Debug level. Only executed when the DEBUG conditional compilation symbol is set. Type of the value. The value to be written. Writes the diagnostic message at the Debug level. Only executed when the DEBUG conditional compilation symbol is set. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Debug level. Only executed when the DEBUG conditional compilation symbol is set. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Debug level. Only executed when the DEBUG conditional compilation symbol is set. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Debug level. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Debug level using the specified parameters and formatting them with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Debug level. Only executed when the DEBUG conditional compilation symbol is set. Log message. Writes the diagnostic message at the Debug level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. A containing format items. Arguments to format. Writes the diagnostic message at the Debug level using the specified parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified parameter. Only executed when the DEBUG conditional compilation symbol is set. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Debug level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Debug level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Debug level. Only executed when the DEBUG conditional compilation symbol is set. A to be written. Writes the diagnostic message at the Debug level. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Debug level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Debug level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified format provider and format parameters. Writes the diagnostic message at the Trace level. Only executed when the DEBUG conditional compilation symbol is set. Type of the value. The value to be written. Writes the diagnostic message at the Trace level. Only executed when the DEBUG conditional compilation symbol is set. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Trace level. Only executed when the DEBUG conditional compilation symbol is set. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Trace level. Only executed when the DEBUG conditional compilation symbol is set. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Trace level. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Trace level using the specified parameters and formatting them with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Trace level. Only executed when the DEBUG conditional compilation symbol is set. Log message. Writes the diagnostic message at the Trace level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. A containing format items. Arguments to format. Writes the diagnostic message at the Trace level using the specified parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified parameter. Only executed when the DEBUG conditional compilation symbol is set. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Trace level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Trace level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Trace level. Only executed when the DEBUG conditional compilation symbol is set. A to be written. Writes the diagnostic message at the Trace level. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Trace level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Trace level using the specified parameters. Only executed when the DEBUG conditional compilation symbol is set. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. Only executed when the DEBUG conditional compilation symbol is set. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. Only executed when the DEBUG conditional compilation symbol is set. A containing one format item. The argument to format. Gets a value indicating whether logging is enabled for the Trace level. A value of if logging is enabled for the Trace level, otherwise it returns . Gets a value indicating whether logging is enabled for the Debug level. A value of if logging is enabled for the Debug level, otherwise it returns . Gets a value indicating whether logging is enabled for the Info level. A value of if logging is enabled for the Info level, otherwise it returns . Gets a value indicating whether logging is enabled for the Warn level. A value of if logging is enabled for the Warn level, otherwise it returns . Gets a value indicating whether logging is enabled for the Error level. A value of if logging is enabled for the Error level, otherwise it returns . Gets a value indicating whether logging is enabled for the Fatal level. A value of if logging is enabled for the Fatal level, otherwise it returns . Writes the diagnostic message at the Trace level using the specified format provider and format parameters. Writes the diagnostic message at the Trace level. Type of the value. The value to be written. Writes the diagnostic message at the Trace level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Trace level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Trace level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Trace level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Trace level. Log message. Writes the diagnostic message at the Trace level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Trace level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Trace level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Trace level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Trace level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Trace level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Trace level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Trace level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Debug level using the specified format provider and format parameters. Writes the diagnostic message at the Debug level. Type of the value. The value to be written. Writes the diagnostic message at the Debug level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Debug level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Debug level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Debug level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Debug level. Log message. Writes the diagnostic message at the Debug level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Debug level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Debug level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Debug level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Debug level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Debug level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Debug level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Debug level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Info level using the specified format provider and format parameters. Writes the diagnostic message at the Info level. Type of the value. The value to be written. Writes the diagnostic message at the Info level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Info level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Info level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Info level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Info level. Log message. Writes the diagnostic message at the Info level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Info level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Info level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Info level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Info level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Info level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Info level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Info level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Warn level using the specified format provider and format parameters. Writes the diagnostic message at the Warn level. Type of the value. The value to be written. Writes the diagnostic message at the Warn level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Warn level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Warn level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Warn level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Warn level. Log message. Writes the diagnostic message at the Warn level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Warn level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Warn level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Warn level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Warn level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Warn level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Warn level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Warn level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Error level using the specified format provider and format parameters. Writes the diagnostic message at the Error level. Type of the value. The value to be written. Writes the diagnostic message at the Error level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Error level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Error level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Error level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Error level. Log message. Writes the diagnostic message at the Error level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Error level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Error level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Error level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Error level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Error level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Error level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Error level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Fatal level using the specified format provider and format parameters. Writes the diagnostic message at the Fatal level. Type of the value. The value to be written. Writes the diagnostic message at the Fatal level. Type of the value. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the Fatal level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the Fatal level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the Fatal level using the specified parameters and formatting them with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the Fatal level. Log message. Writes the diagnostic message at the Fatal level using the specified parameters. A containing format items. Arguments to format. Writes the diagnostic message and exception at the Fatal level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the Fatal level. A to be written. An exception to be logged. Writes the diagnostic message and exception at the Fatal level. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message and exception at the Fatal level. An IFormatProvider that supplies culture-specific formatting information. A to be written. An exception to be logged. Arguments to format. Writes the diagnostic message at the Fatal level using the specified parameter and formatting it with the supplied format provider. The type of the argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified parameter. The type of the argument. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Fatal level using the specified parameters. The type of the first argument. The type of the second argument. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the Fatal level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the specified level. The log level. A to be written. Writes the diagnostic message at the specified level. The log level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the specified level using the specified parameters. The log level. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the specified level using the specified parameters. The log level. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified value as a parameter. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level. A to be written. Writes the diagnostic message at the Trace level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Trace level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Trace level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Trace level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level. A to be written. Writes the diagnostic message at the Debug level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Debug level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Debug level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Debug level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level. A to be written. Writes the diagnostic message at the Info level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Info level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Info level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Info level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level. A to be written. Writes the diagnostic message at the Warn level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Warn level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Warn level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Warn level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level. A to be written. Writes the diagnostic message at the Error level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Error level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Error level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Error level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level. A to be written. Writes the diagnostic message at the Fatal level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Writes the diagnostic message at the Fatal level using the specified parameters. A containing format items. First argument to format. Second argument to format. Writes the diagnostic message at the Fatal level using the specified parameters. A containing format items. First argument to format. Second argument to format. Third argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the Fatal level using the specified value as a parameter. A containing one format item. The argument to format. Initializes a new instance of the class. Occurs when logger configuration changes. Gets the name of the logger. Gets the factory that created this logger. Collection of context properties for the Logger. The logger will append it for all log events It is recommended to use for modifying context properties when same named logger is used at multiple locations or shared by different thread contexts. Gets a value indicating whether logging is enabled for the specified level. Log level to be checked. A value of if logging is enabled for the specified level, otherwise it returns . Creates new logger that automatically appends the specified property to all log events (without changing current logger) Property Name Property Value New Logger object that automatically appends specified property Updates the specified context property for the current logger. The logger will append it for all log events. It could be rendered with ${event-properties:YOURNAME} With property, all properties could be changed. Will affect all locations/contexts that makes use of the same named logger object. Property Name Property Value It is recommended to use for modifying context properties when same named logger is used at multiple locations or shared by different thread contexts. Writes the specified diagnostic message. Log event. Writes the specified diagnostic message. The name of the type that wraps Logger. Log event. Writes the diagnostic message at the specified level using the specified format provider and format parameters. Writes the diagnostic message at the specified level. Type of the value. The log level. The value to be written. Writes the diagnostic message at the specified level. Type of the value. The log level. An IFormatProvider that supplies culture-specific formatting information. The value to be written. Writes the diagnostic message at the specified level. The log level. A function returning message to be written. Function is not evaluated if logging is not enabled. Writes the diagnostic message and exception at the specified level. The log level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message at the specified level using the specified parameters and formatting them with the supplied format provider. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing format items. Arguments to format. Writes the diagnostic message at the specified level. The log level. Log message. Writes the diagnostic message at the specified level using the specified parameters. The log level. A containing format items. Arguments to format. Writes the diagnostic message and exception at the specified level. The log level. A to be written. An exception to be logged. This method was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Writes the diagnostic message and exception at the specified level. The log level. A to be written. Arguments to format. An exception to be logged. Writes the diagnostic message and exception at the specified level. The log level. An IFormatProvider that supplies culture-specific formatting information. A to be written. Arguments to format. An exception to be logged. Writes the diagnostic message at the specified level using the specified parameter and formatting it with the supplied format provider. The type of the argument. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified parameter. The type of the argument. The log level. A containing one format item. The argument to format. Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the specified level using the specified parameters. The type of the first argument. The type of the second argument. The log level. A containing one format item. The first argument to format. The second argument to format. Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. The type of the first argument. The type of the second argument. The type of the third argument. The log level. An IFormatProvider that supplies culture-specific formatting information. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Writes the diagnostic message at the specified level using the specified parameters. The type of the first argument. The type of the second argument. The type of the third argument. The log level. A containing one format item. The first argument to format. The second argument to format. The third argument to format. Runs the provided action. If the action throws, the exception is logged at Error level. The exception is not propagated outside of this method. Action to execute. Runs the provided function and returns its result. If an exception is thrown, it is logged at Error level. The exception is not propagated outside of this method; a default value is returned instead. Return type of the provided function. Function to run. Result returned by the provided function or the default value of type in case of exception. Runs the provided function and returns its result. If an exception is thrown, it is logged at Error level. The exception is not propagated outside of this method; a fallback value is returned instead. Return type of the provided function. Function to run. Fallback value to return in case of exception. Result returned by the provided function or fallback value in case of exception. Logs an exception is logged at Error level if the provided task does not run to completion. The task for which to log an error if it does not run to completion. This method is useful in fire-and-forget situations, where application logic does not depend on completion of task. This method is avoids C# warning CS4014 in such situations. Returns a task that completes when a specified task to completes. If the task does not run to completion, an exception is logged at Error level. The returned task always runs to completion. The task for which to log an error if it does not run to completion. A task that completes in the state when completes. Runs async action. If the action throws, the exception is logged at Error level. The exception is not propagated outside of this method. Async action to execute. Runs the provided async function and returns its result. If the task does not run to completion, an exception is logged at Error level. The exception is not propagated outside of this method; a default value is returned instead. Return type of the provided function. Async function to run. A task that represents the completion of the supplied task. If the supplied task ends in the state, the result of the new task will be the result of the supplied task; otherwise, the result of the new task will be the default value of type . Runs the provided async function and returns its result. If the task does not run to completion, an exception is logged at Error level. The exception is not propagated outside of this method; a fallback value is returned instead. Return type of the provided function. Async function to run. Fallback value to return if the task does not end in the state. A task that represents the completion of the supplied task. If the supplied task ends in the state, the result of the new task will be the result of the supplied task; otherwise, the result of the new task will be the fallback value. Raises the event when the logger is reconfigured. Event arguments Implementation of logging engine. Finds first user stack frame in a stack trace The stack trace of the logging method invocation Type of the logger or logger wrapper. This is still Logger if it's a subclass of Logger. Index of the first user stack frame or 0 if all stack frames are non-user This is only done for legacy reason, as the correct method-name and line-number should be extracted from the MoveNext-StackFrame The stack trace of the logging method invocation Starting point for skipping async MoveNext-frames Assembly to skip? Find assembly via this frame. true, we should skip. Is this the type of the logger? get type of this logger in this frame. Type of the logger. Gets the filter result. The filter chain. The log event. default result if there are no filters, or none of the filters decides. The result of the filter. Defines available log levels. Trace log level. Debug log level. Info log level. Warn log level. Error log level. Fatal log level. Off log level. Gets all the available log levels (Trace, Debug, Info, Warn, Error, Fatal, Off). Gets all the log levels that can be used to log events (Trace, Debug, Info, Warn, Error, Fatal) i.e LogLevel.Off is excluded. Initializes a new instance of . The log level name. The log level ordinal number. Gets the name of the log level. Gets the ordinal of the log level. Compares two objects and returns a value indicating whether the first one is equal to the second one. The first level. The second level. The value of level1.Ordinal == level2.Ordinal. Compares two objects and returns a value indicating whether the first one is not equal to the second one. The first level. The second level. The value of level1.Ordinal != level2.Ordinal. Compares two objects and returns a value indicating whether the first one is greater than the second one. The first level. The second level. The value of level1.Ordinal > level2.Ordinal. Compares two objects and returns a value indicating whether the first one is greater than or equal to the second one. The first level. The second level. The value of level1.Ordinal >= level2.Ordinal. Compares two objects and returns a value indicating whether the first one is less than the second one. The first level. The second level. The value of level1.Ordinal < level2.Ordinal. Compares two objects and returns a value indicating whether the first one is less than or equal to the second one. The first level. The second level. The value of level1.Ordinal <= level2.Ordinal. Gets the that corresponds to the specified ordinal. The ordinal. The instance. For 0 it returns , 1 gives and so on. Returns the that corresponds to the supplied . The textual representation of the log level. The enumeration value. Returns a string representation of the log level. Log level name. Returns a hash code for this instance. A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. Determines whether the specified is equal to this instance. The to compare with this instance. Value of true if the specified is equal to this instance; otherwise, false. Determines whether the specified instance is equal to this instance. The to compare with this instance. Value of true if the specified is equal to this instance; otherwise, false. Compares the level to the other object. The object object. A value less than zero when this logger's is less than the other logger's ordinal, 0 when they are equal and greater than zero when this ordinal is greater than the other ordinal. Creates and manages instances of objects. Internal for unit tests Delegate used to set/get the culture in use. This delegate marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Gets the instance used in the . Could be used to pass the to other methods Occurs when logging changes. Occurs when logging gets reloaded. Gets or sets a value indicating whether NLog should throw exceptions. By default exceptions are not thrown under any circumstances. Gets or sets a value indicating whether should be thrown. A value of true if exception should be thrown; otherwise, false. This option is for backwards-compatibility. By default exceptions are not thrown under any circumstances. Gets or sets a value indicating whether Variables should be kept on configuration reload. Default value - false. Gets or sets the current logging configuration. Loads logging configuration from file (Currently only XML configuration files supported) Configuration file to be read LogFactory instance for fluent interface Gets or sets the global log threshold. Log events below this threshold are not logged. Gets or sets the default culture to use. This property was marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Gets the logger with the name of the current class. The logger. This is a slow-running method. Make sure you're not doing this in a loop. Adds the given assembly which will be skipped when NLog is trying to find the calling method on stack trace. The assembly to skip. Gets a custom logger with the name of the current class. Use to pass the type of the needed Logger. The logger class. The class must inherit from . The logger of type . This is a slow-running method. Make sure you're not doing this in a loop. Creates a logger that discards all log messages. Null logger which discards all log messages. Gets the specified named logger. Name of the logger. The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. Gets the specified named custom logger. Use to pass the type of the needed Logger. Name of the logger. The logger class. The class must inherit from . The logger of type . Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. The generic way for this method is Loops through all loggers previously returned by GetLogger. and recalculates their target and filter list. Useful after modifying the configuration programmatically to ensure that all loggers have been properly configured. Flush any pending log messages (in case of asynchronous targets) with the default timeout of 15 seconds. Flush any pending log messages (in case of asynchronous targets). Maximum time to allow for the flush. Any messages after that time will be discarded. Flush any pending log messages (in case of asynchronous targets). Maximum time to allow for the flush. Any messages after that time will be discarded. Flush any pending log messages (in case of asynchronous targets). The asynchronous continuation. Flush any pending log messages (in case of asynchronous targets). The asynchronous continuation. Maximum time to allow for the flush. Any messages after that time will be discarded. Flush any pending log messages (in case of asynchronous targets). The asynchronous continuation. Maximum time to allow for the flush. Any messages after that time will be discarded. Decreases the log enable counter and if it reaches -1 the logs are disabled. Logging is enabled if the number of calls is greater than or equal to calls. An object that implements IDisposable whose Dispose() method reenables logging. To be used with C# using () statement. Increases the log enable counter and if it reaches 0 the logs are disabled. Logging is enabled if the number of calls is greater than or equal to calls. Checks if logging is currently enabled. if logging is currently enabled, otherwise. Logging is enabled if the number of calls is greater than or equal to calls. Dispose all targets, and shutdown logging. Generates a formatted message from the log event Log event. Formatted message Returns a log message. Used to defer calculation of the log message until it's actually needed. Log message. Base implementation of a log receiver server which forwards received logs through or a given . Initializes a new instance of the class. Initializes a new instance of the class. The log factory. Processes the log messages. The events to process. Processes the log messages. The log events. Service contract for Log Receiver client. This class marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Begins processing of log messages. The events. The callback. Asynchronous state. IAsyncResult value which can be passed to . Ends asynchronous processing of log messages. The result. Service contract for Log Receiver client. Begins processing of log messages. The events. The callback. Asynchronous state. IAsyncResult value which can be passed to . Ends asynchronous processing of log messages. The result. Service contract for Log Receiver server. Processes the log messages. The events. Service contract for Log Receiver server. Processes the log messages. The events. Service contract for Log Receiver client. Begins processing of log messages. The events. The callback. Asynchronous state. IAsyncResult value which can be passed to . Ends asynchronous processing of log messages. The result. Client of Occurs when the log message processing has completed. Occurs when Open operation has completed. Occurs when Close operation has completed. Enables the user to configure client and service credentials as well as service credential authentication settings for use on the client side of communication. Gets the underlying implementation. Gets the target endpoint for the service to which the WCF client can connect. Opens the client asynchronously. Opens the client asynchronously. User-specific state. Closes the client asynchronously. Closes the client asynchronously. User-specific state. Processes the log messages asynchronously. The events to send. Processes the log messages asynchronously. The events to send. User-specific state. Begins processing of log messages. The events to send. The callback. Asynchronous state. IAsyncResult value which can be passed to . Ends asynchronous processing of log messages. The result. Instructs the inner channel to display a user interface if one is required to initialize the channel prior to using it. Gets or sets the cookie container. The cookie container. Implementation of which forwards received logs through or a given . Initializes a new instance of the class. Initializes a new instance of the class. The log factory. Implementation of which forwards received logs through or a given . Initializes a new instance of the class. Initializes a new instance of the class. The log factory. Internal configuration of Log Receiver Service contracts. Wire format for NLog Event. Initializes a new instance of the class. Gets or sets the client-generated identifier of the event. Gets or sets the ordinal of the log level. Gets or sets the logger ordinal (index into . The logger ordinal. Gets or sets the time delta (in ticks) between the time of the event and base time. Gets or sets the message string index. Gets or sets the collection of layout values. Gets the collection of indexes into array for each layout value. Converts the to . The object this is part of.. The logger name prefix to prepend in front of the logger name. Converted . Wire format for NLog event package. Gets or sets the name of the client. The name of the client. Gets or sets the base time (UTC ticks) for all events in the package. The base time UTC. Gets or sets the collection of layout names which are shared among all events. The layout names. Gets or sets the collection of logger names. The logger names. Gets or sets the list of events. The events. Converts the events to sequence of objects suitable for routing through NLog. The logger name prefix to prepend in front of each logger name. Sequence of objects. Converts the events to sequence of objects suitable for routing through NLog. Sequence of objects. List of strings annotated for more terse serialization. Initializes a new instance of the class. Log Receiver Client using WCF. This class marked as obsolete before NLog 4.3.11 and it will be removed in a future release. It provides an implementation of the legacy interface and it will be completely obsolete when the ILogReceiverClient is removed. Initializes a new instance of the class. Initializes a new instance of the class. Name of the endpoint configuration. Initializes a new instance of the class. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. The binding. The remote address. Begins processing of log messages. The events to send. The callback. Asynchronous state. IAsyncResult value which can be passed to . Ends asynchronous processing of log messages. The result. Log Receiver Client facade. It allows the use either of the one way or two way service contract using WCF through its unified interface. Delegating methods are generated with Resharper. 1. change ProxiedClient to private field (instead of public property) 2. delegate members 3. change ProxiedClient back to public property. The client getting proxied Do we use one-way or two-way messaging? Initializes a new instance of the class. Whether to use the one way or two way WCF client. Initializes a new instance of the class. Whether to use the one way or two way WCF client. Name of the endpoint configuration. Initializes a new instance of the class. Whether to use the one way or two way WCF client. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. Whether to use the one way or two way WCF client. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. Whether to use the one way or two way WCF client. The binding. The remote address. Causes a communication object to transition immediately from its current state into the closed state. Begins an asynchronous operation to close a communication object. The that references the asynchronous close operation. The delegate that receives notification of the completion of the asynchronous close operation.An object, specified by the application, that contains state information associated with the asynchronous close operation. was called on an object in the state.The default timeout elapsed before the was able to close gracefully. Begins an asynchronous operation to close a communication object with a specified timeout. The that references the asynchronous close operation. The that specifies how long the send operation has to complete before timing out.The delegate that receives notification of the completion of the asynchronous close operation.An object, specified by the application, that contains state information associated with the asynchronous close operation. was called on an object in the state.The specified timeout elapsed before the was able to close gracefully. Begins an asynchronous operation to open a communication object. The that references the asynchronous open operation. The delegate that receives notification of the completion of the asynchronous open operation.An object, specified by the application, that contains state information associated with the asynchronous open operation.The was unable to be opened and has entered the state.The default open timeout elapsed before the was able to enter the state and has entered the state. Begins an asynchronous operation to open a communication object within a specified interval of time. The that references the asynchronous open operation. The that specifies how long the send operation has to complete before timing out.The delegate that receives notification of the completion of the asynchronous open operation.An object, specified by the application, that contains state information associated with the asynchronous open operation.The was unable to be opened and has entered the state.The specified timeout elapsed before the was able to enter the state and has entered the state. Begins processing of log messages. The events to send. The callback. Asynchronous state. IAsyncResult value which can be passed to . Enables the user to configure client and service credentials as well as service credential authentication settings for use on the client side of communication. Causes a communication object to transition from its current state into the closed state. The that specifies how long the send operation has to complete before timing out. was called on an object in the state.The timeout elapsed before the was able to close gracefully. Causes a communication object to transition from its current state into the closed state. was called on an object in the state.The default close timeout elapsed before the was able to close gracefully. Closes the client asynchronously. User-specific state. Closes the client asynchronously. Occurs when Close operation has completed. Occurs when the communication object completes its transition from the closing state into the closed state. Occurs when the communication object first enters the closing state. Instructs the inner channel to display a user interface if one is required to initialize the channel prior to using it. Gets or sets the cookie container. The cookie container. Completes an asynchronous operation to close a communication object. The that is returned by a call to the method. was called on an object in the state.The timeout elapsed before the was able to close gracefully. Completes an asynchronous operation to open a communication object. The that is returned by a call to the method.The was unable to be opened and has entered the state.The timeout elapsed before the was able to enter the state and has entered the state. Gets the target endpoint for the service to which the WCF client can connect. Ends asynchronous processing of log messages. The result. Occurs when the communication object first enters the faulted state. Gets the underlying implementation. Causes a communication object to transition from the created state into the opened state. The was unable to be opened and has entered the state.The default open timeout elapsed before the was able to enter the state and has entered the state. Causes a communication object to transition from the created state into the opened state within a specified interval of time. The that specifies how long the send operation has to complete before timing out.The was unable to be opened and has entered the state.The specified timeout elapsed before the was able to enter the state and has entered the state. Opens the client asynchronously. Opens the client asynchronously. User-specific state. Occurs when Open operation has completed. Occurs when the communication object completes its transition from the opening state into the opened state. Occurs when the communication object first enters the opening state. Processes the log messages asynchronously. The events to send. Processes the log messages asynchronously. The events to send. User-specific state. Occurs when the log message processing has completed. Gets the current state of the communication-oriented object. The value of the of the object. Causes a communication object to transition from its current state into the closed state. Abstract base class for the WcfLogReceiverXXXWay classes. It can only be used internally (see internal constructor). It passes off any Channel usage to the inheriting class. Type of the WCF service. Initializes a new instance of the class. Initializes a new instance of the class. Name of the endpoint configuration. Initializes a new instance of the class. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. The binding. The remote address. Occurs when the log message processing has completed. Occurs when Open operation has completed. Occurs when Close operation has completed. Gets or sets the cookie container. The cookie container. Opens the client asynchronously. Opens the client asynchronously. User-specific state. Closes the client asynchronously. Closes the client asynchronously. User-specific state. Processes the log messages asynchronously. The events to send. Processes the log messages asynchronously. The events to send. User-specific state. Begins processing of log messages. The events to send. The callback. Asynchronous state. IAsyncResult value which can be passed to . Ends asynchronous processing of log messages. The result. Log Receiver Client using WCF. Initializes a new instance of the class. Initializes a new instance of the class. Name of the endpoint configuration. Initializes a new instance of the class. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. The binding. The remote address. Begins processing of log messages. The events to send. The callback. Asynchronous state. IAsyncResult value which can be passed to . Ends asynchronous processing of log messages. The result. Log Receiver Client using WCF. Initializes a new instance of the class. Initializes a new instance of the class. Name of the endpoint configuration. Initializes a new instance of the class. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. Name of the endpoint configuration. The remote address. Initializes a new instance of the class. The binding. The remote address. Begins processing of log messages. The events to send. The callback. Asynchronous state. IAsyncResult value which can be passed to . Ends asynchronous processing of log messages. The result. Mapped Diagnostics Context - a thread-local structure that keeps a dictionary of strings and provides methods to output them in layouts. Gets the thread-local dictionary Must be true for any subsequent dictionary modification operation Sets the current thread MDC item to the specified value. Item name. Item value. An that can be used to remove the item from the current thread MDC. Sets the current thread MDC item to the specified value. Item name. Item value. >An that can be used to remove the item from the current thread MDC. Sets the current thread MDC item to the specified value. Item name. Item value. Sets the current thread MDC item to the specified value. Item name. Item value. Gets the current thread MDC named item, as . Item name. The value of , if defined; otherwise . If the value isn't a already, this call locks the for reading the needed for converting to . Gets the current thread MDC named item, as . Item name. The to use when converting a value to a . The value of , if defined; otherwise . If is null and the value isn't a already, this call locks the for reading the needed for converting to . Gets the current thread MDC named item, as . Item name. The value of , if defined; otherwise null. Returns all item names A set of the names of all items in current thread-MDC. Checks whether the specified item exists in current thread MDC. Item name. A boolean indicating whether the specified exists in current thread MDC. Removes the specified from current thread MDC. Item name. Clears the content of current thread MDC. Async version of Mapped Diagnostics Context - a logical context structure that keeps a dictionary of strings and provides methods to output them in layouts. Allows for maintaining state across asynchronous tasks and call contexts. Ideally, these changes should be incorporated as a new version of the MappedDiagnosticsContext class in the original NLog library so that state can be maintained for multiple threads in asynchronous situations. Simulate ImmutableDictionary behavior (which is not yet part of all .NET frameworks). In future the real ImmutableDictionary could be used here to minimize memory usage and copying time. Must be true for any subsequent dictionary modification operation Prepare dictionary for additional inserts Gets the current logical context named item, as . Item name. The value of , if defined; otherwise . If the value isn't a already, this call locks the for reading the needed for converting to . Gets the current logical context named item, as . Item name. The to use when converting a value to a string. The value of , if defined; otherwise . If is null and the value isn't a already, this call locks the for reading the needed for converting to . Gets the current logical context named item, as . Item name. The value of , if defined; otherwise null. Sets the current logical context item to the specified value. Item name. Item value. >An that can be used to remove the item from the current logical context. Sets the current logical context item to the specified value. Item name. Item value. >An that can be used to remove the item from the current logical context. Sets the current logical context item to the specified value. Item name. Item value. >An that can be used to remove the item from the current logical context. Updates the current logical context with multiple items in single operation . >An that can be used to remove the item from the current logical context (null if no items). Sets the current logical context item to the specified value. Item name. Item value. Sets the current logical context item to the specified value. Item name. Item value. Sets the current logical context item to the specified value. Item name. Item value. Returns all item names A collection of the names of all items in current logical context. Checks whether the specified exists in current logical context. Item name. A boolean indicating whether the specified exists in current logical context. Removes the specified from current logical context. Item name. Clears the content of current logical context. Clears the content of current logical context. Free the full slot. Mapped Diagnostics Context This class marked as obsolete before NLog 2.0 and it may be removed in a future release. Sets the current thread MDC item to the specified value. Item name. Item value. Gets the current thread MDC named item. Item name. The value of , if defined; otherwise . If the value isn't a already, this call locks the for reading the needed for converting to . Gets the current thread MDC named item. Item name. The value of , if defined; otherwise null. Checks whether the specified item exists in current thread MDC. Item name. A boolean indicating whether the specified item exists in current thread MDC. Removes the specified item from current thread MDC. Item name. Clears the content of current thread MDC. Mark a parameter of a method for message templating Specifies which parameter of an annotated method should be treated as message-template-string The name of the parameter that should be as treated as message-template-string The type of the captured hole Not decided normal {x} Serialize operator {@x} (aka destructure) stringification operator {$x} A hole that will be replaced with a value Constructor Parameter name sent to structured loggers. This is everything between "{" and the first of ",:}". Including surrounding spaces and names that are numbers. Format to render the parameter. This is everything between ":" and the first unescaped "}" Type When the template is positional, this is the parsed name of this parameter. For named templates, the value of Index is undefined. Alignment to render the parameter, by default 0. This is the parsed value between "," and the first of ":}" A fixed value Number of characters from the original template to copy at the current position. This can be 0 when the template starts with a hole or when there are multiple consecutive holes. Number of characters to skip in the original template at the current position. 0 is a special value that mean: 1 escaped char, no hole. It can also happen last when the template ends with a literal. Combines Literal and Hole Literal Hole Uninitialized when = 0. Description of a single parameter extracted from a MessageTemplate Parameter Name extracted from This is everything between "{" and the first of ",:}". Parameter Value extracted from the -array Format to render the parameter. This is everything between ":" and the first unescaped "}" Parameter method that should be used to render the parameter See also Returns index for , when Constructs a single message template parameter Parameter Name Parameter Value Parameter Format Constructs a single message template parameter Parameter Name Parameter Value Parameter Format Parameter CaptureType Parameters extracted from parsing as MessageTemplate Gets the parameters at the given index Number of parameters Indicates whether the template should be interpreted as positional (all holes are numbers) or named. Indicates whether the template was parsed successful, and there are no unmatched parameters Constructor for parsing the message template with parameters including any parameter placeholders All Constructor for named parameters that already has been parsed Create MessageTemplateParameter from A message template The original template string. This is the key passed to structured targets. The list of literal parts, useful for string rendering. It indicates the number of characters from the original string to print, then there's a hole with how many chars to skip. "Hello {firstName} {lastName}!" ------------------------------------- â•‘P |S â•‘P|S â•‘P|Sâ•‘ â•‘6 |11 â•‘1|10 â•‘1|0â•‘ â•‘Hello |{firstName}â•‘ |{lastName}â•‘!â•‘ "{x} * 2 = {2x}" -------------------- â•‘P|S â•‘P |S â•‘ â•‘0|3 â•‘7 |4 â•‘ â•‘{x}â•‘ * 2 = |{2x}â•‘ The tricky part is escaped braces. They are represented by a skip = 0, which is interpreted as "move one char forward, no hole". "Escaped }} is fun." ---------------------- â•‘P |Sâ•‘P |Sâ•‘ â•‘9 |0â•‘8 |0â•‘ â•‘Escaped }|}â•‘ is fun.|â•‘ This list of holes. It's used both to fill the string rendering and to send values along the template to structured targets. Indicates whether the template should be interpreted as positional (all holes are numbers) or named. Create a template, which is already parsed Create a template, which is already parsed This is for testing only: recreates from the parsed data. This is for testing only: rebuilds the hole Add to this string builder ref for performance Parse templates. Parse a template. Template to be parsed. When is null. Template, never null Gets the current literal/hole in the template Clears the enumerator Restarts the enumerator of the template Moves to the next literal/hole in the template Found new element [true/false] Parse format after hole name/index. Handle the escaped { and } in the format. Don't read the last } Parse templates. Parse a template. Template to be parsed. When is null. Template, never null Error when parsing a template. Current index when the error occurred. The template we were parsing New exception The message to be shown. Current index when the error occurred. Render templates Render a template to a string. The template. Culture. Parameters for the holes. Do not fallback to StringBuilder.Format for positional templates. The String Builder destination. Parameters for the holes. Render a template to a string. The template. The String Builder destination. Culture. Parameters for the holes. Rendered template, never null. Convert Render or serialize a value, with optionally backwards-compatible with Singleton Serialization of an object, e.g. JSON and append to The object to serialize to string. Parameter Format Parameter CaptureType An object that supplies culture-specific formatting information. Output destination. Serialize succeeded (true/false) Format an object to a readable string, or if it's an object, serialize The value to convert Try serialising a scalar (string, int, NULL) or simple type (IFormattable) Serialize Dictionary as JSON like structure, without { and } "FirstOrder"=true, "Previous login"=20-12-2017 14:55:32, "number of tries"=1 formatstring of an item Convert a value to a string with format and append to . The value to convert. Format sting for the value. Format provider for the value. Append to this Nested Diagnostics Context This class marked as obsolete on NLog 2.0 and it may be removed in a future release. Gets the top NDC message but doesn't remove it. The top message. . Gets the top NDC object but doesn't remove it. The object from the top of the NDC stack, if defined; otherwise null. Pushes the specified text on current thread NDC. The text to be pushed. An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. Pops the top message off the NDC stack. The top message which is no longer on the stack. Pops the top object off the NDC stack. The object is removed from the stack. The top object from the NDC stack, if defined; otherwise null. Clears current thread NDC stack. Gets all messages on the stack. Array of strings on the stack. Gets all objects on the NDC stack. The objects are not removed from the stack. Array of objects on the stack. Nested Diagnostics Context - a thread-local structure that keeps a stack of strings and provides methods to output them in layouts Gets the top NDC message but doesn't remove it. The top message. . Gets the top NDC object but doesn't remove it. The object at the top of the NDC stack if defined; otherwise null. Pushes the specified text on current thread NDC. The text to be pushed. An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. Pushes the specified object on current thread NDC. The object to be pushed. An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. Pops the top message off the NDC stack. The top message which is no longer on the stack. Pops the top message from the NDC stack. The to use when converting the value to a string. The top message, which is removed from the stack, as a string value. Pops the top object off the NDC stack. The object from the top of the NDC stack, if defined; otherwise null. Peeks the first object on the NDC stack The object from the top of the NDC stack, if defined; otherwise null. Clears current thread NDC stack. Gets all messages on the stack. Array of strings on the stack. Gets all messages from the stack, without removing them. The to use when converting a value to a string. Array of strings. Gets all objects on the stack. Array of objects on the stack. Resets the stack to the original count during . Initializes a new instance of the class. The stack. The previous count. Reverts the stack to original item count. Async version of - a logical context structure that keeps a stack Allows for maintaining scope across asynchronous tasks and call contexts. Pushes the specified value on current stack The value to be pushed. An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. Pushes the specified value on current stack The value to be pushed. An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. Pops the top message off the NDLC stack. The top message which is no longer on the stack. this methods returns a object instead of string, this because of backwardscompatibility Pops the top message from the NDLC stack. The to use when converting the value to a string. The top message, which is removed from the stack, as a string value. Pops the top message off the current NDLC stack The object from the top of the NDLC stack, if defined; otherwise null. Peeks the top object on the current NDLC stack The object from the top of the NDLC stack, if defined; otherwise null. Peeks the current scope, and returns its start time Scope Creation Time Peeks the first scope, and returns its start time Scope Creation Time Clears current stack. Gets all messages on the stack. Array of strings on the stack. Gets all messages from the stack, without removing them. The to use when converting a value to a string. Array of strings. Gets all objects on the stack. The objects are not removed from the stack. Array of objects on the stack. Exception thrown during NLog configuration. Initializes a new instance of the class. Initializes a new instance of the class. The message. Initializes a new instance of the class. The message. Parameters for the message Initializes a new instance of the class. The inner exception. The message. Parameters for the message Initializes a new instance of the class. The message. The inner exception. Initializes a new instance of the class. The that holds the serialized object data about the exception being thrown. The that contains contextual information about the source or destination. The parameter is null. The class name is null or is zero (0). Exception thrown during log event processing. Initializes a new instance of the class. Initializes a new instance of the class. The message. Initializes a new instance of the class. The message. Parameters for the message Initializes a new instance of the class. The message. The inner exception. Initializes a new instance of the class. The that holds the serialized object data about the exception being thrown. The that contains contextual information about the source or destination. The parameter is null. The class name is null or is zero (0). TraceListener which routes all messages through NLog. Initializes a new instance of the class. Gets or sets the log factory to use when outputting messages (null - use LogManager). Gets or sets the default log level. Gets or sets the log which should be always used regardless of source level. Gets or sets a value indicating whether flush calls from trace sources should be ignored. Gets a value indicating whether the trace listener is thread safe. true if the trace listener is thread safe; otherwise, false. The default is false. Gets or sets a value indicating whether to use auto logger name detected from the stack trace. When overridden in a derived class, writes the specified message to the listener you create in the derived class. A message to write. When overridden in a derived class, writes a message to the listener you create in the derived class, followed by a line terminator. A message to write. When overridden in a derived class, closes the output stream so it no longer receives tracing or debugging output. Emits an error message. A message to emit. Emits an error message and a detailed error message. A message to emit. A detailed message to emit. Flushes the output (if is not true) buffer with the default timeout of 15 seconds. Writes trace information, a data object and event information to the listener specific output. A object that contains the current process ID, thread ID, and stack trace information. A name used to identify the output, typically the name of the application that generated the trace event. One of the values specifying the type of event that has caused the trace. A numeric identifier for the event. The trace data to emit. Writes trace information, an array of data objects and event information to the listener specific output. A object that contains the current process ID, thread ID, and stack trace information. A name used to identify the output, typically the name of the application that generated the trace event. One of the values specifying the type of event that has caused the trace. A numeric identifier for the event. An array of objects to emit as data. Writes trace and event information to the listener specific output. A object that contains the current process ID, thread ID, and stack trace information. A name used to identify the output, typically the name of the application that generated the trace event. One of the values specifying the type of event that has caused the trace. A numeric identifier for the event. Writes trace information, a formatted array of objects and event information to the listener specific output. A object that contains the current process ID, thread ID, and stack trace information. A name used to identify the output, typically the name of the application that generated the trace event. One of the values specifying the type of event that has caused the trace. A numeric identifier for the event. A format string that contains zero or more format items, which correspond to objects in the array. An object array containing zero or more objects to format. Writes trace information, a message, and event information to the listener specific output. A object that contains the current process ID, thread ID, and stack trace information. A name used to identify the output, typically the name of the application that generated the trace event. One of the values specifying the type of event that has caused the trace. A numeric identifier for the event. A message to write. Writes trace information, a message, a related activity identity and event information to the listener specific output. A object that contains the current process ID, thread ID, and stack trace information. A name used to identify the output, typically the name of the application that generated the trace event. A numeric identifier for the event. A message to write. A object identifying a related activity. Gets the custom attributes supported by the trace listener. A string array naming the custom attributes supported by the trace listener, or null if there are no custom attributes. Translates the event type to level from . Type of the event. Translated log level. Process the log event The log level. The name of the logger. The log message. The log parameters. The event id. The event type. The related activity id. It works as a normal but it discards all messages which an application requests to be logged. It effectively implements the "Null Object" pattern for objects. Initializes a new instance of . The factory class to be used for the creation of this logger. Specifies the way archive numbering is performed. Sequence style numbering. The most recent archive has the highest number. Rolling style numbering (the most recent is always #0 then #1, ..., #N. Date style numbering. Archives will be stamped with the prior period (Year, Month, Day, Hour, Minute) datetime. Date and sequence style numbering. Archives will be stamped with the prior period (Year, Month, Day) datetime. The most recent archive has the highest number (in combination with the date). Abstract Target with async Task support How many milliseconds to delay the actual write operation to optimize for batching How many seconds a Task is allowed to run before it is cancelled. How many attempts to retry the same Task, before it is aborted How many milliseconds to wait before next retry (will double with each retry) Gets or sets whether to use the locking queue, instead of a lock-free concurrent queue The locking queue is less concurrent when many logger threads, but reduces memory allocation Gets or sets the action to be taken when the lazy writer thread request queue count exceeds the set limit. Gets or sets the limit on the number of requests in the lazy writer thread request queue. Gets or sets the number of log events that should be processed in a batch by the lazy writer thread. Task Scheduler used for processing async Tasks Constructor Initializes the internal queue for pending logevents Override this to create the actual logging task Example of how to override this method, and call custom async method protected override Task WriteAsyncTask(LogEventInfo logEvent, CancellationToken token) { return CustomWriteAsync(logEvent, token); } private async Task CustomWriteAsync(LogEventInfo logEvent, CancellationToken token) { await MyLogMethodAsync(logEvent, token).ConfigureAwait(false); } The log event. The cancellation token Override this to create the actual logging task for handling batch of logevents A batch of logevents. The cancellation token Handle cleanup after failed write operation Exception from previous failed Task The cancellation token Number of retries remaining Time to sleep before retrying Should attempt retry Schedules the LogEventInfo for async writing The log event. Write to queue without locking Schedules notification of when all messages has been written Closes Target by updating CancellationToken Releases any managed resources Checks the internal queue for the next to create a new task for Used for race-condition validation between task-completion and timeout Signals whether previousTask completed an almost full BatchSize Generates recursive task-chain to perform retry of writing logevents with increasing retry-delay Creates new task to handle the writing of the input LogEvents to write New Task created [true / false] Handles that scheduled task has completed (successfully or failed), and starts the next pending task Task just completed AsyncContinuation to notify of success or failure Timer method, that is fired when pending task fails to complete within timeout Sends log messages to the remote instance of Chainsaw application from log4j. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol or you'll get TCP timeouts and your application will crawl. Either switch to UDP transport or use AsyncWrapper target so that your application threads will not be blocked by the timing-out connection attempts.

Initializes a new instance of the class. Initializes a new instance of the class with a name. Name of the target. Color formatting for using ANSI Color Codes Not using bold to get light colors, as it has to be cleared Not using bold to get light colors, as it has to be cleared (And because it only works for text, and not background) Resets both foreground and background color. ANSI have 8 color-codes (30-37) by default. The "bright" (or "intense") color-codes (90-97) are extended values not supported by all terminals Color formatting for using and Writes log messages to the console with customizable coloring. Documentation on NLog Wiki Should logging being paused/stopped because of the race condition bug in Console.Writeline? Console.Out.Writeline / Console.Error.Writeline could throw 'IndexOutOfRangeException', which is a bug. See https://stackoverflow.com/questions/33915790/console-out-and-console-error-race-condition-error-in-a-windows-service-written and https://connect.microsoft.com/VisualStudio/feedback/details/2057284/console-out-probable-i-o-race-condition-issue-in-multi-threaded-windows-service Full error: Error during session close: System.IndexOutOfRangeException: Probable I/ O race condition detected while copying memory. The I/ O package is not thread safe by default.In multithreaded applications, a stream must be accessed in a thread-safe way, such as a thread - safe wrapper returned by TextReader's or TextWriter's Synchronized methods.This also applies to classes like StreamWriter and StreamReader. Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Gets or sets a value indicating whether the error stream (stderr) should be used instead of the output stream (stdout). Gets or sets a value indicating whether to use default row highlighting rules. The default rules are:
Condition Foreground Color Background Color
level == LogLevel.Fatal Red NoChange
level == LogLevel.Error Yellow NoChange
level == LogLevel.Warn Magenta NoChange
level == LogLevel.Info White NoChange
level == LogLevel.Debug Gray NoChange
level == LogLevel.Trace DarkGray NoChange
The encoding for writing messages to the . Has side effect Gets or sets a value indicating whether to auto-check if the console is available. - Disables console writing if Environment.UserInteractive = False (Windows Service) - Disables console writing if Console Standard Input is not available (Non-Console-App) Gets or sets a value indicating whether to auto-flush after Normally the standard Console.Out will have = false, but not when piped Enables output using ANSI Color Codes Gets the row highlighting rules. Gets the word highlighting rules. Initializes the target. Closes the target and releases any unmanaged resources. Writes the specified log event to the console highlighting entries and words based on a set of defined rules. Log event. Colored console output color. Note that this enumeration is defined to be binary compatible with .NET 2.0 System.ConsoleColor + some additions Black Color (#000000). Dark blue Color (#000080). Dark green Color (#008000). Dark Cyan Color (#008080). Dark Red Color (#800000). Dark Magenta Color (#800080). Dark Yellow Color (#808000). Gray Color (#C0C0C0). Dark Gray Color (#808080). Blue Color (#0000FF). Green Color (#00FF00). Cyan Color (#00FFFF). Red Color (#FF0000). Magenta Color (#FF00FF). Yellow Color (#FFFF00). White Color (#FFFFFF). Don't change the color. The row-highlighting condition. Initializes static members of the ConsoleRowHighlightingRule class. Initializes a new instance of the class. Initializes a new instance of the class. The condition. Color of the foreground. Color of the background. Gets the default highlighting rule. Doesn't change the color. Gets or sets the condition that must be met in order to set the specified foreground and background color. Gets or sets the foreground color. Gets or sets the background color. Checks whether the specified log event matches the condition (if any). Log event. A value of if the condition is not defined or if it matches, otherwise. Writes log messages to the console. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Should logging being paused/stopped because of the race condition bug in Console.Writeline? Console.Out.Writeline / Console.Error.Writeline could throw 'IndexOutOfRangeException', which is a bug. See https://stackoverflow.com/questions/33915790/console-out-and-console-error-race-condition-error-in-a-windows-service-written and https://connect.microsoft.com/VisualStudio/feedback/details/2057284/console-out-probable-i-o-race-condition-issue-in-multi-threaded-windows-service Full error: Error during session close: System.IndexOutOfRangeException: Probable I/ O race condition detected while copying memory. The I/ O package is not thread safe by default.In multithreaded applications, a stream must be accessed in a thread-safe way, such as a thread - safe wrapper returned by TextReader's or TextWriter's Synchronized methods.This also applies to classes like StreamWriter and StreamReader. Gets or sets a value indicating whether to send the log messages to the standard error instead of the standard output. The encoding for writing messages to the . Has side effect Gets or sets a value indicating whether to auto-check if the console is available - Disables console writing if Environment.UserInteractive = False (Windows Service) - Disables console writing if Console Standard Input is not available (Non-Console-App) Gets or sets a value indicating whether to auto-flush after Normally the standard Console.Out will have = false, but not when piped Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Initializes the target. Closes the target and releases any unmanaged resources. Writes the specified logging event to the Console.Out or Console.Error depending on the value of the Error flag. The logging event. Note that the Error option is not supported on .NET Compact Framework. Write to output text to be written. Highlighting rule for Win32 colorful console. Initializes a new instance of the class. Initializes a new instance of the class. The text to be matched.. Color of the foreground. Color of the background. Gets or sets the regular expression to be matched. You must specify either text or regex. Compile the ? This can improve the performance, but at the costs of more memory usage. If false, the Regex Cache is used. Gets or sets the text to be matched. You must specify either text or regex. Gets or sets a value indicating whether to match whole words only. Gets or sets a value indicating whether to ignore case when comparing texts. Gets or sets the foreground color. Gets or sets the background color. Gets the compiled regular expression that matches either Text or Regex property. Only used when is true. Access this property will compile the Regex. Get regex options. Default option to start with. Get Expression for a . Information about database command + parameters. Initializes a new instance of the class. Gets or sets the type of the command. The type of the command. Gets or sets the connection string to run the command against. If not provided, connection string from the target is used. Gets or sets the command text. Gets or sets a value indicating whether to ignore failures. Gets the collection of parameters. Each parameter contains a mapping between NLog layout and a database named or positional parameter. Represents a parameter to a Database target. Initializes a new instance of the class. Initializes a new instance of the class. Name of the parameter. The parameter layout. Gets or sets the database parameter name. Gets or sets the layout that should be use to calculate the value for the parameter. Gets or sets the database parameter DbType. Gets or sets the database parameter size. Gets or sets the database parameter precision. Gets or sets the database parameter scale. Gets or sets the type of the parameter. Gets or sets convert format of the database parameter value . Gets or sets the culture used for parsing parameter string-value for type-conversion Writes log messages to the database using an ADO.NET provider. - NETSTANDARD cannot load connectionstrings from .config Documentation on NLog Wiki The configuration is dependent on the database type, because there are differnet methods of specifying connection string, SQL command and command parameters. MS SQL Server using System.Data.SqlClient: Oracle using System.Data.OracleClient: Oracle using System.Data.OleDBClient: To set up the log target programmatically use code like this (an equivalent of MSSQL configuration): Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. Gets or sets the name of the database provider. The parameter name should be a provider invariant name as registered in machine.config or app.config. Common values are:
  • System.Data.SqlClient - SQL Sever Client
  • System.Data.SqlServerCe.3.5 - SQL Sever Compact 3.5
  • System.Data.OracleClient - Oracle Client from Microsoft (deprecated in .NET Framework 4)
  • Oracle.DataAccess.Client - ODP.NET provider from Oracle
  • System.Data.SQLite - System.Data.SQLite driver for SQLite
  • Npgsql - Npgsql driver for PostgreSQL
  • MySql.Data.MySqlClient - MySQL Connector/Net
(Note that provider invariant names are not supported on .NET Compact Framework). Alternatively the parameter value can be be a fully qualified name of the provider connection type (class implementing ) or one of the following tokens:
  • sqlserver, mssql, microsoft or msde - SQL Server Data Provider
  • oledb - OLEDB Data Provider
  • odbc - ODBC Data Provider
Gets or sets the name of the connection string (as specified in <connectionStrings> configuration section. Gets or sets the connection string. When provided, it overrides the values specified in DBHost, DBUserName, DBPassword, DBDatabase. Gets or sets the connection string using for installation and uninstallation. If not provided, regular ConnectionString is being used. Gets the installation DDL commands. Gets the uninstallation DDL commands. Gets or sets a value indicating whether to keep the database connection open between the log events. Obsolete - value will be ignored! The logging code always runs outside of transaction. Gets or sets a value indicating whether to use database transactions. Some data providers require this. This option was removed in NLog 4.0 because the logging code always runs outside of transaction. This ensures that the log gets written to the database if you rollback the main transaction because of an error and want to log the error. Gets or sets the database host name. If the ConnectionString is not provided this value will be used to construct the "Server=" part of the connection string. Gets or sets the database user name. If the ConnectionString is not provided this value will be used to construct the "User ID=" part of the connection string. Gets or sets the database password. If the ConnectionString is not provided this value will be used to construct the "Password=" part of the connection string. Gets or sets the database name. If the ConnectionString is not provided this value will be used to construct the "Database=" part of the connection string. Gets or sets the text of the SQL command to be run on each log level. Typically this is a SQL INSERT statement or a stored procedure call. It should use the database-specific parameters (marked as @parameter for SQL server or :parameter for Oracle, other data providers have their own notation) and not the layout renderers, because the latter is prone to SQL injection attacks. The layout renderers should be specified as <parameter /> elements instead. Gets or sets the type of the SQL command to be run on each log level. This specifies how the command text is interpreted, as "Text" (default) or as "StoredProcedure". When using the value StoredProcedure, the commandText-property would normally be the name of the stored procedure. TableDirect method is not supported in this context. Gets the collection of parameters. Each parameter contains a mapping between NLog layout and a database named or positional parameter. Performs installation which requires administrative permissions. The installation context. Performs uninstallation which requires administrative permissions. The installation context. Determines whether the item is installed. The installation context. Value indicating whether the item is installed or null if it is not possible to determine. Initializes the target. Can be used by inheriting classes to initialize logging. Set the to use it for opening connections to the database. Closes the target and releases any unmanaged resources. Writes the specified logging event to the database. It creates a new database command, prepares parameters for it by calculating layouts and executes the command. The logging event. NOTE! Obsolete, instead override Write(IList{AsyncLogEventInfo} logEvents) Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Write logEvent to database Build the connectionstring from the properties. Using at first, and falls back to the properties , , and Event to render the layout inside the properties. Create database parameter Current command. Parameter configuration info. Extract parameter value from the logevent Current logevent. Parameter configuration info. Create Default Value of Type A descriptor for an archive created with the DateAndSequence numbering mode. The full name of the archive file. The parsed date contained in the file name. The parsed sequence number contained in the file name. Determines whether produces the same string as the current instance's date once formatted with the current instance's date format. The date to compare the current object's date to. True if the formatted dates are equal, otherwise False. Initializes a new instance of the class. Writes log messages to the attached managed debugger.

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Initializes the target. Closes the target and releases any unmanaged resources. Writes the specified logging event to the attached debugger. The logging event. Mock target - useful for testing. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Gets the number of times this target has been called. Gets the last message rendered by this target. Increases the number of messages. The logging event. Default class for serialization of values to JSON format. Singleton instance of the serializer. Private. Use Returns a serialization of an object into JSON format. The object to serialize to JSON. Serialized value. Returns a serialization of an object into JSON format. The object to serialize to JSON. serialisation options Serialized value. Serialization of the object in JSON format to the destination StringBuilder The object to serialize to JSON. Write the resulting JSON to this destination. Object serialized successfully (true/false). Serialization of the object in JSON format to the destination StringBuilder The object to serialize to JSON. Write the resulting JSON to this destination. serialisation options Object serialized successfully (true/false). Serialization of the object in JSON format to the destination StringBuilder The object to serialize to JSON. Write the resulting JSON to this destination. serialisation options The objects in path (Avoid cyclic reference loop). The current depth (level) of recursion. Object serialized successfully (true/false). No quotes needed for this type? Checks the object if it is numeric TypeCode for the object Accept fractional types as numeric type. Checks input string if it needs JSON escaping, and makes necessary conversion Destination Builder Input string Should non-ascii characters be encoded JSON escaped string Writes log message to the Event Log. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Max size in characters (limitation of the EventLog API). Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. Initializes a new instance of the class. . to be used as Source. Initializes a new instance of the class. Gets or sets the name of the machine on which Event Log service is running. Gets or sets the layout that renders event ID. Gets or sets the layout that renders event Category. Optional entrytype. When not set, or when not convertible to then determined by Gets or sets the value to be used as the event Source. By default this is the friendly name of the current AppDomain. Gets or sets the name of the Event Log to write to. This can be System, Application or any user-defined name. Gets or sets the message length limit to write to the Event Log. MaxMessageLength cannot be zero or negative Gets or sets the maximum Event log size in kilobytes. MaxKilobytes cannot be less than 64 or greater than 4194240 or not a multiple of 64. If null, the value will not be specified while creating the Event log. Gets or sets the action to take if the message is larger than the option. Performs installation which requires administrative permissions. The installation context. Performs uninstallation which requires administrative permissions. The installation context. Determines whether the item is installed. The installation context. Value indicating whether the item is installed or null if it is not possible to determine. Initializes the target. Writes the specified logging event to the event log. The logging event. Get the entry type for logging the message. The logging event - for rendering the Get the source, if and only if the source is fixed. null when not Internal for unit tests Gets the to write to. Event if the source needs to be rendered. (re-)create an event source, if it isn't there. Works only with fixed source names. The source name. If source is not fixed (see , then pass null or . always throw an Exception when there is an error A wrapper for Windows event log. A wrapper for the property . A wrapper for the property . A wrapper for the property . A wrapper for the property . Indicates whether an event log instance is associated. A wrapper for the method . Creates a new association with an instance of the event log. A wrapper for the static method . A wrapper for the static method . A wrapper for the static method . A wrapper for the static method . The implementation of , that uses Windows . Creates a new association with an instance of Windows . Action that should be taken if the message is greater than the max message size allowed by the Event Log. Truncate the message before writing to the Event Log. Split the message and write multiple entries to the Event Log. Discard of the message. It will not be written to the Event Log. Check if cleanup should be performed on initialize new file Skip cleanup when initializing new file, just after having performed archive operation Base archive file pattern Maximum number of archive files that should be kept True, when archive cleanup is needed Characters determining the start of the . Characters determining the end of the . File name which is used as template for matching and replacements. It is expected to contain a pattern to match. The begging position of the within the . -1 is returned when no pattern can be found. The ending position of the within the . -1 is returned when no pattern can be found. Replace the pattern with the specified String. Archives the log-files using a date style numbering. Archives will be stamped with the prior period (Year, Month, Day, Hour, Minute) datetime. When the number of archive files exceed the obsolete archives are deleted. Archives the log-files using a date and sequence style numbering. Archives will be stamped with the prior period (Year, Month, Day) datetime. The most recent archive has the highest number (in combination with the date). When the number of archive files exceed the obsolete archives are deleted. Parse filename with date and sequence pattern dateformat for archive the found pattern. When failed, then default the found pattern. When failed, then default Archives the log-files using the provided base-archive-filename. If the base-archive-filename causes duplicate archive filenames, then sequence-style is automatically enforced. Example: Base Filename trace.log Next Filename trace.0.log The most recent archive has the highest number. When the number of archive files exceed the obsolete archives are deleted. Dynamically converts a non-template archiveFilePath into a correct archiveFilePattern. Before called the original IFileArchiveMode, that has been wrapped by this Determines if the file name as contains a numeric pattern i.e. {#} in it. Example: trace{#}.log Contains the numeric pattern. trace{###}.log Contains the numeric pattern. trace{#X#}.log Contains the numeric pattern (See remarks). trace.log Does not contain the pattern. Occasionally, this method can identify the existence of the {#} pattern incorrectly. File name to be checked. when the pattern is found; otherwise. Determine if old archive files should be deleted. Maximum number of archive files that should be kept when old archives should be deleted; otherwise. Archives the log-files using a rolling style numbering (the most recent is always #0 then #1, ..., #N. When the number of archive files exceed the obsolete archives are deleted. Replaces the numeric pattern i.e. {#} in a file name with the parameter value. File name which contains the numeric pattern. Value which will replace the numeric pattern. File name with the value of in the position of the numeric pattern. Archives the log-files using a sequence style numbering. The most recent archive has the highest number. When the number of archive files exceed the obsolete archives are deleted. Modes of archiving files based on time. Don't archive based on time. AddToArchive every year. AddToArchive every month. AddToArchive daily. AddToArchive every hour. AddToArchive every minute. AddToArchive every Sunday. AddToArchive every Monday. AddToArchive every Tuesday. AddToArchive every Wednesday. AddToArchive every Thursday. AddToArchive every Friday. AddToArchive every Saturday. Type of filepath Detect of relative or absolute Relative path Absolute path Best for performance Writes log messages to one or more files. Documentation on NLog Wiki Default clean up period of the initialized files. When a file exceeds the clean up period is removed from the list. Clean up period is defined in days. The maximum number of initialized files before clean up procedures are initiated, to keep the number of initialized files to a minimum. Chose 25 to cater for monthly rolling of log-files. This value disables file archiving based on the size. Holds the initialised files each given time by the instance. Against each file, the last write time is stored. Last write time is store in local time (no UTC). List of the associated file appenders with the instance. The number of initialized files at any one time. The maximum number of archive files that should be kept. The filename as target The archive file name as target The date of the previous log event. The file name of the previous log event. Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Gets or sets the name of the file to write to. This FileName string is a layout which may include instances of layout renderers. This lets you use a single target to write to multiple files. The following value makes NLog write logging events to files based on the log level in the directory where the application runs. ${basedir}/${level}.log All Debug messages will go to Debug.log, all Info messages will go to Info.log and so on. You can combine as many of the layout renderers as you want to produce an arbitrary log file name. Cleanup invalid values in a filename, e.g. slashes in a filename. If set to true, this can impact the performance of massive writes. If set to false, nothing gets written when the filename is wrong. Is the an absolute or relative path? Gets or sets a value indicating whether to create directories if they do not exist. Setting this to false may improve performance a bit, but you'll receive an error when attempting to write to a directory that's not present. Gets or sets a value indicating whether to delete old log file on startup. This option works only when the "FileName" parameter denotes a single file. Gets or sets a value indicating whether to replace file contents on each write instead of appending log message at the end. Gets or sets a value indicating whether to keep log file open instead of opening and closing it on each logging event. Setting this property to True helps improve performance. Gets or sets the maximum number of log filenames that should be stored as existing. The bigger this number is the longer it will take to write each log record. The smaller the number is the higher the chance that the clean function will be run when no new files have been opened. Gets or sets a value indicating whether to enable log file(s) to be deleted. Gets or sets the file attributes (Windows only). Gets or sets the line ending mode. Gets or sets a value indicating whether to automatically flush the file buffers after each log message. Gets or sets the number of files to be kept open. Setting this to a higher value may improve performance in a situation where a single File target is writing to many files (such as splitting by level or by logger). The files are managed on a LRU (least recently used) basis, which flushes the files that have not been used for the longest period of time should the cache become full. As a rule of thumb, you shouldn't set this parameter to a very high value. A number like 10-15 shouldn't be exceeded, because you'd be keeping a large number of files open which consumes system resources. Gets or sets the maximum number of seconds that files are kept open. If this number is negative the files are not automatically closed after a period of inactivity. Gets or sets the maximum number of seconds before open files are flushed. If this number is negative or zero the files are not flushed by timer. Gets or sets the log file buffer size in bytes. Gets or sets the file encoding. Gets or sets whether or not this target should just discard all data that its asked to write. Mostly used for when testing NLog Stack except final write Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on the same host. This makes multi-process logging possible. NLog uses a special technique that lets it keep the files open for writing. Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on different network hosts. This effectively prevents files from being kept open. Gets or sets a value indicating whether to write BOM (byte order mark) in created files Gets or sets the number of times the write is appended on the file before NLog discards the log message. Gets or sets the delay in milliseconds to wait before attempting to write to the file again. The actual delay is a random value between 0 and the value specified in this parameter. On each failed attempt the delay base is doubled up to times. Assuming that ConcurrentWriteAttemptDelay is 10 the time to wait will be:

a random value between 0 and 10 milliseconds - 1st attempt
a random value between 0 and 20 milliseconds - 2nd attempt
a random value between 0 and 40 milliseconds - 3rd attempt
a random value between 0 and 80 milliseconds - 4th attempt
...

and so on.

Gets or sets a value indicating whether to archive old log file on startup. This option works only when the "FileName" parameter denotes a single file. After archiving the old file, the current log file will be empty.
Gets or sets a value specifying the date format to use when archiving files. This option works only when the "ArchiveNumbering" parameter is set either to Date or DateAndSequence. Gets or sets the size in bytes above which log files will be automatically archived. Warning: combining this with isn't supported. We cannot create multiple archive files, if they should have the same name. Choose: Caution: Enabling this option can considerably slow down your file logging in multi-process scenarios. If only one process is going to be writing to the file, consider setting ConcurrentWrites to false for maximum performance. Gets or sets a value indicating whether to automatically archive log files every time the specified time passes. Files are moved to the archive as part of the write operation if the current period of time changes. For example if the current hour changes from 10 to 11, the first write that will occur on or after 11:00 will trigger the archiving.

Caution: Enabling this option can considerably slow down your file logging in multi-process scenarios. If only one process is going to be writing to the file, consider setting ConcurrentWrites to false for maximum performance.

Is the an absolute or relative path? Gets or sets the name of the file to be used for an archive. It may contain a special placeholder {#####} that will be replaced with a sequence of numbers depending on the archiving strategy. The number of hash characters used determines the number of numerical digits to be used for numbering files. Gets or sets the maximum number of archive files that should be kept. Gets or sets the way file archives are numbered. Used to compress log files during archiving. This may be used to provide your own implementation of a zip file compressor, on platforms other than .Net4.5. Defaults to ZipArchiveFileCompressor on .Net4.5 and to null otherwise. Gets or sets a value indicating whether to compress archive files into the zip archive format. Gets or set a value indicating whether a managed file stream is forced, instead of using the native implementation. Gets or sets a value indicating whether file creation calls should be synchronized by a system global mutex. Gets or sets a value indicating whether the footer should be written only when the file is archived. Gets the characters that are appended after each line. Refresh the ArchiveFilePatternToWatch option of the . The log file must be watched for archiving when multiple processes are writing to the same open file. Removes records of initialized files that have not been accessed in the last two days. Files are marked 'initialized' for the purpose of writing footers when the logging finishes. Removes records of initialized files that have not been accessed after the specified date. The cleanup threshold. Files are marked 'initialized' for the purpose of writing footers when the logging finishes. Flushes all pending file operations. The asynchronous continuation. The timeout parameter is ignored, because file APIs don't provide the needed functionality. Returns the suitable appender factory ( ) to be used to generate the file appenders associated with the instance. The type of the file appender factory returned depends on the values of various properties. suitable for this instance. Initializes file logging by creating data structures that enable efficient multi-file logging. Closes the file(s) opened for writing. Can be used if has been enabled. Can be used if has been enabled. Can be used if has been enabled. Writes the specified logging event to a file specified in the FileName parameter. The logging event. Get full filename (=absolute) and cleaned if needed. NOTE! Obsolete, instead override Write(IList{AsyncLogEventInfo} logEvents) Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Writes the specified array of logging events to a file specified in the FileName parameter. An array of objects. This function makes use of the fact that the events are batched by sorting the requests by filename. This optimizes the number of open/close calls and can help improve performance. Returns estimated size for memory stream, based on events count and first event size in bytes. Count of events Bytes count of first event Formats the log event for write. The log event to be formatted. A string representation of the log event. Gets the bytes to be written to the file. Log event. Array of bytes that are ready to be written. Modifies the specified byte array before it gets sent to a file. The byte array. The modified byte array. The function can do the modification in-place. Gets the bytes to be written to the file. The log event to be formatted. to help format log event. Optional temporary char-array to help format log event. Destination for the encoded result. Formats the log event for write. The log event to be formatted. for the result. Modifies the specified byte array before it gets sent to a file. The LogEvent being written The byte array. Archives fileName to archiveFileName. File name to be archived. Name of the archive file. Gets the correct formatting to be used based on the value of for converting values which will be inserting into file names during archiving. This value will be computed only when a empty value or is passed into Date format to used irrespectively of value. Formatting for dates. Calculate the DateTime of the requested day of the week. The DateTime of the previous log event. The next occuring day of the week to return a DateTime for. The DateTime of the next occuring dayOfWeek. For example: if previousLogEventTimestamp is Thursday 2017-03-02 and dayOfWeek is Sunday, this will return Sunday 2017-03-05. If dayOfWeek is Thursday, this will return *next* Thursday 2017-03-09. Invokes the archiving process after determining when and which type of archiving is required. File name to be checked and archived. Log event that the instance is currently processing. The DateTime of the previous log event for this file. File has just been opened. Gets the pattern that archive files will match Filename of the log file Log event that the instance is currently processing. A string with a pattern that will match the archive filenames Archives the file if it should be archived. The file name to check for. Log event that the instance is currently processing. The size in bytes of the next chunk of data to be written in the file. The DateTime of the previous log event for this file. File has just been opened. True when archive operation of the file was completed (by this target or a concurrent target) Indicates if the automatic archiving process should be executed. File name to be written. Log event that the instance is currently processing. The size in bytes of the next chunk of data to be written in the file. The DateTime of the previous log event for this file. Filename to archive. If null, then nothing to archive. Returns the correct filename to archive Gets the file name for archiving, or null if archiving should not occur based on file size. File name to be written. The size in bytes of the next chunk of data to be written in the file. Filename to archive. If null, then nothing to archive. Returns the file name for archiving, or null if archiving should not occur based on date/time. File name to be written. Log event that the instance is currently processing. The DateTime of the previous log event for this file. Filename to archive. If null, then nothing to archive. Truncates the input-time, so comparison of low resolution times (like dates) are not affected by ticks High resolution Time Time Resolution Level Truncated Low Resolution Time Evaluates which parts of a file should be written (header, content, footer) based on various properties of instance and writes them. File name to be written. Raw sequence of to be written into the content part of the file. File has just been opened. Initialise a file to be used by the instance. Based on the number of initialized files and the values of various instance properties clean up and/or archiving processes can be invoked. File name to be written. Log event that the instance is currently processing. The DateTime of the previous log event for this file (DateTime.MinValue if just initialized). Writes the file footer and finalizes the file in instance internal structures. File name to close. Indicates if the file is being finalized for archiving. Writes the footer information to a file. The file path to write to. Invokes the archiving and clean up of older archive file based on the values of and properties respectively. File name to be written. Log event that the instance is currently processing. Creates the file specified in and writes the file content in each entirety i.e. Header, Content and Footer. The name of the file to be written. Sequence of to be written in the content section of the file. First attempt to write? This method is used when the content of the log file is re-written on every write. Writes the header information and byte order mark to a file. File appender associated with the file. The sequence of to be written in a file after applying any formating and any transformations required from the . The layout used to render output message. Sequence of to be written. Usually it is used to render the header and hooter of the files. Controls the text and color formatting for Creates a TextWriter for the console to start building a colored text message Active console stream Optional StringBuilder to optimize performance TextWriter for the console Releases the TextWriter for the console after having built a colored text message (Restores console colors) Colored TextWriter Active console stream Original foreground color for console (If changed) Original background color for console (If changed) Changes foreground color for the Colored TextWriter Colored TextWriter New foreground color for the console Old foreground color for the console Changes backgroundColor color for the Colored TextWriter Colored TextWriter New backgroundColor color for the console Old backgroundColor color for the console Restores console colors back to their original state Colored TextWriter Original foregroundColor color for the console Original backgroundColor color for the console Writes multiple characters to console in one operation (faster) Colored TextWriter Output Text Start Index End Index Writes single character to console Colored TextWriter Output Text Writes whole string and completes with newline Colored TextWriter Output Text Default row highlight rules for the console printer Check if cleanup should be performed on initialize new file Base archive file pattern Maximum number of archive files that should be kept True, when archive cleanup is needed Create a wildcard file-mask that allows one to find all files belonging to the same archive. Base archive file pattern Wildcard file-mask Search directory for all existing files that are part of the same archive. Base archive file pattern Generate the next archive filename for the archive. Base archive file pattern File date of archive Existing files in the same archive Return all files that should be removed from the provided archive. Base archive file pattern Existing files in the same archive Maximum number of archive files that should be kept may be configured to compress archived files in a custom way by setting before logging your first event. Create archiveFileName by compressing fileName. Absolute path to the log file to compress. Absolute path to the compressed archive file to create. Interface for serialization of values, maybe even objects to JSON format. Useful for wrappers for existing serializers. Returns a serialization of an object into JSON format. The object to serialize to JSON. Serialized value (null = Serialize failed). Options for JSON serialisation Add quotes around object keys? Formatprovider for value Format string for value Should non-ascii characters be encoded Serialize enum as string value Should dictionary keys be sanitized. All characters must either be letters, numbers or underscore character (_). Any other characters will be converted to underscore character (_) How far down the rabbit hole should the Json Serializer go with object-reflection before stopping Initializes a new instance of the class. Line ending mode. Insert platform-dependent end-of-line sequence after each line. Insert CR LF sequence (ASCII 13, ASCII 10) after each line. Insert CR character (ASCII 13) after each line. Insert LF character (ASCII 10) after each line. Insert null terminator (ASCII 0) after each line. Do not insert any line ending. Gets the name of the LineEndingMode instance. Gets the new line characters (value) of the LineEndingMode instance. Initializes a new instance of . The mode name. The new line characters to be used. Returns the that corresponds to the supplied . The textual representation of the line ending mode, such as CRLF, LF, Default etc. Name is not case sensitive. The value, that corresponds to the . There is no line ending mode with the specified name. Compares two objects and returns a value indicating whether the first one is equal to the second one. The first level. The second level. The value of mode1.NewLineCharacters == mode2.NewLineCharacters. Compares two objects and returns a value indicating whether the first one is not equal to the second one. The first mode The second mode The value of mode1.NewLineCharacters != mode2.NewLineCharacters. Returns a string representation of the log level. Log level name. Returns a hash code for this instance. A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. Determines whether the specified is equal to this instance. The to compare with this instance. Value of true if the specified is equal to this instance; otherwise, false. The parameter is null. Indicates whether the current object is equal to another object of the same type. true if the current object is equal to the parameter; otherwise, false. An object to compare with this object. Provides a type converter to convert objects to and from other representations. Returns whether this converter can convert an object of the given type to the type of this converter, using the specified context. true if this converter can perform the conversion; otherwise, false. An that provides a format context. A that represents the type you want to convert from. Converts the given object to the type of this converter, using the specified context and culture information. An that represents the converted value. An that provides a format context. The to use as the current culture. The to convert. The conversion cannot be performed. Sends log messages to a NLog Receiver Service (using WCF or Web Services). Documentation on NLog Wiki Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. Gets or sets the endpoint address. The endpoint address. Gets or sets the name of the endpoint configuration in WCF configuration file. The name of the endpoint configuration. Gets or sets a value indicating whether to use binary message encoding. Gets or sets a value indicating whether to use a WCF service contract that is one way (fire and forget) or two way (request-reply) Gets or sets the client ID. The client ID. Gets the list of parameters. The parameters. Gets or sets a value indicating whether to include per-event properties in the payload sent to the server. Called when log events are being sent (test hook). The events. The async continuations. True if events should be sent, false to stop processing them. Writes logging event to the log target. Must be overridden in inheriting classes. Logging event to be written out. NOTE! Obsolete, instead override Write(IList{AsyncLogEventInfo} logEvents) Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Append" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Flush any pending log messages asynchronously (in case of asynchronous targets). The asynchronous continuation. Add value to the , returns ordinal in lookup so only unique items will be added to value to add Creating a new instance of WcfLogReceiverClient Inheritors can override this method and provide their own service configuration - binding and endpoint address This method marked as obsolete before NLog 4.3.11 and it may be removed in a future release. Creating a new instance of IWcfLogReceiverClient Inheritors can override this method and provide their own service configuration - binding and endpoint address virtual is used by endusers Sends log messages by email using SMTP protocol. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Mail target works best when used with BufferingWrapper target which lets you send multiple log messages in single mail

To set up the buffered mail target in the configuration file, use the following syntax:

To set up the buffered mail target programmatically use code like this:

Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Gets the mailSettings/smtp configuration from app.config in cases when we need those configuration. E.g when UseSystemNetMailSettings is enabled and we need to read the From attribute from system.net/mailSettings/smtp Internal for mocking Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Gets or sets sender's email address (e.g. joe@domain.com). Gets or sets recipients' email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). Gets or sets CC email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). Gets or sets BCC email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). Gets or sets a value indicating whether to add new lines between log entries. A value of true if new lines should be added; otherwise, false. Gets or sets the mail subject. Gets or sets mail message body (repeated for each log message send in one mail). Alias for the Layout property. Gets or sets encoding to be used for sending e-mail. Gets or sets a value indicating whether to send message as HTML instead of plain text. Gets or sets SMTP Server to be used for sending. Gets or sets SMTP Authentication mode. Gets or sets the username used to connect to SMTP server (used when SmtpAuthentication is set to "basic"). Gets or sets the password used to authenticate against SMTP server (used when SmtpAuthentication is set to "basic"). Gets or sets a value indicating whether SSL (secure sockets layer) should be used when communicating with SMTP server. . Gets or sets the port number that SMTP Server is listening on. Gets or sets a value indicating whether the default Settings from System.Net.MailSettings should be used. Specifies how outgoing email messages will be handled. Gets or sets the folder where applications save mail messages to be processed by the local SMTP server. Gets or sets the priority used for sending mails. Gets or sets a value indicating whether NewLine characters in the body should be replaced with
tags.
Only happens when is set to true.
Gets or sets a value indicating the SMTP client timeout. Warning: zero is not infinite waiting Renders the logging event message and adds it to the internal ArrayList of log messages. The logging event. NOTE! Obsolete, instead override Write(IList{AsyncLogEventInfo} logEvents) Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Renders an array logging events. Array of logging events. Initializes the target. Can be used by inheriting classes to initialize logging. Create mail and send with SMTP event printed in the body of the event Create buffer for body all events first event for header last event for footer Set properties of last event for username/password client to set properties on Configure not at , as the properties could have layout renderers. Handle if it is a virtual directory. Create key for grouping. Needed for multiple events in one mailmessage event for rendering layouts string to group on Append rendered layout to the stringbuilder append to this event for rendering append if not null Create the mailmessage with the addresses, properties and body. Render and add the addresses to Addresses appended to this list layout with addresses, ; separated event for rendering the added a address? Writes log messages to an ArrayList in memory for programmatic retrieval. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Gets the list of logs gathered in the . Gets or sets the max number of items to have in memory Renders the logging event message and adds it to the internal ArrayList of log messages. The logging event. A parameter to MethodCall. Initializes a new instance of the class. Initializes a new instance of the class. The layout to use for parameter value. Initializes a new instance of the class. Name of the parameter. The layout. Initializes a new instance of the class. The name of the parameter. The layout. The type of the parameter. Gets or sets the name of the parameter. Gets or sets the type of the parameter. Obsolete alias for Gets or sets the type of the parameter. Gets or sets the layout that should be use to calculate the value for the parameter. Calls the specified static method on each log message and passes contextual parameters to it. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Gets or sets the class name. Gets or sets the method name. The method must be public and static. Use the AssemblyQualifiedName , https://msdn.microsoft.com/en-us/library/system.type.assemblyqualifiedname(v=vs.110).aspx e.g. Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. Initializes a new instance of the class. Name of the target. Method to call on logevent. Initializes the target. Calls the specified Method. Method parameters. The logging event. Calls the specified Method. Method parameters. The base class for all targets which call methods (local or remote). Manages parameters and type coercion. Initializes a new instance of the class. Gets the array of parameters to be passed. Prepares an array of parameters to be passed based on the logging event and calls DoInvoke(). The logging event. Calls the target DoInvoke method, and handles AsyncContinuation callback Method call parameters. The logging event. Calls the target DoInvoke method, and handles AsyncContinuation callback Method call parameters. The continuation. Calls the target method. Must be implemented in concrete classes. Method call parameters. Sends log messages over the network. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

To print the results, use any application that's able to receive messages over TCP or UDP. NetCat is a simple but very powerful command-line tool that can be used for that. This image demonstrates the NetCat tool receiving log messages from Network target.

NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol or you'll get TCP timeouts and your application will be very slow. Either switch to UDP transport or use AsyncWrapper target so that your application threads will not be blocked by the timing-out connection attempts.

There are two specialized versions of the Network target: Chainsaw and NLogViewer which write to instances of Chainsaw log4j viewer or NLogViewer application respectively.

Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Gets or sets the network address. The network address can be:
  • tcp://host:port - TCP (auto select IPv4/IPv6) (not supported on Windows Phone 7.0)
  • tcp4://host:port - force TCP/IPv4 (not supported on Windows Phone 7.0)
  • tcp6://host:port - force TCP/IPv6 (not supported on Windows Phone 7.0)
  • udp://host:port - UDP (auto select IPv4/IPv6, not supported on Silverlight and on Windows Phone 7.0)
  • udp4://host:port - force UDP/IPv4 (not supported on Silverlight and on Windows Phone 7.0)
  • udp6://host:port - force UDP/IPv6 (not supported on Silverlight and on Windows Phone 7.0)
  • http://host:port/pageName - HTTP using POST verb
  • https://host:port/pageName - HTTPS using POST verb
For SOAP-based webservice support over HTTP use WebService target.
Gets or sets a value indicating whether to keep connection open whenever possible. Gets or sets a value indicating whether to append newline at the end of log message. Gets or sets the end of line value if a newline is appended at the end of log message . Gets or sets the maximum message size in bytes. Gets or sets the size of the connection cache (number of connections which are kept alive). Gets or sets the maximum current connections. 0 = no maximum. Gets or sets the action that should be taken if the will be more connections than . Gets or sets the maximum queue size. Gets or sets the action that should be taken if the message is larger than maxMessageSize. Gets or sets the encoding to be used. Get or set the SSL/TLS protocols. Default no SSL/TLS is used. Currently only implemented for TCP. The number of seconds a connection will remain idle before the first keep-alive probe is sent Flush any pending log messages asynchronously (in case of asynchronous targets). The asynchronous continuation. Closes the target. Sends the rendered logging event over the network optionally concatenating it with a newline character. The logging event. Try to remove. removed something? Gets the bytes to be written. Log event. Byte array. The action to be taken when there are more connections then the max. Just allow it. Discard the connection item. Block until there's more room in the queue. Action that should be taken if the message overflows. Report an error. Split the message into smaller pieces. Discard the entire message. Represents a parameter to a NLogViewer target. Initializes a new instance of the class. Gets or sets viewer parameter name. Gets or sets the layout that should be use to calculate the value for the parameter. Gets or sets whether an attribute with empty value should be included in the output Sends log messages to the remote instance of NLog Viewer. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol or you'll get TCP timeouts and your application will crawl. Either switch to UDP transport or use AsyncWrapper target so that your application threads will not be blocked by the timing-out connection attempts.

Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. Gets or sets a value indicating whether to include dictionary contents. Gets or sets a value indicating whether to include stack contents. Gets or sets a value indicating whether to include dictionary contents. Gets or sets a value indicating whether to include contents of the stack. Gets or sets the NDLC item separator. Gets or sets the option to include all properties from the log events Gets or sets the NDC item separator. Gets or sets the renderer for log4j:event logger-xml-attribute (Default ${logger}) Gets the collection of parameters. Each parameter contains a mapping between NLog layout and a named parameter. Gets the layout renderer which produces Log4j-compatible XML events. Gets or sets the instance of that is used to format log messages. Discards log messages. Used mainly for debugging and benchmarking. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Gets or sets a value indicating whether to perform layout calculation. Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Does nothing. Optionally it calculates the layout text but discards the results. The logging event. Outputs log messages through the OutputDebugString() Win32 API. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Outputs the rendered logging event through the OutputDebugString() Win32 API. The logging event. Increments specified performance counter on each write. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

TODO: 1. Unable to create a category allowing multiple counter instances (.Net 2.0 API only, probably) 2. Is there any way of adding new counters without deleting the whole category? 3. There should be some mechanism of resetting the counter (e.g every day starts from 0), or auto-switching to another counter instance (with dynamic creation of new instance). This could be done with layouts.
Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. Gets or sets a value indicating whether performance counter should be automatically created. Gets or sets the name of the performance counter category. Gets or sets the name of the performance counter. Gets or sets the performance counter instance name. Gets or sets the counter help text. Gets or sets the performance counter type. The value by which to increment the counter. Performs installation which requires administrative permissions. The installation context. Performs uninstallation which requires administrative permissions. The installation context. Determines whether the item is installed. The installation context. Value indicating whether the item is installed or null if it is not possible to determine. Increments the configured performance counter. Log event. Closes the target and releases any unmanaged resources. Ensures that the performance counter has been initialized. True if the performance counter is operational, false otherwise. SMTP authentication modes. No authentication. Basic - username and password. NTLM Authentication. Represents logging target. Are all layouts in this target thread-agnostic, if so we don't precalculate the layouts The Max StackTraceUsage of all the in this Target Gets or sets the name of the target. Target supports reuse of internal buffers, and doesn't have to constantly allocate new buffers Required for legacy NLog-targets, that expects buffers to remain stable after Write-method exit Gets the object which can be used to synchronize asynchronous operations that must rely on the . Gets the logging configuration this target is part of. Gets a value indicating whether the target has been initialized. Can be used if has been enabled. Initializes this instance. The configuration. Closes this instance. Closes the target. Flush any pending log messages (in case of asynchronous targets). The asynchronous continuation. Calls the on each volatile layout used by this target. This method won't prerender if all layouts in this target are thread-agnostic. The log event. Returns a that represents this instance. A that represents this instance. Writes the log to the target. Log event to write. Writes the array of log events. The log events. Writes the array of log events. The log events. Initializes this instance. The configuration. Closes this instance. Releases unmanaged and - optionally - managed resources. True to release both managed and unmanaged resources; false to release only unmanaged resources. Initializes the target. Can be used by inheriting classes to initialize logging. Closes the target and releases any unmanaged resources. Flush any pending log messages asynchronously (in case of asynchronous targets). The asynchronous continuation. Writes logging event to the log target. Must be overridden in inheriting classes. Logging event to be written out. Writes async log event to the log target. Async Log event to be written out. Writes a log event to the log target, in a thread safe manner. Any override of this method has to provide their own synchronization mechanism. !WARNING! Custom targets should only override this method if able to provide their own synchronization mechanism. -objects are not guaranteed to be threadsafe, so using them without a SyncRoot-object can be dangerous. Log event to be written out. NOTE! Obsolete, instead override Write(IList{AsyncLogEventInfo} logEvents) Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. NOTE! Obsolete, instead override WriteAsyncThreadSafe(IList{AsyncLogEventInfo} logEvents) Writes an array of logging events to the log target, in a thread safe manner. !WARNING! Custom targets should only override this method if able to provide their own synchronization mechanism. -objects are not guaranteed to be threadsafe, so using them without a SyncRoot-object can be dangerous. Logging events to be written out. Writes an array of logging events to the log target, in a thread safe manner. Any override of this method has to provide their own synchronization mechanism. !WARNING! Custom targets should only override this method if able to provide their own synchronization mechanism. -objects are not guaranteed to be threadsafe, so using them without a SyncRoot-object can be dangerous. Logging events to be written out. Merges (copies) the event context properties from any event info object stored in parameters of the given event info object. The event info object to perform the merge to. Renders the event info in layout. The layout. The event info. String representing log event. Register a custom Target. Short-cut for registering to default Type of the Target. Name of the Target. Register a custom Target. Short-cut for registering to default Type of the Target. Name of the Target. Marks class as a logging target and assigns a name to it. This attribute is not required when registering the target in the API. Initializes a new instance of the class. Name of the target. Gets or sets a value indicating whether to the target is a wrapper target (used to generate the target summary documentation page). Gets or sets a value indicating whether to the target is a compound target (used to generate the target summary documentation page). Attribute details for Initializes a new instance of the class. Initializes a new instance of the class. The name of the attribute. The layout of the attribute's value. Gets or sets the name of the attribute. Gets or sets the layout that will be rendered as the attribute's value. Gets or sets when an empty value should cause the property to be included Gets or sets the type of the property. Represents target that supports context capture using MDLC, MDC, NDLC and NDC Gets or sets a value indicating whether to include contents of the dictionary Gets or sets a value indicating whether to include call site (class and method name) in the Gets or sets a value indicating whether to include source info (file name and line number) in the Gets the array of custom attributes to be passed into the logevent context Constructor Check if logevent has properties (or context properties) True if properties should be included Checks if any context properties, and if any returns them as a single dictionary Dictionary with any context properties for the logEvent (Null if none found) Checks if any context properties, and if any returns them as a single dictionary Optional prefilled dictionary Dictionary with any context properties for the logEvent (Null if none found) Creates combined dictionary of all configured properties for logEvent Dictionary with all collected properties for logEvent Creates combined dictionary of all configured properties for logEvent Optional prefilled dictionary Dictionary with all collected properties for logEvent Generates a new unique name, when duplicate names are detected LogEvent that triggered the duplicate name Duplicate item name Item Value Dictionary of context values New (unique) value (or null to skip value). If the same value is used then the item will be overwritten Returns the captured snapshot of for the Dictionary with MDC context if any, else null Returns the captured snapshot of for the Dictionary with MDLC context if any, else null Returns the captured snapshot of for the Dictionary with NDC context if any, else null Returns the captured snapshot of for the Dictionary with NDLC context if any, else null Takes snapshot of for the Optional pre-allocated dictionary for the snapshot Dictionary with GDC context if any, else null Takes snapshot of for the Optional pre-allocated dictionary for the snapshot Dictionary with MDC context if any, else null Take snapshot of a single object value from Log event MDC key MDC value Snapshot of MDC value Include object value in snapshot Takes snapshot of for the Optional pre-allocated dictionary for the snapshot Dictionary with MDLC context if any, else null Take snapshot of a single object value from Log event MDLC key MDLC value Snapshot of MDLC value Include object value in snapshot Takes snapshot of for the Dictionary with NDC context if any, else null Take snapshot of a single object value from Log event NDC value Snapshot of NDC value Include object value in snapshot Takes snapshot of for the Dictionary with NDLC context if any, else null Take snapshot of a single object value from Log event NDLC value Snapshot of NDLC value Include object value in snapshot Take snapshot of a single object value Log event Key Name (null when NDC / NDLC) Object Value Snapshot of value Include object value in snapshot Internal Layout that allows capture of MDC context Internal Layout that allows capture of NDC context Internal Layout that allows capture of MDLC context Internal Layout that allows capture of NDLC context Represents target that supports string formatting using layouts. Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Gets or sets the layout used to format log messages. Represents target that supports string formatting using layouts. Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Gets or sets the text to be rendered. Gets or sets the footer. Gets or sets the header. Gets or sets the layout with header and footer. The layout with header and footer. Sends log messages through System.Diagnostics.Trace. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

Always use independent of Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Name of the target. Writes the specified logging event to the facility. Redirects the log message depending on and . When is false: - writes to - writes to - writes to - writes to - writes to - writes to The logging event. Web service protocol. Use SOAP 1.1 Protocol. Use SOAP 1.2 Protocol. Use HTTP POST Protocol. Use HTTP GET Protocol. Do an HTTP POST of a JSON document. Do an HTTP POST of an XML document. Web Service Proxy Configuration Type Default proxy configuration from app.config (System.Net.WebRequest.DefaultWebProxy) Example of how to configure default proxy using app.config <system.net> <defaultProxy enabled = "true" useDefaultCredentials = "true" > <proxy usesystemdefault = "True" /> </defaultProxy> </system.net> Automatic use of proxy with authentication (cached) Disables use of proxy (fast) Custom proxy address (cached) Calls the specified web service on each log message. Documentation on NLog Wiki The web service must implement a method that accepts a number of string parameters.

To set up the target in the configuration file, use the following syntax:

This assumes just one target and a single rule. More configuration options are described here.

To set up the log target programmatically use code like this:

The example web service that works with this example is shown below

dictionary that maps a concrete implementation to a specific -value. Initializes a new instance of the class. Initializes a new instance of the class. Name of the target Gets or sets the web service URL. Gets or sets the Web service method name. Only used with Soap. Gets or sets the Web service namespace. Only used with Soap. Gets or sets the protocol to be used when calling web service. Gets or sets the proxy configuration when calling web service Gets or sets the custom proxy address, include port separated by a colon Should we include the BOM (Byte-order-mark) for UTF? Influences the property. This will only work for UTF-8. Gets or sets the encoding. Gets or sets a value whether escaping be done according to Rfc3986 (Supports Internationalized Resource Identifiers - IRIs) A value of true if Rfc3986; otherwise, false for legacy Rfc2396. Gets or sets a value whether escaping be done according to the old NLog style (Very non-standard) A value of true if legacy encoding; otherwise, false for standard UTF8 encoding. Gets or sets the name of the root XML element, if POST of XML document chosen. If so, this property must not be null. (see and ). Gets or sets the (optional) root namespace of the XML document, if POST of XML document chosen. (see and ). Gets the array of parameters to be passed. Indicates whether to pre-authenticate the HttpWebRequest (Requires 'Authorization' in parameters) Calls the target method. Must be implemented in concrete classes. Method call parameters. Calls the target DoInvoke method, and handles AsyncContinuation callback Method call parameters. The continuation. Invokes the web service method. Parameters to be passed. The logging event. Flush any pending log messages asynchronously (in case of asynchronous targets). The asynchronous continuation. Closes the target. Builds the URL to use when calling the web service for a message, depending on the WebServiceProtocol. Write from input to output. Fix the UTF-8 bom base class for POST formatters, that implement former PrepareRequest() method, that creates the content for the requested kind of HTTP request Win32 file attributes. For more information see https://msdn.microsoft.com/library/default.asp?url=/library/en-us/fileio/fs/createfile.asp. Read-only file. Hidden file. System file. File should be archived. Device file. Normal file. File is temporary (should be kept in cache and not written to disk if possible). Sparse file. Reparse point. Compress file contents. File should not be indexed by the content indexing service. Encrypted file. The system writes through any intermediate cache and goes directly to disk. The system opens a file with no system caching. Delete file after it is closed. A file is accessed according to POSIX rules. Asynchronous request queue. Initializes a new instance of the AsyncRequestQueue class. Request limit. The overflow action. Gets the number of requests currently in the queue. Enqueues another item. If the queue is overflown the appropriate action is taken as specified by . The log event info. Queue was empty before enqueue Dequeues a maximum of count items from the queue and adds returns the list containing them. Maximum number of items to be dequeued (-1 means everything). The array of log events. Dequeues into a preallocated array, instead of allocating a new one Maximum number of items to be dequeued Preallocated list Clears the queue. Gets or sets the request limit. Gets or sets the action to be taken when there's no more room in the queue and another request is enqueued. Notifies about log event that was dropped when setted to Notifies when queue size is growing over Raise event when queued element was dropped because of queue overflow Dropped queue item Raise event when RequestCount overflow current requests count Provides asynchronous, buffered execution of target writes. Documentation on NLog Wiki

Asynchronous target wrapper allows the logger code to execute more quickly, by queueing messages and processing them in a separate thread. You should wrap targets that spend a non-trivial amount of time in their Write() method with asynchronous target to speed up logging.

Because asynchronous logging is quite a common scenario, NLog supports a shorthand notation for wrapping all targets with AsyncWrapper. Just add async="true" to the <targets/> element in the configuration file.

... your targets go here ... ]]>

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The wrapped target. Initializes a new instance of the class. The wrapped target. Initializes a new instance of the class. The wrapped target. Maximum number of requests in the queue. The action to be taken when the queue overflows. Gets or sets the number of log events that should be processed in a batch by the lazy writer thread. Gets or sets the time in milliseconds to sleep between batches. (1 or less means trigger on new activity) Raise event when Target cannot store LogEvent. Event arg contains lost LogEvents Raises when event queue grow. Queue can grow when was setted to Gets or sets the action to be taken when the lazy writer thread request queue count exceeds the set limit. Gets or sets the limit on the number of requests in the lazy writer thread request queue. Gets or sets the limit of full s to write before yielding into Performance is better when writing many small batches, than writing a single large batch Gets or sets whether to use the locking queue, instead of a lock-free concurrent queue The locking queue is less concurrent when many logger threads, but reduces memory allocation Gets the queue of lazy writer thread requests. Schedules a flush of pending events in the queue (if any), followed by flushing the WrappedTarget. The asynchronous continuation. Initializes the target by starting the lazy writer timer. Shuts down the lazy writer timer. Starts the lazy writer thread which periodically writes queued log messages. Attempts to start an instant timer-worker-thread which can write queued log messages. Returns true when scheduled a timer-worker-thread Stops the lazy writer thread. Adds the log event to asynchronous queue to be processed by the lazy writer thread. The log event. The is called to ensure that the log event can be processed in another thread. Write to queue without locking The action to be taken when the queue overflows. Grow the queue. Discard the overflowing item. Block until there's more room in the queue. Causes a flush on a wrapped target if LogEvent satisfies the . If condition isn't set, flushes on each write. Documentation on NLog Wiki

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Gets or sets the condition expression. Log events who meet this condition will cause a flush on the wrapped target. Delay the flush until the LogEvent has been confirmed as written Only flush when LogEvent matches condition. Ignore explicit-flush, config-reload-flush and shutdown-flush Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} Initializes a new instance of the class. The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} The wrapped target. Name of the target Initializes a new instance of the class. The wrapped target. Initializes the target. Forwards the call to the .Write() and calls on it if LogEvent satisfies the flush condition or condition is null. Logging event to be written out. Schedules a flush operation, that triggers when all pending flush operations are completed (in case of asynchronous targets). The asynchronous continuation. Closes the target. A target that buffers log events and sends them in batches to the wrapped target. Documentation on NLog Wiki Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The wrapped target. Initializes a new instance of the class. The wrapped target. Initializes a new instance of the class. The wrapped target. Size of the buffer. Initializes a new instance of the class. The wrapped target. Size of the buffer. The flush timeout. Initializes a new instance of the class. The wrapped target. Size of the buffer. The flush timeout. The aciton to take when the buffer overflows. Gets or sets the number of log events to be buffered. Gets or sets the timeout (in milliseconds) after which the contents of buffer will be flushed if there's no write in the specified period of time. Use -1 to disable timed flushes. Gets or sets a value indicating whether to use sliding timeout. This value determines how the inactivity period is determined. If sliding timeout is enabled, the inactivity timer is reset after each write, if it is disabled - inactivity timer will count from the first event written to the buffer. Gets or sets the action to take if the buffer overflows. Setting to will replace the oldest event with new events without sending events down to the wrapped target, and setting to will flush the entire buffer to the wrapped target. Flushes pending events in the buffer (if any), followed by flushing the WrappedTarget. The asynchronous continuation. Initializes the target. Closes the target by flushing pending events in the buffer (if any). Adds the specified log event to the buffer and flushes the buffer in case the buffer gets full. The log event. The action to be taken when the buffer overflows. Flush the content of the buffer. Discard the oldest item. A base class for targets which wrap other (multiple) targets and provide various forms of target routing. Initializes a new instance of the class. The targets. Gets the collection of targets managed by this compound target. Returns the text representation of the object. Used for diagnostics. A string that describes the target. Writes logging event to the log target. Logging event to be written out. Flush any pending log messages for all wrapped targets. The asynchronous continuation. Concurrent Asynchronous request queue based on Initializes a new instance of the AsyncRequestQueue class. Request limit. The overflow action. Gets the number of requests currently in the queue. Only for debugging purposes Enqueues another item. If the queue is overflown the appropriate action is taken as specified by . The log event info. Queue was empty before enqueue Dequeues a maximum of count items from the queue and adds returns the list containing them. Maximum number of items to be dequeued (-1 means everything). The array of log events. Dequeues into a preallocated array, instead of allocating a new one Maximum number of items to be dequeued Preallocated list Clears the queue. Provides fallback-on-error. Documentation on NLog Wiki

This example causes the messages to be written to server1, and if it fails, messages go to server2.

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The targets. Initializes a new instance of the class. The targets. Gets or sets a value indicating whether to return to the first target after any successful write. Forwards the log event to the sub-targets until one of them succeeds. The log event. The method remembers the last-known-successful target and starts the iteration from it. If is set, the method resets the target to the first target stored in . Filtering rule for . Initializes a new instance of the FilteringRule class. Initializes a new instance of the FilteringRule class. Condition to be tested against all events. Filter to apply to all log events when the first condition matches any of them. Gets or sets the condition to be tested. Gets or sets the resulting filter to be applied when the condition matches. Filters log entries based on a condition. Documentation on NLog Wiki

This example causes the messages not contains the string '1' to be ignored.

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The wrapped target. The condition. Initializes a new instance of the class. The wrapped target. The condition. Gets or sets the condition expression. Log events who meet this condition will be forwarded to the wrapped target. Gets or sets the filter. Log events who evaluates to will be discarded Checks the condition against the passed log event. If the condition is met, the log event is forwarded to the wrapped target. Log event. Impersonates another user for the duration of the write. Documentation on NLog Wiki Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The wrapped target. Initializes a new instance of the class. The wrapped target. Gets or sets username to change context to. Gets or sets the user account password. Gets or sets Windows domain name to change context to. Gets or sets the Logon Type. Gets or sets the type of the logon provider. Gets or sets the required impersonation level. Gets or sets a value indicating whether to revert to the credentials of the process instead of impersonating another user. Initializes the impersonation context. Closes the impersonation context. Changes the security context, forwards the call to the .Write() and switches the context back to original. The log event. NOTE! Obsolete, instead override Write(IList{AsyncLogEventInfo} logEvents) Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Changes the security context, forwards the call to the .Write() and switches the context back to original. Log events. Flush any pending log messages (in case of asynchronous targets). The asynchronous continuation. Helper class which reverts the given to its original value as part of . Initializes a new instance of the class. The windows impersonation context. Reverts the impersonation context. Limits the number of messages written per timespan to the wrapped target. Initializes a new instance of the class. Initializes a new instance of the class. The name of the target. The wrapped target. Initializes a new instance of the class. The wrapped target. Initializes a new instance of the class. The wrapped target. Maximum number of messages written per interval. Interval in which the maximum number of messages can be written. Gets or sets the maximum allowed number of messages written per . Messages received after has been reached in the current will be discarded. Gets or sets the interval in which messages will be written up to the number of messages. Messages received after has been reached in the current will be discarded. Gets the DateTime when the current will be reset. Gets the number of written in the current . Initializes the target and resets the current Interval and . Writes log event to the wrapped target if the current is lower than . If the is already reached, no log event will be written to the wrapped target. resets when the current is expired. Log event to be written out. Arguments for events. Instance of that was dropped by Raises by when queue is full and setted to By default queue doubles it size. Contains items count and new queue size. Required queue size Current queue size New queue size Current requests count Logon provider. Use the standard logon provider for the system. The default security provider is negotiate, unless you pass NULL for the domain name and the user name is not in UPN format. In this case, the default provider is NTLM. NOTE: Windows 2000/NT: The default security provider is NTLM. Filters buffered log entries based on a set of conditions that are evaluated on a group of events. Documentation on NLog Wiki PostFilteringWrapper must be used with some type of buffering target or wrapper, such as AsyncTargetWrapper, BufferingWrapper or ASPNetBufferingWrapper.

This example works like this. If there are no Warn,Error or Fatal messages in the buffer only Info messages are written to the file, but if there are any warnings or errors, the output includes detailed trace (levels >= Debug). You can plug in a different type of buffering wrapper (such as ASPNetBufferingWrapper) to achieve different functionality.

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Initializes a new instance of the class. Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The wrapped target. Gets or sets the default filter to be applied when no specific rule matches. Gets the collection of filtering rules. The rules are processed top-down and the first rule that matches determines the filtering condition to be applied to log events. NOTE! Obsolete, instead override Write(IList{AsyncLogEventInfo} logEvents) Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Evaluates all filtering rules to find the first one that matches. The matching rule determines the filtering condition to be applied to all items in a buffer. If no condition matches, default filter is applied to the array of log events. Array of log events to be post-filtered. Evaluate all the rules to get the filtering condition Sends log messages to a randomly selected target. Documentation on NLog Wiki

This example causes the messages to be written to either file1.txt or file2.txt chosen randomly on a per-message basis.

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The targets. Initializes a new instance of the class. The targets. Forwards the log event to one of the sub-targets. The sub-target is randomly chosen. The log event. Repeats each log event the specified number of times. Documentation on NLog Wiki

This example causes each log message to be repeated 3 times.

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The wrapped target. The repeat count. Initializes a new instance of the class. The wrapped target. The repeat count. Gets or sets the number of times to repeat each log message. Forwards the log message to the by calling the method times. The log event. Retries in case of write error. Documentation on NLog Wiki

This example causes each write attempt to be repeated 3 times, sleeping 1 second between attempts if first one fails.

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The wrapped target. The retry count. The retry delay milliseconds. Initializes a new instance of the class. The wrapped target. The retry count. The retry delay milliseconds. Gets or sets the number of retries that should be attempted on the wrapped target in case of a failure. Gets or sets the time to wait between retries in milliseconds. Special SyncObject to allow closing down Target while busy retrying Writes the specified log event to the wrapped target, retrying and pausing in case of an error. The log event. Writes the specified log event to the wrapped target in a thread-safe manner. The log event. Writes the specified log event to the wrapped target, retrying and pausing in case of an error. The log event. Distributes log events to targets in a round-robin fashion. Documentation on NLog Wiki

This example causes the messages to be written to either file1.txt or file2.txt. Each odd message is written to file2.txt, each even message goes to file1.txt.

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The targets. Initializes a new instance of the class. The targets. Ensures forwarding happens without holding lock Forwards the write to one of the targets from the collection. The log event. The writes are routed in a round-robin fashion. The first log event goes to the first target, the second one goes to the second target and so on looping to the first target when there are no more targets available. In general request N goes to Targets[N % Targets.Count]. Impersonation level. Anonymous Level. Identification Level. Impersonation Level. Delegation Level. Logon type. Interactive Logon. This logon type is intended for users who will be interactively using the computer, such as a user being logged on by a terminal server, remote shell, or similar process. This logon type has the additional expense of caching logon information for disconnected operations; therefore, it is inappropriate for some client/server applications, such as a mail server. Network Logon. This logon type is intended for high performance servers to authenticate plaintext passwords. The LogonUser function does not cache credentials for this logon type. Batch Logon. This logon type is intended for batch servers, where processes may be executing on behalf of a user without their direct intervention. This type is also for higher performance servers that process many plaintext authentication attempts at a time, such as mail or Web servers. The LogonUser function does not cache credentials for this logon type. Logon as a Service. Indicates a service-type logon. The account provided must have the service privilege enabled. Network Clear Text Logon. This logon type preserves the name and password in the authentication package, which allows the server to make connections to other network servers while impersonating the client. A server can accept plaintext credentials from a client, call LogonUser, verify that the user can access the system across the network, and still communicate with other servers. NOTE: Windows NT: This value is not supported. New Network Credentials. This logon type allows the caller to clone its current token and specify new credentials for outbound connections. The new logon session has the same local identifier but uses different credentials for other network connections. NOTE: This logon type is supported only by the LOGON32_PROVIDER_WINNT50 logon provider. NOTE: Windows NT: This value is not supported. Writes log events to all targets. Documentation on NLog Wiki

This example causes the messages to be written to both file1.txt or file2.txt

To set up the target in the configuration file, use the following syntax:

The above examples assume just one target and a single rule. See below for a programmatic configuration that's equivalent to the above config file:

Initializes a new instance of the class. Initializes a new instance of the class. Name of the target. The targets. Initializes a new instance of the class. The targets. Forwards the specified log event to all sub-targets. The log event. NOTE! Obsolete, instead override Write(IList{AsyncLogEventInfo} logEvents) Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Writes an array of logging events to the log target. By default it iterates on all events and passes them to "Write" method. Inheriting classes can use this method to optimize batch writes. Logging events to be written out. Base class for targets wrap other (single) targets. Gets or sets the target that is wrapped by this target. Returns the text representation of the object. Used for diagnostics. A string that describes the target. Flush any pending log messages (in case of asynchronous targets). The asynchronous continuation. Writes logging event to the log target. Must be overridden in inheriting classes. Logging event to be written out. Builtin IFileCompressor implementation utilizing the .Net4.5 specific and is used as the default value for on .Net4.5. So log files created via can be zipped when archived w/o 3rd party zip library when run on .Net4.5 or higher. Implements using the .Net4.5 specific Current local time retrieved directly from DateTime.Now. Gets current local time directly from DateTime.Now. Converts the specified system time to the same form as the time value originated from this time source. The system originated time value to convert. The value of converted to local time. Current UTC time retrieved directly from DateTime.UtcNow. Gets current UTC time directly from DateTime.UtcNow. Converts the specified system time to the same form as the time value originated from this time source. The system originated time value to convert. The value of converted to UTC time. Fast time source that updates current time only once per tick (15.6 milliseconds). Gets raw uncached time from derived time source. Gets current time cached for one system tick (15.6 milliseconds). Fast local time source that is updated once per tick (15.6 milliseconds). Gets uncached local time directly from DateTime.Now. Converts the specified system time to the same form as the time value originated from this time source. The system originated time value to convert. The value of converted to local time. Fast UTC time source that is updated once per tick (15.6 milliseconds). Gets uncached UTC time directly from DateTime.UtcNow. Converts the specified system time to the same form as the time value originated from this time source. The system originated time value to convert. The value of converted to UTC time. Defines source of current time. Gets current time. Gets or sets current global time source used in all log events. Default time source is . Returns a that represents this instance. A that represents this instance. Converts the specified system time to the same form as the time value originated from this time source. The system originated time value to convert. The value of converted to the same form as time values originated from this source. There are situations when NLog have to compare the time originated from TimeSource to the time originated externally in the system. To be able to provide meaningful result of such comparisons the system time must be expressed in the same form as TimeSource time. Examples: - If the TimeSource provides time values of local time, it should also convert the provided to the local time. - If the TimeSource shifts or skews its time values, it should also apply the same transform to the given . Marks class as a time source and assigns a name to it. Initializes a new instance of the class. Name of the time source.