linux系统中c++写日志文件功能分享

简化了glog,只保留了写日志文件的功能,只是改写了linux版本,win版本未改写,可以用
LOG(INFO)<< 输出日志
也可用LOG_IF(INFO,condition)<<输出日志
也可直接调用日志类Logger::GetInstance().Error 等方式写日志
初始化时调用 InitLogging(argv[0],INFO,"./log/test");
第一个参数是路径,第二个参数是最低日志级别,第三个参数表示日志文件的前缀和文件夹

FileHelper.h
#ifndef FILEHELPER_H_
#define FILEHELPER_H_
#include <string>
#include <vector>
#include <fstream>
#include <stdio.h>
#ifdef _WIN32
#include <direct.h>
#include <io.h>
#else
#include <stdarg.h>
#include <sys/stat.h>
#endif

namespace FrameWork {
#ifdef _WIN32
#define ACCESS _access
#define MKDIR(a) _mkdir((a))
#else
#define ACCESS access
#define MKDIR(a) mkdir((a),0755)
#endif

class FileHelper {
public:
 static bool save(const std::string filename, std::string& content)
 {
        FILE *file = fopen(filename.c_str(), "wb");

if (file == NULL)
            return false;
  fwrite(content.c_str(),sizeof(char),content.size(),file);
  fclose(file);
  return true;
 }

// used to open binary file
    static bool open(const std::string filename, std::string& content)
    {
        FILE *file = fopen(filename.c_str(), "rb");

if (file == NULL)
            return false;

fseek(file, 0, SEEK_END);
        int len = ftell(file);
  rewind(file);
  content.clear();
        char *buffer = new char[len];
        fread(buffer, sizeof(char), len, file);
        content.assign(buffer, len);
        delete []buffer;

//int nRead;
  //content.clear();
  //char buffer[80];
  //while(!feof(file)){
  // nRead = fread(buffer,sizeof(char),sizeof(buffer),file);
  // if(nRead > 0){
  //  content.append(buffer);
  // }
  //}
        fclose(file);
        return true;
    }

// used to open text file
    static bool open(const std::string file_name, std::vector<std::string>& lines)
    {
        std::ifstream file(file_name.c_str(), std::ios::in);
        if (!file)
        {
            return false;
        }

lines.clear();
        char buffer[BUFFER_SIZE];

while (file.getline(buffer, BUFFER_SIZE, '\n'))
        {
            lines.push_back(buffer);
        }

return true;
    }
    static bool CreateDir(const char *pszDir)
    {
     size_t i = 0;
     size_t iRet;
     size_t iLen = strlen(pszDir);
     char* buf=new char[iLen+1];
     strncpy(buf,pszDir,iLen+1);
     for (i = 0;i < iLen;i ++) {
      if (pszDir[i] == '\\' || pszDir[i] == '/') {
       buf[i] = '\0';
       //如果不存在,创建
       iRet = ACCESS(buf,0);
       if (iRet != 0) {
        iRet = MKDIR(buf);
        if (iRet != 0) {
         delete[] buf;
         return false;
        }
       }
       //支持linux,将所有\换成/
       buf[i] = '/';
      }
     }
     delete[] buf;
     return true;
    }

private:

enum { BUFFER_SIZE = 3000 };

};

} /* namespace FrameWork */
#endif /* FILEHELPER_H_ */
[/code]

Logger.cpp

代码如下:

