SRS源码框架,日志记录SrsFileLog的使用

本章内容解读SRS开源代码框架,无二次开发,以学习交流为目的。

SRS是国人开发的开源流媒体服务器,C++语言开发,本章使用版本:https://github.com/ossrs/srs/tree/5.0release。

目录

    • SRS日志记录
    • 源码
    • 源码测试

SRS日志记录

SRS封装了日志类SrsFileLog(输出到文件或控制台)、SrsConsoleLog(输出到控制台),具备常用的日志功能。

功能包括:日期,时间,日志级别,格式化参数列表,pid,上下文ID(方便定位问题,每个协程有个唯一的上下文ID),可输出到控制台或文件等;提供了使用方便的宏接口。

需要注意的地方:配有线程锁,多线程存在抢锁(SRS几乎是单线程运行,所有还好);不能自动分割日志,不处理的话会一直写入同一个文件(SRS提供了手动分割日志方式,详见SRS官网)。

这部分代码还包含了SrsThreadMutex类,对pthread_mutex_t 进行封装,使用时不需要对pthread_mutex_t 进行初始化和销毁,并加入了错误断言。

源码

源码部分,对源码进行了裁减,可以直接使用。上下文SrsContextId使用std::string代替。

├── chw_adapt.cpp
├── chw_adapt.h
├── srs_app_log.cpp
├── srs_app_log.hpp
├── srs_kernel_log.cpp
└── srs_kernel_log.hpp

srs_kernel_log.hpp

#ifndef SRS_KERNEL_LOG_HPP
#define SRS_KERNEL_LOG_HPP#include <stdio.h>
#include <errno.h>
#include <string.h>
#include <string>
#include <stdarg.h>
#include "chw_adapt.h"// Please note that the enum name might not be the string, to keep compatible with previous definition.
//日志级别
enum SrsLogLevel
{SrsLogLevelForbidden = 0x00,// Only used for very verbose debug, generally,// we compile without this level for high performance.SrsLogLevelVerbose = 0x01,SrsLogLevelInfo = 0x02,SrsLogLevelTrace = 0x04,SrsLogLevelWarn = 0x08,SrsLogLevelError = 0x10,SrsLogLevelDisabled = 0x20,
};// Get the level in string.
extern const char* srs_log_level_strings[];// The log interface provides method to write log.  日志接口提供了写入日志的方法。
// but we provides some macro, which enable us to disable the log when compile.但是我们提供了一些宏,它使我们能够在编译时禁用日志。
class ISrsLog
{
public:ISrsLog();virtual ~ISrsLog();
public:// Initialize log utilities.初始化日志实用程序。virtual /*srs_error_t*/int initialize() = 0;// Reopen the log file for log rotate.重新打开日志文件以进行日志轮替。virtual void reopen() = 0;
public:// Write a application level log. All parameters are required except the tag.写应用程序级别日志virtual void log(SrsLogLevel level, const char* tag, std::string context_id, const char* fmt, va_list args) = 0;
};// The logic context, for example, a RTMP connection, or RTC Session, etc.逻辑上下文,例如,一个RTMP连接,或RTC会话等。
// We can grep the context id to identify the logic unit, for debugging.我们可以通过上下文id来标识逻辑单元,用于调试。
class ISrsContext
{
public:ISrsContext();virtual ~ISrsContext();
public:// Get the context id of current thread.获取当前线程的上下文id。virtual std::string get_id(){return "ID9527";}
};// @global User must implements the LogContext and define a global instance.用户必须实现日志上下文并定义一个全局实例。
extern ISrsContext* _srs_context;// @global User must provides a log object  用户必须提供一个日志对象
extern ISrsLog* _srs_log;// Global log function implementation. Please use helper macros, for example, srs_trace or srs_error.
//全局日志函数的实现。请使用助手宏,例如,srs_trace或srs_error。
extern void srs_logger_impl(SrsLogLevel level, const char* tag, std::string context_id, const char* fmt, ...);// Log style.
// Use __FUNCTION__ to print c method
// Use __PRETTY_FUNCTION__ to print c++ class:method
#define srs_verbose(msg, ...) srs_logger_impl(SrsLogLevelVerbose, NULL, _srs_context->get_id(), msg, ##__VA_ARGS__)
#define srs_info(msg, ...) srs_logger_impl(SrsLogLevelInfo, NULL, _srs_context->get_id(), msg, ##__VA_ARGS__)
#define srs_trace(msg, ...) srs_logger_impl(SrsLogLevelTrace, NULL, _srs_context->get_id(), msg, ##__VA_ARGS__)
#define srs_warn(msg, ...) srs_logger_impl(SrsLogLevelWarn, NULL, _srs_context->get_id(), msg, ##__VA_ARGS__)
#define srs_error(msg, ...) srs_logger_impl(SrsLogLevelError, NULL, _srs_context->get_id(), msg, ##__VA_ARGS__)#endif

