SlideShare a Scribd company logo
1 of 50
Download to read offline
Alvaro Muñoz, @pwntester
Christian Schneider, @cschneider4711
Surviving the Java Serialization
Apocalypse
JVM
Why this talk?
• Java deserialization attacks have been known for years
– Relatively new gadget in Apache Commons-Collections made the topic
available to a broader audience in 2015
• Some inaccurate advice to protect your applications is making the rounds
– In this talk we’ll demonstrate the weakness of this advice by …
• … showing you new RCE gadgets
• … showing you bypasses
• We’ll give advice how to spot this vulnerability and its gadgets during …
– … code reviews (i.e. showing you what to look for)
– … pentests (i.e. how to generically test for such issues)
2
Quick Poll
3
InputStream is = request.getInputStream();
ObjectInputStream ois = new ObjectInputStream(ois);
ois.readObject();
Deserializing user-controlled data will get you compromised in the worst case …
... and probably will crash your JVM in the best.
Spoiler Alert
JAVA (DE)SERIALIZATION 101
• Taking a snapshot of an object graph as a byte stream
that can be used to reconstruct the object graph to its
original state
• Only object data is serialized, not the code
• The code sits on the Classpath of the deserializing end
4
Object Graph Object Graph
ACED 0005 …
Attack Surface
• Usages of Java serialization
in protocols/formats/products:
– RMI (Remote Method
Invocation)
– JMX (Java Management
Extension)
– JMS (Java Messaging
System)
– Spring Service Invokers
• HTTP, JMS, RMI, etc.
– Android
– AMF (Action Message
Format)
– JSF ViewState
– WebLogic T3
– …
5
Java Deserialization in a Nutshell
6
Serializable Class
6. Restore object member fields

• readObject(ObjectInputStream)
• readObjectNoData()
7. Eventually replace restored object

• readResolve()
8. Optionally validate object

• validateObject()
9. Cast deserialized object to expected type

10.Use deserialized object
ObjectInputStream Application Code Garbage Collector
11.Call finalize() on GC
1. Get bytes

2. Initialize ObjectInputStream

3. Read object from stream

• ois.readObject()
4. Resolve classes of stream
resolveClass()

5. Deserialize objects
ABUSING “MAGIC METHODS”
• Abusing "magic methods" of gadgets which have dangerous code:
• Attacker controls member fields / fields’ values of serialized object
• Upon deserialization .readObject() / .readResolve() is invoked
• Implementation of this method in gadget class uses attacker-controlled fields
• Aside from the classic ones also lesser-known "magic methods" help:
• .validateObject() as part of validation (which does not prevent attacks)
• .readObjectNoData() upon deserialization conflicts
• .finalize() as part of GC (even after errors)
• Works also for Externalizable’s .readExternal()
7
Triggering Execution via "Magic Methods"
8
Serializable Class
6. Restore object member fields

• readObject(ObjectInputStream)
• readObjectNoData()
7. Eventually replace restored object

• readResolve()
8. Optionally validate object

• validateObject()
9. Cast deserialized object to expected type

10.Use deserialized object
ObjectInputStream Application Code Garbage Collector
11.Call finalize() on GC
1. Get bytes

2. Initialize ObjectInputStream

3. Read object from stream

• ois.readObject()
4. Resolve classes of stream
resolveClass()

5. Deserialize objects
public class DangerousToy implements Serializable {
private String command;
…
public final Object readObject(ObjectInputStream ois)
throws OptionalDataException, ClassNotFoundException, IOException {
ois.defaultReadObject();
Runtime.getRuntime().exec(command);
}
}
Toy Example
99
10
Apache Commons Collections Gadget
11
Credits:
Chris Frohoff (@frohoff)
Gabriel Lawrence (@gebl)
by Frohoff & Lawrence
WHAT IF THERE IS NO
INTERESTING CODE
REACHED BY MAGIC
METHODS?
12
Proxy to the rescue
13
Class
field1
field2
…
method1
method2
Interface
method1
method2
Invocation
Handler
Custom code
method2
Proxy
Exploiting InvocationHandler (IH) Gadgets
• Attacker steps upon serialization:
– Attacker controls member fields of IH gadget, which has dangerous code
– IH (as part of Dynamic Proxy) gets serialized by attacker as field on which an
innocuous method is called from "magic method" (of class to deserialize)

• Application steps upon deserialization:
– "Magic Method" of "Trigger Gadget" calls innocuous method on an attacker
controlled field
– This call is intercepted by proxy (set by attacker as this field) and dispatched to IH