#include "Logger.h"
#include<cstring>
#include<time.h>
#include<cstdarg>
#include<cstdlib>
#include<assert.h>
#include "FileHelper.h"
#include "Mutex.h"
namespace FrameWork {
Mutex LogMessage::mutex;
static char _defaltFolder[]="/var/tmp/";
static char _appName[MaxFilePathLen];
static char _appFolder[MaxFilePathLen];
static char _destFolder[MaxFilePathLen];
static char _destPrefix[MaxFilePathLen];
static LogLevel _destLevel;
static char _levelInfos[][16]={
 "Debug","Info","Warn","Error","Fatal"
};
const int BUFFER_SIZE = 8196;
static char _gBuffer[BUFFER_SIZE];
void combine_folder(char** destpath, char* basefolder,char* relativefolder)
{
 int lenb = strlen(basefolder);
 int lenr = strlen(relativefolder);
 char* pret = (char*)malloc((lenb+lenr+1)*sizeof(char));
 int pos=lenb-1;
 memset(pret,0,lenb+lenr+1);
 while(pos>0 && ( basefolder[pos]!='/'))
  pos--;
 strncpy(*destpath,basefolder,pos+1);
 if(relativefolder[0] == '\\' || relativefolder[0] == '/'){
  strncpy(*destpath+pos+1,relativefolder+1,lenr-1);
 }else{
  strncpy(*destpath+pos+1,relativefolder,lenr);
 }
}

static void InitPaths(const char* filename,const char* destFolder)
{
 memset(_appName,0,MaxFilePathLen);
 memset(_appFolder,0,MaxFilePathLen);
 memset(_destFolder,0,MaxFilePathLen);
 memset(_destPrefix,0,MaxFilePathLen);

strcpy(_appName,filename);
 int len = strlen(filename),lend;
 int pos = len-1,posd,start;
 while(pos >0 && filename[pos] != PathSplitChar)
  pos--;
 strncpy(_appFolder,filename,pos+1);
 lend = strlen(destFolder);
 posd = lend-1;
 if(destFolder[lend-1] != PathSplitChar) {
  //has prefix
  while(posd >0 && destFolder[posd] != PathSplitChar)
   posd--;
 }
 if(destFolder[0] == '.' && destFolder[1] == PathSplitChar){
  strncpy(_destFolder,filename,pos+1);
  start = 2;
 } else{
  pos = 8;
  strcpy(_destFolder,_defaltFolder);
  if(destFolder[0] != PathSplitChar){
   start = 0;
  }else{
   start = 1;
  }
 }
 strncpy(_destFolder+pos+1,destFolder+start,posd-start+1);
 strncpy(_destPrefix,filename,pos+1);
 strncpy(_destPrefix+pos+1,destFolder+start,lend-start);
}

void InitLogging(const char* filename,LogLevel minlevel,const char* destFolder)
{
 InitPaths(filename,destFolder);
 _destLevel = minlevel;
}

static string GetLocalDate(void)
{
 time_t t = time(0);
 tm *ld;
 char tmp[64] = "";
 ld=localtime(&t);
 strftime(tmp,sizeof(tmp),"%Y-%m-%d",ld);
 return string(tmp);
}
static string GetCurTime(void)
{
 time_t t = time(0);
 tm *ld;
 char tmp[64] = "";
 ld=localtime(&t);
 strftime(tmp,sizeof(tmp),"%Y-%m-%d %H:%M:%S",ld);
 return string(tmp);
}

Logger::Logger(LogLevel level,char * folder,char * prefix)
 :level(level)
{
 std::string path;
 path.append(prefix);
 path.append(GetLocalDate());
 path.append(".log");
 FileHelper::CreateDir(folder);
 logPrefix.append(prefix);
 logPath = path;
 logFile.open(path.c_str(),ios::app|ios::out);
 logFile<<"Log file created at:"<<GetCurTime()<<endl;
}

Logger::~Logger() {
 logFile.close();
}

#define IMPLEMENT_LOG_FUNC1(cname,fname,lv) \
void cname::fname(string msg) {\
    if(level <= lv){\
        WriterMutexLock lock(&mutex);\
        logFile<<"["<<GetCurTime().c_str()<<"][" #lv "]"<<msg.c_str()<<endl;\
        logFile.flush();\
    }\
}

#define PRINT_ARGS_TO_BUFFER(fmt,buf) \
    {\
        memset(buf,0,sizeof(buf));\
  va_list argp;\
  va_start(argp,fmt);\
  vsprintf(buf,fmt,argp);\
  va_end(argp);\
    }

#define IMPLEMENT_LOG_FUNC2(cname,fname,lv) \
void cname::fname(const char* format,...) {\
 if(level <= lv){\
  WriterMutexLock lock(&mutex);\
  PRINT_ARGS_TO_BUFFER(format,_gBuffer)\
  logFile<<"["<<GetCurTime().c_str()<<"][" #lv "]"<<_gBuffer<<endl;\
  logFile.flush();\
 }\
}

#define IMPLEMENT_LOG_FUNC(cname,fname,lv) \
IMPLEMENT_LOG_FUNC1(cname,fname,lv)\
IMPLEMENT_LOG_FUNC2(cname,fname,lv)

IMPLEMENT_LOG_FUNC(Logger,Debug,DEBUG)
IMPLEMENT_LOG_FUNC(Logger,Info,INFO)
IMPLEMENT_LOG_FUNC(Logger,Warn,WARN)
IMPLEMENT_LOG_FUNC(Logger,Error,ERROR)
IMPLEMENT_LOG_FUNC(Logger,Fatal,FATAL)

Logger& Logger::GetInstance() {
 static Logger _logger(_destLevel,_destFolder,_destPrefix);
 return _logger;
}

void Logger::Log(LogLevel lv, string msg) {
 if(level <= lv){
  WriterMutexLock lock(&mutex);
  logFile<<"["<<GetCurTime().c_str()<<"]["<<_levelInfos[lv+1]<<"]"<<msg.c_str()<<endl;
  logFile.flush();
 }
}

void Logger::Log(LogLevel lv, const char* format,...) {
 if(level <= lv){
  WriterMutexLock lock(&mutex);
  PRINT_ARGS_TO_BUFFER(format,_gBuffer)
  logFile<<"["<<GetCurTime().c_str()<<"]["<<_levelInfos[lv+1]<<"]"<<_gBuffer<<endl;
  logFile.flush();
 }
}

void Logger::Log(const char* file, int line, LogLevel lv, string msg) {
 if(level <= lv){
  WriterMutexLock lock(&mutex);
  logFile<<"["<<GetCurTime().c_str()<<"]["<<_levelInfos[lv+1]<<"]["<<file<<"]["<<line<<"]"<<msg.c_str();
  logFile.flush();
 }
}

Logger* Logger::GetInstancePtr() {
 return &GetInstance();
}

void Logger::Log(const char* file, int line, LogLevel lv, const char* format,...) {
 if(level <= lv){
  WriterMutexLock lock(&mutex);
  PRINT_ARGS_TO_BUFFER(format,_gBuffer)
  logFile<<"["<<GetCurTime().c_str()<<"]["<<_levelInfos[lv+1]<<"]["<<file<<"]["<<line<<"]"<<_gBuffer;
  logFile.flush();
 }
}

LogMessage::LogMessage(const char* file, int line, LogLevel lv) {
 logger = Logger::GetInstancePtr();
 mutex.Lock();
 logger->Log(file,line,lv,"");
}

LogMessage::~LogMessage() {
 logger->stream()<<endl;
 logger->stream().flush();
 mutex.Unlock();
}

} /* namespace FrameWork */

