This site is the archived OWASP Foundation Wiki and is no longer accepting Account Requests.
To view the new OWASP Foundation website, please visit https://owasp.org
Difference between revisions of "Draft REST cheat sheet"
(removed section on externalising IdP and STS) (Tag: Visual edit) |
(→Input validation) (Tag: Visual edit) |
||
Line 63: | Line 63: | ||
The results of exceeding API rate limits can be temporarily blacklisted the application/API access or notification alert to relevant users/admin. The service should return HTTP return code. "429 Too Many Requests" - The error is used when there may be DOS attack detected or the request is rejected due to rate limiting. | The results of exceeding API rate limits can be temporarily blacklisted the application/API access or notification alert to relevant users/admin. The service should return HTTP return code. "429 Too Many Requests" - The error is used when there may be DOS attack detected or the request is rejected due to rate limiting. | ||
− | |||
− | |||
− | |||
− | |||
− | |||
− | |||
− | |||
== Input validation == | == Input validation == | ||
* Do not trust input parameters/objects | * Do not trust input parameters/objects | ||
* Validate input: length / range / format and type | * Validate input: length / range / format and type | ||
− | * Achieve an implicit input validation by using strong types like numbers, dates, times in API parameters | + | * Achieve an implicit input validation by using strong types like numbers, booleans, dates, times or fixed data ranges in API parameters |
− | * | + | * Constrain string inputs with regexps |
* Reject unexpected/illegal content | * Reject unexpected/illegal content | ||
* Make use of validation/sanitation libraries or frameworks in your specific language | * Make use of validation/sanitation libraries or frameworks in your specific language | ||
* Define an appropriate request size limit and reject requests exceeding the limit with HTTP response status 413 Request Entity Too Large | * Define an appropriate request size limit and reject requests exceeding the limit with HTTP response status 413 Request Entity Too Large | ||
− | * Consider logging input validation failures. Assume that someone who is performing hundreds of failed input validations per second is up to no good. | + | * Consider logging input validation failures. Assume that someone who is performing hundreds of failed input validations per second is up to no good. |
+ | * Have a look at input validation cheat sheet for comprehensive explanation | ||
− | + | * Use a secure parser for parsing the incoming messages. If you are using XML, make sure to use a parser that is not vulnerable to [https://www.owasp.org/index.php/XML_External_Entity_(XXE)_Processing XXE] and similar attacks. | |
− | + | == Validate content types == | |
+ | A REST request or response body should match the intended content type in the header. Otherwise this could cause misinterpretation at the consumer/producer side and lead to code injection/execution. | ||
+ | * Document all supported content types in your API | ||
− | === | + | === Validate request content types === |
+ | * Reject requests containing unexpected or missing content type headers with HTTP response status 406 Unacceptable or 415 Unsupported Media Type | ||
− | + | * For XML content types ensure appropriate XML parser hardening, see the [[XML External Entity (XXE) Prevention Cheat Sheet|cheat shee]]<nowiki/>t | |
− | |||
− | |||
− | |||
− | |||
− | |||
− | |||
− | + | * Avoid accidentally exposing unintended content types by explicitly defining content types e.g. [https://jersey.github.io/ Jersey]''@(Java)consumes("application/json"); @produces("application/json")''. This avoids XXE-attack vectors for example. | |
− | + | === Send safe response content types === | |
+ | It is common for REST services to allow multiple response types (e.g. "application/xml" or "application/json", and the client specifies the preferred order of response types by the Accept header in the request. | ||
+ | * Do NOT simply copy the Accept header to the Content-type header of the response. | ||
+ | * Reject the request (ideally with a 406 Not Acceptable response) if the Accept header does not specifically contain one of the allowable types. | ||
+ | Services including script code (e.g. JavaScript) in their responses must be especially careful to defend against header injection attack. | ||
+ | * ensure sending intended content type headers in your response matching your body content e.g. "application/json" and not "application/javascript" | ||
== Output encoding == | == Output encoding == |
Revision as of 09:50, 12 September 2017
Last revision (mm/dd/yy): 09/12/2017 DRAFT MODE - WORK IN PROGRESSIntroduction
REST (or REpresentational State Transfer) is an architectural style first described in Roy Fielding's Ph.D. dissertation on Architectural Styles and the Design of Network-based Software Architectures. It evolved as Fielding wrote the HTTP/1.1 and URI specs and has been proven to be well-suited for developing distributed hypermedia applications. While REST is more widely applicable, it is most commonly used within the context of communicating with services via HTTP. The key abstraction of information in REST is a resource. A REST API resource is identified by a URI, usually a HTTP URL. REST components use connectors to perform actions on a resource by using a representation to capture the current or intended state of the resource and transferring that representation. The primary connector types are client and server, secondary connectors include cache, resolver and tunnel. REST APIs are stateless. Stateful APIs do not adhere to the REST architectural style. State in the REST acronym refers to the state of the resource which the API accesses, not the state of a session within which the API is called. While there may be good reasons for building a stateful API, it is important to realize that managing sessions is complex and difficult to do securely. Stateful services are out of scope of this Cheat Sheet. Passing state from client to backend, while making the service technically stateless, is an anti-pattern that should also be avoided as it is prone to replay and impersonation attacks. In order to implement flows with REST APIs, resources are typically created, read, updated and deleted. For example, an ecommerce site may offer methods to create an empty shopping cart, to add items to the cart and to check out the cart. Each of these REST calls is stateless and the endpoint should check whether the caller is authorized to perform the requested operation. HTTPSSecure REST services must only provide HTTPS endpoints. This protects authentication credentials in transit, for example passwords, API keys or JSON Web Tokens. It also allows clients to authenticate the service and guarantees integrity of the transmitted data. See the Transport Layer Protection Cheat Sheet for additional information. Consider the use of mutually authenticated client-side certificates to provide additional protection for highly privileged web services. Access ControlNon-public REST services must perform access control at each API endpoint. Web services in monolithic applications implement this by means of user authentication, authorisation logic and session management. This has several drawbacks for modern architectures which compose multiple micro services following the RESTful style.
JWTThere seems to be a convergence towards using JSON Web Tokens (JWT) as the format for security tokens. JWTs contain a set of claims that can be used for access control decisions.
JWT validationThe relying party or token consumer validates a JWT by verifying its signature and claims contained. Some claims have been standardised and should be present in JWT used for access controls. At least the following of the standard claims should be verified:
Whitelist HTTP methodsRESTful APIs expose resources that can be acted upon by HTTP verbs such as GET (read), POST (create), PUT (replace/update) and DELETE (to delete a record). Not all of these are valid choices for every single resource collection, user, or action. Make sure the caller is authorised to use the incoming HTTP method on the resource collection, action, and record. For example, if you have an RESTful API for a library, it's not okay to allow anonymous users to DELETE book catalog entries, but it's fine for them to GET a book catalog entry. On the other hand, for the librarian, both of these are valid uses. It is important for the service to properly restrict the allowable verbs such that only the allowed verbs would work, while all others would return a proper response code (for example, a 403 Forbidden). In Java EE in particular, this can be difficult to implement properly. See Bypassing Web Authentication and Authorization with HTTP Verb Tampering for an explanation of this common misconfiguration. API KeysAnti-farmingMany RESTful web services are put up, and then farmed, such as a price matching website or aggregation service. There's no technical method of preventing this use, so strongly consider means to encourage it as a business model by making high velocity farming is possible for a fee, or contractually limiting service using terms and conditions. CAPTCHAs and similar methods can help reduce simpler adversaries, but not well funded or technically competent adversaries. Using mutually assured client side TLS certificates may be a method of limiting access to trusted organisations, but this is by no means certain, particularly if certificates are posted deliberately or by accident to the Internet. API keys can be used for every API request. If there is any suspicious behavior in the API requests, the caller can be identified by the API Key and its key revoked. Furthermore, rate limiting is often also implemented based on API keys. Note, however, that API keys are susceptible to theft and should not be the sole defence mechanism on high-value targets. API rate limitsThe objectives of API Rate is to reduce massive API requests that cause denial of services, and also to mitigate potential brute-force attack, or misuses of the services. The API rate limits can be controlled at API gateway or WAF. The following API rate limits mechanism can be considered.
The results of exceeding API rate limits can be temporarily blacklisted the application/API access or notification alert to relevant users/admin. The service should return HTTP return code. "429 Too Many Requests" - The error is used when there may be DOS attack detected or the request is rejected due to rate limiting. Input validation
Validate content typesA REST request or response body should match the intended content type in the header. Otherwise this could cause misinterpretation at the consumer/producer side and lead to code injection/execution.
Validate request content types
Send safe response content typesIt is common for REST services to allow multiple response types (e.g. "application/xml" or "application/json", and the client specifies the preferred order of response types by the Accept header in the request.
Services including script code (e.g. JavaScript) in their responses must be especially careful to defend against header injection attack.
Output encodingSecurity headersTo make sure the content of a given resources is interpreted correctly by the browser, the server should always send the Content-Type header with the correct Content-Type, and preferably the Content-Type header should include a charset. The server should also send an X-Content-Type-Options: nosniff to make sure the browser does not try to detect a different Content-Type than what is actually sent (can lead to XSS). Additionally the client should send an X-Frame-Options: deny to protect against drag'n drop clickjacking attacks in older browsers. CORSConfidentialityRESTful web services should be careful to prevent leaking credentials. Passwords, security tokens, and API keys should not appear in the URL, as this can be captured in web server logs, which makes them intrinsically valuable. OK: NOT OK:
HTTP Return CodeHTTP defines status code [1]. When designing REST API, don't just use 200 for success or 404 for error. Here are some guideline to consider for each REST API status return code. Proper error handle may help to validate the incoming requests and better identify the potential security risks.
Related articlesOWASP Cheat Sheets Project Homepage
Authors and primary editorsErlend Oftedal - [email protected] Other cheatsheets |