DZone
Thanks for visiting DZone today,
Edit Profile
  • Manage Email Subscriptions
  • How to Post to DZone
  • Article Submission Guidelines
Sign Out View Profile
  • Post an Article
  • Manage My Drafts
Over 2 million developers have joined DZone.
Log In / Join
Please enter at least three characters to search
Refcards Trend Reports
Events Video Library
Refcards
Trend Reports

Events

View Events Video Library

Zones

Culture and Methodologies Agile Career Development Methodologies Team Management
Data Engineering AI/ML Big Data Data Databases IoT
Software Design and Architecture Cloud Architecture Containers Integration Microservices Performance Security
Coding Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Culture and Methodologies
Agile Career Development Methodologies Team Management
Data Engineering
AI/ML Big Data Data Databases IoT
Software Design and Architecture
Cloud Architecture Containers Integration Microservices Performance Security
Coding
Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance
Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks

Because the DevOps movement has redefined engineering responsibilities, SREs now have to become stewards of observability strategy.

Apache Cassandra combines the benefits of major NoSQL databases to support data management needs not covered by traditional RDBMS vendors.

The software you build is only as secure as the code that powers it. Learn how malicious code creeps into your software supply chain.

Generative AI has transformed nearly every industry. How can you leverage GenAI to improve your productivity and efficiency?

Related

  • GDPR Compliance With .NET: Securing Data the Right Way
  • How to Enhance the Performance of .NET Core Applications for Large Responses
  • Developing Minimal APIs Quickly With Open Source ASP.NET Core
  • Revolutionizing Content Management

Trending

  • Driving DevOps With Smart, Scalable Testing
  • How Kubernetes Cluster Sizing Affects Performance and Cost Efficiency in Cloud Deployments
  • How to Build Real-Time BI Systems: Architecture, Code, and Best Practices
  • Data Lake vs. Warehouse vs. Lakehouse vs. Mart: Choosing the Right Architecture for Your Business
  1. DZone
  2. Coding
  3. Frameworks
  4. ASP.NET Core: Implementing the Syslog Logger

ASP.NET Core: Implementing the Syslog Logger

Read on to learn how to use the Syslog logger, and how to send messages to this logger using your ASP.NET Core web application.

By 
Gunnar Peipman user avatar
Gunnar Peipman
·
May. 30, 17 · Tutorial
Likes (2)
Comment
Save
Tweet
Share
9.2K Views

Join the DZone community and get the full member experience.

Join For Free

this blog post shows you how to log messages to a syslog server from asp.net core applications.

the syslog server is a popular logs server from the linux world. it is usually a separate box or virtual machine that accepts log messages but it is not accessible by external users. it can be especially useful for web applications, as hackers can't open a way to your internal network, and thus logs remain safe, as malicious users cannot access them.

syslog logger provider

logger provider creates an instance of a logger with given parameters and returns it. we will use it later when introducing syslog logger to logger factory.

public class syslogloggerprovider : iloggerprovider
{
    private string _host;
    private int _port;

    private readonly func<string, loglevel, bool> _filter;

    public syslogloggerprovider(string host, int port, func<string, loglevel, bool> filter)
    {
        _host = host;
        _port = port;

        _filter = filter;
    }

    public ilogger createlogger(string categoryname)
    {
        return new sysloglogger(categoryname, _host, _port, _filter);
    }

    public void dispose()
    {
    }
}

iloggerprovider extends idisposable, and this is why we need the dispose() method here. as we have nothing to dispose of, the method is empty.

syslog logger

logger is created by the logger provider. all the parameters we use with it will land here.

public class sysloglogger : ilogger
{
    private const int syslogfacility = 16;

    private string _categoryname;
    private string _host;
    private int _port;

    private readonly func<string, loglevel, bool> _filter;

    public sysloglogger(string categoryname,
                        string host,
                        int port,
                        func<string, loglevel, bool> filter)
    {
        _categoryname = categoryname;
        _host = host;
        _port = port;

        _filter = filter;
    }

    public idisposable beginscope<tstate>(tstate state)
    {
        return noopdisposable.instance;
    }

    public bool isenabled(loglevel loglevel)
    {
        return (_filter == null || _filter(_categoryname, loglevel));
    }