Logger.h


代码如下:

#ifndef LOGGER_H_
#define LOGGER_H_

#include "ILogger.h"
#include "Mutex.h"
#include<fstream>
#include<string>
const int MaxFilePathLen = 1024;
const char PathSplitChar = '/';
namespace FrameWork {
enum LogLevel{
    /// <summary>
    /// 调试
    /// </summary>
    DEBUG = -1,
    /// <summary>
    /// 普通日志
    /// </summary>
    INFO = 0,
    /// <summary>
    /// 警告
    /// </summary>
    WARN,
    /// <summary>
    /// 错误
    /// </summary>
    ERROR,
    /// <summary>
    /// 崩溃
    /// </summary>
    FATAL,
    /// <summary>
    /// 超出错误级别
    /// </summary>
    OFF
};

class ILogger {
public:
 //
 virtual ~ILogger(){}
#define ABSTRACT_LOG_FUNC(name) \
    virtual void name(string msg)=0; \
    virtual void name(const char* fmt,...)=0;

ABSTRACT_LOG_FUNC(Debug)
    ABSTRACT_LOG_FUNC(Info)
    ABSTRACT_LOG_FUNC(Warn)
    ABSTRACT_LOG_FUNC(Error)
    ABSTRACT_LOG_FUNC(Fatal)

#undef ABSTRACT_LOG_FUNC
#define ABSTRACT_LOG_FUNC_X(name) \
    virtual void name(LogLevel lv,string msg)=0; \
    virtual void name(LogLevel lv,const char* fmt,...)=0;\
    virtual void name(const char* file,int line,LogLevel lv,string msg)=0;\
    virtual void name(const char* file,int line,LogLevel lv,const char* fmt,...)=0;
    ABSTRACT_LOG_FUNC_X(Log)

#undef LOG_FUNC_X
};

class Logger: public ILogger {
 std::string logPath;
 std::string logPrefix;
 std::fstream logFile;
 LogLevel level;
 Mutex mutex;

Logger(LogLevel level,char * folder,char * prefix);

public:
 static Logger& GetInstance();
 static Logger* GetInstancePtr();
 virtual ~Logger();
 inline fstream & stream(){return logFile;}

#define DECLARE_LOG_FUNC(name) \
    virtual void name(string msg); \
    virtual void name(const char* fmt,...);

#define DECLARE_LOG_FUNC_X(name) \
    virtual void name(LogLevel lv,string msg); \
    virtual void name(LogLevel lv,const char* fmt,...);\
    virtual void name(const char* file,int line,LogLevel lv,string msg);\
    virtual void name(const char* file,int line,LogLevel lv,const char* fmt,...);

DECLARE_LOG_FUNC(Debug)
    DECLARE_LOG_FUNC(Info)
    DECLARE_LOG_FUNC(Warn)
    DECLARE_LOG_FUNC(Error)
    DECLARE_LOG_FUNC(Fatal)

DECLARE_LOG_FUNC_X(Log)

#undef DECLARE_LOG_FUNC_X
#undef DECLARE_LOG_FUNC

};

class LogMessage {
 Logger* logger;
 static Mutex mutex;
public:
 LogMessage(const char* file, int line,LogLevel lv);
 ostream& stream(){return logger->stream();}
 virtual ~LogMessage();
};

void InitLogging(const char* filename,LogLevel minlevel,const char* destFolder);
void CloseLogging();

#define LOG(level) LogMessage(__FILE__, __LINE__,level).stream()
#define LOG_IF(severity, condition) \
 !(condition) ? (void) 0 : LOG(severity)
#define LOG_ASSERT(condition)  \
 LOG_IF(FATAL, !(condition)) << "Assert failed: " #condition
#define CHECK(condition)  \
 LOG_IF(FATAL, !(condition)) \
 << "Check failed: " #condition " "

} /* namespace FrameWork */
#endif /* LOGGER_H_ */

