>  기사  >  백엔드 개발  >  Python logcat 키워드 모니터링

Python logcat 키워드 모니터링

coldplay.xixi
coldplay.xixi앞으로
2020-09-04 17:05:453311검색

Python logcat 키워드 모니터링

관련 학습 권장 사항: python 튜토리얼

이 글에서는 Python을 사용하여 ADB 명령을 호출하여 logcat 키워드의 실시간 모니터링을 실현하는 기능을 주로 소개합니다

다중 프로세스, 다중 장치 및 다중 키워드 사용 동시에 모니터링할 수 있습니다.

ADB 환경을 구성해야 합니다. 구체적인 구성을 소개하지는 않겠습니다. 그냥 많이 검색해서 코드로 바로 이동하세요.

전역 변수를 통해 모니터링 기능을 켜고 끄는 것을 제어하는 ​​데 사용됩니다. 명령에 따른 메소드 이름

import os, threading, datetime

# 获取当前文件所在目录,拼接出LOG路径
LOG_PATH = os.path.join(os.path.dirname(os.path.abspath(__file__)), "log")

# 配置需要监控的关键字
KEYWORDS = ["ANR ", "NullPointerException", "CRASH", "Force Closed"]

# 控制开启和关闭
STOP_LOGCAT = True

# 指令对应具体操作
INSTRUCTION = {
               "1": "filter_keywords",
               "2": "stop_filter_keywords",
               "3": "exit"
               }


def filter_keywords():
    global STOP_LOGCAT
    STOP_LOGCAT = False
    devices = get_devices()  # 先获取所有连接的设备
    print("开始监控关键字")
    for device in devices:
        t = threading.Thread(target=filter_keyword, args=(device,))
        t.start()


def stop_filter_keywords():
    global STOP_LOGCAT
    if STOP_LOGCAT:
        print("没有正在执行的任务\n")
    else:
        STOP_LOGCAT = True
        print("正在停止关键字监控\n")

모니터 키워드 주요 기능인

def filter_keyword(device):
    print("设备%s关键字监控已开启" % str(device))
    sub = logcat(device)
    with sub:
        for line in sub.stdout: # 子进程会持续输出日志,对子进程对象.stdout进行循环读取
            for key in KEYWORDS:
                if line.decode("utf-8").find(key) != -1: # stdout输出为字节类型,需要转码
                    message = "设备:%s 检测到:%s\n" % (device, key)# 设备:192.168.56.104:5555 检测到:ANR
                    path = get_log_path("bugreport") # 根据时间创建文件夹
                    bugreport(device, path)# 拉取完整日志压缩包到创建的文件夹内
                    send_message(message) # 这里可以换成自己要做的事情,比如发送邮件或钉钉通知
            if STOP_LOGCAT:
                break
        print("设备%s关键字监控已停止" % str(device))
        sub.kill()

는 subprocess.Popen을 통해 명령을 실행하는 프로세스를 생성하고 지속적으로 stdout에 로그를 출력합니다.

# logcat持续输出日志
def logcat(device):
    command = "adb -s " + str(device) + " logcat -v time"
    sub = subprocess.Popen(command, shell=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
    return sub

"adb 장치"를 실행한 후 연결된 모든 장치를 가져오는 방법입니다. , 문자열 절단 명령을 실행하여 모든 장치 번호를 가져와 목록 형식으로 저장하면 출력은 다음과 같습니다.

# 获取所有device
def get_devices():
    command = "adb devices"
    res = os.popen(command).read()
    devices = []
    res = res.split("\n")
    for i in res:
        if i.endswith("device"):
            devices.append(i.split('\t')[0])
    return devices
# 打包下载所有日志到当前目录
def bugreport(device, path):
    os.chdir(path)# bugreport会下载日志到当前文件夹,所以需要先切换到已经创建的目录
    command = "adb -s " + str(device) + " bugreport"
    subprocess.Popen(command, shell=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE, bufsize=-1)
    print("设备:%s 日志路径:%s" % (str(device), path))

현재 파일의 디렉터리/년/월/일 형식으로 로그 경로를 가져옵니다. 존재하지 않으면 자동으로

# 获取日志存放路径,如果不存在则按日期创建
def get_log_path(tag):
    year = datetime.datetime.now().strftime('%Y')
    month = datetime.datetime.now().strftime('%m')
    day = datetime.datetime.now().strftime('%d')
    path = os.path.join(LOG_PATH, tag, year, month, day)
    if not os.path.exists(path):
        os.makedirs(path)
    return path

main 함수를 생성하여 루프에서 명령을 수신합니다. 명령은 메서드 이름을 가져와 eval() 메서드를 통해 실행합니다.

def main():
    while True:
        print("-" * 100)
        print("1:开启关键字监控\n2:停止关键字监控\n3:退出")
        print("-" * 100)
        instruction = str(input("\n\n请输入要进行的操作号:\n"))
        print("-" * 100)
        while instruction not in INSTRUCTION.keys():
            instruction = str(input("\n\n输入无效,请重新输入:"))
        if int(instruction) == 9:
            exit()  # TODO 退出前需要判断是否有正在执行的monkey任务和关键字监控任务
        eval(INSTRUCTION[str(instruction)] + "()")


if __name__ == '__main__':
    main()

분할하고 나면 코드가 좀 지저분해집니다. 코드를 파일에 복사해서 쳐보시면 이해하실 수 있습니다.

프로그래밍에 대해 더 자세히 알고 싶으시면 주의하세요. php training 칼럼!

위 내용은 Python logcat 키워드 모니터링의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
이 기사는 csdn.net에서 복제됩니다. 침해가 있는 경우 admin@php.cn으로 문의하시기 바랍니다. 삭제