srs_kernel_log.cpp

#include <srs_kernel_log.hpp>
#include <stdarg.h>const char* srs_log_level_strings[] = {
#ifdef SRS_LOG_LEVEL_V2// The v2 log level specs by log4j."FORB",     "TRACE",     "DEBUG",    NULL,   "INFO",    NULL, NULL, NULL,"WARN",     NULL,       NULL,       NULL,   NULL,       NULL, NULL, NULL,"ERROR",    NULL,       NULL,       NULL,   NULL,       NULL, NULL, NULL,NULL,       NULL,       NULL,       NULL,   NULL,       NULL, NULL, NULL,"OFF",
#else// SRS 4.0 level definition, to keep compatible."Forb",     "Verb",     "Debug",    NULL,   "Trace",    NULL, NULL, NULL,"Warn",     NULL,       NULL,       NULL,   NULL,       NULL, NULL, NULL,"Error",    NULL,       NULL,       NULL,   NULL,       NULL, NULL, NULL,NULL,       NULL,       NULL,       NULL,   NULL,       NULL, NULL, NULL,"Off",
#endif
};ISrsLog::ISrsLog()
{
}ISrsLog::~ISrsLog()
{
}ISrsContext::ISrsContext()
{
}ISrsContext::~ISrsContext()
{
}void srs_logger_impl(SrsLogLevel level, const char* tag, std::string context_id, const char* fmt, ...)
{if (!_srs_log) return;va_list args;va_start(args, fmt);_srs_log->log(level, tag, context_id, fmt, args);va_end(args);
}

srs_app_log.hpp

#ifndef SRS_APP_LOG_HPP
#define SRS_APP_LOG_HPP#include <string.h>
#include <string>
#include "chw_adapt.h"
#include "srs_kernel_log.hpp"class SrsFileLog : public ISrsLog/*, public ISrsReloadHandler*/
{
private:// Defined in SrsLogLevel.SrsLogLevel level_;
private:char* log_data;// Log to file if specified srs_log_fileint fd;// Whether log to file tankbool log_to_file_tank;//false输出到控制台,true输出到文件// Whether use utc time.bool utc;// TODO: FIXME: use macro define like SRS_MULTI_THREAD_LOG to switch enable log mutex or not.// Mutex for multithread log.多线程日志的互斥锁。SrsThreadMutex* mutex_;std::string filename_;
public:SrsFileLog();virtual ~SrsFileLog();
// Interface ISrsLog
public:virtual /*srs_error_t*/int initialize();virtual void reopen();//chw,日志记录包含上下文ID,更容易定位问题,这里SrsContextId使用std::string代替,减少依赖virtual void log(SrsLogLevel level, const char* tag, std::string context_id, const char* fmt, va_list args);
private:virtual void write_log(int& fd, char* str_log, int size, int level);virtual void open_log_file();
};#endif

srs_app_log.cpp

