python记录日志_5分钟内解释日志记录—使用Python演练

python记录日志

Making your code production-ready is not an easy task. There are so many things to consider, one of them being able to monitor the application’s flow. That’s where logging comes in — a simple tool to save some nerves and many, many hours.

使您的代码可用于生产环境并非易事。 有很多事情要考虑,其中之一就是能够监视应用程序的流程。 这就是日志记录的来源-一个简单的工具,可以节省很多时间和许多时间。

Python has great built-in support for logging. It’s implemented through the logging library, and is quite similar to options found in other major programming languages.

Python具有强大的内置日志记录支持。 它是通过logging库实现的,与其他主要编程语言中的选项非常相似。

If you’re more of a video person, or just want to reinforce your knowledge, feel free to watch our video on the topic.

如果您更喜欢视频,或者只是想增强自己的知识,请随时观看我们有关该主题的视频。

Before we jump into the code, let’s briefly discuss why you should care about logging, and cover some light theory behind it.

在进入代码之前,让我们简要讨论一下为什么您应该关心日志记录,并介绍其背后的一些轻理论。

记录-为什么? (Logging — Why?)

I’ve mentioned previously that logging is used to monitor applications flow, among other things. The question you may have now is why can’t we just use print statements? We can, but it’s not ideal. There’s no way to track the severity of the message through simple print statements. That’s where logging shines.

前面已经提到过,日志记录用于监视应用程序流,等等。 您现在可能遇到的问题是, 为什么我们不能仅使用打印语句? 我们可以,但是并不理想。 无法通过简单的打印语句来跟踪消息的严重性。 那就是伐木大放异彩的地方。

Here’s my top 3 list of reasons why you should use logging in your applications:

这是我应该在应用程序中使用日志记录的前三点原因:

  1. To get an understanding of how your code works — you don’t want to be blind in production

    为了了解您的代码如何工作 -您不想在生产中盲目

  2. To capture and fix unexpected errors — and detect potential bigger issues with your code

    捕获和修复意外错误 -并检测代码中潜在的更大问题

  3. To analyze and visualize how the app performs — more advanced topic

    分析和可视化应用程序的性能 -更高级的主题

As mentioned previously, the logging library is built into Python programming language and provides 5 severity levels:

如前所述, logging库内置于Python编程语言中,并提供5个严重级别:

  • DEBUG

    调试
  • INFO

    信息
  • WARNING

    警告
  • ERROR

    错误
  • CRITICAL

    危急

You can reason just from the name when you should use one instead of the other, but it’s important to note that Python shows messages of severity level WARNING and above by default. That behavior can be changed.

您可以仅从名称中推断出何时应使用一个而不是另一个,但要注意的是,Python默认显示严重级别为WARNING或更高的消息。 该行为可以更改。

Let’s now explore logging with some simple code.

现在让我们用一些简单的代码来探索日志记录。

记录-如何? (Logging — How?)

To start, let’s perform a couple of imports:

首先,让我们执行几个导入:

import random
import time
from datetime import datetime
import logging

As you can see, the logging library is included here. I’ve mentioned previously that Python will show only messages of severity level WARNING and above, so here’s how we can change that:

如您所见, logging库包含在此处。 前面已经提到过,Python将仅显示严重级别为WARNING及以上的消息,因此,我们可以通过以下方法进行更改:

logging.basicConfig(level=logging.DEBUG)

And that’s it! Let's declare a simple function that generates a random number from 0 to 4, and logs messages of different severity level based on that random number. After a message is displayed, the program sleeps for a second. This function is used purely for testing:

就是这样! 让我们声明一个简单的函数,该函数生成一个0到4之间的随机数,并根据该随机数记录不同严重性级别的消息。 显示一条消息后,程序将Hibernate一秒钟。 此功能仅用于测试:

def log_tester():
x = random.randint(0, 4)
if x == 0:
logging.debug(‘Debug message’)
elif x == 1:
logging.info(‘Info message’)
elif x == 2:
logging.warning(‘Warning message’)
elif x == 3:
logging.error(‘Error message’)
elif x == 4:
logging.critical(‘Critical message’) time.sleep(1)
return

And finally, we need to call this function somewhere, so why don’t we do that in a loop? Just to have multiple messages printed out:

最后,我们需要在某个地方调用此函数,那么为什么不循环执行呢? 只是为了打印出多条消息:

for i in range(5):
log_tester()

If you run this code now, you will get an output similar to mine:

