C++类设计:一个比较复杂的日志类 支持多线程、文件切换、信息缓存(源码)

初级代码游戏的专栏介绍与文章目录-CSDN博客

github位置:codetoys/ctfc.git src/env/myLog.h和.cpp  


        这个类功能细节比较多,因为是长期使用的版本,累积了各种功能。之前介绍的两个是我的测试代码用的版本,非常简单,那两个在这里:

C++类设计:设计一个日志类(源码)_初级代码游戏的博客-CSDN博客

C++类设计:一个不同版本的日志类(完整源码)_初级代码游戏的博客-CSDN博客

        其实这个版本跟上面两个很不一样,这个版本是基于unix/linux的(64位),控制台程序,支持多线程(需要链接pthread),支持日志文件切换,统计各种信息的条数,能缓存信息,可用于如果一段代码正确结束就不输出、出错才输出。

目录

一、完整源码

二、详解

2.1 关于endi、ende、endr

2.2 多线程支持

2.3 缓存支持

2.4 日志切换


一、完整源码

        头文件:

	//输出信息所在位置的日志宏------g_pEnv->GetLog()返回Log,可以直接定义为全局变量
#define thelog ((g_pEnv->GetLog()).LogPos(__FILE__,__LINE__,__func__))
#define theLog (g_pEnv->GetLog())  //不带文件名行号函数名//输出调试信息的宏,G_DEBUG G_TRANCE可以直接定义为全局变量
#define DEBUG_LOG if(G_DEBUG)thelog
#define TRANCE_LOG if(G_TRANCE)thelog////日至struct LogEnd{enum { fENDE = 1, fENDW, fENDI, fENDF, fENDD };char end;LogEnd(int ,int n):end(n){}};ostream & operator<<(ostream & s, LogEnd const & end);//这个好像没啥用,但是我暂时没验证,不敢删LogEnd const ende(0, LogEnd::fENDE); // errorLogEnd const endw(0, LogEnd::fENDW); // warningLogEnd const endi(0, LogEnd::fENDI); // informationLogEnd const endf(0, LogEnd::fENDF); // fatalLogEnd const endd(0, LogEnd::fENDD); // debugclass Log{private://线程数据struct _ThreadSpec{long m_thread_id;stringstream m_buf;string m_strSource;bool m_bOutputThis;//仅控制当前一行输出string m__file;long m__line;string m__func;_ThreadSpec() :m_thread_id(0), m_bOutputThis(true), m__line(0) {}};static void _CloseThreadSpec(void * _p){_ThreadSpec * p=(_ThreadSpec *)_p;delete p;}_ThreadSpec * _getThreadSpec(){_ThreadSpec * p = (_ThreadSpec *)pthread_getspecific(tsd_key);if (p)return p;else{p = new _ThreadSpec;if (!p){throw "new _ThreadSpec return NULL";}m_mutex.lock();p->m_thread_id = m_thread_count;++m_thread_count;m_mutex.unlock();if (0 == pthread_setspecific(tsd_key, p)){return p;}else{throw "pthread_setspecific error";}}}private:long m_thread_count;//线程计数pthread_key_t tsd_key;//线程存储key	CPThreadMutex m_mutex;string m_appname;//用来构造m_filename,用于定时切换文件,若未设置则直接使用m_filenamestring m_appname_old;//切换日志时用来保存原来的,以便切换换回来string m_filename;//当前的日志文件名ofstream m_ofs;bool m_bOutput;//控制所有输出bool m_bCache;//当!m_bOutput时缓存输出结果string::size_type m_maxcache;//最大缓存的数目string m_cache;//缓存的输出void(*m_pUD)(const string& strLog);//用户定义的函数,输出的时候会执行一次,一般也不用//错误和警告统计long countw;long counte;long countall;//正常记录统计long countn;public://设置用户定义的函数,输出的时候会执行一次,一般也不用void SetUserFunction(void(*pUD)(const string& strLog)) { m_pUD = pUD; }public:Log(){m_thread_count = 0;pthread_key_create(&tsd_key, _CloseThreadSpec);m_mutex.init();SetSource("应用");m_bOutput = true;m_bCache = false;m_maxcache = 0;m_pUD = NULL;countw = 0;counte = 0;countn = 0;countall = 0;}void GetCount(long & c_w, long & c_e, long & c_all)const { c_w = countw; c_e = counte; c_all = countall; }string const &GetFileName()const { return m_filename; }Log& LogPos(char const * file, long line,char const * func){string tmp = file;string::size_type pos = tmp.find_last_of("/");if (pos != tmp.npos)_getThreadSpec()->m__file = tmp.substr(pos + 1);else _getThreadSpec()->m__file = file;_getThreadSpec()->m__line = line;_getThreadSpec()->m__func = func;return *this;}string const & _makesource(string const & source, string & ret);template <typename T>Log& operator<<(T const& t){_getThreadSpec()->m_buf << (t);return *this;}Log& operator<<(stringstream const& ss){_getThreadSpec()->m_buf << ss.str();return *this;}Log & operator<<(ostream &(*p)(ostream &)){_getThreadSpec()->m_buf <<(p);return *this;}Log & operator<<(LogEnd const & end){m_mutex.lock();_ThreadSpec * ThreadSpec = _getThreadSpec();char nCh = end.end;bool isImportant = false;string strType;switch (nCh){case LogEnd::fENDI:strType = "[信息]";++countn;break;case LogEnd::fENDW:strType = "[警告]";isImportant = true;++countw;break;case LogEnd::fENDE:strType = "[出错]";isImportant = true;++counte;break;case LogEnd::fENDF:strType = "[致命]";isImportant = true;break;case LogEnd::fENDD:strType = "[调试]";break;}if (isImportant)++countall;time_t t;tm const * t2;char buf[2048];time(&t);t2 = localtime(&t);sprintf(buf, "%02d-%02d %02d:%02d:%02d", t2->tm_mon + 1, t2->tm_mday, t2->tm_hour, t2->tm_min, t2->tm_sec);string strTime = buf;strTime = "[" + strTime + "]";//若未设置则不输出文件名和行号if (0 != ThreadSpec->m__file.size()){sprintf(buf, "[%-24s:%4ld(%s)][%6.2f]", ThreadSpec->m__file.c_str(), ThreadSpec->m__line, ThreadSpec->m__func.c_str(), (clock() / (float)CLOCKS_PER_SEC));}else buf[0] = '\0';string tmpSource;string strMsg;strMsg = strTime + _makesource(ThreadSpec->m_strSource, tmpSource) + strType + buf + ThreadSpec->m_buf.str();if (LogEnd::fENDE == nCh){if (G_ERROR_MESSAGE().str().size() > 1024 * 1024)G_ERROR_MESSAGE().str(G_ERROR_MESSAGE().str().substr(512 * 1024));G_ERROR_MESSAGE() << strMsg << endl;}if (!m_bCache && m_filename.size() != 0){string newfile = makelogfilename();if (m_filename != newfile){m_ofs.close();_Open(newfile);cout << "文件切换,原文件 " << m_filename << " 新文件 " << newfile << endl;m_ofs << "文件切换,原文件 " << m_filename << " 新文件 " << newfile << endl;}m_ofs << strMsg.c_str() << endl;m_ofs.flush();if (m_ofs.bad()){m_ofs.close();_Open(newfile);cout << "写文件错误,关闭后重新打开文件" << endl;m_ofs << "写文件错误,关闭后重新打开文件" << endl;m_ofs << strMsg.c_str() << endl;m_ofs.flush();}}if (m_bOutput && ThreadSpec->m_bOutputThis){cout << strMsg.c_str() << endl;}else{if (m_bCache){if (m_cache.size() > m_maxcache){m_cache.erase(0, m_cache.size() / 2);//超长时删去前半部分}m_cache += strMsg + "\n";}}ThreadSpec->m_bOutputThis = true;if (m_pUD) (*m_pUD)(strMsg); // 用户定义功能ThreadSpec->m__file = "";ThreadSpec->m__line = 0;ThreadSpec->m_buf.str("");m_mutex.unlock();return *this;}Log& SetSource(const string& strSource){_getThreadSpec()->m_strSource = "[" + strSource + "]";return *this;}void setMaxFileSize(long){cout << "theLog.setMaxFileSize(maxsize) 此功能已取消" << endl;}void setCache(string::size_type maxcache){m_maxcache = maxcache;m_bCache = (maxcache > 0);}bool getCache()const { return m_bCache; }string & GetCachedLog(string & ret)//获得缓存的日志并清理缓存{ret = m_cache;m_cache.clear();return ret;}void ClearCache()//结束缓存,丢弃缓存的东西{m_cache.clear();setCache(0);}void setOutput(bool bEnable = true) { m_bOutput = bEnable; }bool getOutput() { return m_bOutput; }Log & setOutputThis(bool bEnable = false) { _getThreadSpec()->m_bOutputThis = bEnable; return *this; }
#ifdef _LINUXOSint _Open(const string& strFile, std::_Ios_Openmode nMode = ios::out | ios::app)
#elseint _Open(const string& strFile, int nMode = ios::out | ios::app)
#endif{m_ofs.close();m_ofs.clear();m_ofs.open(strFile.c_str(), nMode);if (!m_ofs.good()){cout << "打开文件出错 " << strFile << " " << strerror(errno) << endl;return -1;}m_filename = strFile;return 1;}//以固定文件方式打开日志,不会根据日期切换int Open(char const * filename){cout << "theLog.Open(filename) 此操作将取消按日期生成日志文件的功能,若要使用按日期分文件请取消此调用" << endl;m_appname_old = m_appname;m_appname = "";return _Open(filename);}int ReturnToOldFile(){return ActiveOpen(m_appname_old.c_str());}//根据当前年月日构造日志文件名,若未设置m_appname则为m_filenamestring makelogfilename(){if (0 == m_appname.size())return m_filename;time_t t;tm const * t2;char buf[256];time(&t);t2 = localtime(&t);sprintf(buf, "%s.%04d%02d%02d.log", m_appname.c_str(), t2->tm_year + 1900, t2->tm_mon + 1, t2->tm_mday);return buf;}//按日期打开日志,日期改变日志文件自动切换,格式为“appname.YYYYMMDD.log”int ActiveOpen(char const * appname){m_appname = appname;return _Open(makelogfilename());}//获得当前日志位置long tellEndP(){m_ofs.seekp(0, ios::end);return m_ofs.tellp();}//返回当前日志记录数long getCountN(){return countn;}long getCountW(){return countw;}long getCountE(){return counte;}};//日志接口
#define LOG (thelog)
#define ENDI (endi)
#define ENDW (endw)
#define ENDE (ende)

        源文件:

    //这个好像没啥用,但是我暂时没验证,不敢删ostream & operator<<(ostream & s, LogEnd const & end){switch (end.end){case LogEnd::fENDI:s << "[信息]";break;case LogEnd::fENDW:s << "[警告]";break;case LogEnd::fENDE:s << "[出错]";break;case LogEnd::fENDF:s << "[致命]";break;case LogEnd::fENDD:s << "[调试]";break;}s << endl;return s;}string const & Log::_makesource(string const & source, string & ret){if (m_thread_count < 2)return source;_ThreadSpec * ThreadSpec = _getThreadSpec();char buf[256];if (0 == ThreadSpec->m_thread_id){sprintf(buf, "[%lu]", (unsigned long)getpid());}else{sprintf(buf, "[%lu-%2ld]", (unsigned long)getpid(), ThreadSpec->m_thread_id);}return ret = source + buf;}

        代码里面用到了一个互斥对象,代码是这样的,简单包装而已:

	//线程同步对象class CPThreadMutex{private:pthread_mutex_t m_mutex;//互斥对象pthread_cond_t m_cond;//条件变量public:void init(){pthread_mutex_init(&m_mutex, NULL);pthread_cond_init(&m_cond, NULL);}void destory(){pthread_cond_destroy(&m_cond);pthread_mutex_destroy(&m_mutex);}int lock()const { return pthread_mutex_lock((pthread_mutex_t*)&m_mutex); }int unlock()const { return pthread_mutex_unlock((pthread_mutex_t*)&m_mutex); }int wait()const { return pthread_cond_wait((pthread_cond_t*)&m_cond, (pthread_mutex_t*)&m_mutex); }int reltimedwait()const{timespec to;to.tv_sec = time(NULL) + 1;to.tv_nsec = 0;int ret;ret = pthread_cond_timedwait((pthread_cond_t*)&m_cond, (pthread_mutex_t*)&m_mutex, &to);if (0 == ret)return true;else if (ETIMEDOUT == ret)return false;else throw ret;return false;}int signal()const { return pthread_cond_signal((pthread_cond_t*)&m_cond); }};

