search
HomeBackend DevelopmentPython TutorialBuilding a Python code review scheduler: review follow-up

Building a Python code review scheduler: review follow-up

In part three of this series, you learned how to save code review request information for later processing. You create a method called read_email to get an email from the inbox to check whether the reviewer has responded to the code review request. You also implemented error handling in the code review scheduler code.

In this part of the series, you will use your saved code review information and information from your email to check whether the reviewer has responded to the review request. If the request has not been responded to, you will send a follow-up email to the reviewer.

start using

First clone the source code of the third part of this tutorial series.

git clone https://github.com/royagasthyan/CodeReviewer-Part3 CodeReviewer

Modify the config.json file to include some relevant email addresses and keep the royagasthyan@gmail.com email address. This is because git has a commit associated with this specific email address, which is required for the code to execute as expected. Modify the SMTP credentials in the schedule.py file:

FROM_EMAIL      = "your_email_address@gmail.com"
FROM_PWD        = "your_password"

Navigate to the project directory CodeReviewer and try executing the following command in the terminal.

python scheduler.py -n 20 -p "project_x"

It should send the code review request to a random developer for review and create a reviewer.json file containing the review information.

Implement subsequent requests

We first create a followup request method named followup_request. Within the followup_request method, read the reviewer.json file and save the contents in a list. code show as below:

with open('reviewer.json','r') as jfile:
    review_info = json.load(jfile)

Next, extract the email information using the read_email method you implemented in the previous tutorial.

email_info = read_email(no_days)

If the reviewer has responded to the review request, there should be an email with the same subject and the Re: tag in front of it. So, iterate through the list of review messages and compare the review subject to the email subject to see if the reviewer has responded to the request.

for review in review_info:
    review_replied = false
    expected_subject = 'RE: ' + review['subject']
    for email in email_info:
        if expected_subject == email['subject']:
            review_replied = True
            print 'Reviewer has responded'
            break;

As shown in the code above, you iterate over the review_info list and check the review information topic against the email subject to see if the reviewer has replied.

Now, once a reviewer responds to a code review request, you don't need to retain specific review information in the reviewer.json file. Therefore, create a Python method named Delete_Info to delete specific review information from the reviewer.json file. Here's what Delete_Info looks like:

def Delete_Info(info, id):
    for i in xrange(len(info)):
        if info[i]['id'] == id:
            info.pop(i)
            break
    return info

As shown in the code above, you have iterated through the list of review information and deleted entries matching the Id. After removing the information from the file, return to the list.

When replying to a comment message, you need to call the Delete_Info method. When calling the Delete_Info method, you need to pass a copy of review_info so as not to alter the original list of information. You will need the original review information list for later comparison. So import the copy Python module to create a copy of the original list of comment messages.

from copy import copy

Create a copy of the review_info list.

review_info_copy = copy(review_info)

When deleting the replied comment information from the original list, pass the copied list to the Delete_Info method.

review_info_copy = Delete_Info(review_info_copy,review['id'])

This is followup_request Method:

def followup_request():
    with open('reviewer.json','r') as jfile:
        review_info = json.load(jfile)
    review_info_copy = copy(review_info)

    email_info = read_email(no_days)

    for review in review_info:
        review_replied = False
        expected_subject = 'Re: ' + review['subject']
        for email in email_info:
            if expected_subject == email['Subject']:
                review_replied = True
                review_info_copy = Delete_Info(review_info_copy,review['id'])
                break;

Now, once the review_info list is iterated, you need to check if there are any changes in the reviewer.json file. If any existing review information has been removed, you will need to update the reviewer.json file accordingly. So, check if review_info_copy and review_info are the same and update the reviewer.json file.

if review_info_copy != review_info:
    with open('reviewer.json','w') as outfile:
        json.dump(review_info_copy,outfile)

This is the complete followup_request Method:

def followup_request():
    with open('reviewer.json','r') as jfile:
        review_info = json.load(jfile)
    review_info_copy = copy(review_info)

    email_info = read_email(no_days)

    for review in review_info:
        review_replied = False
        expected_subject = 'Re: ' + review['subject']
        for email in email_info:
            if expected_subject == email['Subject']:
                review_replied = True
                review_info_copy = Delete_Info(review_info_copy,review['id'])
                break;

    if review_info_copy != review_info:
        with open('reviewer.json','w') as outfile:
            json.dump(review_info_copy,outfile)