如果现在运行此代码,您将获得类似于我的输出:

Output:WARNING:root:Warning message
ERROR:root:Error message
DEBUG:root:Debug message
INFO:root:Info message
INFO:root:Info message

Keep in mind that your output may differ, due to the randomization process.

请记住,由于随机化过程,您的输出可能会有所不同。

This format is fine for some cases, but other times we might want more control, and to be able to further customize how the output looks like.

在某些情况下,这种格式是可以的,但在其他情况下,我们可能需要更多控制权,并能够进一步自定义输出的外观。

Let’s explore how.

让我们探讨一下。

输出格式 (Output formatting)

Let’s alter the logging.basicConfig slightly:

让我们稍微修改logging.basicConfig

logging.basicConfig(level=logging.DEBUG, format=’%(levelname)s → %(name)s:%(message)s’)

If you were to run this code now, the messages would be formatted in the way specified:

如果您现在要运行此代码,则将以指定的方式格式化消息:

Output:CRITICAL → root:Critical message
WARNING → root:Warning message
DEBUG → root:Debug message
DEBUG → root:Debug message
CRITICAL → root:Critical message

That’s fine, but what I like to do is to add current date and time information to messages. It’s easy to do with format strings:

很好,但是我想做的是向消息中添加当前日期和时间信息。 使用格式字符串很容易:

logging.basicConfig(level=logging.DEBUG, format=f’%(levelname)s → {datetime.now()} → %(name)s:%(message)s’)

Here’s how our new format looks like:

我们的新格式如下所示:

DEBUG → 2020–08–09 10:32:11.519365 → root:Debug message
DEBUG → 2020–08–09 10:32:11.519365 → root:Debug message
DEBUG → 2020–08–09 10:32:11.519365 → root:Debug message
ERROR → 2020–08–09 10:32:11.519365 → root:Error message
WARNING → 2020–08–09 10:32:11.519365 → root:Warning message

Now we’re getting somewhere! To get the actual time the message was logged you’d need to embed the call to datetime.now() inside the message.

现在我们到了某个地方! 要获取记录消息的实际时间,您需要将调用嵌入到消息中的datetime.now()

The only problem is that the logs are lost forever once the terminal window is closed. So instead of outputting the messages to the console, let’s explore how we can save them to a file.

唯一的问题是,一旦关闭终端窗口,日志将永远丢失。 因此,让我们探索如何将它们保存到文件中,而不是将消息输出到控制台。

保存到文件 (Saving to a file)

To save log messages to a file, we need to specify values for two more parameters:

要将日志消息保存到文件,我们需要为另外两个参数指定值:

  • filename — name of the file in which logs will be saved

    filename将在其中保存日志的文件的名称

  • filemode — write or append modes, we’ll explore those in a bit

    filemode写入或追加模式,我们将在稍后进行探讨

Let’s see how we can use the write mode first. This mode will overwrite any existing file with the specified name every time the application is run. Here’s the configuration:

让我们看看如何首先使用write模式。 每次运行该应用程序时,此模式都会覆盖具有指定名称的任何现有文件。 配置如下:

logging.basicConfig(
filename=’test.log’,
filemode=’w’,
level=logging.DEBUG,
format=’%(levelname)s → {datetime.now()} → %(name)s:%(message)s’
)

If you run the program now, no output would be shown in the console. Instead, a new file called test.log is created, and it contains your log messages:

如果立即运行该程序,则控制台中不会显示任何输出。 而是创建一个名为test.log的新文件,其中包含您的日志消息:

test.log:WARNING → 2020–08–09 10:35:54.115026 → root:Warning message
INFO → 2020–08–09 10:35:54.115026 → root:Info message
WARNING → 2020–08–09 10:35:54.115026 → root:Warning message
DEBUG → 2020–08–09 10:35:54.115026 → root:Debug message
CRITICAL → 2020–08–09 10:35:54.115026 → root:Critical message

If you were to run the program again, these 5 rows would be lost and replaced with new 5 rows. In some cases that’s not what you want, so we can use the append mode to keep the previous data and write new rows o the end. Here’s the configuration:

如果要再次运行该程序,这5行将丢失并被新的5行替换。 在某些情况下,这不是您想要的,因此我们可以使用append模式保留先前的数据并在末尾写入新行。 配置如下:

logging.basicConfig(
filename=’test.log’,
filemode=’a’,
level=logging.DEBUG,
format=’%(levelname)s → {datetime.now()} → %(name)s:%(message)s’
)