#include <srs_app_log.hpp>#include <stdarg.h>
#include <sys/time.h>#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <unistd.h>// the max size of a line of log.
#define LOG_MAX_SIZE 8192// the tail append to each log.
#define LOG_TAIL '\n'
// reserved for the end of log data, it must be strlen(LOG_TAIL)
#define LOG_TAIL_SIZE 1SrsFileLog::SrsFileLog()
{level_ = SrsLogLevelTrace;log_data = new char[LOG_MAX_SIZE];fd = -1;log_to_file_tank = true;utc = false;mutex_ = new SrsThreadMutex();filename_ = "./srs.log";
}SrsFileLog::~SrsFileLog()
{srs_freepa(log_data);if (fd > 0) {::close(fd);fd = -1;}srs_freep(mutex_);
}/*srs_error_t*/int SrsFileLog::initialize()
{level_ = SrsLogLevelTrace;return /*srs_success*/0;
}void SrsFileLog::reopen()
{if (fd > 0) {::close(fd);}if (!log_to_file_tank) {return;}open_log_file();
}void SrsFileLog::log(SrsLogLevel level, const char* tag, std::string context_id, const char* fmt, va_list args)
{if (level < level_ || level >= SrsLogLevelDisabled) {return;}SrsThreadLocker(mutex_);int size = 0;bool header_ok = srs_log_header(log_data, LOG_MAX_SIZE, utc, level >= SrsLogLevelWarn, tag, context_id, srs_log_level_strings[level], &size);if (!header_ok) {return;}// Something not expected, drop the log.int r0 = vsnprintf(log_data + size, LOG_MAX_SIZE - size, fmt, args);if (r0 <= 0 || r0 >= LOG_MAX_SIZE - size) {return;}size += r0;// Add errno and strerror() if error. Check size to avoid security issue https://github.com/ossrs/srs/issues/1229if (level == SrsLogLevelError && errno != 0 && size < LOG_MAX_SIZE) {r0 = snprintf(log_data + size, LOG_MAX_SIZE - size, "(%s)", strerror(errno));// Something not expected, drop the log.if (r0 <= 0 || r0 >= LOG_MAX_SIZE - size) {return;}size += r0;}write_log(fd, log_data, size, level);
}void SrsFileLog::write_log(int& fd, char *str_log, int size, int level)
{// ensure the tail and EOF of string//      LOG_TAIL_SIZE for the TAIL char.//      1 for the last char(0).size = srs_min(LOG_MAX_SIZE - 1 - LOG_TAIL_SIZE, size);// add some to the end of char.str_log[size++] = LOG_TAIL;// if not to file, to console and return.if (!log_to_file_tank) {// if is error msg, then print color msg.// \033[31m : red text code in shell// \033[32m : green text code in shell// \033[33m : yellow text code in shell// \033[0m : normal text codeif (level <= SrsLogLevelTrace) {printf("%.*s", size, str_log);} else if (level == SrsLogLevelWarn) {printf("\033[33m%.*s\033[0m", size, str_log);} else{printf("\033[31m%.*s\033[0m", size, str_log);}fflush(stdout);return;}// open log file. if specifiedif (fd < 0) {open_log_file();}// write log to file.if (fd > 0) {::write(fd, str_log, size);}
}void SrsFileLog::open_log_file()
{std::string filename = filename_;if (filename.empty()) {return;}fd = ::open(filename.c_str(),O_RDWR | O_CREAT | O_APPEND,S_IRUSR | S_IWUSR | S_IRGRP | S_IWGRP | S_IROTH);
}

chw_adapt.h

#ifndef CHW_ADAPT_H
#define CHW_ADAPT_H#include <string>#define srs_assert(expression) SrsCplxError::srs_assert(expression)
#define srs_min(a, b) (((a) < (b))? (a) : (b))
#define srs_max(a, b) (((a) < (b))? (b) : (a))
#define srs_freep(p) \delete p; \p = NULL; \(void)0
// Please use the freepa(T[]) to free an array, otherwise the behavior is undefined.
#define srs_freepa(pa) \delete[] pa; \pa = NULL; \(void)0// The thread mutex wrapper, without error.
class SrsThreadMutex
{
private:pthread_mutex_t lock_;pthread_mutexattr_t attr_;
public:SrsThreadMutex();virtual ~SrsThreadMutex();
public:void lock();void unlock();
};#define SrsThreadLocker(instance) \impl__SrsThreadLocker _SRS_free_##instance(instance)class impl__SrsThreadLocker
{
private:SrsThreadMutex* lock;
public:impl__SrsThreadLocker(SrsThreadMutex* l) {lock = l;lock->lock();}virtual ~impl__SrsThreadLocker() {lock->unlock();}
};
bool srs_log_header(char* buffer, int size, bool utc, bool dangerous, const char* tag, std::string cid, const char* level, int* psize);
#endif // CHW_ADAPT_H