main.cpp

代码如下:

#include <iostream>
#include "Logger.h"
using namespace std;
using namespace FrameWork;
int main(int argc,char* argv[]) {
 InitLogging(argv[0],INFO,"./log/test");
 cout << "!!!Hello World!!!" << endl; // prints !!!Hello World!!!
 LOG(INFO)<<"info test";
 LOG(WARN)<<"WARN TEST %d"<<20;
 LOG(ERROR)<<"Error test %d %s"<<20<<"nihao";

Logger::GetInstance().Error("error test common");
 Logger::GetInstance().Fatal("fatal test common %d ",100);
 Logger::GetInstance().Info("info test normal %d %s ",50,"zhongguoren");
 return 0;
}

Mutex.h

代码如下:

#ifndef MUTEX_H_
#define MUTEX_H_
#include <pthread.h>
#include <stdlib.h>
namespace FrameWork {
typedef pthread_mutex_t MutexType;

class Mutex {
public:
 // Create a Mutex that is not held by anybody.  This constructor is
 // typically used for Mutexes allocated on the heap or the stack.
 // See below for a recommendation for constructing global Mutex
 // objects.
 inline Mutex();

// Destructor
 inline ~Mutex();

inline void Lock();    // Block if needed until free then acquire exclusively
 inline void Unlock();  // Release a lock acquired via Lock()
 inline bool TryLock(); // If free, Lock() and return true, else return false
 // Note that on systems that don't support read-write locks, these may
 // be implemented as synonyms to Lock() and Unlock().  So you can use
 // these for efficiency, but don't use them anyplace where being able
 // to do shared reads is necessary to avoid deadlock.
 inline void ReaderLock();   // Block until free or shared then acquire a share
 inline void ReaderUnlock(); // Release a read share of this Mutex
 inline void WriterLock() { Lock(); }     // Acquire an exclusive lock
 inline void WriterUnlock() { Unlock(); } // Release a lock from WriterLock()

// TODO(hamaji): Do nothing, implement correctly.
 inline void AssertHeld() {}
private:
 MutexType mutex_;
 // We want to make sure that the compiler sets is_safe_ to true only
 // when we tell it to, and never makes assumptions is_safe_ is
 // always true.  volatile is the most reliable way to do that.
 volatile bool is_safe_;

inline void SetIsSafe() { is_safe_ = true; }

// Catch the error of writing Mutex when intending MutexLock.
 Mutex(Mutex* /*ignored*/) {}
 // Disallow "evil" constructors
 Mutex(const Mutex&);
 void operator=(const Mutex&);
};
#define SAFE_PTHREAD(fncall)  do {   /* run fncall if is_safe_ is true */  \
 if (is_safe_ && fncall(&mutex_) != 0) abort();                           \
 } while (0)