If you were to run the program now, and look at our file, you’d see 10 rows there:

如果您现在要运行该程序并查看我们的文件,则会在其中看到10行:

test.log:WARNING → 2020–08–09 10:35:54.115026 → root:Warning message
INFO → 2020–08–09 10:35:54.115026 → root:Info message
WARNING → 2020–08–09 10:35:54.115026 → root:Warning message
DEBUG → 2020–08–09 10:35:54.115026 → root:Debug message
CRITICAL → 2020–08–09 10:35:54.115026 → root:Critical message
DEBUG → 2020-08-09 10:36:24.699579 → root:Debug message
INFO → 2020-08-09 10:36:24.699579 → root:Info message
CRITICAL → 2020-08-09 10:36:24.699579 → root:Critical message
CRITICAL → 2020-08-09 10:36:24.699579 → root:Critical message
CRITICAL → 2020-08-09 10:36:24.699579 → root:Critical message

And that’s it. You now know the basics of logging. Let’s wrap things up in the next section.

就是这样。 您现在知道了日志记录的基础知识。 让我们在下一节中总结一下。

你走之前 (Before you go)

Logging isn’t the most fun thing to do, sure. But without it, you are basically blind. Take a moment to think about how would you monitor the behavior and flow of a deployed application without logging? Not so easy, I know.

当然,记录并不是最有趣的事情。 但是没有它,您基本上是盲人。 花点时间考虑一下如何在不登录的情况下监视已部署应用程序的行为和流程? 我知道这并不容易。

In 5 minutes we’ve got the basics covered, and you are now ready to implement logging in your next application. It doesn’t have to be an application in strict terms, you can also use it for data science projects as well.

在5分钟内,我们已经涵盖了基础知识,现在您可以在下一个应用程序中实现日志记录了。 严格来说,它不一定是应用程序,也可以将其用于数据科学项目。

Thanks for reading. Take care.

谢谢阅读。 照顾自己。

Join my private email list for more helpful insights.

加入我的私人电子邮件列表以获取更多有用的见解。

翻译自: https://towardsdatascience.com/logging-explained-in-5-minutes-walkthrough-with-python-8bd7d8c2cf3a

python记录日志

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

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

相关文章

理解 Linux 中 `ls` 的输出

理解 Linux 中 ls 的输出ls 的输出会因各 Linux 版本变种而略有差异,这里只讨论一般情况下的输出。 下面是来自 man page 关于 ls 的描述: $ man ls ls - list directory contents 列出文件夹中的内容。 但一般我们会配合着 -l 参数使用,将输…

锁表的进程和语句,并杀掉

查看锁表进程SQL语句1: select sess.sid, sess.serial#, lo.oracle_username, lo.os_user_name, ao.object_name, lo.locked_mode from v$locked_object lo, dba_objects ao, v$session sess where ao.object_id lo.object_id and lo.session_id sess.sid; 查看锁…

p值 t值 统计_非统计师的P值

p值 t值 统计Here is a summary of how I was taught to assess the p-value in hopes of helping some other non-statistician out there.这是关于如何教会我评估p值的摘要,希望可以帮助其他一些非统计学家。 P-value in Context上下文中的P值 Let’s start wit…

获取对象属性(key)

for…in方法Object.keysObject.getOwnPropertyNames关于对象的可枚举性(enumerable) var obj {a: 1,b: 2 } Object.defineProperty(obj, c, {value: 3,enumerable: false }) 复制代码enumerable设置为false,表示不可枚举,for…in…

github免费空间玩法

GitHub 是一个用于使用Git版本控制系统的项目的基于互联网的存取服务,GitHub于2008年2月运行。在2010年6月,GitHub宣布它现在已经提供可1百万项目,可以说非常强大。 Github虽然是一个代码仓库,但是Github还免费为大家提供一个免费开源Github …

用php生成HTML文件的类