• Other IH-like types exist aside from java.lang.reflect.InvocationHandler
– javassist.util.proxy.MethodHandler
– org.jboss.weld.bean.proxy.MethodHandler
14
}no requirement to implement interface
public class TriggerGadget implements Serializable {
private Comparator comp;
…
public final Object readObject(ObjectInputStream ois) throws Exception {
ois.defaultReadObject();
comp.compare("foo", "bar");
}
}
Toy Example: Trigger Gadget
15
Attacker controls this field, so it can set it
to anything implementing
java.util.Comparator … anything, even a
Proxy
Proxy will intercept call to
“compare()” and dispatch it
to its Invocation Handler
15
public class DangerousHandler implements Serializable, InvocationHandler {
private String command;
…
public Object invoke(Object proxy, Method method, Object[] args) {
Runtime.getRuntime().exec(command);
}
}
Toy Example: Dangerous IH
16
Payload execution
16
New RCE gadget in BeanShell (CVE-2016-2510)
• bsh.XThis$Handler
• Serializable
• InvocationHandler
• Upon function interception custom BeanShell code
will be called
• Almost any Java code can be included in the
payload
• In order to invoke the payload a trigger gadget is
needed to dispatch the execution to the
InvocationHandler invoke method
17
New RCE gadget in BeanShell (CVE-2016-2510)
18
MITIGATION ADVICES
19
Mitigation Advice #1: Remove Gadget
20
Tons of Gadgets
• Spring AOP (by Wouter Coekaerts in 2011)
• First public exploit: (by @pwntester in 2013)
• Commons-fileupload (by Arun Babu Neelicattu in 2013)
• Groovy (by cpnrodzc7 / @frohoff in 2015)
• Commons-Collections (by @frohoff and @gebl in 2015)
• Spring Beans (by @frohoff and @gebl in 2015)
• Serial DoS (by Wouter Coekaerts in 2015)
• SpringTx (by @zerothinking in 2016)
• JDK7 (by @frohoff in 2016)
• Beanutils (by @frohoff in 2016)
• Hibernate, MyFaces, C3P0, net.sf.json, ROME (by M. Bechler in 2016)
• Beanshell, Jython, lots of bypasses (by @pwntester and @cschneider4711 in 2016)
• JDK7 Rhino (by @matthias_kaiser in 2016)
21
Mitigation Advice #1: Remove Gadget
22
Mitigation Advice #2: AdHoc Security Manager
23
InputStream is = request.getInputStream();
// Install Security Manager
System.setSecurityManager(new MyDeserializationSM());
// Deserialize the data
ObjectInputStream ois = new ObjectInputStream(ois);
ois.readObject();
// Uninstall (restore) Security Manager
System.setSecurityManager(null);
Attackers can defer execution:
• finalize() method
• Play with expected types (i.e return valid types for the cast which fire later)
If you can uninstall/restore the SecurityManager or refresh the policy, attackers might be able to do it as well
Attackers can defer execution:
• finalize() method
• Play with expected types (i.e return valid types for the cast which fire later)
If you can uninstall/restore the SecurityManager or refresh the policy, attackers might be able to do it as well
Mitigation Advice #2: AdHoc Security Manager
24
InputStream is = request.getInputStream();
// Install Security Manager
System.setSecurityManager(new MyDeserializationSM());
// Deserialize the data
ObjectInputStream ois = new ObjectInputStream(ois);
ois.readObject();
// Uninstall (restore) Security Manager
System.setSecurityManager(null);
Mitigation Advice #3: Defensive Deserialization
25
class DefensiveObjectInputStream extends ObjectInputStream {
@Override
protected Class<?> resolveClass(ObjectStreamClass cls) throws IOException, ClassNotFoundException {
String className = cls.getName();
if ( /* CHECK CLASS NAME AGAINST ALLOWED/DISALLOWED TYPES */) {
throw new InvalidClassException("Unexpected serialized class", className);
}
return super.resolveClass(cls);
}
}
How did vendors handle this recently?
Vendor / Product Type of Protection
Atlassian Bamboo Removed Usage of Serialization
Apache ActiveMQ LAOIS Whitelist
Apache Batchee LAOIS Blacklist + optional Whitelist
Apache JCS LAOIS Blacklist + optional Whitelist
Apache openjpa LAOIS Blacklist + optional Whitelist
Apache Owb LAOIS Blacklist + optional Whitelist
Apache TomEE LAOIS Blacklist + optional Whitelist
********** (still to be fixed) LAOIS Blacklist
26
Bypassing Blacklists Like a Pro ;-)
27
Bypassing LookAhead Blacklists
• New gadget type to bypass ad-hoc look-ahead ObjectInputStream blacklist protections:

• During deserialization of the object graph, a new immaculate unprotected
ObjectInputStream will be instantiated
• Attacker can provide any arbitrary bytes for unsafe deserialization
• Bypass does not work for cases where ObjectInputStream is instrumented
28
public class NestedProblems implements Serializable {
private byte[] bytes … ;
…
private void readObject(ObjectInputStream in) throws IOException, ClassNotFoundException {
ObjectInputStream ois = new ObjectInputStream(new ByteArrayInputStream(bytes));
ois.readObject();
}
}
Is this for real or is this just fantasy?
29
Currently we found many bypass gadgets:

JRE: 2
Third Party Libraries:
Apache libraries: 6
Spring libraries: 1
Other popular libraries: 2
SerialKiller: Bypass Gadget Collection:
https://github.com/pwntester/SerialKillerBypassGadgetCollection
Application Servers:
WildFly (JBoss): 2
IBM WebSphere: 15
Oracle WebLogic: 5
Apache TomEE: 5
Apache Tomcat: 2
Oracle GlassFish: 2
Example: Bypass AdHoc SecurityManager and Blacklists
javax.media.jai.remote.SerializableRenderedImage	
finalize() > dispose() > closeClient()
30
1 private void closeClient() {
2
3 // Connect to the data server.
4 Socket socket = connectToServer();
5
6 // Get the socket output stream and wrap an object
7 // output stream around it.
8 OutputStream out = null;
9 ObjectOutputStream objectOut = null;
10 ObjectInputStream objectIn = null;
11 try {
12 out = socket.getOutputStream();
13 objectOut = new ObjectOutputStream(out);
14 objectIn = new ObjectInputStream(socket.getInputStream());
15 } catch (IOException e) { ... }
16 objectIn.readObject();
Attacking Whitelists: DOS attacks
• SerialDOS by Wouter Coekaerts
• HashSet Billion-Laughs Style

• jInfinity by Arshan Dabirsiaghi
• Size-uninitialized StringBuilder may be abused by huge strings to allocate a large amount of
growing character arrays

• OIS-DOS by Tomáš Polešovský
• Heap overflow when deserializing specially crafted nested ArrayLists, HashMaps or Object arrays
• Hashtable collision
• Uses an Integer overflow to force underlying array to be length 1 and so creating collisions
when adding items with same hashCode
• HashMap collision
• Number of buckets is directly controllable by attacker
• Oracle response: Won’t fix: Serialization should only be used in trusted environments
31
Mitigation Advice #3: Defensive Deserialization
32
class DefensiveObjectInputStream extends ObjectInputStream {
@Override
protected Class<?> resolveClass(ObjectStreamClass cls) throws IOException, ClassNotFoundException {
String className = cls.getName();
if ( /* CHECK CLASS NAME AGAINST ALLOWED/DISALLOWED TYPES */) {
throw new InvalidClassException("Unexpected serialized class", className);
}
return super.resolveClass(cls);
}
}
"GOLDEN GADGETS"
Pure	JRE	Gadgets	
33
AnnotationInvocationHandler Gadget
• “More serialization hacks with AnnotationInvocationHandler”
• 9 Nov 2015 by Wouter Coekaerts (@WouterCoekaerts)
• http://wouter.coekaerts.be/2015/annotationinvocationhandler
• AnnotationInvocationHandler.equalsImpl()
• “When we call equals on an annotation and give it an object
implementing the same interface but not using
AnnotationInvocationHandler, then it goes through all the
methods on the interface and calls them on that object”
34
by Coekaerts
JRE 7u21 Gadget
• 18 Dec 2015 By Chris Frohoff (@frohoff)
• https://gist.github.com/frohoff/24af7913611f8406eaf3
• LinkedHashSet
• readObject() recover items from stream and call
HashMap.put()
• checks key’s hash code and if it already contains
an item with same hash code, calls equals()
35
by Frohoff
JRE 7u21 Gadget
36
HashMap
PayloadObj
a6f7b19c
a6f7b19c
Proxy (PayloadType)
AnnotationInvocationHandler
“f5a5a608” PayloadObjmemberValues
by Frohoff
JRE 7u25 Fix
37
Catch the exception
• Back to Wouter post on AnnotationInvocationHandler tricks …
• Modify the serialized stream and inject an object that catches the
exception. Eg:
• java.beans.beancontext.BeanContextSupport
38
by Coekaerts
New JRE 8u20 Gadget
39
Chris Frohoff Gadget
Wouter’s Technique
Time :)
New JRE 8u20 Gadget
https://gist.github.com/pwntester/ab70e88821b4a6633c06
40
~200 lines of payload
construction code
WHAT ABOUT OTHER
LANGUAGES ON THE JVM?
41
Scala & Groovy
42
import java.io._
object SerializationDemo extends App {
val ois = new ObjectInputStream(new FileInputStream(“exploit.ser"))
val o = ois.readObject()
ois.close()
}
import java.io.*
File exploit = new File('exploit.ser')
try {
def is = exploit.newObjectInputStream(this.class.classLoader)
is.eachObject { println it }
} catch (e) { throw new Exception(e) } finally { is?.close() }
Source	code:	https://github.com/pwntester/JVMDeserialization
WHAT TO DO
THEN?
43
How to Harden Your Applications?
DO NOT DESERIALIZE UNTRUSTED DATA!!
• When architecture permits it:
– Use other formats instead of serialized objects: JSON, XML, etc.
• But be aware of XML-based deserialization attacks via XStream, XmlDecoder, etc.
As second-best option:
– Use defensive deserialization with look-ahead OIS with a strict whitelist
• Don’t rely on gadget-blacklisting alone!
• You can build the whitelist with OpenSource agent SWAT 

( Serial Whitelist Application Trainer: https://github.com/cschneider4711/SWAT )
• Prefer an agent-based instrumenting of ObjectInputStream towards LAOIS
• Scan your own whitelisted code for potential gadgets
• Still be aware of DoS scenarios
44
FINDING VULNERABILITIES
& GADGETS IN THE CODE
SAST	Tips
45
Finding deserialization endpoints
• Check your endpoints for those accepting (untrusted) serialized data
• Find calls to:
• ObjectInputStream.readObject()
• ObjectInputStream.readUnshared()
• Where InputStream is attacker-controlled. For example:
• May happen in library code. Eg: JMS, JMX, RMI, Queues, Brokers, Spring
HTTPInvokers, etc …
46
InputStream is = request.getInputStream();
ObjectInputStream ois = new ObjectInputStream(ois);
ois.readObject();
Finding gadgets in a Haystack
• Check your code for potential gadgets, which could be used in deserialization
• "Gadget Space" is too big. Typical app-server based deployments have hundreds of JARs
• SAST tools such as HPE Security Fortify SCA might help
47
Look for interesting method calls …
java.lang.reflect.Method.invoke()
java.io.File()
java.io.ObjectInputStream()
java.net.URLClassLoader()
java.net.Socket()
java.net.URL()
javax.naming.Context.lookup()
…
… reached by:
java.io.Externalizable.readExternal()
java.io.Serializable.readObject()
java.io.Serializable.readObjectNoData()
java.io.Serializable.readResolve()
java.io.ObjectInputValidation.validateObject()
java.lang.reflect.InvocationHandler.invoke()
java.lang.Object.finalize()
Serializable InvocationHandlers …
WHAT TO CHECK
DURING PENTESTS?
DAST	Tips
48
Passive deserialization endpoint detection
• Find requests (or any network traffic) carrying serialized Java objects:
• Easy to spot due to magic bytes at the beginning: 0xAC 0xED …
• Some web-apps might use Base64 to store serialized data 

in Cookies, etc.: rO0AB …
• Be aware that compression could’ve been applied before Base64
• 0x1F8B 0x0800 …
• H4sIA …
• Tools
• Use professional scanners for enterprise-level scans
• Use Free ZAP/Burp Plugins such as SuperSerial to passively scan for Java serialization
• Use WireShark for network traffic
• If allowed to instrument the app use runtime agents such as SWAT to find out if anything
gets deserialized
49
Q & A / Thank You !
Chris9an	Schneider
@cschneider4711	
mail@ChrisHan-Schneider.net	
Alvaro	Muñoz
@pwntester	
alvaro.munoz@hpe.com	
FAQ:	

https://Christian-Schneider.net/JavaDeserializationSecurityFAQ.html	
Whitepaper:	

https://community.hpe.com/t5/Security-Research/The-perils-of-Java-
deserialization/ba-p/6838995
… and remember:

DO NOT DESERIALIZE

UNTRUSTED DATA!!

More Related Content

What's hot

Serial Killer - Silently Pwning your Java Endpoints // OWASP BeNeLux Day 2016
Serial Killer - Silently Pwning your Java Endpoints // OWASP BeNeLux Day 2016Serial Killer - Silently Pwning your Java Endpoints // OWASP BeNeLux Day 2016
Serial Killer - Silently Pwning your Java Endpoints // OWASP BeNeLux Day 2016Christian Schneider
 
Java Deserialization Vulnerabilities - The Forgotten Bug Class (RuhrSec Edition)
Java Deserialization Vulnerabilities - The Forgotten Bug Class (RuhrSec Edition)Java Deserialization Vulnerabilities - The Forgotten Bug Class (RuhrSec Edition)
Java Deserialization Vulnerabilities - The Forgotten Bug Class (RuhrSec Edition)CODE WHITE GmbH
 
Java Serialization Deep Dive
Java Serialization Deep DiveJava Serialization Deep Dive
Java Serialization Deep DiveMartijn Dashorst
 
Introduction to Java 11
Introduction to Java 11 Introduction to Java 11
Introduction to Java 11 Knoldus Inc.
 
Java11 New Features
Java11 New FeaturesJava11 New Features
Java11 New FeaturesHaim Michael
 
XXE: How to become a Jedi
XXE: How to become a JediXXE: How to become a Jedi
XXE: How to become a JediYaroslav Babin
 
Insecure Java Deserialization
Insecure Java DeserializationInsecure Java Deserialization
Insecure Java DeserializationShiv Sahni
 
PHP unserialization vulnerabilities: What are we missing?
PHP unserialization vulnerabilities: What are we missing?PHP unserialization vulnerabilities: What are we missing?
PHP unserialization vulnerabilities: What are we missing?Sam Thomas
 
En route vers Java 21 - Javaday Paris 2023
En route vers Java 21 - Javaday Paris 2023En route vers Java 21 - Javaday Paris 2023
En route vers Java 21 - Javaday Paris 2023Jean-Michel Doudoux
 
Asfws 2014 slides why .net needs ma-cs and other serial(-ization) tales_v2.0
Asfws 2014 slides why .net needs ma-cs and other serial(-ization) tales_v2.0Asfws 2014 slides why .net needs ma-cs and other serial(-ization) tales_v2.0
Asfws 2014 slides why .net needs ma-cs and other serial(-ization) tales_v2.0Cyber Security Alliance
 
Reactive Card Magic: Understanding Spring WebFlux and Project Reactor
Reactive Card Magic: Understanding Spring WebFlux and Project ReactorReactive Card Magic: Understanding Spring WebFlux and Project Reactor
Reactive Card Magic: Understanding Spring WebFlux and Project ReactorVMware Tanzu
 
java.io - streams and files
java.io - streams and filesjava.io - streams and files
java.io - streams and filesMarcello Thiry
 
Introduction à spring boot
Introduction à spring bootIntroduction à spring boot
Introduction à spring bootAntoine Rey
 

What's hot (20)

Fixing the Java Serialization Mess
Fixing the Java Serialization Mess Fixing the Java Serialization Mess
Fixing the Java Serialization Mess
 
Serial Killer - Silently Pwning your Java Endpoints // OWASP BeNeLux Day 2016
Serial Killer - Silently Pwning your Java Endpoints // OWASP BeNeLux Day 2016Serial Killer - Silently Pwning your Java Endpoints // OWASP BeNeLux Day 2016
Serial Killer - Silently Pwning your Java Endpoints // OWASP BeNeLux Day 2016
 
Java Deserialization Vulnerabilities - The Forgotten Bug Class (RuhrSec Edition)
Java Deserialization Vulnerabilities - The Forgotten Bug Class (RuhrSec Edition)Java Deserialization Vulnerabilities - The Forgotten Bug Class (RuhrSec Edition)
Java Deserialization Vulnerabilities - The Forgotten Bug Class (RuhrSec Edition)
 
Java Serialization Deep Dive
Java Serialization Deep DiveJava Serialization Deep Dive
Java Serialization Deep Dive
 
Introduction to Java 11
Introduction to Java 11 Introduction to Java 11
Introduction to Java 11
 
What's new in Java 11
What's new in Java 11What's new in Java 11
What's new in Java 11
 
Java11 New Features
Java11 New FeaturesJava11 New Features
Java11 New Features
 
XXE: How to become a Jedi
XXE: How to become a JediXXE: How to become a Jedi
XXE: How to become a Jedi
 
Insecure Java Deserialization
Insecure Java DeserializationInsecure Java Deserialization
Insecure Java Deserialization
 
PHP unserialization vulnerabilities: What are we missing?
PHP unserialization vulnerabilities: What are we missing?PHP unserialization vulnerabilities: What are we missing?
PHP unserialization vulnerabilities: What are we missing?
 
En route vers Java 21 - Javaday Paris 2023
En route vers Java 21 - Javaday Paris 2023En route vers Java 21 - Javaday Paris 2023
En route vers Java 21 - Javaday Paris 2023
 
Asfws 2014 slides why .net needs ma-cs and other serial(-ization) tales_v2.0
Asfws 2014 slides why .net needs ma-cs and other serial(-ization) tales_v2.0Asfws 2014 slides why .net needs ma-cs and other serial(-ization) tales_v2.0
Asfws 2014 slides why .net needs ma-cs and other serial(-ization) tales_v2.0
 
Spring Boot
Spring BootSpring Boot
Spring Boot
 
Reactive Card Magic: Understanding Spring WebFlux and Project Reactor
Reactive Card Magic: Understanding Spring WebFlux and Project ReactorReactive Card Magic: Understanding Spring WebFlux and Project Reactor
Reactive Card Magic: Understanding Spring WebFlux and Project Reactor
 
Spring Boot
Spring BootSpring Boot
Spring Boot
 
Angular
AngularAngular
Angular
 
Java I/O
Java I/OJava I/O
Java I/O
 
java.io - streams and files
java.io - streams and filesjava.io - streams and files
java.io - streams and files
 
Introduction à spring boot
Introduction à spring bootIntroduction à spring boot
Introduction à spring boot
 
De Java 8 a Java 17
De Java 8 a Java 17De Java 8 a Java 17
De Java 8 a Java 17
 

Similar to Surviving the Java Deserialization Apocalypse // OWASP AppSecEU 2016

Safe Wrappers and Sane Policies for Self Protecting JavaScript
Safe Wrappers and Sane Policies for Self Protecting JavaScript�Safe Wrappers and Sane Policies for Self Protecting JavaScript�
Safe Wrappers and Sane Policies for Self Protecting JavaScriptPhú Phùng
 
Automated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget ChainsAutomated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget ChainsPriyanka Aash
 
Automated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget ChainsAutomated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget ChainsPriyanka Aash
 
Unsafe Deserialization Attacks In Java and A New Approach To Protect The JVM ...
Unsafe Deserialization Attacks In Java and A New Approach To Protect The JVM ...Unsafe Deserialization Attacks In Java and A New Approach To Protect The JVM ...
Unsafe Deserialization Attacks In Java and A New Approach To Protect The JVM ...Apostolos Giannakidis
 
【Unite 2017 Tokyo】ScriptableObjectを使ってプログラマーもアーティストも幸せになろう
【Unite 2017 Tokyo】ScriptableObjectを使ってプログラマーもアーティストも幸せになろう【Unite 2017 Tokyo】ScriptableObjectを使ってプログラマーもアーティストも幸せになろう
【Unite 2017 Tokyo】ScriptableObjectを使ってプログラマーもアーティストも幸せになろうUnity Technologies Japan K.K.
 
Automated Discovery of Deserialization Gadget Chains
 Automated Discovery of Deserialization Gadget Chains Automated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget ChainsPriyanka Aash
 
Java Unit Test and Coverage Introduction
Java Unit Test and Coverage IntroductionJava Unit Test and Coverage Introduction
Java Unit Test and Coverage IntroductionAlex Su
 
Application Frameworks: The new kids on the block
Application Frameworks: The new kids on the blockApplication Frameworks: The new kids on the block
Application Frameworks: The new kids on the blockRichard Lord
 
Современные технологии и инструменты анализа вредоносного ПО
Современные технологии и инструменты анализа вредоносного ПОСовременные технологии и инструменты анализа вредоносного ПО
Современные технологии и инструменты анализа вредоносного ПОPositive Hack Days
 
Современные технологии и инструменты анализа вредоносного ПО_PHDays_2017_Pisk...
Современные технологии и инструменты анализа вредоносного ПО_PHDays_2017_Pisk...Современные технологии и инструменты анализа вредоносного ПО_PHDays_2017_Pisk...
Современные технологии и инструменты анализа вредоносного ПО_PHDays_2017_Pisk...Ivan Piskunov
 
Architecting for Microservices Part 2
Architecting for Microservices Part 2Architecting for Microservices Part 2
Architecting for Microservices Part 2Elana Krasner
 
JDK Tools For Performance Diagnostics
JDK Tools For Performance DiagnosticsJDK Tools For Performance Diagnostics
JDK Tools For Performance DiagnosticsBaruch Sadogursky
 
Mobile Developers Talks: Delve Mobile
Mobile Developers Talks: Delve MobileMobile Developers Talks: Delve Mobile
Mobile Developers Talks: Delve MobileKonstantin Loginov
 
Static code analysis: what? how? why?
Static code analysis: what? how? why?Static code analysis: what? how? why?
Static code analysis: what? how? why?Andrey Karpov
 
Better Code through Lint and Checkstyle
Better Code through Lint and CheckstyleBetter Code through Lint and Checkstyle
Better Code through Lint and CheckstyleMarc Prengemann
 
Dynamic data race detection in concurrent Java programs
Dynamic data race detection in concurrent Java programsDynamic data race detection in concurrent Java programs
Dynamic data race detection in concurrent Java programsDevexperts
 
Android UI Development: Tips, Tricks, and Techniques
Android UI Development: Tips, Tricks, and TechniquesAndroid UI Development: Tips, Tricks, and Techniques
Android UI Development: Tips, Tricks, and TechniquesEdgar Gonzalez
 
Android UI Tips, Tricks and Techniques
Android UI Tips, Tricks and TechniquesAndroid UI Tips, Tricks and Techniques
Android UI Tips, Tricks and TechniquesMarakana Inc.
 
More topics on Java
More topics on JavaMore topics on Java
More topics on JavaAhmed Misbah
 

Similar to Surviving the Java Deserialization Apocalypse // OWASP AppSecEU 2016 (20)

Safe Wrappers and Sane Policies for Self Protecting JavaScript
Safe Wrappers and Sane Policies for Self Protecting JavaScript�Safe Wrappers and Sane Policies for Self Protecting JavaScript�
Safe Wrappers and Sane Policies for Self Protecting JavaScript
 
Automated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget ChainsAutomated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget Chains
 
Automated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget ChainsAutomated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget Chains
 
Unsafe Deserialization Attacks In Java and A New Approach To Protect The JVM ...
Unsafe Deserialization Attacks In Java and A New Approach To Protect The JVM ...Unsafe Deserialization Attacks In Java and A New Approach To Protect The JVM ...
Unsafe Deserialization Attacks In Java and A New Approach To Protect The JVM ...
 
【Unite 2017 Tokyo】ScriptableObjectを使ってプログラマーもアーティストも幸せになろう
【Unite 2017 Tokyo】ScriptableObjectを使ってプログラマーもアーティストも幸せになろう【Unite 2017 Tokyo】ScriptableObjectを使ってプログラマーもアーティストも幸せになろう
【Unite 2017 Tokyo】ScriptableObjectを使ってプログラマーもアーティストも幸せになろう
 
Automated Discovery of Deserialization Gadget Chains
 Automated Discovery of Deserialization Gadget Chains Automated Discovery of Deserialization Gadget Chains
Automated Discovery of Deserialization Gadget Chains
 
Java Unit Test and Coverage Introduction
Java Unit Test and Coverage IntroductionJava Unit Test and Coverage Introduction
Java Unit Test and Coverage Introduction
 
Application Frameworks: The new kids on the block
Application Frameworks: The new kids on the blockApplication Frameworks: The new kids on the block
Application Frameworks: The new kids on the block
 
Современные технологии и инструменты анализа вредоносного ПО
Современные технологии и инструменты анализа вредоносного ПОСовременные технологии и инструменты анализа вредоносного ПО
Современные технологии и инструменты анализа вредоносного ПО
 
Современные технологии и инструменты анализа вредоносного ПО_PHDays_2017_Pisk...
Современные технологии и инструменты анализа вредоносного ПО_PHDays_2017_Pisk...Современные технологии и инструменты анализа вредоносного ПО_PHDays_2017_Pisk...
Современные технологии и инструменты анализа вредоносного ПО_PHDays_2017_Pisk...
 
Architecting for Microservices Part 2
Architecting for Microservices Part 2Architecting for Microservices Part 2
Architecting for Microservices Part 2
 
JDK Tools For Performance Diagnostics
JDK Tools For Performance DiagnosticsJDK Tools For Performance Diagnostics
JDK Tools For Performance Diagnostics
 
Mobile Developers Talks: Delve Mobile
Mobile Developers Talks: Delve MobileMobile Developers Talks: Delve Mobile
Mobile Developers Talks: Delve Mobile
 
Static code analysis: what? how? why?
Static code analysis: what? how? why?Static code analysis: what? how? why?
Static code analysis: what? how? why?
 
Building XWiki
Building XWikiBuilding XWiki
Building XWiki
 
Better Code through Lint and Checkstyle
Better Code through Lint and CheckstyleBetter Code through Lint and Checkstyle
Better Code through Lint and Checkstyle
 
Dynamic data race detection in concurrent Java programs
Dynamic data race detection in concurrent Java programsDynamic data race detection in concurrent Java programs
Dynamic data race detection in concurrent Java programs
 
Android UI Development: Tips, Tricks, and Techniques
Android UI Development: Tips, Tricks, and TechniquesAndroid UI Development: Tips, Tricks, and Techniques
Android UI Development: Tips, Tricks, and Techniques
 
Android UI Tips, Tricks and Techniques
Android UI Tips, Tricks and TechniquesAndroid UI Tips, Tricks and Techniques
Android UI Tips, Tricks and Techniques
 
More topics on Java
More topics on JavaMore topics on Java
More topics on Java
 

Recently uploaded

Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...MyIntelliSource, Inc.
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AIABDERRAOUF MEHENNI
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providermohitmore19
 
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...ICS
 
How To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsHow To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsAndolasoft Inc
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...harshavardhanraghave
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsArshad QA
 
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerHow To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerThousandEyes
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxbodapatigopi8531
 
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...Health
 
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfLearn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfkalichargn70th171
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...OnePlan Solutions
 
A Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxA Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxComplianceQuest1
 
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...kellynguyen01
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Modelsaagamshah0812
 
Right Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsRight Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsJhone kinadey
 
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female serviceCALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female serviceanilsa9823
 
Optimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVOptimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVshikhaohhpro
 

Recently uploaded (20)

Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
 
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
 
How To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsHow To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.js
 
Microsoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdfMicrosoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdf
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview Questions
 
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerHow To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptx
 
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
 
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfLearn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
 
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICECHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
 
A Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxA Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docx
 
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Models
 
Right Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsRight Money Management App For Your Financial Goals
Right Money Management App For Your Financial Goals
 
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female serviceCALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
 
Optimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVOptimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTV
 

Surviving the Java Deserialization Apocalypse // OWASP AppSecEU 2016

  • 1. Alvaro Muñoz, @pwntester Christian Schneider, @cschneider4711 Surviving the Java Serialization Apocalypse JVM
  • 2. Why this talk? • Java deserialization attacks have been known for years – Relatively new gadget in Apache Commons-Collections made the topic available to a broader audience in 2015 • Some inaccurate advice to protect your applications is making the rounds – In this talk we’ll demonstrate the weakness of this advice by … • … showing you new RCE gadgets • … showing you bypasses • We’ll give advice how to spot this vulnerability and its gadgets during … – … code reviews (i.e. showing you what to look for) – … pentests (i.e. how to generically test for such issues) 2
  • 3. Quick Poll 3 InputStream is = request.getInputStream(); ObjectInputStream ois = new ObjectInputStream(ois); ois.readObject(); Deserializing user-controlled data will get you compromised in the worst case … ... and probably will crash your JVM in the best. Spoiler Alert
  • 4. JAVA (DE)SERIALIZATION 101 • Taking a snapshot of an object graph as a byte stream that can be used to reconstruct the object graph to its original state • Only object data is serialized, not the code • The code sits on the Classpath of the deserializing end 4 Object Graph Object Graph ACED 0005 …
  • 5. Attack Surface • Usages of Java serialization in protocols/formats/products: – RMI (Remote Method Invocation) – JMX (Java Management Extension) – JMS (Java Messaging System) – Spring Service Invokers • HTTP, JMS, RMI, etc. – Android – AMF (Action Message Format) – JSF ViewState – WebLogic T3 – … 5
  • 6. Java Deserialization in a Nutshell 6 Serializable Class 6. Restore object member fields • readObject(ObjectInputStream) • readObjectNoData() 7. Eventually replace restored object • readResolve() 8. Optionally validate object • validateObject() 9. Cast deserialized object to expected type 10.Use deserialized object ObjectInputStream Application Code Garbage Collector 11.Call finalize() on GC 1. Get bytes 2. Initialize ObjectInputStream 3. Read object from stream • ois.readObject() 4. Resolve classes of stream resolveClass() 5. Deserialize objects
  • 7. ABUSING “MAGIC METHODS” • Abusing "magic methods" of gadgets which have dangerous code: • Attacker controls member fields / fields’ values of serialized object • Upon deserialization .readObject() / .readResolve() is invoked • Implementation of this method in gadget class uses attacker-controlled fields • Aside from the classic ones also lesser-known "magic methods" help: • .validateObject() as part of validation (which does not prevent attacks) • .readObjectNoData() upon deserialization conflicts • .finalize() as part of GC (even after errors) • Works also for Externalizable’s .readExternal() 7
  • 8. Triggering Execution via "Magic Methods" 8 Serializable Class 6. Restore object member fields • readObject(ObjectInputStream) • readObjectNoData() 7. Eventually replace restored object • readResolve() 8. Optionally validate object • validateObject() 9. Cast deserialized object to expected type 10.Use deserialized object ObjectInputStream Application Code Garbage Collector 11.Call finalize() on GC 1. Get bytes 2. Initialize ObjectInputStream 3. Read object from stream • ois.readObject() 4. Resolve classes of stream resolveClass() 5. Deserialize objects
  • 9. public class DangerousToy implements Serializable { private String command; … public final Object readObject(ObjectInputStream ois) throws OptionalDataException, ClassNotFoundException, IOException { ois.defaultReadObject(); Runtime.getRuntime().exec(command); } } Toy Example 99
  • 10. 10
  • 11. Apache Commons Collections Gadget 11 Credits: Chris Frohoff (@frohoff) Gabriel Lawrence (@gebl) by Frohoff & Lawrence
  • 12. WHAT IF THERE IS NO INTERESTING CODE REACHED BY MAGIC METHODS? 12
  • 13. Proxy to the rescue 13 Class field1 field2 … method1 method2 Interface method1 method2 Invocation Handler Custom code method2 Proxy
  • 14. Exploiting InvocationHandler (IH) Gadgets • Attacker steps upon serialization: – Attacker controls member fields of IH gadget, which has dangerous code – IH (as part of Dynamic Proxy) gets serialized by attacker as field on which an innocuous method is called from "magic method" (of class to deserialize)
 • Application steps upon deserialization: – "Magic Method" of "Trigger Gadget" calls innocuous method on an attacker controlled field – This call is intercepted by proxy (set by attacker as this field) and dispatched to IH
 • Other IH-like types exist aside from java.lang.reflect.InvocationHandler – javassist.util.proxy.MethodHandler – org.jboss.weld.bean.proxy.MethodHandler 14 }no requirement to implement interface
  • 15. public class TriggerGadget implements Serializable { private Comparator comp; … public final Object readObject(ObjectInputStream ois) throws Exception { ois.defaultReadObject(); comp.compare("foo", "bar"); } } Toy Example: Trigger Gadget 15 Attacker controls this field, so it can set it to anything implementing java.util.Comparator … anything, even a Proxy Proxy will intercept call to “compare()” and dispatch it to its Invocation Handler 15
  • 16. public class DangerousHandler implements Serializable, InvocationHandler { private String command; … public Object invoke(Object proxy, Method method, Object[] args) { Runtime.getRuntime().exec(command); } } Toy Example: Dangerous IH 16 Payload execution 16
  • 17. New RCE gadget in BeanShell (CVE-2016-2510) • bsh.XThis$Handler • Serializable • InvocationHandler • Upon function interception custom BeanShell code will be called • Almost any Java code can be included in the payload • In order to invoke the payload a trigger gadget is needed to dispatch the execution to the InvocationHandler invoke method 17
  • 18. New RCE gadget in BeanShell (CVE-2016-2510) 18
  • 20. Mitigation Advice #1: Remove Gadget 20
  • 21. Tons of Gadgets • Spring AOP (by Wouter Coekaerts in 2011) • First public exploit: (by @pwntester in 2013) • Commons-fileupload (by Arun Babu Neelicattu in 2013) • Groovy (by cpnrodzc7 / @frohoff in 2015) • Commons-Collections (by @frohoff and @gebl in 2015) • Spring Beans (by @frohoff and @gebl in 2015) • Serial DoS (by Wouter Coekaerts in 2015) • SpringTx (by @zerothinking in 2016) • JDK7 (by @frohoff in 2016) • Beanutils (by @frohoff in 2016) • Hibernate, MyFaces, C3P0, net.sf.json, ROME (by M. Bechler in 2016) • Beanshell, Jython, lots of bypasses (by @pwntester and @cschneider4711 in 2016) • JDK7 Rhino (by @matthias_kaiser in 2016) 21
  • 22. Mitigation Advice #1: Remove Gadget 22
  • 23. Mitigation Advice #2: AdHoc Security Manager 23 InputStream is = request.getInputStream(); // Install Security Manager System.setSecurityManager(new MyDeserializationSM()); // Deserialize the data ObjectInputStream ois = new ObjectInputStream(ois); ois.readObject(); // Uninstall (restore) Security Manager System.setSecurityManager(null); Attackers can defer execution: • finalize() method • Play with expected types (i.e return valid types for the cast which fire later) If you can uninstall/restore the SecurityManager or refresh the policy, attackers might be able to do it as well
  • 24. Attackers can defer execution: • finalize() method • Play with expected types (i.e return valid types for the cast which fire later) If you can uninstall/restore the SecurityManager or refresh the policy, attackers might be able to do it as well Mitigation Advice #2: AdHoc Security Manager 24 InputStream is = request.getInputStream(); // Install Security Manager System.setSecurityManager(new MyDeserializationSM()); // Deserialize the data ObjectInputStream ois = new ObjectInputStream(ois); ois.readObject(); // Uninstall (restore) Security Manager System.setSecurityManager(null);
  • 25. Mitigation Advice #3: Defensive Deserialization 25 class DefensiveObjectInputStream extends ObjectInputStream { @Override protected Class<?> resolveClass(ObjectStreamClass cls) throws IOException, ClassNotFoundException { String className = cls.getName(); if ( /* CHECK CLASS NAME AGAINST ALLOWED/DISALLOWED TYPES */) { throw new InvalidClassException("Unexpected serialized class", className); } return super.resolveClass(cls); } }
  • 26. How did vendors handle this recently? Vendor / Product Type of Protection Atlassian Bamboo Removed Usage of Serialization Apache ActiveMQ LAOIS Whitelist Apache Batchee LAOIS Blacklist + optional Whitelist Apache JCS LAOIS Blacklist + optional Whitelist Apache openjpa LAOIS Blacklist + optional Whitelist Apache Owb LAOIS Blacklist + optional Whitelist Apache TomEE LAOIS Blacklist + optional Whitelist ********** (still to be fixed) LAOIS Blacklist 26
  • 28. Bypassing LookAhead Blacklists • New gadget type to bypass ad-hoc look-ahead ObjectInputStream blacklist protections:
 • During deserialization of the object graph, a new immaculate unprotected ObjectInputStream will be instantiated • Attacker can provide any arbitrary bytes for unsafe deserialization • Bypass does not work for cases where ObjectInputStream is instrumented 28 public class NestedProblems implements Serializable { private byte[] bytes … ; … private void readObject(ObjectInputStream in) throws IOException, ClassNotFoundException { ObjectInputStream ois = new ObjectInputStream(new ByteArrayInputStream(bytes)); ois.readObject(); } }
  • 29. Is this for real or is this just fantasy? 29 Currently we found many bypass gadgets:
 JRE: 2 Third Party Libraries: Apache libraries: 6 Spring libraries: 1 Other popular libraries: 2 SerialKiller: Bypass Gadget Collection: https://github.com/pwntester/SerialKillerBypassGadgetCollection Application Servers: WildFly (JBoss): 2 IBM WebSphere: 15 Oracle WebLogic: 5 Apache TomEE: 5 Apache Tomcat: 2 Oracle GlassFish: 2
  • 30. Example: Bypass AdHoc SecurityManager and Blacklists javax.media.jai.remote.SerializableRenderedImage finalize() > dispose() > closeClient() 30 1 private void closeClient() { 2 3 // Connect to the data server. 4 Socket socket = connectToServer(); 5 6 // Get the socket output stream and wrap an object 7 // output stream around it. 8 OutputStream out = null; 9 ObjectOutputStream objectOut = null; 10 ObjectInputStream objectIn = null; 11 try { 12 out = socket.getOutputStream(); 13 objectOut = new ObjectOutputStream(out); 14 objectIn = new ObjectInputStream(socket.getInputStream()); 15 } catch (IOException e) { ... } 16 objectIn.readObject();
  • 31. Attacking Whitelists: DOS attacks • SerialDOS by Wouter Coekaerts • HashSet Billion-Laughs Style
 • jInfinity by Arshan Dabirsiaghi • Size-uninitialized StringBuilder may be abused by huge strings to allocate a large amount of growing character arrays
 • OIS-DOS by Tomáš Polešovský • Heap overflow when deserializing specially crafted nested ArrayLists, HashMaps or Object arrays • Hashtable collision • Uses an Integer overflow to force underlying array to be length 1 and so creating collisions when adding items with same hashCode • HashMap collision • Number of buckets is directly controllable by attacker • Oracle response: Won’t fix: Serialization should only be used in trusted environments 31
  • 32. Mitigation Advice #3: Defensive Deserialization 32 class DefensiveObjectInputStream extends ObjectInputStream { @Override protected Class<?> resolveClass(ObjectStreamClass cls) throws IOException, ClassNotFoundException { String className = cls.getName(); if ( /* CHECK CLASS NAME AGAINST ALLOWED/DISALLOWED TYPES */) { throw new InvalidClassException("Unexpected serialized class", className); } return super.resolveClass(cls); } }
  • 34. AnnotationInvocationHandler Gadget • “More serialization hacks with AnnotationInvocationHandler” • 9 Nov 2015 by Wouter Coekaerts (@WouterCoekaerts) • http://wouter.coekaerts.be/2015/annotationinvocationhandler • AnnotationInvocationHandler.equalsImpl() • “When we call equals on an annotation and give it an object implementing the same interface but not using AnnotationInvocationHandler, then it goes through all the methods on the interface and calls them on that object” 34 by Coekaerts
  • 35. JRE 7u21 Gadget • 18 Dec 2015 By Chris Frohoff (@frohoff) • https://gist.github.com/frohoff/24af7913611f8406eaf3 • LinkedHashSet • readObject() recover items from stream and call HashMap.put() • checks key’s hash code and if it already contains an item with same hash code, calls equals() 35 by Frohoff
  • 36. JRE 7u21 Gadget 36 HashMap PayloadObj a6f7b19c a6f7b19c Proxy (PayloadType) AnnotationInvocationHandler “f5a5a608” PayloadObjmemberValues by Frohoff
  • 38. Catch the exception • Back to Wouter post on AnnotationInvocationHandler tricks … • Modify the serialized stream and inject an object that catches the exception. Eg: • java.beans.beancontext.BeanContextSupport 38 by Coekaerts
  • 39. New JRE 8u20 Gadget 39 Chris Frohoff Gadget Wouter’s Technique Time :)
  • 40. New JRE 8u20 Gadget https://gist.github.com/pwntester/ab70e88821b4a6633c06 40 ~200 lines of payload construction code
  • 41. WHAT ABOUT OTHER LANGUAGES ON THE JVM? 41
  • 42. Scala & Groovy 42 import java.io._ object SerializationDemo extends App { val ois = new ObjectInputStream(new FileInputStream(“exploit.ser")) val o = ois.readObject() ois.close() } import java.io.* File exploit = new File('exploit.ser') try { def is = exploit.newObjectInputStream(this.class.classLoader) is.eachObject { println it } } catch (e) { throw new Exception(e) } finally { is?.close() } Source code: https://github.com/pwntester/JVMDeserialization
  • 44. How to Harden Your Applications? DO NOT DESERIALIZE UNTRUSTED DATA!! • When architecture permits it: – Use other formats instead of serialized objects: JSON, XML, etc. • But be aware of XML-based deserialization attacks via XStream, XmlDecoder, etc. As second-best option: – Use defensive deserialization with look-ahead OIS with a strict whitelist • Don’t rely on gadget-blacklisting alone! • You can build the whitelist with OpenSource agent SWAT 
 ( Serial Whitelist Application Trainer: https://github.com/cschneider4711/SWAT ) • Prefer an agent-based instrumenting of ObjectInputStream towards LAOIS • Scan your own whitelisted code for potential gadgets • Still be aware of DoS scenarios 44
  • 45. FINDING VULNERABILITIES & GADGETS IN THE CODE SAST Tips 45
  • 46. Finding deserialization endpoints • Check your endpoints for those accepting (untrusted) serialized data • Find calls to: • ObjectInputStream.readObject() • ObjectInputStream.readUnshared() • Where InputStream is attacker-controlled. For example: • May happen in library code. Eg: JMS, JMX, RMI, Queues, Brokers, Spring HTTPInvokers, etc … 46 InputStream is = request.getInputStream(); ObjectInputStream ois = new ObjectInputStream(ois); ois.readObject();
  • 47. Finding gadgets in a Haystack • Check your code for potential gadgets, which could be used in deserialization • "Gadget Space" is too big. Typical app-server based deployments have hundreds of JARs • SAST tools such as HPE Security Fortify SCA might help 47 Look for interesting method calls … java.lang.reflect.Method.invoke() java.io.File() java.io.ObjectInputStream() java.net.URLClassLoader() java.net.Socket() java.net.URL() javax.naming.Context.lookup() … … reached by: java.io.Externalizable.readExternal() java.io.Serializable.readObject() java.io.Serializable.readObjectNoData() java.io.Serializable.readResolve() java.io.ObjectInputValidation.validateObject() java.lang.reflect.InvocationHandler.invoke() java.lang.Object.finalize() Serializable InvocationHandlers …
  • 48. WHAT TO CHECK DURING PENTESTS? DAST Tips 48
  • 49. Passive deserialization endpoint detection • Find requests (or any network traffic) carrying serialized Java objects: • Easy to spot due to magic bytes at the beginning: 0xAC 0xED … • Some web-apps might use Base64 to store serialized data 
 in Cookies, etc.: rO0AB … • Be aware that compression could’ve been applied before Base64 • 0x1F8B 0x0800 … • H4sIA … • Tools • Use professional scanners for enterprise-level scans • Use Free ZAP/Burp Plugins such as SuperSerial to passively scan for Java serialization • Use WireShark for network traffic • If allowed to instrument the app use runtime agents such as SWAT to find out if anything gets deserialized 49
  • 50. Q & A / Thank You ! Chris9an Schneider @cschneider4711 mail@ChrisHan-Schneider.net Alvaro Muñoz @pwntester alvaro.munoz@hpe.com FAQ: 
 https://Christian-Schneider.net/JavaDeserializationSecurityFAQ.html Whitepaper: 
 https://community.hpe.com/t5/Security-Research/The-perils-of-Java- deserialization/ba-p/6838995 … and remember:
 DO NOT DESERIALIZE
 UNTRUSTED DATA!!