Call the followup_request method to follow up the audit request that has been sent.

try:
    commits = process_commits()

    # Added the follow Up Method
    followup_request()

    if len(commits) == 0:
        print 'No commits found '
    else:
        schedule_review_request(commits)

except Exception,e:
    print 'Error occurred. Check log for details.'
    logger.error(str(datetime.datetime.now()) + " - Error occurred : " + str(e) + "\n")
    logger.exception(str(e))

Save the above changes. In order to test subsequent functionality, please delete the reviewer.json file from the project directory. Now run the scheduler to send code review requests to random developers. Check that this information has been saved in the reviewer.json file.

Require specific developers to respond to code review requests by replying to an email. Now run the scheduler again and this time the scheduler should be able to find the response and remove it from the reviewer.json file.

发送提醒电子邮件

审核者回复代码审核请求电子邮件后,需要从 reviewer.json 文件中删除该信息,因为您不需要进一步跟踪它。如果审核者尚未回复代码审核请求,您需要发送后续邮件提醒他或她审核请求。

代码审查调度程序将每天运行。当它运行时,您首先需要检查开发人员响应审核请求是否已经过去了一定时间。在项目配置中,您可以设置一个审核周期,在此期间,如果审核者没有回复,调度程序将发送提醒电子邮件。

让我们首先在项目配置中添加配置。在配置文件中添加一个名为 followup_Frequency 的新配置。

{
    "name": "project_x",
    "git_url": "https://github.com/royagasthyan/project_x",
    "followup_frequency":2,
    "members": [
        "royagasthyan@gmail.com",
    	"samon@gmail.com",
    	"sualonni@gmail.com",
    	"restuni@gmail.com"
    ]
}

因此,当审阅者在 followup_Frequency 天数内没有回复时,您将发送一封提醒电子邮件。读取配置的同时将配置读入全局变量:

for p in main_config:
    if p['name'] == project:
        project_url = p['git_url']
        project_members = p['members']
        followup_frequency = p['followup_frequency']
    break

followup_request 方法内部,当审稿人在 followup_frequest 天数内没有回复后续请求时,发送提醒邮件。计算自评论发送以来的天数。

review_date = datetime.datetime.strptime(review['sendDate'],'%Y-%m-%d')
today = datetime.datetime.today()
days_since_review = (today - review_date).days

如果天数大于配置中的后续频率日期,请发送提醒电子邮件。

if not review_replied:
    if days_since_review > followup_frequency:
        send_email(review['reviewer'],'Reminder: ' + review['subject'],'\nYou have not responded to the review request\n')

这是完整的 followup_request 方法:

def followup_request():
    with open('reviewer.json','r') as jfile:
        review_info = json.load(jfile)
    review_info_copy = copy(review_info)

    email_info = read_email(no_days)

    for review in review_info:
        review_date = datetime.datetime.strptime(review['sendDate'],'%Y-%m-%d')
        today = datetime.datetime.today()
        days_since_review = (today - review_date).days
        review_replied = False
        expected_subject = 'Re: ' + review['subject']
        for email in email_info:
            if expected_subject == email['Subject']:
                review_replied = True
                review_info_copy = Delete_Info(review_info_copy,review['id'])
                break;

        if not review_replied:
            if days_since_review > followup_frequency:
                send_email(review['reviewer'],'Reminder: ' + review['subject'],'\nYou have not responded to the review request\n')

    if review_info_copy != review_info:
        with open('reviewer.json','w') as outfile:
            json.dump(review_info_copy,outfile)

总结

在本教程中,您了解了如何实现跟进代码审核请求的逻辑。您还添加了如果审阅者在一定天数内没有回复电子邮件的情况下发送提醒电子邮件的功能。

这个 Python 代码审查器可以进一步增强以满足您的需求。请分叉存储库并添加新功能,并在下面的评论中告诉我们。

本教程的源代码可在 GitHub 上获取。

The above is the detailed content of Building a Python code review scheduler: review follow-up. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
如何使用Go语言进行代码审查实践如何使用Go语言进行代码审查实践Aug 02, 2023 pm 11:10 PM