chw_adapt.cpp

#include "chw_adapt.h"#include <assert.h>
#include <time.h>
#include <sys/time.h>
#include <unistd.h>SrsThreadMutex::SrsThreadMutex()
{// https://man7.org/linux/man-pages/man3/pthread_mutexattr_init.3.htmlint r0 = pthread_mutexattr_init(&attr_);assert(!r0);// https://man7.org/linux/man-pages/man3/pthread_mutexattr_gettype.3p.htmlr0 = pthread_mutexattr_settype(&attr_, PTHREAD_MUTEX_ERRORCHECK);assert(!r0);// https://michaelkerrisk.com/linux/man-pages/man3/pthread_mutex_init.3p.htmlr0 = pthread_mutex_init(&lock_, &attr_);assert(!r0);
}SrsThreadMutex::~SrsThreadMutex()
{int r0 = pthread_mutex_destroy(&lock_);assert(!r0);r0 = pthread_mutexattr_destroy(&attr_);assert(!r0);
}void SrsThreadMutex::lock()
{// https://man7.org/linux/man-pages/man3/pthread_mutex_lock.3p.html//        EDEADLK//                 The mutex type is PTHREAD_MUTEX_ERRORCHECK and the current//                 thread already owns the mutex.int r0 = pthread_mutex_lock(&lock_);assert(!r0);
}void SrsThreadMutex::unlock()
{int r0 = pthread_mutex_unlock(&lock_);assert(!r0);
}bool srs_log_header(char* buffer, int size, bool utc, bool dangerous, const char* tag, std::string cid, const char* level, int* psize)
{// clock timetimeval tv;if (gettimeofday(&tv, NULL) == -1) {return false;}// to calendar timestruct tm now;// Each of these functions returns NULL in case an error was detected. @see https://linux.die.net/man/3/localtime_rif (utc) {if (gmtime_r(&tv.tv_sec, &now) == NULL) {return false;}} else {if (localtime_r(&tv.tv_sec, &now) == NULL) {return false;}}int written = -1;if (dangerous) {if (tag) {written = snprintf(buffer, size,"[%d-%02d-%02d %02d:%02d:%02d.%03d][%s][%d][%s][%d][%s] ",1900 + now.tm_year, 1 + now.tm_mon, now.tm_mday, now.tm_hour, now.tm_min, now.tm_sec, (int)(tv.tv_usec / 1000),level, getpid(), cid.c_str(), errno, tag);} else {written = snprintf(buffer, size,"[%d-%02d-%02d %02d:%02d:%02d.%03d][%s][%d][%s][%d] ",1900 + now.tm_year, 1 + now.tm_mon, now.tm_mday, now.tm_hour, now.tm_min, now.tm_sec, (int)(tv.tv_usec / 1000),level, getpid(), cid.c_str(), errno);}} else {if (tag) {written = snprintf(buffer, size,"[%d-%02d-%02d %02d:%02d:%02d.%03d][%s][%d][%s][%s] ",1900 + now.tm_year, 1 + now.tm_mon, now.tm_mday, now.tm_hour, now.tm_min, now.tm_sec, (int)(tv.tv_usec / 1000),level, getpid(), cid.c_str(), tag);} else {written = snprintf(buffer, size,"[%d-%02d-%02d %02d:%02d:%02d.%03d][%s][%d][%s] ",1900 + now.tm_year, 1 + now.tm_mon, now.tm_mday, now.tm_hour, now.tm_min, now.tm_sec, (int)(tv.tv_usec / 1000),level, getpid(), cid.c_str());}}// Exceed the size, ignore this log.// Check size to avoid security issue https://github.com/ossrs/srs/issues/1229if (written <= 0 || written >= size) {return false;}// write the header size.*psize = written;return true;
}

源码测试

#include "srs_kernel_log.hpp"
#include "srs_app_log.hpp"
ISrsLog* _srs_log = NULL;
ISrsContext* _srs_context = NULL;_srs_context = new ISrsContext();  
_srs_log = new SrsFileLog();       
_srs_log->initialize();            srs_trace("hello");                

可执行文件同级目录生成日志文件srs.log

[2023-07-26 15:06:51.529][Trace][10876][ID9527] hello

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

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

相关文章

querySubObject(“Cells(int,int)“, j,i)->property(“Value“)读不到数据问题

在使用qt读取Excel文件内容的时候&#xff0c;使用下列方式&#xff1a; worksheet->querySubObject("Cells(int,int)", j,i)->property("Value").toString(); 不会报错&#xff0c;但读取不到数据。多次尝试发现应该将property改为dynamicCall 下…

前端(九)——探索微信小程序、Vue、React和Uniapp生命周期

&#x1f642;博主&#xff1a;小猫娃来啦 &#x1f642;文章核心&#xff1a;探索微信小程序、Vue、React和Uniapp生命周期 文章目录 微信小程序、Vue、React和Uniapp的基本定义和应用领域微信小程序生命周期生命周期概述页面生命周期应用生命周期组件和API的生命周期钩子 Vu…

【雕爷学编程】MicroPython动手做(16)——掌控板之图片图像显示

知识点&#xff1a;什么是掌控板&#xff1f; 掌控板是一块普及STEAM创客教育、人工智能教育、机器人编程教育的开源智能硬件。它集成ESP-32高性能双核芯片&#xff0c;支持WiFi和蓝牙双模通信&#xff0c;可作为物联网节点&#xff0c;实现物联网应用。同时掌控板上集成了OLED…

基于注解的 SpringMVC

SpringMVC SpringMVC使用SpringMVC的两个配置EnableWebMVC 和 ACWACSpringMVC执行流程接收请求参数Postman 发包工具&#xff08;&#xff09;get 请求---简单类型数据&#xff08;基本数据类型和String&#xff09;get 请求---对象类型数据get 请求---数组类型get 请求 --- 集…

Python自动计算Excel数据指定范围内的区间最大值

本文介绍基于Python语言&#xff0c;基于Excel表格文件内某一列的数据&#xff0c;计算这一列数据在每一个指定数量的行的范围内&#xff08;例如每一个4行的范围内&#xff09;的区间最大值的方法。 已知我们现有一个.csv格式的Excel表格文件&#xff0c;其中有一列数据&#…

使用kafka-clients操作数据(java)

一、添加依赖 <!-- kafka-clients--><dependency><groupId>org.apache.kafka</groupId><artifactId>kafka-clients</artifactId><version>3.5.1</version></dependency> 二、生产者 自定义分区&#xff0c;可忽略 …

基于光子实验的指数级加速的量子同态加密理论

前言 量子计算机不仅有望在某些重要任务上超越经典计算机&#xff0c;而且还能保护计算的隐私。例如&#xff0c;盲量子计算协议支持安全委托量子计算&#xff0c;其中客户端可以保护其数据和算法的隐私&#xff0c;不受分配来运行计算的量子服务器的影响。然而&#xff0c;这…

【雕爷学编程】MicroPython动手做(14)——掌控板之OLED屏幕2

知识点&#xff1a;什么是掌控板&#xff1f; 掌控板是一块普及STEAM创客教育、人工智能教育、机器人编程教育的开源智能硬件。它集成ESP-32高性能双核芯片&#xff0c;支持WiFi和蓝牙双模通信&#xff0c;可作为物联网节点&#xff0c;实现物联网应用。同时掌控板上集成了OLED…

Visual Studio2022报错 无法打开 源 文件 “openssl/conf.h“解决方式

目录 问题起因问题解决临时解决方案 问题起因 近一段时间有了解到Boost 1.82.0新添加了MySQL库&#xff0c;最近一直蠢蠢欲动想要试一下这个库 所以就下载了源码并进行了编译&#xff08;过程比较简单&#xff0c;有文档的&#xff09; 然后在VS2022中引入了Boost环境&#xf…

vue vite ts electron ipc arm64

