性能测试脚本的编写和调试_编写自动调试器以在测试执行期间捕获异常

性能测试脚本的编写和调试

以前,我曾说过, 您总是想保留一些调试器断点作为例外 。 这有助于防止代码在不注意的情况下腐烂掉,有时掩盖了另一个问题。

如果您认真对待这一点,那么最好将此想法扩展到自动化测试中。 但是想出一个全面的解决方案并不简单。 您可以仅从try / catch开始,但不会捕获其他线程上的异常。 您也可以使用AOP进行操作; 但是,根据框架的不同,您不能保证完全捕获所有内容,这确实意味着您正在使用稍微不同的代码进行测试,这将使您有些担心。

几天前,我遇到了有关如何编写自己的调试器的博客文章,我想知道java进程是否有可能自行调试。 事实证明,可以的,这是我作为这个小小的思想实验的一部分提出的代码。

该类的第一部分仅包含一些相当hacky的代码,用于根据启动参数来猜测连接回同一VM所需的端口。 可能可以使用Attach机制启动调试器。 但是我没有看到一种明显的方法来使其工作。 然后只有几个工厂方法带有要查找的异常列表。

package com.kingsfleet.debug;import com.sun.jdi.Bootstrap;
import com.sun.jdi.ReferenceType;
import com.sun.jdi.VirtualMachine;
import com.sun.jdi.connect.AttachingConnector;
import com.sun.jdi.connect.Connector;
import com.sun.jdi.connect.IllegalConnectorArgumentsException;
import com.sun.jdi.event.ClassPrepareEvent;
import com.sun.jdi.event.Event;
import com.sun.jdi.event.EventQueue;
import com.sun.jdi.event.EventSet;
import com.sun.jdi.event.ExceptionEvent;
import com.sun.jdi.event.VMDeathEvent;
import com.sun.jdi.event.VMDisconnectEvent;
import com.sun.jdi.request.ClassPrepareRequest;
import com.sun.jdi.request.EventRequest;
import com.sun.jdi.request.ExceptionRequest;import java.io.IOException;import java.lang.management.ManagementFactory;
import java.lang.management.RuntimeMXBean;import java.util.Collections;
import java.util.HashSet;
import java.util.List;
import java.util.Map;
import java.util.Set;
import java.util.concurrent.CountDownLatch;
import java.util.concurrent.TimeUnit;public class ExceptionDebugger implements AutoCloseable {public static int getDebuggerPort() {// Try to work out what port we need to connect toRuntimeMXBean runtime = ManagementFactory.getRuntimeMXBean();List<String> inputArguments = runtime.getInputArguments();int port = -1;boolean isjdwp = false;for (String next : inputArguments) {if (next.startsWith("-agentlib:jdwp=")) {isjdwp = true;String parameterString = next.substring("-agentlib:jdwp=".length());String[] parameters = parameterString.split(",");for (String parameter : parameters) {if (parameter.startsWith("address")) {int portDelimeter = parameter.lastIndexOf(":");if (portDelimeter != -1) {port = Integer.parseInt(parameter.substring(portDelimeter + 1));} else {port = Integer.parseInt(parameter.split("=")[1]);}}}}}return port;}public static ExceptionDebugger connect(final String... exceptions) throws InterruptedException {return connect(getDebuggerPort(),exceptions);}public static ExceptionDebugger connect(final int port, final String... exceptions) throws InterruptedException {ExceptionDebugger ed = new ExceptionDebugger(port, exceptions);return ed;}

构造函数创建一个简单的守护程序线程,以启动与虚拟机的连接。 非常重要的是,这是一个单独的线程,否则很明显,当我们遇到断点时,VM会停止运行。 确保该线程中的代码不会引发异常是一个好主意-目前,我只是希望做到最好。

最后,代码仅维护了一个禁止的异常列表,如果您有更多的时间,应该可以将堆栈跟踪存储在发生异常的位置。

// // Instance variablesprivate final CountDownLatch startupLatch = new CountDownLatch(1);private final CountDownLatch shutdownLatch = new CountDownLatch(1);private final Set<String> set = Collections.synchronizedSet(new HashSet<String>());private final int port;private final String exceptions[];private Thread debugger;private volatile boolean shutdown = false;//// Object construction and methods//private ExceptionDebugger(final int port, final String... exceptions) throws InterruptedException {this.port = port;this.exceptions = exceptions;debugger = new Thread(new Runnable() {@Overridepublic void run() {try {connect();} catch (Exception ex) {ex.printStackTrace();}}}, "Self debugging");debugger.setDaemon(true); // Don't hold the VM opendebugger.start();// Make sure the debugger has connectedif (!startupLatch.await(1, TimeUnit.MINUTES)) {throw new IllegalStateException("Didn't connect before timeout");}}@Overridepublic void close() throws InterruptedException {shutdown = true;// Somewhere in JDI the interrupt was being eaten, hence the volatile flag debugger.interrupt();shutdownLatch.await();}/*** @return A list of exceptions that were thrown*/public Set<String> getExceptionsViolated() {return new HashSet<String>(set);}/*** Clear the list of exceptions violated*/public void clearExceptionsViolated() {set.clear();}

主要的连接方法是一个相当简单的代码块,可确保连接并配置任何初始断点。

//// Implementation details//private void connect() throws java.io.IOException {try {// Create a virtual machine connectionVirtualMachine attach = connectToVM();try{// Add prepare and any already loaded exception breakpointscreateInitialBreakpoints(attach);// We can now allow the rest of the work to go on as we have created the breakpoints// we requiredstartupLatch.countDown();// Process the eventsprocessEvents(attach);}finally {// Disconnect the debuggerattach.dispose();// Give the debugger time to really disconnect// before we might reconnect, couldn't find another// way to do thistry {TimeUnit.SECONDS.sleep(1);} catch (InterruptedException e) {Thread.currentThread().interrupt();}}} finally {// Notify watchers that we have shutdownshutdownLatch.countDown();}}

重新连接到自我只是找到合适的连接器的过程,在本例中是Socket,尽管我猜想如果您稍稍修改一下代码,便可以在某些平台上使用共享内存传输。

private VirtualMachine connectToVM() throws java.io.IOException {List<AttachingConnector> attachingConnectors = Bootstrap.virtualMachineManager().attachingConnectors();AttachingConnector ac = null;found:for (AttachingConnector next : attachingConnectors) {if (next.name().contains("SocketAttach")) {ac = next;break;}}Map<String, Connector.Argument> arguments = ac.defaultArguments();arguments.get("hostname").setValue("localhost");arguments.get("port").setValue(Integer.toString(port));arguments.get("timeout").setValue("4000");try {return ac.attach(arguments);} catch (IllegalConnectorArgumentsException e) {throw new IOException("Problem connecting to debugger",e);}}

连接调试器时,您不知道是否已加载您感兴趣的异常,因此您需要为准备类的点和已经加载的点注册断点。

请注意,设置的断点仅用于中断一个线程的策略–否则,出于显而易见的原因,如果调试器线程也进入睡眠状态,则当前VM将停止运行。

private void createInitialBreakpoints(VirtualMachine attach) {// Our first exception is for class loadingfor (String exception : exceptions) {ClassPrepareRequest cpr = attach.eventRequestManager().createClassPrepareRequest();cpr.addClassFilter(exception);cpr.setSuspendPolicy(EventRequest.SUSPEND_EVENT_THREAD);cpr.setEnabled(true);}// Then we can check each in turn to see if it have already been loaded as we might// be late to the game, remember classes can be loaded more than once//for (String exception : exceptions) {List<ReferenceType> types = attach.classesByName(exception);for (ReferenceType type : types) {createExceptionRequest(attach, type);}}}private static void createExceptionRequest(VirtualMachine attach, ReferenceType refType) {ExceptionRequest er = attach.eventRequestManager().createExceptionRequest(refType, true, true);er.setSuspendPolicy(EventRequest.SUSPEND_EVENT_THREAD);er.setEnabled(true);}

事件处理循环轮询包含一个或多个事件实例的EventSet实例。 尽管并非所有这些事件都属于断点请求,所以您必须注意不要总是在事件集上调用简历。 这是因为您可能连续有两个事件集,而代码甚至在阅读第二个事件集之前就调用了resume。 随着代码的赶上,这会导致错过断点。

由于某种原因, JDI似乎正在吃掉中断的标志,因此该布尔属性使用以前的close方法停止循环。

private void processEvents(VirtualMachine attach) {// Listen for eventsEventQueue eq = attach.eventQueue();eventLoop: while (!Thread.interrupted() && !shutdown) {// Poll for event sets, with a short timeout so that we can// be interrupted if requiredEventSet eventSet = null;try {eventSet = eq.remove(500);}catch (InterruptedException ex) {Thread.currentThread().interrupt();continue eventLoop;  }// Just loop again if we have no eventsif (eventSet == null) {continue eventLoop;}//boolean resume = false;for (Event event : eventSet) {EventRequest request = event.request();if (request != null) {int eventPolicy = request.suspendPolicy();resume |= eventPolicy != EventRequest.SUSPEND_NONE;}if (event instanceof VMDeathEvent || event instanceof VMDisconnectEvent) {// This should never happen as the VM will exit before this is called} else if (event instanceof ClassPrepareEvent) {// When an instance of the exception class is loaded attach an exception breakpointClassPrepareEvent cpe = (ClassPrepareEvent) event;ReferenceType refType = cpe.referenceType();createExceptionRequest(attach, refType);} else if (event instanceof ExceptionEvent) {String name = ((ExceptionRequest)event.request()).exception().name();set.add(name);}}// Dangerous to call resume always because not all event suspend the VM// and events happen asynchornously.if (resume)eventSet.resume();}}}

因此,剩下的只是一个简单的测试示例,因为这是JDK 7,而ExceptionDebugger是AutoCloseable,所以我们可以使用try-with-resources构造进行此操作,如下所示。 显然,如果要进行自动化测试,请使用您选择的测试框架固定装置。

public class Target {public static void main(String[] args) throws InterruptedException {try (ExceptionDebugger ex = ExceptionDebugger.connect(NoClassDefFoundError.class.getName())) {doSomeWorkThatQuietlyThrowsAnException();System.out.println(ex.getExceptionsViolated());}System.exit(0);}private static void doSomeWorkThatQuietlyThrowsAnException() {// Check to see that break point gets firedtry {Thread t = new Thread(new Runnable() {public void run() {try{throw new NoClassDefFoundError();}catch (Throwable ex) {}}});t.start();t.join();} catch (Throwable th) {// Eat this and don't tell anybody}}
}

因此,如果使用以下VM参数运行此类,请注意suspend = n,否则代码将不会开始运行,您会发现它可以重新连接到自身并开始运行。

-agentlib:jdwp=transport=dt_socket,address=localhost:5656,server=y,suspend=n

这将为您提供以下输出,请注意来自VM的额外调试行:

Listening for transport dt_socket at address: 5656java.lang.NoClassDefFoundError 
Listening for transport dt_socket at address: 5656

每个人都想读一下这是否对人们有用并有助于消除任何明显的错误。

参考:在Gerard Davison的博客博客中,从JCG合作伙伴 Gerard Davison 编写了一个自动调试器,以在测试执行期间捕获异常 。

翻译自: https://www.javacodegeeks.com/2013/10/write-an-auto-debugger-to-catch-exceptions-during-test-execution.html

性能测试脚本的编写和调试

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

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

相关文章

python自由职业可以做什么_我想成为自由职业者,但不知道做什么?

我想成为自由职业者&#xff0c;但不知道做什么&#xff1f;这其实是就是个人定位的问题&#xff0c;自由职业的第一步&#xff0c;就得先解决这个问题。下面我从3个维度&#xff0c;通过5个步骤&#xff0c;说一下如何成为一名自由职业者&#xff0c;你看完就知道马上该怎么去…

基本服务-使用大使网关

这是我对Knative服务进行实验的延续&#xff0c;这次是围绕在Knative服务应用程序之上构建网关。 这是基于我之前的两篇文章- 使用Knative部署Spring Boot App以及在Knative中进行服务到服务的调用 。 为什么在Knative应用程序之上使用网关 为了解释这一点&#xff0c;让我谈谈…

mysql function 表名作为参数_mysql 常用的分组聚合函数

mysql 常用的分组聚合函数1.聚合运算一般情况下,需要的聚合数据(和,平均值,最大,最小等)并不总是存储在表中,但是可以执行存储数据的计算来获取它.根据定义,聚合函数对一组值执行计算并返回单个值.MySQL提供了许多聚合函数,包括AVG,COUNT,SUM,MIN,MAX等.除COUNT函数外,其它聚合…

java加减乘除运算顺序_java 实现加减乘除混合运算

初衷&#xff1a;解决小学一年级到四年级 基本加减乘除混合运算基本思路&#xff1a;表达式&#xff1a;10032-200(10000/5(100/2))此类表达式我们称之为中缀表达式(运算符在数字的中间),如果我们稍加转换&#xff0c;转化为100, 3, , 2, , 200, -, 10000, 5, /, 100, 2, /, , …

java integer valueof_对 Java Integer.valueOf() 的一些了解

从一道选择题开始分析选项A选项A中比较的是i01和i02&#xff0c;Integer i0159这里涉及到自动装箱过程&#xff0c;59是整型常量&#xff0c;经包装使其产生一个引用并存在栈中指向这个整型常量所占的内存&#xff0c;这时i01就是Integer 的引用。而int i0259由于int是基本类型…

python统计文件大小_python工具--01.统计当前目录下的文件的大小

环境os: centos7python : 3.7实现功能统计当目录下的文件夹有文件的大小&#xff0c;单位KB/MB/B&#xff1b;代码实现#!/usr/bin/env python# _*_ coding:utf-8 _*_import os,mathsummary0def size_file(str2):global summarysummarysummaryos.path.getsize(str2)def size_dir…

java web 伪静态_【Java Web】使用URLRewrite实现网站伪静态

大部分搜索引擎都会优先考虑收录静态的HTML页面&#xff0c;而不是动态的*.jsp、*.php页面。但实际上绝大部分网站都是动态的&#xff0c;不可能全部是静态的HTML页面&#xff0c;因此互联网上大部分网站都会考虑伪静态——就是将*.jsp、*.php这种动态URL伪装成静态的HTML页面。…

idea创建maven程序_使用Maven程序集创建漏洞评估工件

idea创建maven程序本文将讨论如何使用Maven程序集创建可提供给第三方漏洞评估站点&#xff08;例如Veracode &#xff09;进行审查的工件。 错误的静态分析与漏洞评估 在这一点上&#xff0c;每个人都知道findbug并认真使用它&#xff0c;对吗&#xff1f; 对&#xff1f; F…

python装饰器的顺序_python中多个装饰器的执行顺序详解

装饰器是程序开发中经常会用到的一个功能&#xff0c;也是python语言开发的基础知识&#xff0c;如果能够在程序中合理的使用装饰器&#xff0c;不仅可以提高开发效率&#xff0c;而且可以让写的代码看上去显的高大上^_^使用场景可以用到装饰器的地方有很多&#xff0c;简单的举…

使用Spring WebFlux从Corda节点流式传输数据

自上次发布以来已经有一段时间了&#xff0c;但我终于回来了&#xff01; 由于我仍在我的项目中&#xff0c;因此我将再次撰写有关使用Corda的文章。 这次&#xff0c;我们将不再关注Corda&#xff0c;而是将Spring与Corda结合使用。 更具体地说&#xff0c;Spring WebFlux。 为…

mysql 批量加索引_mysql优化:按期删数据 + 批量insert + 字符串加索引为何很傻

嗯&#xff0c;犯了一个很低级的错误&#xff0c;最近暴露出来了。html背景&#xff1a;mysql1. 内部平台&#xff0c;接口间断性无返回&#xff0c;查询日志注意到失败时&#xff0c;接口耗时达到4000(正常状态&#xff1a;100ms)git2. 增长日志打点&#xff0c;在关键步骤插入…

python王者归来 pdf_OpenStack开源云:王者归来 PDF 下载

资料目录&#xff1a;第1篇 基 础 篇第1章 OpenStack概述1.1 云计算简介1.1.1 什么是云计算1.1.2 什么是云存储1.1.3 私有云与公有云1.2 为什么使用云计算1.2.1 方案1&#xff1a;简单的服务部署1.2.2 方案2&#xff1a;分布式服务部署1.2.3 方案3&#xff1a;基于虚拟化的服务…

MySQL中引入存储引擎意义是_mysql学习九:存储引擎、存储过程和函数的引入

存储引擎&#xff1a;存储引擎是mysql特有的&#xff0c;共有7种&#xff0c;常用的有myisam、memory、innodb查看表的存储引擎&#xff1a;show create table 表名;修改表的存储引擎&#xff1a;alter table 表名 engine存储引擎名称;1.myisam存储引擎&#xff1a;可转换为压缩…

廖雪峰讲python高阶函数求导公式_一文读懂Python 高阶函数

高阶函数将函数作为参数传入&#xff0c;这样的函数称为高阶函数。函数式编程就是指这种高度抽象的编程范式。变量可以指向函数&#xff0c;函数的参数能接收变量&#xff0c;那么一个函数就可以接收另一个函数作为参数&#xff0c;这种函数就称之为高阶函数。如下所示&#xf…

apache camel_Apache Camel –从头开始开发应用程序(第2部分/第2部分)

apache camel这是本教程的第二部分&#xff0c;我们将使用Apache Camel创建发票处理应用程序。 如果您错过了它&#xff0c;一定要看一下第一部分 。 以前&#xff0c;我们已经定义了系统的功能要求&#xff0c;创建了网关&#xff0c;分离器&#xff0c;过滤器和基于内容的路由…

python 网格线_Python版简单网格策略(教学)

Python版简单网格策略(教学)Python版简单网格策略(教学)Author: 小小梦, Date: 2020-01-04 11:12:15Tags:backteststart: 2019-07-01 00:00:00end: 2020-01-03 00:00:00period: 1mexchanges: [{"eid":"OKEX","currency":"BTC_USDT"}]i…

python土味情话_土味情话表情包下载

喵星人土味情话表情包是一款很甜的表情图片&#xff0c;现在的聊天模式三句话离不开表情包&#xff0c;而且小编带来的这款表情包非常的适合情侣日常撩&#xff0c;最新的土味情话&#xff0c;需要的朋友可以前来本站下载。土味情话大全一、“对不起。”“你永远都不要和我说对…

多云互操作性!=云服务聚合

多云定义为一种方法&#xff0c;它将来自多个云供应商的多个云&#xff08;公共云或私有云&#xff09;组合在一起。 但是&#xff0c;这不是来自不同供应商的各种服务的集合&#xff0c;它需要一种强制性的胶合剂–云不可知的方法&#xff0c;并在所有提供商之间实现互操作性。…

python股票预测代码_python用线性回归预测股票价格的实现代码

线性回归在整个财务中广泛应用于众多应用程序中。在之前的教程中&#xff0c;我们使用普通最小二乘法(OLS)计算了公司的beta与相对索引的比较。现在&#xff0c;我们将使用线性回归来估计股票价格。线性回归是一种用于模拟因变量(y)和自变量(x)之间关系的方法。通过简单的线性回…