如何使用Go语言进行代码审查实践引言:在软件开发过程中,代码审查(CodeReview)是一种重要的实践。通过互相检查和分析代码,团队成员可以发现潜在的问题、改进代码质量、增加团队合作和共享知识。本文将介绍如何使用Go语言进行代码审查实践,并附上代码示例。一、代码审查的重要性代码审查是一种促进代码质量的最佳实践。它可以发现和纠正代码中的潜在错误、提高代码可

Python开发经验分享:如何进行代码审查和质量保证Python开发经验分享:如何进行代码审查和质量保证Nov 22, 2023 am 08:18 AM

Python开发经验分享:如何进行代码审查和质量保证导言:在软件开发过程中,代码审查和质量保证是至关重要的环节。良好的代码审查可以提高代码质量、减少错误和缺陷,提高程序的可维护性和可扩展性。本文将从以下几个方面分享Python开发中如何进行代码审查和质量保证的经验。一、制定代码审查规范代码审查是一种系统性的活动,需要对代码进行全面的检查和评估。为了规范代码审

Java开发中如何进行代码审查和性能优化Java开发中如何进行代码审查和性能优化Oct 10, 2023 pm 03:05 PM

Java开发中如何进行代码审查和性能优化,需要具体代码示例在日常的Java开发过程中,代码审查和性能优化是非常重要的环节。代码审查能够确保代码的质量和可维护性,而性能优化则能够提升系统的运行效率和响应速度。本文将介绍如何进行Java代码审查和性能优化,并且给出具体的代码示例。代码审查代码审查是在代码编写的过程中逐行检查代码,并修复潜在的问题和错误的过程。以下

React代码审查指南:如何确保前端代码的质量和可维护性React代码审查指南:如何确保前端代码的质量和可维护性Sep 27, 2023 pm 02:45 PM

React代码审查指南:如何确保前端代码的质量和可维护性引言:在今天的软件开发中,前端代码越来越重要。而React作为一种流行的前端开发框架,被广泛应用于各种类型的应用程序中。然而,由于React的灵活性和强大的功能,编写高质量和可维护的代码可能会成为一个挑战。为了解决这个问题,本文将介绍一些React代码审查的最佳实践,并提供一些具体的代码示例。一、代码风

PHP 代码审查与持续集成PHP 代码审查与持续集成May 06, 2024 pm 03:00 PM

是的,将代码审查与持续集成相结合可以提高代码质量和交付效率。具体工具包括:PHP_CodeSniffer:检查编码风格和最佳实践。PHPStan:检测错误和未使用的变量。Psalm:提供类型检查和高级代码分析。

C#开发注意事项:代码审查与质量保障C#开发注意事项:代码审查与质量保障Nov 22, 2023 pm 05:00 PM

在C#开发过程中,代码的质量保障是至关重要的。代码质量的高低直接影响着软件的稳定性、可维护性和可扩展性。而代码审查作为一种重要的质量保障手段,在软件开发中发挥着不可忽视的作用。本文将重点介绍C#开发中的代码审查注意事项,以帮助开发者提升代码质量。一、审查的目的与意义代码审查是指通过仔细阅读和检查代码,发现和纠正其中存在的问题和错误的过程。它的主要目的是提高代

如何在GitLab中进行代码审查和合并请求如何在GitLab中进行代码审查和合并请求Oct 20, 2023 pm 04:03 PM

如何在GitLab中进行代码审查和合并请求代码审查是一个重要的开发实践,可以帮助团队发现潜在的问题并改善代码质量。在GitLab中,通过合并请求(MergeRequest)功能,我们可以方便地进行代码审查和合并工作。本文将介绍如何在GitLab中执行代码审查和合并请求,同时提供具体的代码示例。准备工作:请确保您已经创建了一个GitLab项目,并且已经拥有相

如何进行C++代码的代码审查?如何进行C++代码的代码审查?Nov 02, 2023 am 09:12 AM

如何进行C++代码的代码审查?代码审查是软件开发过程中非常重要的一环,它能够帮助开发团队识别并纠正潜在的错误,提高代码质量,减少后续维护和调试的工作量。对于C++这样的强类型静态语言来说,代码审查尤为重要。下面将介绍一些关键步骤和注意事项,帮助你进行有效的C++代码审查。设定代码审查标准:在进行代码审查之前,团队应该共同制定一份代码审查标准,约定各类错误和违

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment