Python导出SVN的releasenotes

前几天接到产品经理的一个需求,开发一个能够导出svn releasenotes的工具,主要功能是提取出代码的提交人、项目名、bug号、svn版本、问题描述、解决方案、代码审核人等数据,生成一个汇总的Excel表格。但是我开发完成之后发现,其实很多时候各个组的提交格式也不同,公司内部推这个事根本推不动。。。

1. 原始导出的数据

原始svn导出的格式

2. 实现思路

  1. 分割每个提交,将每个提交放到list中的一个元素中
  2. 判断每个提交的前面的字符,符合提取要求的提取出与下一个之间行数的数据
  3. 将提取的数据利用openpyxl库导出成Excel文件

3. 代码

import os
from openpyxl import Workbook
from openpyxl.styles import Border, Side, Font, Alignment, NamedStyle
import tkinter.filedialog as filedialog
from tkinter import *

"""
===================================================
作者:blue
部门:北京基地应用开发部
===================================================
版本:v1.0
功能:对svn的ReleaseNotes进行分析处理,输出成excel文件
===================================================
版本:v1.1
功能:
1.新增统计正确与错误的个数
2.对于格式错误的提交不会影响正确格式提交的excel表数据
3.新增“格式错误列表”,统计格式错误的信息,并附修改建议
===================================================
版本:v1.2
功能:新增对spm merge的log信息提取出原始svn log信息
===================================================
"""


class ReleaseNotes(object):
    path = ""

    """初始化方法,创建处理Excel的对象"""
    def __init__(self):
        self.wb = Workbook()
        self.ws = self.wb.active
        self.ws.title = "svn_info"
        self.ws.append(['Bug ID', '责任人', '问题描述', '原因分析', '修改方案', 'svn 版本'])
        self.ws_wrong = self.wb.create_sheet("格式错误的提交")
        self.ws_wrong.append(['错误类型', 'svn 版本', '提交人', '详细信息', '修改意见'])

    """对txt文件进行分隔,获取每一条信息"""
    def get_each_info(self):
        lines = []
        info = []
        file = open(self.path, 'r', encoding='utf-8')
        for data in file:
            lines.append(data)
            if data.startswith("-------"):
                info.append(
                    "".join(lines).replace("------------------------------------------------------------------------",
                                           ""))
                lines.clear()
        info_total = [x for x in info if x != '\n']
        file.close()
        print("处理结果:")
        self.get_detail_info(info_total)

    """对每一条信息进行内容提取,并填充到ws"""
    def get_detail_info(self, info_total):
        temp = []
        temp_wrong = []
        for text in info_total:
            text_list = [x for x in text.split('\n') if x != "" and x != "[original log] "]
            try:
                if text_list[1].split(']')[0] == "[original log":
                    author = text_list[1].split(']')[1].split(":")[1].lstrip()
                    bug_id = text_list[1].split(']')[2].split("+")[1].lstrip()
                else:
                    author = text_list[1].split(']')[0].split(":")[1].lstrip()
                    bug_id = text_list[1].split(']')[1].split("+")[1].lstrip()

                svn_id = text_list[0].split('|')[0].replace('r', '').lstrip()
                temp.append(bug_id)
                temp.append(author)
                a = text_list.index("1.问题描述")
                b = text_list.index("2.原因分析")
                if "问题描述" in text:
                    temp.append("".join(text_list[a + 1:b]).lstrip())
                c = text_list.index("3.修改方案")
                if "原因分析" in text:
                    temp.append("".join(text_list[b + 1:c]).lstrip())
                d = text_list.index("4.影响范围")
                if "修改方案" in text:
                    temp.append("".join(text_list[c + 1:d]).lstrip())
                temp.append(svn_id)
            except ValueError:
                svn_id = text_list[0].split('|')[0].replace('r', '').lstrip()
                author_name = text_list[0].split('|')[1].lstrip()
                temp_wrong.append("小标题格式错误")
                temp_wrong.append(svn_id)
                temp_wrong.append(author_name)
                temp_wrong.append("\n".join(text_list[1:]))
                temp_wrong.append("标题文字要正确、删除多余的空格、删除冒号、注意是“修改方案”不是“解决方案”")
                self.ws_wrong.append(temp_wrong)
                temp_wrong.clear()
            except IndexError:
                svn_id = text_list[0].split('|')[0].replace('r', '').lstrip()
                author_name = text_list[0].split('|')[1].lstrip()
                temp_wrong.append("总标题格式错误")
                temp_wrong.append(svn_id)
                temp_wrong.append(author_name)
                temp_wrong.append("\n".join(text_list[1:]))
                temp_wrong.append("标准格式:[Author : daiqingchen] [YL50B71_CMCC + ODMAAD-394]、中括号要全、不要省略+号")
                self.ws_wrong.append(temp_wrong)
                temp_wrong.clear()
            finally:
                if len(temp) == 6:
                    self.ws.append(temp)
                temp.clear()

    """将数据写入Excel,并设置单元格样式"""
    def write_excel(self):
        left, right, top, bottom = [Side(style='thin', color='000000')] * 4
        title = NamedStyle(name="title")
        title.font = Font(name=u'宋体', size=11, bold=True)
        title.alignment = Alignment(horizontal='center', vertical='center', wrap_text=True)
        title.border = Border(left=left, right=right, top=top, bottom=bottom)
        content = NamedStyle(name="content")
        content.font = Font(name=u'宋体', size=11)
        content.alignment = Alignment(horizontal='center', vertical='center', wrap_text=True)
        content.border = Border(left=left, right=right, top=top, bottom=bottom)
        content_long = NamedStyle(name="content_long")
        content_long.font = Font(name=u'宋体', size=11)
        content_long.border = Border(left=left, right=right, top=top, bottom=bottom)
        content_long.alignment = Alignment(horizontal='left', vertical='center', wrap_text=True)
        self.ws.column_dimensions['A'].width = 15
        self.ws.column_dimensions['B'].width = 15
        self.ws.column_dimensions['C'].width = 80
        self.ws.column_dimensions['D'].width = 55
        self.ws.column_dimensions['E'].width = 55
        self.ws.column_dimensions['F'].width = 10
        self.ws_wrong.column_dimensions['A'].width = 20
        self.ws_wrong.column_dimensions['B'].width = 15
        self.ws_wrong.column_dimensions['C'].width = 15
        self.ws_wrong.column_dimensions['D'].width = 80
        self.ws_wrong.column_dimensions['E'].width = 80
        for i in range(self.ws.max_row):
            self.ws.row_dimensions[i + 1].height = 30
        for i in range(self.ws_wrong.max_row):
            self.ws_wrong.row_dimensions[i + 1].height = 50
        for x in self.ws[1]:
            x.style = title
        for x in self.ws_wrong[1]:
            x.style = title
        for x in self.ws['A'][1:]:
            x.style = content
        for x in self.ws_wrong['A'][1:]:
            x.style = content
        for x in self.ws['B'][1:]:
            x.style = content
        for x in self.ws_wrong['B'][1:]:
            x.style = content
        for x in self.ws['C'][1:]:
            x.style = content_long
        for x in self.ws_wrong['C'][1:]:
            x.style = content
        for x in self.ws['D'][1:]:
            x.style = content_long
        for x in self.ws_wrong['D'][1:]:
            x.style = content_long
        for x in self.ws['E'][1:]:
            x.style = content_long
        for x in self.ws_wrong['E'][1:]:
            x.style = content_long
        for x in self.ws['F'][1:]:
            x.style = content

        print("格式正确个数 %d" % (self.ws.max_row - 1))
        print("格式错误个数 %d" % (self.ws_wrong.max_row - 1))
        self.wb.save(os.path.dirname(os.path.abspath(self.path)) + "\\" + os.path.basename(self.path).replace(".txt",
                                                                                                              ".xlsx"))

    """静态方法,打开win窗口"""
    @staticmethod
    def open_win():
        root = Tk()
        root.title("svn release notes 分析")
        ws = root.winfo_screenwidth()
        hs = root.winfo_screenheight()
        x = ws / 2 - 400 / 2
        y = hs / 2 - 200 / 2
        root.geometry("400x200+%d+%d" % (x, y))

        def callback():
            ReleaseNotes.path = filedialog.askopenfilename()
            entry.insert(0, ReleaseNotes.path)

        button = Button(root, text="选择ReleaseNotes文件", command=callback)
        quit_btn = Button(root, text="确定", command=root.destroy)
        entry = Entry(root)
        entry.pack(side=TOP, anchor="nw", fill=X, pady=40)
        button.pack(side=TOP)
        quit_btn.pack(side=TOP, pady=10)
        root.mainloop()

if __name__ == "__main__":
    ReleaseNotes.open_win()
    notes = ReleaseNotes()
    notes.get_each_info()
    notes.write_excel()
    print("数据已经导出完毕,请到对应目录下查看excel文件!")

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 213,558评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 91,002评论 3 387
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 159,036评论 0 349
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 57,024评论 1 285
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 66,144评论 6 385
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,255评论 1 292
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,295评论 3 412
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,068评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,478评论 1 305
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,789评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,965评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,649评论 4 336
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,267评论 3 318
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,982评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,223评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,800评论 2 365
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,847评论 2 351

推荐阅读更多精彩内容