二、详解

2.1 关于endi、ende、endr

        这一套是传统留下来的,在结束输出的时候表明这是什么性质的日志。含义很简单:

        endi 信息

        endd 调试

        ende 出错

        endr 报告——由于endr和某些版本的oracle客户端冲突,再说也没有实际使用,所以就删掉了

        这个东西可以根据需要扩展。

2.2 多线程支持

        由于日志对象是个全局对象,为了支持多线程使用,需要在内部实现多线程支持。具体办法是将临时缓存的数据放在线程存储里面。这里用的是POSIX线程库:

		//线程数据struct _ThreadSpec{long m_thread_id;stringstream m_buf;string m_strSource;bool m_bOutputThis;//仅控制当前一行输出string m__file;long m__line;string m__func;_ThreadSpec() :m_thread_id(0), m_bOutputThis(true), m__line(0) {}};static void _CloseThreadSpec(void * _p){_ThreadSpec * p=(_ThreadSpec *)_p;delete p;}_ThreadSpec * _getThreadSpec(){_ThreadSpec * p = (_ThreadSpec *)pthread_getspecific(tsd_key);if (p)return p;else{p = new _ThreadSpec;if (!p){throw "new _ThreadSpec return NULL";}m_mutex.lock();p->m_thread_id = m_thread_count;++m_thread_count;m_mutex.unlock();if (0 == pthread_setspecific(tsd_key, p)){return p;}else{throw "pthread_setspecific error";}}}

        _getThreadSpec()用于获取线程数据,日志类的其他部分只用这个函数来操作数据。

        为了保证输出文件不混乱,在输出的时候使用了互斥锁。