Mutex::Mutex()             {
  SetIsSafe();
  if (is_safe_ && pthread_mutex_init(&mutex_, NULL) != 0) abort();
 }
 Mutex::~Mutex()            { SAFE_PTHREAD(pthread_mutex_destroy); }
 void Mutex::Lock()         { SAFE_PTHREAD(pthread_mutex_lock); }
 void Mutex::Unlock()       { SAFE_PTHREAD(pthread_mutex_unlock); }
 bool Mutex::TryLock()      { return is_safe_ ?
  pthread_mutex_trylock(&mutex_) == 0 : true; }
 void Mutex::ReaderLock()   { Lock(); }
 void Mutex::ReaderUnlock() { Unlock(); }
 class MutexLock {
 public:
  explicit MutexLock(Mutex *mu) : mu_(mu) { mu_->Lock(); }
  ~MutexLock() { mu_->Unlock(); }
 private:
  Mutex * const mu_;
  // Disallow "evil" constructors
  MutexLock(const MutexLock&);
  void operator=(const MutexLock&);
 };

// ReaderMutexLock and WriterMutexLock do the same, for rwlocks
 class ReaderMutexLock {
 public:
  explicit ReaderMutexLock(Mutex *mu) : mu_(mu) { mu_->ReaderLock(); }
  ~ReaderMutexLock() { mu_->ReaderUnlock(); }
 private:
  Mutex * const mu_;
  // Disallow "evil" constructors
  ReaderMutexLock(const ReaderMutexLock&);
  void operator=(const ReaderMutexLock&);
 };

class WriterMutexLock {
 public:
  explicit WriterMutexLock(Mutex *mu) : mu_(mu) { mu_->WriterLock(); }
  ~WriterMutexLock() { mu_->WriterUnlock(); }
 private:
  Mutex * const mu_;
  // Disallow "evil" constructors
  WriterMutexLock(const WriterMutexLock&);
  void operator=(const WriterMutexLock&);
 };
} /* namespace FrameWork */
#endif /* MUTEX_H_ */

(0)