初始化 npm init vue # 全选 yes npm i # 进入项目目录后使用 npm install electron electron-builder -D npm install commander -D # 额外组件增加文件 新建 plugins 文件夹 src/background.ts 属于主进程 ipcMain.on、ipcMain.handle 都用于主进程监听 ipc&#xff0c;…

nodejs + express 调用本地 python程序

假设已经安装好 nodejs ; cd /js/node_js ; 安装在当前目录的 node_modules/ npm install express --save 或者 cnpm install express --save web 服务器程序 server.js const http require(http); const express require(express); const path require(path); const …

软件外包开发的需求分析

需求分析是软件开发中的关键步骤&#xff0c;其目的是确定用户需要什么样的软件&#xff0c;以及软件应该完成哪些任务。需求分析是软件工程的早期工作&#xff0c;也是软件项目成功的基础&#xff0c;因此花费大量精力和时间去做好需求分析是值得的。今天和大家分享软件需求分…

【开发问题】flink-cdc不用数据库之间的,不同类型的转化

不同的数据库之期间数据类型转化 问题来源与原因解决过程&#xff0c;思路错误&#xff0c;导致各种错误错误思路是什么 正确解决方式&#xff0c;找官网对应的链接器&#xff0c;数据转化 问题来源与原因 我一开始是flink-cdc&#xff0c;oracle2Mysql&#xff0c;sql 我一开…

idea中设置maven本地仓库和自动下载依赖jar包

1.下载maven 地址&#xff1a;maven3.6.3 解压缩在D:\apache-maven-3.6.3-bin\apache-maven-3.6.3\目录下新建文件夹repository打开apache-maven-3.6.3-bin\apache-maven-3.6.3\conf文件中的settings.xml编辑&#xff1a;新增本地仓库路径 <localRepository>D:\apache-…

[元带你学: eMMC协议 29] eMMC 断电通知(PON) | 手机平板电脑断电通知

依JEDEC eMMC及经验辛苦整理,原创保护,禁止转载。 专栏 《元带你学:eMMC协议》 内容摘要 全文 2000 字, 主要内容 前言 断电通知是什么? 断电通知过程

【Kafka】常用操作

1、基本概念 1. 消息&#xff1a; Kafka是一个分布式流处理平台&#xff0c;它通过消息进行数据的传输和存储。消息是Kafka中的基本单元&#xff0c;可以包含任意类型的数据。 2. 生产者&#xff08;Producer&#xff09;&#xff1a; 生产者负责向Kafka主题发送消息。它将消息…

Vue3项目中没有配置 TypeScript 支持,使用 TypeScript 语法

1.安装 TypeScript&#xff1a;首先&#xff0c;需要在项目中安装 TypeScript。在终端中运行以下命令 npm install typescript --save-dev2.创建 TypeScript 文件&#xff1a;在 Vue 3 项目中&#xff0c;可以创建一个以 .ts 后缀的文件&#xff0c;例如 MyComponent.ts。在这…

103、Netty是什么?和Tomcat有什么区别?特点是什么?

Netty是什么&#xff1f;和Tomcat有什么区别&#xff1f;特点是什么&#xff1f; 一、Netty是什么二、Netty和Tomcat有什么区别三、Netty的特点 一、Netty是什么 Netty是一个基于NIO的异步网络通信框架&#xff0c;性能高&#xff0c;封装了原生NIO编码的复杂度&#xff0c;开…

Python web实战 | Docker+Nginx部署python Django Web项目详细步骤【干货】

概要 在这篇文章中&#xff0c;我将介绍如何使用 Docker 和 Nginx 部署 Django Web 项目。一步步讲解如何构建 Docker 镜像、如何编写 Docker Compose 文件和如何配置 Nginx。 1. Docker 构建 Django Web 项目 1.1 配置 Django 项目 在开始之前&#xff0c;我们需要有一个 D…

QT自定义控件实现并导入

QT自定义控件 介绍 QT Creator自定义控件和designer控件导入 1.安装QT5.7.1 2.将QT编译器目录、lib目录、include目录导入path 使用说明 使用说明按照 1.创建QtDesigner自定义控件工程&#xff0c;打开Qt Creator,创建一个Qt 设计师自定义控件&#xff0c;如下图所示&#xf…