2.3 缓存支持

        如果执行没有失败,就没有必要输出详细日志。程序在开始一段操作时打开缓存,执行结束检查状态,成功就清除缓存,失败才输出缓存的日志。

2.4 日志切换

        日志文件不能越滚越大,一般我们按天切换文件,在每次输出的时候检查日期是否已经改变,如果改变了就关闭文件再重新打开一个。

        日志太大搜索信息也很慢,一度我还用过这种策略:增加一个日志文件专门输出错误信息。

        日志处理的功能全看自己的需要。


(这里是结束)

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/803532.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

AI技术将影响更长远,比如未来的就业形势

随着人工智能渗透到工作场所&#xff0c;人类将需要掌握新的工作技能。 AI作为新技术已经开始扰乱就业市场了。对于最新的AI人工智能技术&#xff0c;经济学家、教育工作者、监管机构、商业分析师以及相关领域专家预测&#xff0c;在不久的将来&#xff0c;人工智能一代将需要…

AI智能调色解决方案,节省了企业的时间和人力成本

如何确保图片、视频的色彩准确、生动&#xff0c;成为企业提升品牌形象和传播效果的重要课题。美摄科技凭借领先的AI技术&#xff0c;推出全新的AI智能调色解决方案&#xff0c;以智能化、精细化的调色方式&#xff0c;帮助企业轻松驾驭色彩&#xff0c;展现视觉魅力。 美摄科…