相关推荐

  • 总结UNIX/LINUX下C++程序计时的方法

    前言 良好的计时器可帮助程序开发人员确定程序的性能瓶颈,或对不同算法进行性能比较.但要精确测量程序的运行时间并不容易,因为进程切换.中断.共享的多用户.网络流量.高速缓存访问及转移预测等因素都会对程序计时产生影响. 下面看看小编为大家整理几个计时方法 方法一: 如果是想统计某个程序的运行时间,那么可以使用 time ./a.out 方法二: 如果是想对某个函数或者语句进行计时,那么有别的方法.比如说,gettimeofday函数.直接贴示例代码: #include <sys/time.h> v

  • Linux 平台上比较好的C/C++ IDE 清单

    "一个真正的程序员是不用IDE(译者注:集成开发环境)的,他们都是用带着某某插件的文本编辑器来写代码."我们总能在某些地方听到此类观点.然 而,尽管越来越多的人同意这样的观点,但是一个IDE仍然非常有用,它设置简单,使用起来也很方便,因此不能比这样更合适编写一个项目了.所以鉴于这点, 在这里我想给大家列一份在Linux平台上比较好的C/C++ IDE清单.为什么特地说C/C++呢?因为C语言是我最喜欢的编程语言,而且我们总要找个切入点来开始.另外要注意的是,通常有很多种编写C代码的方

  • Linux上搭建C/C++IDE开发环境

    文/张善友 Redhat linux上面没有提供Anjuta软件包,上面提供了一个Glade应用程序界面设计工具.Linux上面使用Anjuta和Glade以及Glademm软件包可以搭建一个linux下面进行C/C++软件开发的IDE环境,可以进行GTK+/Gnome的应用程序开发. 以前开发 Linux 程序时写出好的图形化用户界面比较难.在 GIMP 工具包 (GTK)诞生之后,这件事就变得比较容易了.当Damon Chaplin 写出 GLADE 这个用于在 GTK 环境下生成图形化用户

  • linux C++ 获取文件绝对路径的实例代码

    提供ftp服务时需要获取文件绝对路径,这里记录一下. #include <stdlib.h> #include <stdio.h> #include <limits.h> int main(){ const char *file_name = "filename"; char abs_path_buff[PATH_MAX]; //获取文件路径, 填充到abs_path_buff //realpath函数返回: null表示获取失败; 否则返回指向ab

  • 详解 linux c++的编译器g++的基本使用

    linux c++的编译器g++基本使用 g++是 linux下c++的编译器,在执行编译工作的时候,总共需要4步 1.预处理,生成.i的文件 2.将预处理后的文件不转换成汇编语言,生成文件.s 3.有汇编变为目标代码(机器代码)生成.o的文件 4.连接目标代码,生成可执行程序 g++ 编译c++经常使用的参数: -c 只编译,不连接.例如: g++ -c helloworld.cpp 只生成helloworld.o不连接 -o 指定输出文件名.例如:g++ -c helloworld.cpp

  • Linux下用C++实现俄罗斯方块

    本文实例为大家分享了C++实现俄罗斯方块游戏代码,供大家参考,具体内容如下 1.block.c #include <stdio.h> #include <termios.h> #include <unistd.h> #include <stdlib.h> #include <setjmp.h> #include <sys/time.h> #include <string.h> #include "block.h&

  • 在Linux下编译C或C++程序的教程

    从开始学习C/C++我们都在是windows下,那么如何(怎样)在linux中编译C/C++代码?在linux终端下(命令行中)编译译C/C++代码? 在任何linux分支下编译C/C++代码,如 Ubuntu ,Red Hat, Fedora ,Debian 以及其他linux分支上,我们需要安装一下软件包: 1.GNU C and C++ compiler collection 2.Development tools 3.Development libraries 4.IDE or text

  • C++实现Linux下弹出U盘的方法

    本文实例讲述了C++实现Linux下弹出U盘的方法.分享给大家供大家参考.具体如下: 在linux下,对于usb设备,我们一般都是mount上使用,不使用时umount掉就可以了. 在ubuntu10.04中,当我们插入u盘时,会出现u盘设备,当我点击这个设备就可以mount上u盘,并读取里面的文件,当我们不使用时,我们再次点击这个设备就可以弹出这个设备,如果想再次使用U盘,那么就得必须再次插拔u盘才可以. umount和弹出u盘是不同的,umount后我们还可以再次mount上使用,我们的u盘

  • Linux C++ 使用condition实现阻塞队列的方法

    实例如下: /* * BlockingQueue.h * * Created on: 2014年6月10日 * Author: */ #ifndef BLOCKINGQUEUE_H_ #define BLOCKINGQUEUE_H_ #include <iostream> #include <pthread.h> using namespace std; //template <typename T > class BlockingQueue { public: Blo

  • Linux中使用VS Code编译调试C++项目详解

    前言 关于VS Code在Linux下的安装这里就不提了,不管是CentOS还是Ubuntu,如果不懂且搜问题足够的情况下,你会解决的. 一.前置知识--gcc/g++的编译链接过程 在Windows下,如果你用Visual Studio进行开发,C/C++的编译器一般采用微软提供的MSBuild:在Linux下C/C++的编译器大多采用gcc/g++.既然要在Linux下进行C++开发,很有必要了解一下g++编译器的一些基本知识. 假设我现在有一个最简单的C++文件: #include <io

随机推荐