SlideShare ist ein Scribd-Unternehmen logo
1 von 40
JDK Power Tools
an overview of fun and useful tools
the JDK already provides you with
Tobias Lindaaker
Software Developer @ Neo Technology
twitter:! @thobe / @neo4j / #neo4j
email:! tobias@neotechnology.com
web:! http://neo4j.org/
web:! http://thobe.org/
The Tools
๏java.lang.instrument
๏Java agents
๏Java Debugging Interface
๏JVMTI heap introspection
๏JVMTI frame introspection
2
java.lang.instrument
3
java.lang.instrument.Instrumentation
๏The “missing” sizeof() operation:
•long getObjectSize( Object )
๏Inspecting loaded classes:
•Class[] getAllLoadedClasses()
•Class[] getInitiatedClasses( ClassLoader )
๏Transforming classes:
•redefineClasses( ClassDefinition(Class, byte[])... )
•addTransformer( ClassFileTransformer )
‣byte[] transform( ClassLoader, name, Class, byte[] )
•retransformClasses(Class...)
•setNativeMethodPrefix( ClassFileTransformer, String ) 4
public static void premain(
String agentArgs, Instrumentation inst)
5
๏java ... -javaagent:<jarfile>[=options]
๏Instrumentation parameter is optional in the signature
๏META-INF/MANIFEST.MF:
•Premain-Class [required; qualified classname of premain class]
•Boot-Class-Path [optional; class path]
•Can-Redefine-Classes [optional; true/false - request capability]
•Can-Retransform-Classes [optional; true/false - request capability]
•Can-Set-Native-Method-Prefix [optional; true/false - request capability]
Java agents
6
public static void agentmain(
String agentArgs, Instrumentation inst)
7
๏Executed when the agent attaches to an already running JVM
๏Instrumentation parameter is optional in the signature
๏META-INF/MANIFEST.MF:
•Agentmain-Class
+the same optional parameters as for premain():
+Boot-Class-Path
+Can-Redefine-Classes
+Can-Retransform-Classes
+Can-Set-Native-Method-Prefix
๏Requires support for loading agents in the JVM
๏Allows to add code to the JVM after-the-fact
The Use Case: add code live
๏Provide statically accessible entry point into your app
๏From here extend the app with the code loaded by the agent
๏Used by the JDK, when attaching with jconsole through PID
8
com.sun.tools.attach
๏com.sun.tools.attach.VirtualMachine
•Represents a JVM process
•static methods providing entry points for:
‣attaching to a JVM by process id
‣listing all running JVM processes (like jps)
๏Example (from the docs, simplified from jconsole source code):
// attach to target VM
VirtualMachine vm = VirtualMachine.attach( "1337" );
// get system properties in target VM
Properties props = vm.getSystemProperties();
// construct path to management agent
String agent = props.getProperty( "java.home" )
+ File.separator + "lib"
+ File.separator + "management-agent.jar";
// load agent into target VM, spcifying parameters for the agent
vm.loadAgent( agent, "com.sun.management.jmxremote.port=5000" );
// done - detach
vm.detach(); 9
Tricks: Registry-less RMI
๏RMI Registry just provides serialized objects specifying:
•Implemented Remote interfaces
•How to reach the actual object (host+port+id)
๏You can serialize the object yourself and pass it as the string
parameter to an agent
๏Now your agent has a talkback channel to the process that
spawned it
10
code.sample();
11
http://github.com/thobe/java-agent
Java Debugging Interface
12
Building an interactive
debugger is HARD, but
that isn’t the only thing
you can do with the JDI.
A Scriptable debugger is
much easier to build.
SubprocessTestRunner
13
๏Runs a JUnit test case in a sub process
๏Host process connects to the sub process with JDI
๏Define breakpoints for the code under test
๏Useful for triggering certain ordering between threads
•Triggering race conditions
๏Used at Neo Technology for Concurrency Regression Tests
•Prefer refactoring to allow testing concurrency,
but that isn’t always the appropriate short term solution
Simple example
@RunWith(SubprocessTestRunner.class)
public class SampleTest {
@Debugger.Using(BreakPoints.class)
@Test public void shouldHandleRaceCondition() {
new Sample().entryPoint();
}
static class BreakPoints extends Debugger {
List<Integer> loopVariables = new ArrayList<Integer>();
{ enable( "handle_someMethod" ); }
@Handler(on=ENTRY,type=Sample.class,method="someMethod")
void handle_someMethod() {
enable( "handle_loopBody" );
}
@Handler(on=ENTRY,type=Sample.class,method="loopBody")
void handle_loopBody(){
loopVariables.add( frame( 1 ).getInt( "i" ) );
}
@Override protected void finish() {
assertEquals( asList( 1, 2, 3, 4 ), loopVariables );
}
}
} 14
Simple example
@RunWith(SubprocessTestRunner.class)
public class SampleTest {
@Debugger.Using(BreakPoints.class)
@Test public void shouldHandleRaceCondition() {
new Sample().entryPoint();
}
static class BreakPoints extends Debugger {
List<Integer> loopVariables = new ArrayList<Integer>();
{ enable( "handle_someMethod" ); }
@Handler(on=ENTRY,type=Sample.class,method="someMethod")
void handle_someMethod() {
enable( "handle_loopBody" );
}
@Handler(on=ENTRY,type=Sample.class,method="loopBody")
void handle_loopBody(){
loopVariables.add( frame( 1 ).getInt( "i" ) );
}
@Override protected void finish() {
assertEquals( asList( 1, 2, 3, 4 ), loopVariables );
}
}
} 14
public class Sample {
public void entryPoint() {
for ( int i = 0; i < 5; i++ ) {
loopBody();
someMethod();
}
}
private void someMethod() { /* do nothing */ }
private void loopBody() { /* do nothing */ }
}
Simple example
@RunWith(SubprocessTestRunner.class)
public class SampleTest {
@Debugger.Using(BreakPoints.class)
@Test public void shouldHandleRaceCondition() {
new Sample().entryPoint();
}
static class BreakPoints extends Debugger {
List<Integer> loopVariables = new ArrayList<Integer>();
{ enable( "handle_someMethod" ); }
@Handler(on=ENTRY,type=Sample.class,method="someMethod")
void handle_someMethod() {
enable( "handle_loopBody" );
}
@Handler(on=ENTRY,type=Sample.class,method="loopBody")
void handle_loopBody(){
loopVariables.add( frame( 1 ).getInt( "i" ) );
}
@Override protected void finish() {
assertEquals( asList( 1, 2, 3, 4 ), loopVariables );
}
}
} 14
{ enable( "handle_someMethod" ); }
Simple example
@RunWith(SubprocessTestRunner.class)
public class SampleTest {
@Debugger.Using(BreakPoints.class)
@Test public void shouldHandleRaceCondition() {
new Sample().entryPoint();
}
static class BreakPoints extends Debugger {
List<Integer> loopVariables = new ArrayList<Integer>();
{ enable( "handle_someMethod" ); }
@Handler(on=ENTRY,type=Sample.class,method="someMethod")
void handle_someMethod() {
enable( "handle_loopBody" );
}
@Handler(on=ENTRY,type=Sample.class,method="loopBody")
void handle_loopBody(){
loopVariables.add( frame( 1 ).getInt( "i" ) );
}
@Override protected void finish() {
assertEquals( asList( 1, 2, 3, 4 ), loopVariables );
}
}
} 14
@Handler(on=ENTRY,type=Sample.class,method="someMethod")
void handle_someMethod() {
enable( "handle_loopBody" );
}
Simple example
@RunWith(SubprocessTestRunner.class)
public class SampleTest {
@Debugger.Using(BreakPoints.class)
@Test public void shouldHandleRaceCondition() {
new Sample().entryPoint();
}
static class BreakPoints extends Debugger {
List<Integer> loopVariables = new ArrayList<Integer>();
{ enable( "handle_someMethod" ); }
@Handler(on=ENTRY,type=Sample.class,method="someMethod")
void handle_someMethod() {
enable( "handle_loopBody" );
}
@Handler(on=ENTRY,type=Sample.class,method="loopBody")
void handle_loopBody(){
loopVariables.add( frame( 1 ).getInt( "i" ) );
}
@Override protected void finish() {
assertEquals( asList( 1, 2, 3, 4 ), loopVariables );
}
}
} 14
@Handler(on=ENTRY,type=Sample.class,method="loopBody")
void handle_loopBody(){
loopVariables.add( frame( 1 ).getInt( "i" ) );
}
Simple example
@RunWith(SubprocessTestRunner.class)
public class SampleTest {
@Debugger.Using(BreakPoints.class)
@Test public void shouldHandleRaceCondition() {
new Sample().entryPoint();
}
static class BreakPoints extends Debugger {
List<Integer> loopVariables = new ArrayList<Integer>();
{ enable( "handle_someMethod" ); }
@Handler(on=ENTRY,type=Sample.class,method="someMethod")
void handle_someMethod() {
enable( "handle_loopBody" );
}
@Handler(on=ENTRY,type=Sample.class,method="loopBody")
void handle_loopBody(){
loopVariables.add( frame( 1 ).getInt( "i" ) );
}
@Override protected void finish() {
assertEquals( asList( 1, 2, 3, 4 ), loopVariables );
}
}
} 14
@Override protected void finish() {
assertEquals( asList( 1, 2, 3, 4 ), loopVariables );
}
Simple example
@RunWith(SubprocessTestRunner.class)
public class SampleTest {
@Debugger.Using(BreakPoints.class)
@Test public void shouldHandleRaceCondition() {
new Sample().entryPoint();
}
static class BreakPoints extends Debugger {
List<Integer> loopVariables = new ArrayList<Integer>();
{ enable( "handle_someMethod" ); }
@Handler(on=ENTRY,type=Sample.class,method="someMethod")
void handle_someMethod() {
enable( "handle_loopBody" );
}
@Handler(on=ENTRY,type=Sample.class,method="loopBody")
void handle_loopBody(){
loopVariables.add( frame( 1 ).getInt( "i" ) );
}
@Override protected void finish() {
assertEquals( asList( 1, 2, 3, 4 ), loopVariables );
}
}
} 14
code.samples();
15
https://github.com/thobe/subprocess-testing
JVMTI frame introspection
16
Frame introspection
๏Native interface (JVMTI)
๏Abilities:
•Get method and instruction offset for each element on stack
•Force early return from method
•Pop frame and re-run method
•Get local variable from call stack
•Get notification when frame is popped (method is exited)
(Forcing a frame to be popped does not trigger the event)
17
Dynamic access to local variables
public @Test void sampleOfAccessingLiveCallFrame() {
int anInt = 4; // random number - by dice
String aString = "some string value";
18
Dynamic access to local variables
public @Test void sampleOfAccessingLiveCallFrame() {
int anInt = 4; // random number - by dice
String aString = "some string value";
// get the tool
ToolingInterface tools =
ToolingInterface.getToolingInterface();
18
Dynamic access to local variables
public @Test void sampleOfAccessingLiveCallFrame() {
int anInt = 4; // random number - by dice
String aString = "some string value";
// get the tool
ToolingInterface tools =
ToolingInterface.getToolingInterface();
// get the frame
CallFrame myFrame = tools.getCallFrame( 0 );
18
Dynamic access to local variables
public @Test void sampleOfAccessingLiveCallFrame() {
int anInt = 4; // random number - by dice
String aString = "some string value";
// get the tool
ToolingInterface tools =
ToolingInterface.getToolingInterface();
// get the frame
CallFrame myFrame = tools.getCallFrame( 0 );
// get local
assertEquals( anInt, frame.getLocal( "anInt" ) );
18
Dynamic access to local variables
public @Test void sampleOfAccessingLiveCallFrame() {
int anInt = 4; // random number - by dice
String aString = "some string value";
// get the tool
ToolingInterface tools =
ToolingInterface.getToolingInterface();
// get the frame
CallFrame myFrame = tools.getCallFrame( 0 );
// get local
assertEquals( anInt, frame.getLocal( "anInt" ) );
// update local
anInt = 17; // most random number - proven!
assertEquals( anInt, frame.getLocal( "anInt" ) );
18
Dynamic access to local variables
public @Test void sampleOfAccessingLiveCallFrame() {
int anInt = 4; // random number - by dice
String aString = "some string value";
// get the tool
ToolingInterface tools =
ToolingInterface.getToolingInterface();
// get the frame
CallFrame myFrame = tools.getCallFrame( 0 );
// get local
assertEquals( anInt, frame.getLocal( "anInt" ) );
// update local
anInt = 17; // most random number - proven!
assertEquals( anInt, frame.getLocal( "anInt" ) );
// fancy get
assertSame( aString
((CallFrame)myFrame.getLocal( "myFrame" ))
.getLocal( "aString" ) );
18
Dynamic access to local variables
public @Test void sampleOfAccessingLiveCallFrame() {
int anInt = 4; // random number - by dice
String aString = "some string value";
// get the tool
ToolingInterface tools =
ToolingInterface.getToolingInterface();
// get the frame
CallFrame myFrame = tools.getCallFrame( 0 );
// get local
assertEquals( anInt, frame.getLocal( "anInt" ) );
// update local
anInt = 17; // most random number - proven!
assertEquals( anInt, frame.getLocal( "anInt" ) );
// fancy get
assertSame( aString
((CallFrame)myFrame.getLocal( "myFrame" ))
.getLocal( "aString" ) );
// convenient this
assertSame( this, frame.getThis() );
}
18
code.samples();
19
http://github.com/thobe/java-tooling
JVMTI heap introspection
20
Heap introspection
๏Native interface (JVMTI)
๏Abilities:
•Following references
•Tagging objects and classes
•Getting tagged objects
•Transitive reachability traversal
•Iterating through all reachable objects
•Iterating through all objects (reachable and not)
•Iterating through all instances of a class
•Getting object size
•Getting object monitor usage 21
code.sample();
22
http://github.com/thobe/java-tooling
Putting it all together:
Live introspection
23
code.demo();
24
http://github.com/thobe/introscript
Finding out more
25
Web resources
26
๏Java Debug Interface (JDI):
http://docs.oracle.com/javase/7/docs/jdk/api/jpda/jdi/
๏JVM Tooling Interface:
http://docs.oracle.com/javase/7/docs/platform/jvmti/jvmti.html
๏JNI - JVMTI is an “extension” of JNI:
http://docs.oracle.com/javase/7/docs/technotes/guides/jni/spec/jniTOC.html
๏Overview of JDK tools:
http://docs.oracle.com/javase/7/docs/technotes/tools/index.html
๏JVM Attach API:
http://docs.oracle.com/javase/7/docs/jdk/api/attach/spec/
Code samples
๏http://github.com/thobe/java-tooling, contains:
•Library for building tools in java
‣Soon: cross compiled native binaries for Mac OS X,Windows, Linux
•Code examples showing how to use these tools
๏https://github.com/thobe/subprocess-testing, contains:
•JDI-based JUnit TestRunner
๏http://github.com/thobe/java-agent, contains:
•Java agent code injection
๏http://github.com/thobe/introscript, contains:
•javax.script.ScriptEngine that attaches to other process
and introspects it with above tools
27
http://neotechnology.com

Weitere ähnliche Inhalte

Was ist angesagt?

The definitive guide to java agents
The definitive guide to java agentsThe definitive guide to java agents
The definitive guide to java agentsRafael Winterhalter
 
How to build an AOP framework in ActionScript
How to build an AOP framework in ActionScriptHow to build an AOP framework in ActionScript
How to build an AOP framework in ActionScriptChristophe Herreman
 
A topology of memory leaks on the JVM
A topology of memory leaks on the JVMA topology of memory leaks on the JVM
A topology of memory leaks on the JVMRafael Winterhalter
 
Building a java tracer
Building a java tracerBuilding a java tracer
Building a java tracerrahulrevo
 
Object Oriented Exploitation: New techniques in Windows mitigation bypass
Object Oriented Exploitation: New techniques in Windows mitigation bypassObject Oriented Exploitation: New techniques in Windows mitigation bypass
Object Oriented Exploitation: New techniques in Windows mitigation bypassSam Thomas
 
Advance Java Programs skeleton
Advance Java Programs skeletonAdvance Java Programs skeleton
Advance Java Programs skeletonIram Ramrajkar
 
#ITsubbotnik Spring 2017: Roman Iovlev "Java edge in test automation"
#ITsubbotnik Spring 2017: Roman Iovlev "Java edge in test automation"#ITsubbotnik Spring 2017: Roman Iovlev "Java edge in test automation"
#ITsubbotnik Spring 2017: Roman Iovlev "Java edge in test automation"epamspb
 
Ten useful JavaScript tips & best practices
Ten useful JavaScript tips & best practicesTen useful JavaScript tips & best practices
Ten useful JavaScript tips & best practicesAnkit Rastogi
 
Advanced Java - Praticals
Advanced Java - PraticalsAdvanced Java - Praticals
Advanced Java - PraticalsFahad Shaikh
 
Java Bytecode For Discriminating Developers - GeeCON 2011
Java Bytecode For Discriminating Developers - GeeCON 2011Java Bytecode For Discriminating Developers - GeeCON 2011
Java Bytecode For Discriminating Developers - GeeCON 2011Anton Arhipov
 
JEEConf 2017 - Having fun with Javassist
JEEConf 2017 - Having fun with JavassistJEEConf 2017 - Having fun with Javassist
JEEConf 2017 - Having fun with JavassistAnton Arhipov
 

Was ist angesagt? (20)

The definitive guide to java agents
The definitive guide to java agentsThe definitive guide to java agents
The definitive guide to java agents
 
Server1
Server1Server1
Server1
 
How to build an AOP framework in ActionScript
How to build an AOP framework in ActionScriptHow to build an AOP framework in ActionScript
How to build an AOP framework in ActionScript
 
Unit testing concurrent code
Unit testing concurrent codeUnit testing concurrent code
Unit testing concurrent code
 
A topology of memory leaks on the JVM
A topology of memory leaks on the JVMA topology of memory leaks on the JVM
A topology of memory leaks on the JVM
 
The zen of async: Best practices for best performance
The zen of async: Best practices for best performanceThe zen of async: Best practices for best performance
The zen of async: Best practices for best performance
 
Live Updating Swift Code
Live Updating Swift CodeLive Updating Swift Code
Live Updating Swift Code
 
Enterprise js pratices
Enterprise js praticesEnterprise js pratices
Enterprise js pratices
 
Java 10, Java 11 and beyond
Java 10, Java 11 and beyondJava 10, Java 11 and beyond
Java 10, Java 11 and beyond
 
Building a java tracer
Building a java tracerBuilding a java tracer
Building a java tracer
 
Object Oriented Exploitation: New techniques in Windows mitigation bypass
Object Oriented Exploitation: New techniques in Windows mitigation bypassObject Oriented Exploitation: New techniques in Windows mitigation bypass
Object Oriented Exploitation: New techniques in Windows mitigation bypass
 
Advance Java Programs skeleton
Advance Java Programs skeletonAdvance Java Programs skeleton
Advance Java Programs skeleton
 
Ad java prac sol set
Ad java prac sol setAd java prac sol set
Ad java prac sol set
 
#ITsubbotnik Spring 2017: Roman Iovlev "Java edge in test automation"
#ITsubbotnik Spring 2017: Roman Iovlev "Java edge in test automation"#ITsubbotnik Spring 2017: Roman Iovlev "Java edge in test automation"
#ITsubbotnik Spring 2017: Roman Iovlev "Java edge in test automation"
 
Ten useful JavaScript tips & best practices
Ten useful JavaScript tips & best practicesTen useful JavaScript tips & best practices
Ten useful JavaScript tips & best practices
 
Advanced Java - Praticals
Advanced Java - PraticalsAdvanced Java - Praticals
Advanced Java - Praticals
 
Java Bytecode For Discriminating Developers - GeeCON 2011
Java Bytecode For Discriminating Developers - GeeCON 2011Java Bytecode For Discriminating Developers - GeeCON 2011
Java Bytecode For Discriminating Developers - GeeCON 2011
 
Byte code field report
Byte code field reportByte code field report
Byte code field report
 
JEEConf 2017 - Having fun with Javassist
JEEConf 2017 - Having fun with JavassistJEEConf 2017 - Having fun with Javassist
JEEConf 2017 - Having fun with Javassist
 
Java Programming - 04 object oriented in java
Java Programming - 04 object oriented in javaJava Programming - 04 object oriented in java
Java Programming - 04 object oriented in java
 

Andere mochten auch

Exploiting Concurrency with Dynamic Languages
Exploiting Concurrency with Dynamic LanguagesExploiting Concurrency with Dynamic Languages
Exploiting Concurrency with Dynamic LanguagesTobias Lindaaker
 
A Better Python for the JVM
A Better Python for the JVMA Better Python for the JVM
A Better Python for the JVMTobias Lindaaker
 
[JavaOne 2011] Models for Concurrent Programming
[JavaOne 2011] Models for Concurrent Programming[JavaOne 2011] Models for Concurrent Programming
[JavaOne 2011] Models for Concurrent ProgrammingTobias Lindaaker
 
A Better Python for the JVM
A Better Python for the JVMA Better Python for the JVM
A Better Python for the JVMTobias Lindaaker
 
Choosing the right NOSQL database
Choosing the right NOSQL databaseChoosing the right NOSQL database
Choosing the right NOSQL databaseTobias Lindaaker
 
Persistent graphs in Python with Neo4j
Persistent graphs in Python with Neo4jPersistent graphs in Python with Neo4j
Persistent graphs in Python with Neo4jTobias Lindaaker
 
Building Applications with a Graph Database
Building Applications with a Graph DatabaseBuilding Applications with a Graph Database
Building Applications with a Graph DatabaseTobias Lindaaker
 
The Graph Traversal Programming Pattern
The Graph Traversal Programming PatternThe Graph Traversal Programming Pattern
The Graph Traversal Programming PatternMarko Rodriguez
 
An overview of Neo4j Internals
An overview of Neo4j InternalsAn overview of Neo4j Internals
An overview of Neo4j InternalsTobias Lindaaker
 
Introduction to NoSQL Databases
Introduction to NoSQL DatabasesIntroduction to NoSQL Databases
Introduction to NoSQL DatabasesDerek Stainer
 

Andere mochten auch (12)

Exploiting Concurrency with Dynamic Languages
Exploiting Concurrency with Dynamic LanguagesExploiting Concurrency with Dynamic Languages
Exploiting Concurrency with Dynamic Languages
 
A Better Python for the JVM
A Better Python for the JVMA Better Python for the JVM
A Better Python for the JVM
 
[JavaOne 2011] Models for Concurrent Programming
[JavaOne 2011] Models for Concurrent Programming[JavaOne 2011] Models for Concurrent Programming
[JavaOne 2011] Models for Concurrent Programming
 
A Better Python for the JVM
A Better Python for the JVMA Better Python for the JVM
A Better Python for the JVM
 
Choosing the right NOSQL database
Choosing the right NOSQL databaseChoosing the right NOSQL database
Choosing the right NOSQL database
 
Persistent graphs in Python with Neo4j
Persistent graphs in Python with Neo4jPersistent graphs in Python with Neo4j
Persistent graphs in Python with Neo4j
 
Building Applications with a Graph Database
Building Applications with a Graph DatabaseBuilding Applications with a Graph Database
Building Applications with a Graph Database
 
NOSQL Overview
NOSQL OverviewNOSQL Overview
NOSQL Overview
 
The Graph Traversal Programming Pattern
The Graph Traversal Programming PatternThe Graph Traversal Programming Pattern
The Graph Traversal Programming Pattern
 
An overview of Neo4j Internals
An overview of Neo4j InternalsAn overview of Neo4j Internals
An overview of Neo4j Internals
 
Mixing Python and Java
Mixing Python and JavaMixing Python and Java
Mixing Python and Java
 
Introduction to NoSQL Databases
Introduction to NoSQL DatabasesIntroduction to NoSQL Databases
Introduction to NoSQL Databases
 

Ähnlich wie JDK Power Tools

比XML更好用的Java Annotation
比XML更好用的Java Annotation比XML更好用的Java Annotation
比XML更好用的Java Annotationjavatwo2011
 
How and why i roll my own node.js framework
How and why i roll my own node.js frameworkHow and why i roll my own node.js framework
How and why i roll my own node.js frameworkBen Lin
 
2012 JDays Bad Tests Good Tests
2012 JDays Bad Tests Good Tests2012 JDays Bad Tests Good Tests
2012 JDays Bad Tests Good TestsTomek Kaczanowski
 
JVM Mechanics: When Does the JVM JIT & Deoptimize?
JVM Mechanics: When Does the JVM JIT & Deoptimize?JVM Mechanics: When Does the JVM JIT & Deoptimize?
JVM Mechanics: When Does the JVM JIT & Deoptimize?Doug Hawkins
 
33rd Degree 2013, Bad Tests, Good Tests
33rd Degree 2013, Bad Tests, Good Tests33rd Degree 2013, Bad Tests, Good Tests
33rd Degree 2013, Bad Tests, Good TestsTomek Kaczanowski
 
Android Automated Testing
Android Automated TestingAndroid Automated Testing
Android Automated Testingroisagiv
 
Jug trojmiasto 2014.04.24 tricky stuff in java grammar and javac
Jug trojmiasto 2014.04.24  tricky stuff in java grammar and javacJug trojmiasto 2014.04.24  tricky stuff in java grammar and javac
Jug trojmiasto 2014.04.24 tricky stuff in java grammar and javacAnna Brzezińska
 
Lambda Chops - Recipes for Simpler, More Expressive Code
Lambda Chops - Recipes for Simpler, More Expressive CodeLambda Chops - Recipes for Simpler, More Expressive Code
Lambda Chops - Recipes for Simpler, More Expressive CodeIan Robertson
 
Construire une application JavaFX 8 avec gradle
Construire une application JavaFX 8 avec gradleConstruire une application JavaFX 8 avec gradle
Construire une application JavaFX 8 avec gradleThierry Wasylczenko
 
10 Typical Enterprise Java Problems
10 Typical Enterprise Java Problems10 Typical Enterprise Java Problems
10 Typical Enterprise Java ProblemsEberhard Wolff
 
Teste de Integração com DbUnit e jIntegrity
Teste de Integração com DbUnit e jIntegrityTeste de Integração com DbUnit e jIntegrity
Teste de Integração com DbUnit e jIntegrityWashington Botelho
 
Silicon Valley JUG: JVM Mechanics
Silicon Valley JUG: JVM MechanicsSilicon Valley JUG: JVM Mechanics
Silicon Valley JUG: JVM MechanicsAzul Systems, Inc.
 

Ähnlich wie JDK Power Tools (20)

meet.js - QooXDoo
meet.js - QooXDoomeet.js - QooXDoo
meet.js - QooXDoo
 
Spring Boot
Spring BootSpring Boot
Spring Boot
 
比XML更好用的Java Annotation
比XML更好用的Java Annotation比XML更好用的Java Annotation
比XML更好用的Java Annotation
 
How and why i roll my own node.js framework
How and why i roll my own node.js frameworkHow and why i roll my own node.js framework
How and why i roll my own node.js framework
 
2012 JDays Bad Tests Good Tests
2012 JDays Bad Tests Good Tests2012 JDays Bad Tests Good Tests
2012 JDays Bad Tests Good Tests
 
JVM Mechanics: When Does the JVM JIT & Deoptimize?
JVM Mechanics: When Does the JVM JIT & Deoptimize?JVM Mechanics: When Does the JVM JIT & Deoptimize?
JVM Mechanics: When Does the JVM JIT & Deoptimize?
 
33rd Degree 2013, Bad Tests, Good Tests
33rd Degree 2013, Bad Tests, Good Tests33rd Degree 2013, Bad Tests, Good Tests
33rd Degree 2013, Bad Tests, Good Tests
 
Android Automated Testing
Android Automated TestingAndroid Automated Testing
Android Automated Testing
 
Jug trojmiasto 2014.04.24 tricky stuff in java grammar and javac
Jug trojmiasto 2014.04.24  tricky stuff in java grammar and javacJug trojmiasto 2014.04.24  tricky stuff in java grammar and javac
Jug trojmiasto 2014.04.24 tricky stuff in java grammar and javac
 
Lambda Chops - Recipes for Simpler, More Expressive Code
Lambda Chops - Recipes for Simpler, More Expressive CodeLambda Chops - Recipes for Simpler, More Expressive Code
Lambda Chops - Recipes for Simpler, More Expressive Code
 
JUnit 5
JUnit 5JUnit 5
JUnit 5
 
Construire une application JavaFX 8 avec gradle
Construire une application JavaFX 8 avec gradleConstruire une application JavaFX 8 avec gradle
Construire une application JavaFX 8 avec gradle
 
Nantes Jug - Java 7
Nantes Jug - Java 7Nantes Jug - Java 7
Nantes Jug - Java 7
 
10 Typical Enterprise Java Problems
10 Typical Enterprise Java Problems10 Typical Enterprise Java Problems
10 Typical Enterprise Java Problems
 
Teste de Integração com DbUnit e jIntegrity
Teste de Integração com DbUnit e jIntegrityTeste de Integração com DbUnit e jIntegrity
Teste de Integração com DbUnit e jIntegrity
 
Silicon Valley JUG: JVM Mechanics
Silicon Valley JUG: JVM MechanicsSilicon Valley JUG: JVM Mechanics
Silicon Valley JUG: JVM Mechanics
 
Java tutorial PPT
Java tutorial PPTJava tutorial PPT
Java tutorial PPT
 
Java tutorial PPT
Java tutorial  PPTJava tutorial  PPT
Java tutorial PPT
 
Java tut1
Java tut1Java tut1
Java tut1
 
Tutorial java
Tutorial javaTutorial java
Tutorial java
 

Kürzlich hochgeladen

Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsRizwan Syed
 
Gen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfGen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfAddepto
 
Bun (KitWorks Team Study 노별마루 발표 2024.4.22)
Bun (KitWorks Team Study 노별마루 발표 2024.4.22)Bun (KitWorks Team Study 노별마루 발표 2024.4.22)
Bun (KitWorks Team Study 노별마루 발표 2024.4.22)Wonjun Hwang
 
Training state-of-the-art general text embedding
Training state-of-the-art general text embeddingTraining state-of-the-art general text embedding
Training state-of-the-art general text embeddingZilliz
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
My INSURER PTE LTD - Insurtech Innovation Award 2024
My INSURER PTE LTD - Insurtech Innovation Award 2024My INSURER PTE LTD - Insurtech Innovation Award 2024
My INSURER PTE LTD - Insurtech Innovation Award 2024The Digital Insurer
 
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
"Federated learning: out of reach no matter how close",Oleksandr LapshynFwdays
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Manik S Magar
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsSergiu Bodiu
 
SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024Lorenzo Miniero
 
Designing IA for AI - Information Architecture Conference 2024
Designing IA for AI - Information Architecture Conference 2024Designing IA for AI - Information Architecture Conference 2024
Designing IA for AI - Information Architecture Conference 2024Enterprise Knowledge
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxNavinnSomaal
 
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Mark Simos
 
Search Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfSearch Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfRankYa
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):comworks
 
Install Stable Diffusion in windows machine
Install Stable Diffusion in windows machineInstall Stable Diffusion in windows machine
Install Stable Diffusion in windows machinePadma Pradeep
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr BaganFwdays
 
Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?Mattias Andersson
 

Kürzlich hochgeladen (20)

Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL Certs
 
Gen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfGen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdf
 
Bun (KitWorks Team Study 노별마루 발표 2024.4.22)
Bun (KitWorks Team Study 노별마루 발표 2024.4.22)Bun (KitWorks Team Study 노별마루 발표 2024.4.22)
Bun (KitWorks Team Study 노별마루 발표 2024.4.22)
 
Training state-of-the-art general text embedding
Training state-of-the-art general text embeddingTraining state-of-the-art general text embedding
Training state-of-the-art general text embedding
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
My INSURER PTE LTD - Insurtech Innovation Award 2024
My INSURER PTE LTD - Insurtech Innovation Award 2024My INSURER PTE LTD - Insurtech Innovation Award 2024
My INSURER PTE LTD - Insurtech Innovation Award 2024
 
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
"Federated learning: out of reach no matter how close",Oleksandr Lapshyn
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platforms
 
SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024
 
Designing IA for AI - Information Architecture Conference 2024
Designing IA for AI - Information Architecture Conference 2024Designing IA for AI - Information Architecture Conference 2024
Designing IA for AI - Information Architecture Conference 2024
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptx
 
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
 
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptxE-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
 
Search Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfSearch Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdf
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):
 
Install Stable Diffusion in windows machine
Install Stable Diffusion in windows machineInstall Stable Diffusion in windows machine
Install Stable Diffusion in windows machine
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan
 
Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?
 

JDK Power Tools

  • 1. JDK Power Tools an overview of fun and useful tools the JDK already provides you with Tobias Lindaaker Software Developer @ Neo Technology twitter:! @thobe / @neo4j / #neo4j email:! tobias@neotechnology.com web:! http://neo4j.org/ web:! http://thobe.org/
  • 2. The Tools ๏java.lang.instrument ๏Java agents ๏Java Debugging Interface ๏JVMTI heap introspection ๏JVMTI frame introspection 2
  • 4. java.lang.instrument.Instrumentation ๏The “missing” sizeof() operation: •long getObjectSize( Object ) ๏Inspecting loaded classes: •Class[] getAllLoadedClasses() •Class[] getInitiatedClasses( ClassLoader ) ๏Transforming classes: •redefineClasses( ClassDefinition(Class, byte[])... ) •addTransformer( ClassFileTransformer ) ‣byte[] transform( ClassLoader, name, Class, byte[] ) •retransformClasses(Class...) •setNativeMethodPrefix( ClassFileTransformer, String ) 4
  • 5. public static void premain( String agentArgs, Instrumentation inst) 5 ๏java ... -javaagent:<jarfile>[=options] ๏Instrumentation parameter is optional in the signature ๏META-INF/MANIFEST.MF: •Premain-Class [required; qualified classname of premain class] •Boot-Class-Path [optional; class path] •Can-Redefine-Classes [optional; true/false - request capability] •Can-Retransform-Classes [optional; true/false - request capability] •Can-Set-Native-Method-Prefix [optional; true/false - request capability]
  • 7. public static void agentmain( String agentArgs, Instrumentation inst) 7 ๏Executed when the agent attaches to an already running JVM ๏Instrumentation parameter is optional in the signature ๏META-INF/MANIFEST.MF: •Agentmain-Class +the same optional parameters as for premain(): +Boot-Class-Path +Can-Redefine-Classes +Can-Retransform-Classes +Can-Set-Native-Method-Prefix ๏Requires support for loading agents in the JVM ๏Allows to add code to the JVM after-the-fact
  • 8. The Use Case: add code live ๏Provide statically accessible entry point into your app ๏From here extend the app with the code loaded by the agent ๏Used by the JDK, when attaching with jconsole through PID 8
  • 9. com.sun.tools.attach ๏com.sun.tools.attach.VirtualMachine •Represents a JVM process •static methods providing entry points for: ‣attaching to a JVM by process id ‣listing all running JVM processes (like jps) ๏Example (from the docs, simplified from jconsole source code): // attach to target VM VirtualMachine vm = VirtualMachine.attach( "1337" ); // get system properties in target VM Properties props = vm.getSystemProperties(); // construct path to management agent String agent = props.getProperty( "java.home" ) + File.separator + "lib" + File.separator + "management-agent.jar"; // load agent into target VM, spcifying parameters for the agent vm.loadAgent( agent, "com.sun.management.jmxremote.port=5000" ); // done - detach vm.detach(); 9
  • 10. Tricks: Registry-less RMI ๏RMI Registry just provides serialized objects specifying: •Implemented Remote interfaces •How to reach the actual object (host+port+id) ๏You can serialize the object yourself and pass it as the string parameter to an agent ๏Now your agent has a talkback channel to the process that spawned it 10
  • 12. Java Debugging Interface 12 Building an interactive debugger is HARD, but that isn’t the only thing you can do with the JDI. A Scriptable debugger is much easier to build.
  • 13. SubprocessTestRunner 13 ๏Runs a JUnit test case in a sub process ๏Host process connects to the sub process with JDI ๏Define breakpoints for the code under test ๏Useful for triggering certain ordering between threads •Triggering race conditions ๏Used at Neo Technology for Concurrency Regression Tests •Prefer refactoring to allow testing concurrency, but that isn’t always the appropriate short term solution
  • 14. Simple example @RunWith(SubprocessTestRunner.class) public class SampleTest { @Debugger.Using(BreakPoints.class) @Test public void shouldHandleRaceCondition() { new Sample().entryPoint(); } static class BreakPoints extends Debugger { List<Integer> loopVariables = new ArrayList<Integer>(); { enable( "handle_someMethod" ); } @Handler(on=ENTRY,type=Sample.class,method="someMethod") void handle_someMethod() { enable( "handle_loopBody" ); } @Handler(on=ENTRY,type=Sample.class,method="loopBody") void handle_loopBody(){ loopVariables.add( frame( 1 ).getInt( "i" ) ); } @Override protected void finish() { assertEquals( asList( 1, 2, 3, 4 ), loopVariables ); } } } 14
  • 15. Simple example @RunWith(SubprocessTestRunner.class) public class SampleTest { @Debugger.Using(BreakPoints.class) @Test public void shouldHandleRaceCondition() { new Sample().entryPoint(); } static class BreakPoints extends Debugger { List<Integer> loopVariables = new ArrayList<Integer>(); { enable( "handle_someMethod" ); } @Handler(on=ENTRY,type=Sample.class,method="someMethod") void handle_someMethod() { enable( "handle_loopBody" ); } @Handler(on=ENTRY,type=Sample.class,method="loopBody") void handle_loopBody(){ loopVariables.add( frame( 1 ).getInt( "i" ) ); } @Override protected void finish() { assertEquals( asList( 1, 2, 3, 4 ), loopVariables ); } } } 14 public class Sample { public void entryPoint() { for ( int i = 0; i < 5; i++ ) { loopBody(); someMethod(); } } private void someMethod() { /* do nothing */ } private void loopBody() { /* do nothing */ } }
  • 16. Simple example @RunWith(SubprocessTestRunner.class) public class SampleTest { @Debugger.Using(BreakPoints.class) @Test public void shouldHandleRaceCondition() { new Sample().entryPoint(); } static class BreakPoints extends Debugger { List<Integer> loopVariables = new ArrayList<Integer>(); { enable( "handle_someMethod" ); } @Handler(on=ENTRY,type=Sample.class,method="someMethod") void handle_someMethod() { enable( "handle_loopBody" ); } @Handler(on=ENTRY,type=Sample.class,method="loopBody") void handle_loopBody(){ loopVariables.add( frame( 1 ).getInt( "i" ) ); } @Override protected void finish() { assertEquals( asList( 1, 2, 3, 4 ), loopVariables ); } } } 14 { enable( "handle_someMethod" ); }
  • 17. Simple example @RunWith(SubprocessTestRunner.class) public class SampleTest { @Debugger.Using(BreakPoints.class) @Test public void shouldHandleRaceCondition() { new Sample().entryPoint(); } static class BreakPoints extends Debugger { List<Integer> loopVariables = new ArrayList<Integer>(); { enable( "handle_someMethod" ); } @Handler(on=ENTRY,type=Sample.class,method="someMethod") void handle_someMethod() { enable( "handle_loopBody" ); } @Handler(on=ENTRY,type=Sample.class,method="loopBody") void handle_loopBody(){ loopVariables.add( frame( 1 ).getInt( "i" ) ); } @Override protected void finish() { assertEquals( asList( 1, 2, 3, 4 ), loopVariables ); } } } 14 @Handler(on=ENTRY,type=Sample.class,method="someMethod") void handle_someMethod() { enable( "handle_loopBody" ); }
  • 18. Simple example @RunWith(SubprocessTestRunner.class) public class SampleTest { @Debugger.Using(BreakPoints.class) @Test public void shouldHandleRaceCondition() { new Sample().entryPoint(); } static class BreakPoints extends Debugger { List<Integer> loopVariables = new ArrayList<Integer>(); { enable( "handle_someMethod" ); } @Handler(on=ENTRY,type=Sample.class,method="someMethod") void handle_someMethod() { enable( "handle_loopBody" ); } @Handler(on=ENTRY,type=Sample.class,method="loopBody") void handle_loopBody(){ loopVariables.add( frame( 1 ).getInt( "i" ) ); } @Override protected void finish() { assertEquals( asList( 1, 2, 3, 4 ), loopVariables ); } } } 14 @Handler(on=ENTRY,type=Sample.class,method="loopBody") void handle_loopBody(){ loopVariables.add( frame( 1 ).getInt( "i" ) ); }
  • 19. Simple example @RunWith(SubprocessTestRunner.class) public class SampleTest { @Debugger.Using(BreakPoints.class) @Test public void shouldHandleRaceCondition() { new Sample().entryPoint(); } static class BreakPoints extends Debugger { List<Integer> loopVariables = new ArrayList<Integer>(); { enable( "handle_someMethod" ); } @Handler(on=ENTRY,type=Sample.class,method="someMethod") void handle_someMethod() { enable( "handle_loopBody" ); } @Handler(on=ENTRY,type=Sample.class,method="loopBody") void handle_loopBody(){ loopVariables.add( frame( 1 ).getInt( "i" ) ); } @Override protected void finish() { assertEquals( asList( 1, 2, 3, 4 ), loopVariables ); } } } 14 @Override protected void finish() { assertEquals( asList( 1, 2, 3, 4 ), loopVariables ); }
  • 20. Simple example @RunWith(SubprocessTestRunner.class) public class SampleTest { @Debugger.Using(BreakPoints.class) @Test public void shouldHandleRaceCondition() { new Sample().entryPoint(); } static class BreakPoints extends Debugger { List<Integer> loopVariables = new ArrayList<Integer>(); { enable( "handle_someMethod" ); } @Handler(on=ENTRY,type=Sample.class,method="someMethod") void handle_someMethod() { enable( "handle_loopBody" ); } @Handler(on=ENTRY,type=Sample.class,method="loopBody") void handle_loopBody(){ loopVariables.add( frame( 1 ).getInt( "i" ) ); } @Override protected void finish() { assertEquals( asList( 1, 2, 3, 4 ), loopVariables ); } } } 14
  • 23. Frame introspection ๏Native interface (JVMTI) ๏Abilities: •Get method and instruction offset for each element on stack •Force early return from method •Pop frame and re-run method •Get local variable from call stack •Get notification when frame is popped (method is exited) (Forcing a frame to be popped does not trigger the event) 17
  • 24. Dynamic access to local variables public @Test void sampleOfAccessingLiveCallFrame() { int anInt = 4; // random number - by dice String aString = "some string value"; 18
  • 25. Dynamic access to local variables public @Test void sampleOfAccessingLiveCallFrame() { int anInt = 4; // random number - by dice String aString = "some string value"; // get the tool ToolingInterface tools = ToolingInterface.getToolingInterface(); 18
  • 26. Dynamic access to local variables public @Test void sampleOfAccessingLiveCallFrame() { int anInt = 4; // random number - by dice String aString = "some string value"; // get the tool ToolingInterface tools = ToolingInterface.getToolingInterface(); // get the frame CallFrame myFrame = tools.getCallFrame( 0 ); 18
  • 27. Dynamic access to local variables public @Test void sampleOfAccessingLiveCallFrame() { int anInt = 4; // random number - by dice String aString = "some string value"; // get the tool ToolingInterface tools = ToolingInterface.getToolingInterface(); // get the frame CallFrame myFrame = tools.getCallFrame( 0 ); // get local assertEquals( anInt, frame.getLocal( "anInt" ) ); 18
  • 28. Dynamic access to local variables public @Test void sampleOfAccessingLiveCallFrame() { int anInt = 4; // random number - by dice String aString = "some string value"; // get the tool ToolingInterface tools = ToolingInterface.getToolingInterface(); // get the frame CallFrame myFrame = tools.getCallFrame( 0 ); // get local assertEquals( anInt, frame.getLocal( "anInt" ) ); // update local anInt = 17; // most random number - proven! assertEquals( anInt, frame.getLocal( "anInt" ) ); 18
  • 29. Dynamic access to local variables public @Test void sampleOfAccessingLiveCallFrame() { int anInt = 4; // random number - by dice String aString = "some string value"; // get the tool ToolingInterface tools = ToolingInterface.getToolingInterface(); // get the frame CallFrame myFrame = tools.getCallFrame( 0 ); // get local assertEquals( anInt, frame.getLocal( "anInt" ) ); // update local anInt = 17; // most random number - proven! assertEquals( anInt, frame.getLocal( "anInt" ) ); // fancy get assertSame( aString ((CallFrame)myFrame.getLocal( "myFrame" )) .getLocal( "aString" ) ); 18
  • 30. Dynamic access to local variables public @Test void sampleOfAccessingLiveCallFrame() { int anInt = 4; // random number - by dice String aString = "some string value"; // get the tool ToolingInterface tools = ToolingInterface.getToolingInterface(); // get the frame CallFrame myFrame = tools.getCallFrame( 0 ); // get local assertEquals( anInt, frame.getLocal( "anInt" ) ); // update local anInt = 17; // most random number - proven! assertEquals( anInt, frame.getLocal( "anInt" ) ); // fancy get assertSame( aString ((CallFrame)myFrame.getLocal( "myFrame" )) .getLocal( "aString" ) ); // convenient this assertSame( this, frame.getThis() ); } 18
  • 33. Heap introspection ๏Native interface (JVMTI) ๏Abilities: •Following references •Tagging objects and classes •Getting tagged objects •Transitive reachability traversal •Iterating through all reachable objects •Iterating through all objects (reachable and not) •Iterating through all instances of a class •Getting object size •Getting object monitor usage 21
  • 35. Putting it all together: Live introspection 23
  • 38. Web resources 26 ๏Java Debug Interface (JDI): http://docs.oracle.com/javase/7/docs/jdk/api/jpda/jdi/ ๏JVM Tooling Interface: http://docs.oracle.com/javase/7/docs/platform/jvmti/jvmti.html ๏JNI - JVMTI is an “extension” of JNI: http://docs.oracle.com/javase/7/docs/technotes/guides/jni/spec/jniTOC.html ๏Overview of JDK tools: http://docs.oracle.com/javase/7/docs/technotes/tools/index.html ๏JVM Attach API: http://docs.oracle.com/javase/7/docs/jdk/api/attach/spec/
  • 39. Code samples ๏http://github.com/thobe/java-tooling, contains: •Library for building tools in java ‣Soon: cross compiled native binaries for Mac OS X,Windows, Linux •Code examples showing how to use these tools ๏https://github.com/thobe/subprocess-testing, contains: •JDI-based JUnit TestRunner ๏http://github.com/thobe/java-agent, contains: •Java agent code injection ๏http://github.com/thobe/introscript, contains: •javax.script.ScriptEngine that attaches to other process and introspects it with above tools 27