vue改变子组件props属性值

1.使用v-model和$emit <!-- 父组件 --> <template><ChildComponent v-model="propValue" /> </template><script setup> import { ref } from vue; import ChildComponent from ./ChildComponent.vue;const propValue = ref(initial …

2.小明的背包1

2.小明的背包1 - 蓝桥云课 (lanqiao.cn) 小明的背包1 题目描述 小明有一个容量为V的背包。 这天他去商场购物&#xff0c;商场一共有件物品&#xff0c;第件物品的体积为wi&#xff0c;价值为 vi。 小明想知道在购买的物品总体积不超过V的情况下所能获得的最大价值为多少&#…

CSDN 广告太多,停更通知,转移到博客园

文章目录 前言新博客地址 前言 CSDN的广告实在是太多了&#xff0c;我是真的有点忍不了。直接把广告插在我的文章中间。而且我已经懒得找工作了&#xff0c;我当初写CSDN的目的就是为了找工作&#xff0c;有个博客排名。当时经济环境实在是太差了。我也没必要纠结这个2000粉丝…

C++逻辑运算符

假设变量 A 的值为 1&#xff0c;变量 B 的值为 0 则&#xff1a; 运算符描述实例&&称为逻辑与运算符。如果两个操作数都非零&#xff0c;则条件为真。(A && B) 为假。||称为逻辑或运算符。如果两个操作数中有任意一个非零&#xff0c;则条件为真。(A || B) …

Facebook直播延迟过高是为什么?

在进行Facebook直播 时&#xff0c;高延迟可能会成为一个显著的问题&#xff0c;影响观众的观看体验和互动效果。以下是一些导致Facebook直播延迟过高的可能原因&#xff1a; 1、网络连接问题 网络连接不稳定或带宽不足可能是导致Facebook直播延迟的主要原因之一。如果您的网络…

EDM邮件群发推广多少钱?有哪些优势?

电子邮件营销&#xff08;Electronic Direct Mail, EDM&#xff09;以其高性价比、精准定向与可度量效果的优势&#xff0c;成为众多企业不可或缺的营销策略。云衔科技&#xff0c;作为企业数字广告营销和SaaS软件服务的领军者&#xff0c;以其创新的智能EDM邮件营销系统解决方…

数学基础:常见函数图像

来自&#xff1a; https://www.desmos.com/calculator/l3u8133jwj?langzh-CN 推荐: https://www.shuxuele.com/index.html 一、三角函数 1.1 正弦 sin(x) 1.2 余弦 cos(x) 1.3 正切 tan(x) 1.4 余切 cot(x) 1.5 正弦余弦综合 1.6 正切余切综合 二、指数对数

【THM】Metasploit: Exploitation(利用)-初级渗透测试

介绍 在这个房间里,我们将学习如何使用Metasploit进行漏洞扫描和利用。我们还将介绍数据库功能如何使管理更广泛范围的渗透测试活动变得更容易。最后,我们将研究使用msfvenom生成有效负载以及如何在大多数目标平台上启动Meterpreter会话。 更具体地说,我们将讨论的主题是:…

前端:自制年历

详细思路可以看我的另一篇文章《前端&#xff1a;自制月历》&#xff0c;基本思路一致&#xff0c;只是元素布局略有差异 ①获取起始位startnew Date(moment().format(yyyy-01-01)).getDay() ②获取总的格子数numMath.ceil(365/7)*7,这里用365或者366计算结果都是一样的371 …

SSD 可靠性深度分析

固态硬盘&#xff08;SSD&#xff09;因其相对于传统硬盘驱动器&#xff08;HDD&#xff09;的诸多优势而日益受到青睐&#xff0c;包括更快的速度、更小的体积、更高的能效以及由于没有活动部件而增强的耐用性。此外&#xff0c;SSD 现在提供更大的存储容量&#xff0c;且价格…

Kali Linux介绍

Kali Linux是一个基于Debian的Linux发行版&#xff0c;主要用于数字取证和渗透测试。它是由Offensive Security维护和资助的&#xff0c;每季度更新一次。Kali Linux最初是由Offensive Security的Mati Aharoni和Devon Kearns通过重写BackTrack来完成的&#xff0c;而BackTrack也…

蓝桥杯刷题-16-买瓜-DFS+剪枝优化⭐⭐

蓝桥杯2023年第十四届省赛真题-买瓜 该如何剪枝呢&#xff1f;⭐⭐ 如果当前方案的切的刀数&#xff0c;已经大于等于了之前已知合法方案的最优解&#xff0c;那么就没必要 往后搜了。如果后面的瓜的总和加起来&#xff0c;再加上当前已有的重量&#xff0c;都不到m,那么也没…

js语法---简单理解promise

promise语法结构 创建一个promise对象 let p new Promise(function(resolve,reject){// 执行的操作...// 判断操作的结果并执行对应的回调函数if(){resolve()}else{reject()} } 以上实例化了一个promise对象&#xff0c;其中包含了一个参数function&#xff0c;这个函数会在…

MyBatis 应用的组成

王有志&#xff0c;一个分享硬核Java技术的互金摸鱼侠 加入Java人的提桶跑路群&#xff1a;共同富裕的Java人 大家好&#xff0c;我是王有志。在上一篇文章的最后&#xff0c;我们写了一个简单的例子&#xff0c;今天我们就通过这个例子来看一看一个标准的 MyBatis 应用程序由哪…

css 响应式布局重学笔记

1、常用的布局 1、固定布局。以px为基本单位&#xff0c;不考虑设备的屏幕和尺寸。 2、可切换的固定布局。同样以px作为单位&#xff0c;参考主流设备尺寸&#xff0c;设计几套不同宽度的布局。如移动端一套html代码&#xff0c;PC端一套html代码&#xff0c;程序区分对应的设备…

C#实现HTTP上传文件的方法

/// <summary> /// Http上传文件 /// </summary> public static string HttpUploadFile(string url, string path) {// 设置参数HttpWebRequest request WebRequest.Create(url) as HttpWebRequest;CookieContainer cookieContainer new CookieContainer();reque…

Java基础学习:timestamp时间戳转string格式时间

文章目录 一、代码示例二、Timestamp对象三、TimeZone.getTimeZone传参 一、代码示例 import java.sql.Timestamp; import java.text.SimpleDateFormat; import java.util.*;public class Test{public static void main(String[] args) {System.out.println(TimestampToStr(ne…

Redis高级-分布式缓存

分布式缓存 – 基于Redis集群解决单机Redis存在的问题 单机的Redis存在四大问题&#xff1a; 0.目标 1.Redis持久化 Redis有两种持久化方案&#xff1a; RDB持久化AOF持久化 1.1.RDB持久化 RDB全称Redis Database Backup file&#xff08;Redis数据备份文件&#xff09;…