features-exploits-csrf.md 21.3 KB
Newer Older
茶陵後's avatar
茶陵後 已提交
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373
# Cross Site Request Forgery (CSRF)

Spring provides comprehensive support for protecting against [Cross Site Request Forgery (CSRF)](https://en.wikipedia.org/wiki/Cross-site_request_forgery) attacks.
In the following sections we will explore:

* [What is a CSRF Attack?](#csrf-explained)

* [Protecting Against CSRF Attacks](#csrf-protection)

* [CSRF Considerations](#csrf-considerations)

|   |This portion of the documentation discusses the general topic of CSRF protection.<br/>Refer to the relevant sections for specific information on CSRF protection for [servlet](../../servlet/exploits/csrf.html#servlet-csrf) and [WebFlux](../../reactive/exploits/csrf.html#webflux-csrf) based applications.|
|---|---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------|

## What is a CSRF Attack?

The best way to understand a CSRF attack is by taking a look at a concrete example.

Assume that your bank’s website provides a form that allows transferring money from the currently logged in user to another bank account.
For example, the transfer form might look like:

Example 1. Transfer form

```
<form method="post"
	action="/transfer">
<input type="text"
	name="amount"/>
<input type="text"
	name="routingNumber"/>
<input type="text"
	name="account"/>
<input type="submit"
	value="Transfer"/>
</form>
```

The corresponding HTTP request might look like:

Example 2. Transfer HTTP request

```
POST /transfer HTTP/1.1
Host: bank.example.com
Cookie: JSESSIONID=randomid
Content-Type: application/x-www-form-urlencoded

amount=100.00&routingNumber=1234&account=9876
```

Now pretend you authenticate to your bank’s website and then, without logging out, visit an evil website.
The evil website contains an HTML page with the following form:

Example 3. Evil transfer form

```
<form method="post"
	action="https://bank.example.com/transfer">
<input type="hidden"
	name="amount"
	value="100.00"/>
<input type="hidden"
	name="routingNumber"
	value="evilsRoutingNumber"/>
<input type="hidden"
	name="account"
	value="evilsAccountNumber"/>
<input type="submit"
	value="Win Money!"/>
</form>
```

You like to win money, so you click on the submit button.
In the process, you have unintentionally transferred $100 to a malicious user.
This happens because, while the evil website cannot see your cookies, the cookies associated with your bank are still sent along with the request.

Worst yet, this whole process could have been automated using JavaScript.
This means you didn’t even need to click on the button.
Furthermore, it could just as easily happen when visiting an honest site that is a victim of a [XSS attack](https://www.owasp.org/index.php/Cross-site_Scripting_(XSS)).
So how do we protect our users from such attacks?

## Protecting Against CSRF Attacks

The reason that a CSRF attack is possible is that the HTTP request from the victim’s website and the request from the attacker’s website are exactly the same.
This means there is no way to reject requests coming from the evil website and allow requests coming from the bank’s website.
To protect against CSRF attacks we need to ensure there is something in the request that the evil site is unable to provide so we can differentiate the two requests.

Spring provides two mechanisms to protect against CSRF attacks:

* The [Synchronizer Token Pattern](#csrf-protection-stp)

* Specifying the [SameSite Attribute](#csrf-protection-ssa) on your session cookie

|   |Both protections require that [Safe Methods Must be Idempotent](#csrf-protection-idempotent)|
|---|--------------------------------------------------------------------------------------------|

### Safe Methods Must be Idempotent

In order for [either protection](#csrf-protection) against CSRF to work, the application must ensure that ["safe" HTTP methods are idempotent](https://tools.ietf.org/html/rfc7231#section-4.2.1).
This means that requests with the HTTP method `GET`, `HEAD`, `OPTIONS`, and `TRACE` should not change the state of the application.

### Synchronizer Token Pattern

The predominant and most comprehensive way to protect against CSRF attacks is to use the [Synchronizer Token Pattern](https://cheatsheetseries.owasp.org/cheatsheets/Cross-Site_Request_Forgery_Prevention_Cheat_Sheet.html#synchronizer-token-pattern).
This solution is to ensure that each HTTP request requires, in addition to our session cookie, a secure random generated value called a CSRF token must be present in the HTTP request.

When an HTTP request is submitted, the server must look up the expected CSRF token and compare it against the actual CSRF token in the HTTP request.
If the values do not match, the HTTP request should be rejected.

The key to this working is that the actual CSRF token should be in a part of the HTTP request that is not automatically included by the browser.
For example, requiring the actual CSRF token in an HTTP parameter or an HTTP header will protect against CSRF attacks.
Requiring the actual CSRF token in a cookie does not work because cookies are automatically included in the HTTP request by the browser.

We can relax the expectations to only require the actual CSRF token for each HTTP request that updates state of the application.
For that to work, our application must ensure that [safe HTTP methods are idempotent](#csrf-protection-idempotent).
This improves usability since we want to allow linking to our website using links from external sites.
Additionally, we do not want to include the random token in HTTP GET as this can cause the tokens to be leaked.

Let’s take a look at how [our example](#csrf-explained) would change when using the Synchronizer Token Pattern.
Assume the actual CSRF token is required to be in an HTTP parameter named `_csrf`.
Our application’s transfer form would look like:

Example 4. Synchronizer Token Form

```
<form method="post"
	action="/transfer">
<input type="hidden"
	name="_csrf"
	value="4bfd1575-3ad1-4d21-96c7-4ef2d9f86721"/>
<input type="text"
	name="amount"/>
<input type="text"
	name="routingNumber"/>
<input type="hidden"
	name="account"/>
<input type="submit"
	value="Transfer"/>
</form>
```

The form now contains a hidden input with the value of the CSRF token.
External sites cannot read the CSRF token since the same origin policy ensures the evil site cannot read the response.

The corresponding HTTP request to transfer money would look like this:

Example 5. Synchronizer Token request

```
POST /transfer HTTP/1.1
Host: bank.example.com
Cookie: JSESSIONID=randomid
Content-Type: application/x-www-form-urlencoded

amount=100.00&routingNumber=1234&account=9876&_csrf=4bfd1575-3ad1-4d21-96c7-4ef2d9f86721
```

You will notice that the HTTP request now contains the `_csrf` parameter with a secure random value.
The evil website will not be able to provide the correct value for the `_csrf` parameter (which must be explicitly provided on the evil website) and the transfer will fail when the server compares the actual CSRF token to the expected CSRF token.

### SameSite Attribute

An emerging way to protect against [CSRF Attacks](#csrf) is to specify the [SameSite Attribute](https://tools.ietf.org/html/draft-west-first-party-cookies) on cookies.
A server can specify the `SameSite` attribute when setting a cookie to indicate that the cookie should not be sent when coming from external sites.

|   |Spring Security does not directly control the creation of the session cookie, so it does not provide support for the SameSite attribute.[Spring Session](https://spring.io/projects/spring-session) provides support for the `SameSite` attribute in servlet based applications.<br/>Spring Framework’s [CookieWebSessionIdResolver](https://docs.spring.io/spring-framework/docs/current/javadoc-api/org/springframework/web/server/session/CookieWebSessionIdResolver.html) provides out of the box support for the `SameSite` attribute in WebFlux based applications.|
|---|-------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------|

An example, HTTP response header with the `SameSite` attribute might look like:

Example 6. SameSite HTTP response

```
Set-Cookie: JSESSIONID=randomid; Domain=bank.example.com; Secure; HttpOnly; SameSite=Lax
```

Valid values for the `SameSite` attribute are:

* `Strict` - when specified any request coming from the [same-site](https://tools.ietf.org/html/draft-west-first-party-cookies-07#section-2.1) will include the cookie.
  Otherwise, the cookie will not be included in the HTTP request.

* `Lax` - when specified cookies will be sent when coming from the [same-site](https://tools.ietf.org/html/draft-west-first-party-cookies-07#section-2.1) or when the request comes from top-level navigations and the [method is idempotent](#csrf-protection-idempotent).
  Otherwise, the cookie will not be included in the HTTP request.

Let’s take a look at how [our example](#csrf-explained) could be protected using the `SameSite` attribute.
The bank application can protect against CSRF by specifying the `SameSite` attribute on the session cookie.

With the `SameSite` attribute set on our session cookie, the browser will continue to send the `JSESSIONID` cookie with requests coming from the banking website.
However, the browser will no longer send the `JSESSIONID` cookie with a transfer request coming from the evil website.
Since the session is no longer present in the transfer request coming from the evil website, the application is protected from the CSRF attack.

There are some important [considerations](https://tools.ietf.org/html/draft-west-first-party-cookies-07#section-5) that one should be aware about when using `SameSite` attribute to protect against CSRF attacks.

Setting the `SameSite` attribute to `Strict` provides a stronger defense but can confuse users.
Consider a user that stays logged into a social media site hosted at [https://social.example.com](https://social.example.com).
The user receives an email at [https://email.example.org](https://email.example.org) that includes a link to the social media site.
If the user clicks on the link, they would rightfully expect to be authenticated to the social media site.
However, if the `SameSite` attribute is `Strict` the cookie would not be sent and so the user would not be authenticated.

|   |We could improve the protection and usability of `SameSite` protection against CSRF attacks by implementing [gh-7537](https://github.com/spring-projects/spring-security/issues/7537).|
|---|--------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------|

Another obvious consideration is that in order for the `SameSite` attribute to protect users, the browser must support the `SameSite` attribute.
Most modern browsers do [support the SameSite attribute](https://developer.mozilla.org/en-US/docs/Web/HTTP/headers/Set-Cookie#Browser_compatibility).
However, older browsers that are still in use may not.

For this reason, it is generally recommended to use the `SameSite` attribute as a defense in depth rather than the sole protection against CSRF attacks.

## When to use CSRF protection

When should you use CSRF protection?
Our recommendation is to use CSRF protection for any request that could be processed by a browser by normal users.
If you are only creating a service that is used by non-browser clients, you will likely want to disable CSRF protection.

### CSRF protection and JSON

A common question is "do I need to protect JSON requests made by javascript?"
The short answer is, it depends.
However, you must be very careful as there are CSRF exploits that can impact JSON requests.
For example, a malicious user can create a [CSRF with JSON using the following form](http://blog.opensecurityresearch.com/2012/02/json-csrf-with-parameter-padding.html):

Example 7. CSRF with JSON form

```
<form action="https://bank.example.com/transfer" method="post" enctype="text/plain">
	<input name='{"amount":100,"routingNumber":"evilsRoutingNumber","account":"evilsAccountNumber", "ignore_me":"' value='test"}' type='hidden'>
	<input type="submit"
		value="Win Money!"/>
</form>
```

This will produce the following JSON structure

Example 8. CSRF with JSON request

```
{ "amount": 100,
"routingNumber": "evilsRoutingNumber",
"account": "evilsAccountNumber",
"ignore_me": "=test"
}
```

If an application were not validating the Content-Type, then it would be exposed to this exploit.
Depending on the setup, a Spring MVC application that validates the Content-Type could still be exploited by updating the URL suffix to end with `.json` as shown below:

Example 9. CSRF with JSON Spring MVC form

```
<form action="https://bank.example.com/transfer.json" method="post" enctype="text/plain">
	<input name='{"amount":100,"routingNumber":"evilsRoutingNumber","account":"evilsAccountNumber", "ignore_me":"' value='test"}' type='hidden'>
	<input type="submit"
		value="Win Money!"/>
</form>
```

### CSRF and Stateless Browser Applications

What if my application is stateless?
That doesn’t necessarily mean you are protected.
In fact, if a user does not need to perform any actions in the web browser for a given request, they are likely still vulnerable to CSRF attacks.

For example, consider an application that uses a custom cookie that contains all the state within it for authentication instead of the JSESSIONID.
When the CSRF attack is made the custom cookie will be sent with the request in the same manner that the JSESSIONID cookie was sent in our previous example.
This application will be vulnerable to CSRF attacks.

Applications that use basic authentication are also vulnerable to CSRF attacks.
The application is vulnerable since the browser will automatically include the username and password in any requests in the same manner that the JSESSIONID cookie was sent in our previous example.

## CSRF Considerations

There are a few special considerations to consider when implementing protection against CSRF attacks.

### Logging In

In order to protect against [forging log in requests](https://en.wikipedia.org/wiki/Cross-site_request_forgery#Forging_login_requests) the log in HTTP request should be protected against CSRF attacks.
Protecting against forging log in requests is necessary so that a malicious user cannot read a victim’s sensitive information.
The attack is performed as follows:

* A malicious user performs a CSRF log in using the malicious user’s credentials.
  The victim is now authenticated as the malicious user.

* The malicious user then tricks the victim to visit the compromised website and enter sensitive information

* The information is associated to the malicious user’s account so the malicious user can log in with their own credentials and view the vicitim’s sensitive information

A possible complication to ensuring log in HTTP requests are protected against CSRF attacks is that the user might experience a session timeout that causes the request to be rejected.
A session timeout is surprising to users who do not expect to need to have a session in order to log in.
For more information refer to [CSRF and Session Timeouts](#csrf-considerations-timeouts).

### Logging Out

In order to protect against forging log out requests, the log out HTTP request should be protected against CSRF attacks.
Protecting against forging log out requests is necessary so a malicious user cannot read a victim’s sensitive information.
For details on the attack refer to [this blog post](https://labs.detectify.com/2017/03/15/loginlogout-csrf-time-to-reconsider/).

A possible complication to ensuring log out HTTP requests are protected against CSRF attacks is that the user might experience a session timeout that causes the request to be rejected.
A session timeout is surprising to users who do not expect to need to have a session in order to log out.
For more information refer to [CSRF and Session Timeouts](#csrf-considerations-timeouts).

### CSRF and Session Timeouts

More often than not, the expected CSRF token is stored in the session.
This means that as soon as the session expires the server will not find an expected CSRF token and reject the HTTP request.
There are a number of options to solve timeouts each of which come with trade offs.

* The best way to mitigate the timeout is by using JavaScript to request a CSRF token on form submission.
  The form is then updated with the CSRF token and submitted.

* Another option is to have some JavaScript that lets the user know their session is about to expire.
  The user can click a button to continue and refresh the session.

* Finally, the expected CSRF token could be stored in a cookie.
  This allows the expected CSRF token to outlive the session.

  One might ask why the expected CSRF token isn’t stored in a cookie by default.
  This is because there are known exploits in which headers (for example, to specify the cookies) can be set by another domain.
  This is the same reason Ruby on Rails [no longer skips CSRF checks when the header X-Requested-With is present](https://weblog.rubyonrails.org/2011/2/8/csrf-protection-bypass-in-ruby-on-rails/).
  See [this webappsec.org thread](https://web.archive.org/web/20210221120355/https://lists.webappsec.org/pipermail/websecurity_lists.webappsec.org/2011-February/007533.html) for details on how to perform the exploit.
  Another disadvantage is that by removing the state (that is, the timeout), you lose the ability to forcibly invalidate the token if it is compromised.

### 

Protecting multipart requests (file uploads) from CSRF attacks causes a [chicken and the egg](https://en.wikipedia.org/wiki/Chicken_or_the_egg) problem.
In order to prevent a CSRF attack from occurring, the body of the HTTP request must be read to obtain actual CSRF token.
However, reading the body means that the file will be uploaded which means an external site can upload a file.

There are two options to using CSRF protection with multipart/form-data.
Each option has its trade-offs.

* [Place CSRF Token in the Body](#csrf-considerations-multipart-body)

* [Place CSRF Token in the URL](#csrf-considerations-multipart-url)

|   |Before you integrate Spring Security’s CSRF protection with multipart file upload, ensure that you can upload without the CSRF protection first.<br/>More information about using multipart forms with Spring can be found within the [1.1.11. Multipart Resolver](https://docs.spring.io/spring/docs/5.2.x/spring-framework-reference/web.html#mvc-multipart) section of the Spring reference and the [MultipartFilter javadoc](https://docs.spring.io/spring/docs/5.2.x/javadoc-api/org/springframework/web/multipart/support/MultipartFilter.html).|
|---|------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------|

#### Place CSRF Token in the Body

The first option is to include the actual CSRF token in the body of the request.
By placing the CSRF token in the body, the body will be read before authorization is performed.
This means that anyone can place temporary files on your server.
However, only authorized users will be able to submit a file that is processed by your application.
In general, this is the recommended approach because the temporary file upload should have a negligible impact on most servers.

#### Include CSRF Token in URL

If allowing unauthorized users to upload temporary files is not acceptable, an alternative is to include the expected CSRF token as a query parameter in the action attribute of the form.
The disadvantage to this approach is that query parameters can be leaked.
More generally, it is considered best practice to place sensitive data within the body or headers to ensure it is not leaked.
Additional information can be found in [RFC 2616 Section 15.1.3 Encoding Sensitive Information in URI’s](https://www.w3.org/Protocols/rfc2616/rfc2616-sec15.html#sec15.1.3).

#### HiddenHttpMethodFilter

In some applications a form parameter can be used to override the HTTP method.
For example, the form below could be used to treat the HTTP method as a `delete` rather than a `post`.

Example 10. CSRF Hidden HTTP Method Form

```
<form action="/process"
	method="post">
	<!-- ... -->
	<input type="hidden"
		name="_method"
		value="delete"/>
</form>
```

Overriding the HTTP method occurs in a filter.
That filter must be placed before Spring Security’s support.
Note that overriding only happens on a `post`, so this is actually unlikely to cause any real problems.
However, it is still best practice to ensure it is placed before Spring Security’s filters.