用python做自动化测试--Python实现远程性能监控
http://blog.csdn.net/powerccna/article/details/8044222
在性能测试中,监控被测试服务器的性能指标是个重要的工作,包括CPU/Memory/IO/Network,但大多数人估计都是直接在被测试服务器的运行监控程序。我们开始也是这样做的。但这样做带来一个问题是,测试人员需要在每台被测试服务器上部署监控程序,增加了部署的工作量,而且经常因为Python版本的问题,有些模块不兼容,或者第三方模块需要再次安装。
改进性能测试监控工具:
1. 能远程监控被测试服务器,这样测试人员就不需要在每个被测试机器安装监控工具了。
2. 被测试服务器上不需要安装agent,监控结果能取到本地。
3. 本地服务器上的python模块和兼容性问题,可以通过Python virtualenv解决,每个测试人员维护自己的一套Python环境。
Google了下,找到了pymeter(thttp://pymeter.sourceforge.net/), 看了下源代码,很多工作还没完成,但这个思路和我的是一样的。而且我在其他项目中已经实现了远程发送命令的模块。 所以不如直接在自己的项目上扩展。
远程发送命令的模块开始是基于Pexpect(http://www.noah.org/wiki/Pexpect)实现的, Pexpect很强大,它是一个用来启动子程序,并使用正则表达式对程序输出做出特定响应,以此实现与其自动交互的 Python 模块。用他来可以很容易实现telnet,ftp,ssh的操作。 但Pexpect无windows下的版本,这是我抛弃它的原因,无法达到测试工具兼容所有系统的要求。 所以就用telent模块替换了Pexpect,实现了远程发送命令和获取结果。
#file name: telnetoperate.py
- #!/usr/bin/env python
- #coding=utf-8
- import time,sys,logging,traceback,telnetlib,socket
- class TelnetAction:
- def __init__(self,host,prompt,account,accountPasswd,RootPasswd=""):
- self.log=logging.getLogger()
- self.host=host
- self.account=account
- self.accountPasswd=accountPasswd
- self.RootPasswd=RootPasswd
- self.possible_prompt = ["#","$"]
- self.prompt=prompt
- self.default_time_out=20
- self.child =None
- self.login()
- def expand_expect(self,expect_list):
- try:
- result=self.child.expect(expect_list,self.default_time_out)
- except EOFError:
- self.log.error("No text was read, please check reason")
- if result[0]==-1:
- self.log.error("Expect result"+str(expect_list)+" don't exist")
- else:
- pass
- return result
- def login(self):
- """Connect to a remote host and login.
- """
- try:
- self.child = telnetlib.Telnet(self.host)
- self.expand_expect(['login:'])
- self.child.write(self.account+ '\n')
- self.expand_expect(['assword:'])
- self.child.write(self.accountPasswd + '\n')
- self.expand_expect(self.possible_prompt)
- self.log.debug("swith to root account on host "+self.host)
- if self.RootPasswd!="":
- self.child.write('su -'+'\n')
- self.expand_expect(['assword:'])
- self.child.write(self.RootPasswd+'\n')
- self.expand_expect(self.possible_prompt)
- #self.child.write('bash'+'\n')
- #self.expand_expect(self.possible_prompt)
- self.child.read_until(self.prompt)
- self.log.info("login host "+self.host+" successfully")
- return True
- except:
- print "Login failed,please check ip address and account/passwd"
- self.log.error("log in host "+self.host+" failed, please check reason")
- return False
- def send_command(self,command,sleeptime=0.5):
- """Run a command on the remote host.
- @param command: Unix command
- @return: Command output
- @rtype: String
- """
- self.log.debug("Starting to execute command: "+command)
- try:
- self.child.write(command + '\n')
- if self.expand_expect(self.possible_prompt)[0]==-1:
- self.log.error("Executed command "+command+" is failed, please check it")
- return False
- else:
- time.sleep(sleeptime)
- self.log.debug("Executed command "+command+" is successful")
- return True
- except socket.error:
- self.log.error("when executed command "+command+" the connection maybe break, reconnect")
- traceback.print_exc()
- for i in range(0,3):
- self.log.error("Telnet session is broken from "+self.host+ ", reconnecting....")
- if self.login():
- break
- return False
- def get_output(self,time_out=2):
- reponse=self.child.read_until(self.prompt,time_out)
- #print "response:",reponse
- self.log.debug("reponse:"+reponse)
- return self.__strip_output(reponse)
- def send_atomic_command(self, command):
- self.send_command(command)
- command_output = self.get_output()
- self.logout()
- return command_output
- def process_is_running(self,process_name,output_string):
- self.send_command("ps -ef | grep "+process_name+" | grep -v grep")
- output_list=[output_string]
- if self.expand_expect(output_list)[0]==-1:
- return False
- else:
- return True
- def __strip_output(self, response):
- #Strip everything from the response except the actual command output.
- #split the response into a list of the lines
- lines = response.splitlines()
- self.log.debug("lines:"+str(lines))
- if len(lines)>1:
- #if our command was echoed back, remove it from the output
- if self.prompt in lines[0]:
- lines.pop(0)
- #remove the last element, which is the prompt being displayed again
- lines.pop()
- #append a newline to each line of output
- lines = [item + '\n' for item in lines]
- #join the list back into a string and return it
- return ''.join(lines)
- else:
- self.log.info("The response is blank:"+response)
- return "Null response"
- def logout(self):
- self.child.close()
telnetoperate.py代码说明:
1. __init__(self,host,prompt,account,accountPasswd,RootPasswd="")
这里用到了多个登陆账号(account,root),原因是我们的机器开始不能直接root登陆,需要先用普通用户登陆,才能切换到root账号,所以这里出现了account, rootPasswd这2个参数,如果你的机器可以直接root账号登陆,或者你不需要切换到root账号,可以就用account, accountPasswd就可以了。
prompt是命令行提示符,机器配置不一样,可能是$或者#,用来判断一个命令执行是否完成。
2. send_command(self,command,sleeptime=0.5)
这里sleeptime=0.5是为了避免很多机器性能不好,命令执行比较慢,命令还没返回,会导致获取命令后的结果失败。如果你嫌这样太慢了,可以调用的时候send_command(command,0)
process_is_running(
process_name
监控远程机器:
#simplemonitor.py
- #!/usr/bin/env python
- #coding=utf-8
- import time
- import telnetoperate
- remote_server=telnetoperate.TelnetAction("192.168.23.235","#","user","passwd123")
- #get cpu information
- cpu=remote_server.get_output("sar 1 1 |tail -1")
- memory=remote_server.get_output("top | head -5 |grep -i memory")
- io=remote_server.get_output("iostat -x 1 2|grep -v '^$' |grep -vi 'dev'")
这样在任何一台机器上就可以实现监控远程多个机器了,信息集中化管理,方便进一步分析。如果你想cpu, memory, io独立的监控,可以多线程或者起多个监控进程,在多线程中需要注意的时候,必须对每个监控实例建立一个telnet连接,get_output是从telnet 建立的socket里面去获取数据,如果多个监控实例用同一个socket会导致数据混乱。
用python做自动化测试--Python实现远程性能监控的更多相关文章
- 如何用 Python 做自动化测试【进阶必看】
一.Selenium 环境部署 1. window 环境部署 1.1 当前环境Win10 64 位系统:Python3.6.2(官方已经更新到了 3.6.4) 官方下载地址:https://www.p ...
- Java性能监控
Java性能监控 上次介绍了如何使用jvisualvm监控java,今天做进一步讲解!Java性能监控主要关注CPU.内存和线程. 在线程页中,点击线程Dump,可以生成threaddump日志,通过 ...
- 做自动化测试选择Python还是Java?
你好,我是测试蔡坨坨. 今天,我们来聊一聊测试人员想要进阶,想要做自动化测试,甚至测试开发,如何选择编程语言. 前言 自动化测试,这几年行业内的热词,也是测试人员进阶的必备技能,更是软件测试未来发展的 ...
- appium+python做移动端自动化测试
1 导言 1.1 编制目的 该文档为选用Appium作为移动设备原生(Native).混合(Hybrid).移动Web(Mobile Web)应用UI自动化测试的相关自动化测试人员.开发人员等提供 ...
- [Python+Java双语版自动化测试(接口测试+Web+App+性能+CICD)
[Python+Java双语版自动化测试(接口测试+Web+App+性能+CICD)开学典礼](https://ke.qq.com/course/453802)**测试交流群:549376944**0 ...
- Selenium自动化测试Python六:持续集成
持续集成 欢迎阅读WebDriver持续集成讲义.本篇讲义将会重点介绍Selenium WebDriver API的在持续集成中的使用方法,以及使用Jenkins持续集成工具进行自动化测试的设计. 持 ...
- Selenium自动化测试Python一:Selenium入门
Selenium入门 欢迎阅读Selenium入门讲义,本讲义将会重点介绍Selenium的入门知识以及Selenium的前置知识. 自动化测试的基础 在Selenium的课程以前,我们先回顾一下软件 ...
- 使用python做科学计算
这里总结一个guide,主要针对刚开始做数据挖掘和数据分析的同学 说道统计分析工具你一定想到像excel,spss,sas,matlab以及R语言.R语言是这里面比较火的,它的强项是强大的绘图功能以及 ...
- Python 模块功能paramiko SSH 远程执行及远程下载
模块 paramiko paramiko是一个用于做远程控制的模块,使用该模块可以对远程服务器进行命令或文件操作,值得一说的是,fabric和ansible内部的远程管理就是使用的paramiko来现 ...
随机推荐
- win10 配置pylucene
参考文章 http://lxsay.com/archives/269 Windows 10 64 Bit 编译安装 PyLucene 6.2, 6.4 或 6.5 POSTED ON 2017-02- ...
- assign-cookies
https://leetcode.com/problems/assign-cookies/ 用贪心算法即可. package com.company; import java.util.Arrays; ...
- 手动安装pip
apt-get instal pip 成功之后,有根据pip的提示,进行了升级,升级之后,pip就出问题了 为了解决上面问题,手动安装pip,依次执行下面命令 1 2 3 4 5 [root@min ...
- 在.NET中怎样取得代码行数
文章目的 介绍在.NET中取得代码行数的方法 代码 [STAThread] static void Main(string[] args) { ReportError("Yay!" ...
- php如何读取ini文件
很多时候,我们使用配置文件来读取配置,那么php如何使用ini文件呢? 代码如下: 例如将:数据库信息存到ini文件中,进行读取. <?php header('content-type:text ...
- 1079. Total Sales of Supply Chain (25)【树+搜索】——PAT (Advanced Level) Practise
题目信息 1079. Total Sales of Supply Chain (25) 时间限制250 ms 内存限制65536 kB 代码长度限制16000 B A supply chain is ...
- 纯JS设置首页,增加收藏,获取URL參数,解决中文乱码
雪影工作室版权全部,转载请注明[http://blog.csdn.net/lina791211] 1.前言 纯Javascript 设置首页,增加收藏. 2.设置首页 // 设置为主页 functio ...
- 模式识别之不变矩---SIFT和SURF的比较
- php判断某字符串是否不以数字或其他特殊字符开头
if(preg_match("/^[^\d-.,:]/",$addr)){ echo $addr.'不是数字或其他特殊字符开头'; }
- STL algorihtm算法iter_swap(29)
iter_swap原型: std::iter_swap template <class ForwardIterator1, class ForwardIterator2> void ite ...