目的 用PHP生成HTML文档, 支持标签嵌套缩进, 支持标签自定义属性 起因 这个东西确实也是心血来潮写的, 本来打算是输出HTML片段用的, 但后来就干脆写成了一个可以输出完整HTML的功能; 我很满意里边的实现缩进的机制, 大家有用到的可以看看p.s. 现在都是真正的前后端分离了(vue,…

在Markdown中输入数学公式

写在前面 最近想要把一些数学和编程方面的笔记记录成电子笔记,因为修改、插入新内容等比较方便。这里记一下在Markdown中输入数学公式的方法。 基础知识 公式与文本的区别 公式输入和文本输入属于不同的模式,公式中无法通过空格来控制空白,通…

如何不部署Keras / TensorFlow模型

While the most articles about deep learning are focusing at the modeling part, there are also few about how to deploy such models to production. Some of them say “production”, but they often simply use the un-optimized model and embed it into a Flask web…

[BZOJ3626] [LNOI2014] LCA 离线 树链剖分

题面 考虑到询问的\(l..r,z\)具有可减性,考虑把询问差分掉,拆成\(r,z\)和\(l-1,z\)。 显然这些LCA一定在\(z\)到根的路径上。下面的问题就是怎么统计。 考虑不是那么暴力的暴力。 我们似乎可以把\(1..r\)的所有点先瞎搞一下,求出一个点内部有…

Linux查看系统各类信息

说明:Linux下可以在/proc/cpuinfo中看到每个cpu的详细信息。但是对于双核的cpu,在cpuinfo中会看到两个cpu。常常会让人误以为是两个单核的cpu。其实应该通过Physical Processor ID来区分单核和双核。而Physical Processor ID可以从cpuinfo或者dmesg中找到…

biopython中文指南_Biopython新手指南-第1部分

biopython中文指南When you hear the word Biopython what is the first thing that came to your mind? A python library to handle biological data…? You are correct! Biopython provides a set of tools to perform bioinformatics computations on biological data s…

整合后台服务和驱动代码注入

整合后台服务和驱动代码注入 Home键的驱动代码: /dev/input/event1: 0001 0066 00000001 /dev/input/event1: 0000 0000 00000000 /dev/input/event1: 0001 0066 00000000 /dev/input/event1: 0000 0000 00000000 对应输入的驱动代码: sendevent/dev/…

Java作业09-异常

6. 为如下代码加上异常处理 byte[] content null; FileInputStream fis new FileInputStream("testfis.txt"); int bytesAvailabe fis.available();//获得该文件可用的字节数 if(bytesAvailabe>0){content new byte[bytesAvailabe];//创建可容纳文件大小的数组…

为数据计算提供强力引擎,阿里云文件存储HDFS v1.0公测发布

2019独角兽企业重金招聘Python工程师标准>>> 在2019年3月的北京云栖峰会上,阿里云正式推出全球首个云原生HDFS存储服务—文件存储HDFS,为数据分析业务在云上提供可线性扩展的吞吐能力和免运维的快速弹性伸缩能力,降低用户TCO。阿里…

对食材的敬畏之心极致产品_这些数据科学产品组合将给您带来敬畏和启发(2020年中的版本)

对食材的敬畏之心极致产品重点 (Top highlight)为什么选择投资组合? (Why portfolios?) Data science is a tough field. It combines in equal parts mathematics and statistics, computer science, and black magic. As of mid-2020, it is also a booming fiel…

android模拟用户输入

目录(?)[-] geteventsendeventinput keyevent 本文讲的是通过使用代码,可以控制手机的屏幕和物理按键,也就是说不只是在某一个APP里去操作,而是整个手机系统。 getevent/sendevent getevent&sendevent 是Android系统下的一个工具&#x…

真格量化常见报错信息和Debug方法

1.打印日志 1.1 在代码中添加运行到特定部分的提示: 如果我们在用户日志未能看到“调用到OnQuote事件”文字,说明其之前的代码就出了问题,导致程序无法运行到OnQuote函数里的提示部分。解决方案为仔细检查该部分之前的代码是否出现问题。 1.2…

向量积判断优劣弧_判断经验论文优劣的10条诫命

向量积判断优劣弧There are a host of pathologies associated with the current peer review system that has been the subject of much discussion. One of the most substantive issues is that results reported in leading journals are commonly papers with the most e…

自定义PopView

改代码是参考一个Demo直接改的&#xff0c;代码中有一些漏洞&#xff0c;如果发现其他的问题&#xff0c;可以下方直接留言 .h文件 #import <UIKit/UIKit.h> typedef void(^PopoverBlock)(NSInteger index); interface CustomPopView : UIView //property(nonatomic,copy…

线控耳机监听

当耳机的媒体按键被单击后&#xff0c;Android系统会发出一个广播&#xff0c;该广播的携带者一个Action名为MEDIA_BUTTON的Intent。监听该广播便可以获取手机的耳机媒体按键的单击事件。 在Android中有个AudioManager类&#xff0c;该类会维护MEDIA_BUTTON广播的分发&#xf…