在Unix上将C std :: clog重定向到syslog

前端之家收集整理的这篇文章主要介绍了在Unix上将C std :: clog重定向到syslog前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我在一个C程序上使用Unix发送消息到syslog。

当前代码使用像printf一样工作的系统日志系统调用

现在我更愿意为此目的使用流,通常是内置的std :: clog。但是阻塞只是将输出重定向到stderr,而不是syslog,这对我来说是没用的,因为我也使用stderr和stdout作其他用途。

我在another answer看到,使用rdbuf()将它重定向到一个文件是很容易的,但是我看到没有办法应用该方法调用syslog,因为openlog不会返回一个文件处理程序,我可以使用它来绑定一个流。

还有另一种方法吗? (看起来相当基本的unix编程)?

编辑:我正在寻找一个不使用外部库的解决方案。什么@Chris提出可能是一个好的开始,但仍然有点模糊,成为公认的答案。

编辑:使用Boost.IOStreams可以,因为我的项目已经使用Boost了。

与外部库联系是可能的,但也是GPL代码的关注。依赖关系也是一个负担,因为它们可能与其他组件冲突,在我的Linux发行版中不可用,引入第三方错误等。如果这是唯一的解决方案,我可以考虑完全避免流…(可惜)。

我也需要一些简单的东西,所以我把它放在一起:

log.h:

enum LogPriority {
    kLogEmerg   = LOG_EMERG,// system is unusable
    kLogAlert   = LOG_ALERT,// action must be taken immediately
    kLogCrit    = LOG_CRIT,// critical conditions
    kLogErr     = LOG_ERR,// error conditions
    kLogWarning = LOG_WARNING,// warning conditions
    kLogNotice  = LOG_NOTICE,// normal,but significant,condition
    kLogInfo    = LOG_INFO,// informational message
    kLogDebug   = LOG_DEBUG    // debug-level message
};

std::ostream& operator<< (std::ostream& os,const LogPriority& log_priority);

class Log : public std::basic_streambuf<char,std::char_traits<char> > {
public:
    explicit Log(std::string ident,int facility);

protected:
    int sync();
    int overflow(int c);

private:
    friend std::ostream& operator<< (std::ostream& os,const LogPriority& log_priority);
    std::string buffer_;
    int facility_;
    int priority_;
    char ident_[50];
};

log.cc:

Log::Log(std::string ident,int facility) {
    facility_ = facility;
    priority_ = LOG_DEBUG;
    strncpy(ident_,ident.c_str(),sizeof(ident_));
    ident_[sizeof(ident_)-1] = '\0';

    openlog(ident_,LOG_PID,facility_);
}

int Log::sync() {
    if (buffer_.length()) {
        syslog(priority_,buffer_.c_str());
        buffer_.erase();
        priority_ = LOG_DEBUG; // default to debug for each message
    }
    return 0;
}

int Log::overflow(int c) {
    if (c != EOF) {
        buffer_ += static_cast<char>(c);
    } else {
        sync();
    }
    return c;
}

std::ostream& operator<< (std::ostream& os,const LogPriority& log_priority) {
    static_cast<Log *>(os.rdbuf())->priority_ = (int)log_priority;
    return os;
}

在main()我初始化clog:

std::clog.rdbuf(new Log("foo",LOG_LOCAL0));

然后每当我想登录时,很容易:

std::clog << kLogNotice << "test log message" << std::endl;

std::clog << "the default is debug level" << std::endl;
原文链接:https://www.f2er.com/bash/388747.html

猜你在找的Bash相关文章