    public void log<tstate>(loglevel loglevel, eventid eventid, tstate state, exception exception, func<tstate, exception, string> formatter)
    {
        if (!isenabled(loglevel))
        {
            return;
        }

        if (formatter == null)
        {
            throw new argumentnullexception(nameof(formatter));
        }

        var message = formatter(state, exception);

        if (string.isnullorempty(message))
        {
            return;
        }

        message = $"{ loglevel }: {message}";

        if (exception != null)
        {
            message += environment.newline + environment.newline + exception.tostring();
        }

        var sysloglevel = maptosysloglevel(loglevel);
        send(sysloglevel, message);
    }

    internal void send(syslogloglevel loglevel, string message)
    {
        if (string.isnullorwhitespace(_host) || _port <= 0)
        {
             return;
        }

        var hostname = dns.gethostname();
        var level = syslogfacility * 8 + (int)loglevel;
        var logmessage = string.format("<{0}>{1} {2}", level, hostname, message);
        var bytes = encoding.utf8.getbytes(logmessage);

        using (var client = new udpclient())
        {
             client.sendasync(bytes, bytes.length, _host, _port).wait();
        }
    }

    private syslogloglevel maptosysloglevel(loglevel level)
    {
        if (level == loglevel.critical)
            return syslogloglevel.critical;
        if (level == loglevel.debug)
            return syslogloglevel.debug;
        if (level == loglevel.error)
            return syslogloglevel.error;
        if (level == loglevel.information)
            return syslogloglevel.info;
        if (level == loglevel.none)
            return syslogloglevel.info;
        if (level == loglevel.trace)
            return syslogloglevel.info;
        if (level == loglevel.warning)
            return syslogloglevel.warn;

        return syslogloglevel.info;
    }
}

to make this class work we need to use the syslogloglevel enumerator.

public enum syslogloglevel
{
    emergency,
    alert,
    critical,
    error,
    warn,
    notice,
    info,
    debug
}

we also need the noopdisposable class that i borrowed from the blog post, building application insights logging provider for asp.net core by hisham bin ateya.

public class noopdisposable : idisposable
{
    public static noopdisposable instance = new noopdisposable();

    public void dispose()
    {
    }
}

now we have our logger implemented and it’s time to write the extension methods that introduce it to logger factory.

introducing syslog to logger factory

we will follow the same pattern we use with our other loggers, including those that come with asp.net core. loggers are introduced to logger factory by the addsomething()] method like addconsole() , adddebug() , etc. our method is called addsyslog() .

public static class syslogloggerextensions
{
    public static iloggerfactory addsyslog(this iloggerfactory factory,
                                    string host, int port,
                                    func<string, loglevel, bool> filter = null)
    {
        factory.addprovider(new syslogloggerprovider(host, port, filter));
        return factory;
    }
}

here is how we introduce the syslog logger to logger factory:

loggerfactory.addconsole(configuration.getsection("logging"));
loggerfactory.addfile("wwwroot/logs/ts-{date}.txt");
loggerfactory.addsyslog("192.168.210.56", 514);

when we run our application, we can see something like this logged to our syslog server:

image title

wrapping up

asp.net core logging mechanism may seem like something big at first, but they are actually easy. writing messages to the syslog server is easy too. we implemented a syslog logger provider, and a logger and extension methods for logger factory. introducing the syslog logger to logger factory follows the same addsomething() pattern as other loggers do. it’s easy to try it out on windows using visual syslog server by max belkov.

Syslog ASP.NET Core ASP.NET

Published at DZone with permission of Gunnar Peipman, DZone MVB. See the original article here.

Opinions expressed by DZone contributors are their own.

Related

  • GDPR Compliance With .NET: Securing Data the Right Way
  • How to Enhance the Performance of .NET Core Applications for Large Responses
  • Developing Minimal APIs Quickly With Open Source ASP.NET Core
  • Revolutionizing Content Management

Partner Resources

×

Comments
Oops! Something Went Wrong

The likes didn't load as expected. Please refresh the page and try again.

ABOUT US

  • About DZone
  • Support and feedback
  • Community research
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

  • Article Submission Guidelines
  • Become a Contributor
  • Core Program
  • Visit the Writers' Zone

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 3343 Perimeter Hill Drive
  • Suite 100
  • Nashville, TN 37211
  • support@dzone.com

Let's be friends:

Likes
There are no likes...yet! 👀
Be the first to like this post!
It looks like you're not logged in.
Sign in to see who liked this post!