Initial commit
[yaffs-website] / node_modules / hawk / README.md
1 ![hawk Logo](https://raw.github.com/hueniverse/hawk/master/images/hawk.png)\r
2 \r
3 <img align="right" src="https://raw.github.com/hueniverse/hawk/master/images/logo.png" /> **Hawk** is an HTTP authentication scheme using a message authentication code (MAC) algorithm to provide partial\r
4 HTTP request cryptographic verification. For more complex use cases such as access delegation, see [Oz](https://github.com/hueniverse/oz).\r
5 \r
6 Current version: **3.x**\r
7 \r
8 Note: 3.x and 2.x are the same exact protocol as 1.1. The version increments reflect changes in the node API.\r
9 \r
10 [![Build Status](https://secure.travis-ci.org/hueniverse/hawk.png)](http://travis-ci.org/hueniverse/hawk)\r
11 \r
12 # Table of Content\r
13 \r
14 - [**Introduction**](#introduction)\r
15   - [Replay Protection](#replay-protection)\r
16   - [Usage Example](#usage-example)\r
17   - [Protocol Example](#protocol-example)\r
18     - [Payload Validation](#payload-validation)\r
19     - [Response Payload Validation](#response-payload-validation)\r
20   - [Browser Support and Considerations](#browser-support-and-considerations)\r
21 <p></p>\r
22 - [**Single URI Authorization**](#single-uri-authorization)\r
23   - [Usage Example](#bewit-usage-example)\r
24 <p></p>\r
25 - [**Security Considerations**](#security-considerations)\r
26   - [MAC Keys Transmission](#mac-keys-transmission)\r
27   - [Confidentiality of Requests](#confidentiality-of-requests)\r
28   - [Spoofing by Counterfeit Servers](#spoofing-by-counterfeit-servers)\r
29   - [Plaintext Storage of Credentials](#plaintext-storage-of-credentials)\r
30   - [Entropy of Keys](#entropy-of-keys)\r
31   - [Coverage Limitations](#coverage-limitations)\r
32   - [Future Time Manipulation](#future-time-manipulation)\r
33   - [Client Clock Poisoning](#client-clock-poisoning)\r
34   - [Bewit Limitations](#bewit-limitations)\r
35   - [Host Header Forgery](#host-header-forgery)\r
36 <p></p>\r
37 - [**Frequently Asked Questions**](#frequently-asked-questions)\r
38 <p></p>\r
39 - [**Implementations**](#implementations)\r
40 - [**Acknowledgements**](#acknowledgements)\r
41 \r
42 # Introduction\r
43 \r
44 **Hawk** is an HTTP authentication scheme providing mechanisms for making authenticated HTTP requests with\r
45 partial cryptographic verification of the request and response, covering the HTTP method, request URI, host,\r
46 and optionally the request payload.\r
47 \r
48 Similar to the HTTP [Digest access authentication schemes](http://www.ietf.org/rfc/rfc2617.txt), **Hawk** uses a set of\r
49 client credentials which include an identifier (e.g. username) and key (e.g. password). Likewise, just as with the Digest scheme,\r
50 the key is never included in authenticated requests. Instead, it is used to calculate a request MAC value which is\r
51 included in its place.\r
52 \r
53 However, **Hawk** has several differences from Digest. In particular, while both use a nonce to limit the possibility of\r
54 replay attacks, in **Hawk** the client generates the nonce and uses it in combination with a timestamp, leading to less\r
55 "chattiness" (interaction with the server).\r
56 \r
57 Also unlike Digest, this scheme is not intended to protect the key itself (the password in Digest) because\r
58 the client and server must both have access to the key material in the clear.\r
59 \r
60 The primary design goals of this scheme are to:\r
61 * simplify and improve HTTP authentication for services that are unwilling or unable to deploy TLS for all resources,\r
62 * secure credentials against leakage (e.g., when the client uses some form of dynamic configuration to determine where\r
63   to send an authenticated request), and\r
64 * avoid the exposure of credentials sent to a malicious server over an unauthenticated secure channel due to client\r
65   failure to validate the server's identity as part of its TLS handshake.\r
66 \r
67 In addition, **Hawk** supports a method for granting third-parties temporary access to individual resources using\r
68 a query parameter called _bewit_ (in falconry, a leather strap used to attach a tracking device to the leg of a hawk).\r
69 \r
70 The **Hawk** scheme requires the establishment of a shared symmetric key between the client and the server,\r
71 which is beyond the scope of this module. Typically, the shared credentials are established via an initial\r
72 TLS-protected phase or derived from some other shared confidential information available to both the client\r
73 and the server.\r
74 \r
75 \r
76 ## Replay Protection\r
77 \r
78 Without replay protection, an attacker can use a compromised (but otherwise valid and authenticated) request more \r
79 than once, gaining access to a protected resource. To mitigate this, clients include both a nonce and a timestamp when \r
80 making requests. This gives the server enough information to prevent replay attacks.\r
81 \r
82 The nonce is generated by the client, and is a string unique across all requests with the same timestamp and\r
83 key identifier combination. \r
84 \r
85 The timestamp enables the server to restrict the validity period of the credentials where requests occuring afterwards\r
86 are rejected. It also removes the need for the server to retain an unbounded number of nonce values for future checks.\r
87 By default, **Hawk** uses a time window of 1 minute to allow for time skew between the client and server (which in\r
88 practice translates to a maximum of 2 minutes as the skew can be positive or negative).\r
89 \r
90 Using a timestamp requires the client's clock to be in sync with the server's clock. **Hawk** requires both the client\r
91 clock and the server clock to use NTP to ensure synchronization. However, given the limitations of some client types\r
92 (e.g. browsers) to deploy NTP, the server provides the client with its current time (in seconds precision) in response\r
93 to a bad timestamp.\r
94 \r
95 There is no expectation that the client will adjust its system clock to match the server (in fact, this would be a\r
96 potential attack vector). Instead, the client only uses the server's time to calculate an offset used only\r
97 for communications with that particular server. The protocol rewards clients with synchronized clocks by reducing\r
98 the number of round trips required to authenticate the first request.\r
99 \r
100 \r
101 ## Usage Example\r
102 \r
103 Server code:\r
104 \r
105 ```javascript\r
106 var Http = require('http');\r
107 var Hawk = require('hawk');\r
108 \r
109 \r
110 // Credentials lookup function\r
111 \r
112 var credentialsFunc = function (id, callback) {\r
113 \r
114     var credentials = {\r
115         key: 'werxhqb98rpaxn39848xrunpaw3489ruxnpa98w4rxn',\r
116         algorithm: 'sha256',\r
117         user: 'Steve'\r
118     };\r
119 \r
120     return callback(null, credentials);\r
121 };\r
122 \r
123 // Create HTTP server\r
124 \r
125 var handler = function (req, res) {\r
126 \r
127     // Authenticate incoming request\r
128 \r
129     Hawk.server.authenticate(req, credentialsFunc, {}, function (err, credentials, artifacts) {\r
130 \r
131         // Prepare response\r
132 \r
133         var payload = (!err ? 'Hello ' + credentials.user + ' ' + artifacts.ext : 'Shoosh!');\r
134         var headers = { 'Content-Type': 'text/plain' };\r
135 \r
136         // Generate Server-Authorization response header\r
137 \r
138         var header = Hawk.server.header(credentials, artifacts, { payload: payload, contentType: headers['Content-Type'] });\r
139         headers['Server-Authorization'] = header;\r
140 \r
141         // Send the response back\r
142 \r
143         res.writeHead(!err ? 200 : 401, headers);\r
144         res.end(payload);\r
145     });\r
146 };\r
147 \r
148 // Start server\r
149 \r
150 Http.createServer(handler).listen(8000, 'example.com');\r
151 ```\r
152 \r
153 Client code:\r
154 \r
155 ```javascript\r
156 var Request = require('request');\r
157 var Hawk = require('hawk');\r
158 \r
159 \r
160 // Client credentials\r
161 \r
162 var credentials = {\r
163     id: 'dh37fgj492je',\r
164     key: 'werxhqb98rpaxn39848xrunpaw3489ruxnpa98w4rxn',\r
165     algorithm: 'sha256'\r
166 }\r
167 \r
168 // Request options\r
169 \r
170 var requestOptions = {\r
171     uri: 'http://example.com:8000/resource/1?b=1&a=2',\r
172     method: 'GET',\r
173     headers: {}\r
174 };\r
175 \r
176 // Generate Authorization request header\r
177 \r
178 var header = Hawk.client.header('http://example.com:8000/resource/1?b=1&a=2', 'GET', { credentials: credentials, ext: 'some-app-data' });\r
179 requestOptions.headers.Authorization = header.field;\r
180 \r
181 // Send authenticated request\r
182 \r
183 Request(requestOptions, function (error, response, body) {\r
184 \r
185     // Authenticate the server's response\r
186 \r
187     var isValid = Hawk.client.authenticate(response, credentials, header.artifacts, { payload: body });\r
188 \r
189     // Output results\r
190 \r
191     console.log(response.statusCode + ': ' + body + (isValid ? ' (valid)' : ' (invalid)'));\r
192 });\r
193 ```\r
194 \r
195 **Hawk** utilized the [**SNTP**](https://github.com/hueniverse/sntp) module for time sync management. By default, the local\r
196 machine time is used. To automatically retrieve and synchronice the clock within the application, use the SNTP 'start()' method.\r
197 \r
198 ```javascript\r
199 Hawk.sntp.start();\r
200 ```\r
201 \r
202 \r
203 ## Protocol Example\r
204 \r
205 The client attempts to access a protected resource without authentication, sending the following HTTP request to\r
206 the resource server:\r
207 \r
208 ```\r
209 GET /resource/1?b=1&a=2 HTTP/1.1\r
210 Host: example.com:8000\r
211 ```\r
212 \r
213 The resource server returns an authentication challenge.\r
214 \r
215 ```\r
216 HTTP/1.1 401 Unauthorized\r
217 WWW-Authenticate: Hawk\r
218 ```\r
219 \r
220 The client has previously obtained a set of **Hawk** credentials for accessing resources on the "http://example.com/"\r
221 server. The **Hawk** credentials issued to the client include the following attributes:\r
222 \r
223 * Key identifier: dh37fgj492je\r
224 * Key: werxhqb98rpaxn39848xrunpaw3489ruxnpa98w4rxn\r
225 * Algorithm: sha256\r
226 \r
227 The client generates the authentication header by calculating a timestamp (e.g. the number of seconds since January 1,\r
228 1970 00:00:00 GMT), generating a nonce, and constructing the normalized request string (each value followed by a newline\r
229 character):\r
230 \r
231 ```\r
232 hawk.1.header\r
233 1353832234\r
234 j4h3g2\r
235 GET\r
236 /resource/1?b=1&a=2\r
237 example.com\r
238 8000\r
239 \r
240 some-app-ext-data\r
241 \r
242 ```\r
243 \r
244 The request MAC is calculated using HMAC with the specified hash algorithm "sha256" and the key over the normalized request string.\r
245 The result is base64-encoded to produce the request MAC:\r
246 \r
247 ```\r
248 6R4rV5iE+NPoym+WwjeHzjAGXUtLNIxmo1vpMofpLAE=\r
249 ```\r
250 \r
251 The client includes the **Hawk** key identifier, timestamp, nonce, application specific data, and request MAC with the request using\r
252 the HTTP `Authorization` request header field:\r
253 \r
254 ```\r
255 GET /resource/1?b=1&a=2 HTTP/1.1\r
256 Host: example.com:8000\r
257 Authorization: Hawk id="dh37fgj492je", ts="1353832234", nonce="j4h3g2", ext="some-app-ext-data", mac="6R4rV5iE+NPoym+WwjeHzjAGXUtLNIxmo1vpMofpLAE="\r
258 ```\r
259 \r
260 The server validates the request by calculating the request MAC again based on the request received and verifies the validity\r
261 and scope of the **Hawk** credentials. If valid, the server responds with the requested resource.\r
262 \r
263 \r
264 ### Payload Validation\r
265 \r
266 **Hawk** provides optional payload validation. When generating the authentication header, the client calculates a payload hash\r
267 using the specified hash algorithm. The hash is calculated over the concatenated value of (each followed by a newline character):\r
268 * `hawk.1.payload`\r
269 * the content-type in lowercase, without any parameters (e.g. `application/json`)\r
270 * the request payload prior to any content encoding (the exact representation requirements should be specified by the server for payloads other than simple single-part ascii to ensure interoperability)\r
271 \r
272 For example:\r
273 \r
274 * Payload: `Thank you for flying Hawk`\r
275 * Content Type: `text/plain`\r
276 * Hash (sha256): `Yi9LfIIFRtBEPt74PVmbTF/xVAwPn7ub15ePICfgnuY=`\r
277 \r
278 Results in the following input to the payload hash function (newline terminated values):\r
279 \r
280 ```\r
281 hawk.1.payload\r
282 text/plain\r
283 Thank you for flying Hawk\r
284 \r
285 ```\r
286 \r
287 Which produces the following hash value:\r
288 \r
289 ```\r
290 Yi9LfIIFRtBEPt74PVmbTF/xVAwPn7ub15ePICfgnuY=\r
291 ```\r
292 \r
293 The client constructs the normalized request string (newline terminated values):\r
294 \r
295 ```\r
296 hawk.1.header\r
297 1353832234\r
298 j4h3g2\r
299 POST\r
300 /resource/1?a=1&b=2\r
301 example.com\r
302 8000\r
303 Yi9LfIIFRtBEPt74PVmbTF/xVAwPn7ub15ePICfgnuY=\r
304 some-app-ext-data\r
305 \r
306 ```\r
307 \r
308 Then calculates the request MAC and includes the **Hawk** key identifier, timestamp, nonce, payload hash, application specific data,\r
309 and request MAC, with the request using the HTTP `Authorization` request header field:\r
310 \r
311 ```\r
312 POST /resource/1?a=1&b=2 HTTP/1.1\r
313 Host: example.com:8000\r
314 Authorization: Hawk id="dh37fgj492je", ts="1353832234", nonce="j4h3g2", hash="Yi9LfIIFRtBEPt74PVmbTF/xVAwPn7ub15ePICfgnuY=", ext="some-app-ext-data", mac="aSe1DERmZuRl3pI36/9BdZmnErTw3sNzOOAUlfeKjVw="\r
315 ```\r
316 \r
317 It is up to the server if and when it validates the payload for any given request, based solely on it's security policy\r
318 and the nature of the data included.\r
319 \r
320 If the payload is available at the time of authentication, the server uses the hash value provided by the client to construct\r
321 the normalized string and validates the MAC. If the MAC is valid, the server calculates the payload hash and compares the value\r
322 with the provided payload hash in the header. In many cases, checking the MAC first is faster than calculating the payload hash.\r
323 \r
324 However, if the payload is not available at authentication time (e.g. too large to fit in memory, streamed elsewhere, or processed\r
325 at a different stage in the application), the server may choose to defer payload validation for later by retaining the hash value\r
326 provided by the client after validating the MAC.\r
327 \r
328 It is important to note that MAC validation does not mean the hash value provided by the client is valid, only that the value\r
329 included in the header was not modified. Without calculating the payload hash on the server and comparing it to the value provided\r
330 by the client, the payload may be modified by an attacker.\r
331 \r
332 \r
333 ## Response Payload Validation\r
334 \r
335 **Hawk** provides partial response payload validation. The server includes the `Server-Authorization` response header which enables the\r
336 client to authenticate the response and ensure it is talking to the right server. **Hawk** defines the HTTP `Server-Authorization` header\r
337 as a response header using the exact same syntax as the `Authorization` request header field.\r
338 \r
339 The header is contructed using the same process as the client's request header. The server uses the same credentials and other\r
340 artifacts provided by the client to constructs the normalized request string. The `ext` and `hash` values are replaced with\r
341 new values based on the server response. The rest as identical to those used by the client.\r
342 \r
343 The result MAC digest is included with the optional `hash` and `ext` values:\r
344 \r
345 ```\r
346 Server-Authorization: Hawk mac="XIJRsMl/4oL+nn+vKoeVZPdCHXB4yJkNnBbTbHFZUYE=", hash="f9cDF/TDm7TkYRLnGwRMfeDzT6LixQVLvrIKhh0vgmM=", ext="response-specific"\r
347 ```\r
348 \r
349 \r
350 ## Browser Support and Considerations\r
351 \r
352 A browser script is provided for including using a `<script>` tag in [lib/browser.js](/lib/browser.js). It's also a [component](http://component.io/hueniverse/hawk).\r
353 \r
354 **Hawk** relies on the _Server-Authorization_ and _WWW-Authenticate_ headers in its response to communicate with the client.\r
355 Therefore, in case of CORS requests, it is important to consider sending _Access-Control-Expose-Headers_ with the value\r
356 _"WWW-Authenticate, Server-Authorization"_ on each response from your server. As explained in the\r
357 [specifications](http://www.w3.org/TR/cors/#access-control-expose-headers-response-header), it will indicate that these headers\r
358 can safely be accessed by the client (using getResponseHeader() on the XmlHttpRequest object). Otherwise you will be met with a\r
359 ["simple response header"](http://www.w3.org/TR/cors/#simple-response-header) which excludes these fields and would prevent the\r
360 Hawk client from authenticating the requests.You can read more about the why and how in this\r
361 [article](http://www.html5rocks.com/en/tutorials/cors/#toc-adding-cors-support-to-the-server)\r
362 \r
363 \r
364 # Single URI Authorization\r
365 \r
366 There are cases in which limited and short-term access to a protected resource is granted to a third party which does not\r
367 have access to the shared credentials. For example, displaying a protected image on a web page accessed by anyone. **Hawk**\r
368 provides limited support for such URIs in the form of a _bewit_ - a URI query parameter appended to the request URI which contains\r
369 the necessary credentials to authenticate the request.\r
370 \r
371 Because of the significant security risks involved in issuing such access, bewit usage is purposely limited only to GET requests\r
372 and for a finite period of time. Both the client and server can issue bewit credentials, however, the server should not use the same\r
373 credentials as the client to maintain clear traceability as to who issued which credentials.\r
374 \r
375 In order to simplify implementation, bewit credentials do not support single-use policy and can be replayed multiple times within\r
376 the granted access timeframe. \r
377 \r
378 \r
379 ## Bewit Usage Example\r
380 \r
381 Server code:\r
382 \r
383 ```javascript\r
384 var Http = require('http');\r
385 var Hawk = require('hawk');\r
386 \r
387 \r
388 // Credentials lookup function\r
389 \r
390 var credentialsFunc = function (id, callback) {\r
391 \r
392     var credentials = {\r
393         key: 'werxhqb98rpaxn39848xrunpaw3489ruxnpa98w4rxn',\r
394         algorithm: 'sha256'\r
395     };\r
396 \r
397     return callback(null, credentials);\r
398 };\r
399 \r
400 // Create HTTP server\r
401 \r
402 var handler = function (req, res) {\r
403 \r
404     Hawk.uri.authenticate(req, credentialsFunc, {}, function (err, credentials, attributes) {\r
405 \r
406         res.writeHead(!err ? 200 : 401, { 'Content-Type': 'text/plain' });\r
407         res.end(!err ? 'Access granted' : 'Shoosh!');\r
408     });\r
409 };\r
410 \r
411 Http.createServer(handler).listen(8000, 'example.com');\r
412 ```\r
413 \r
414 Bewit code generation:\r
415 \r
416 ```javascript\r
417 var Request = require('request');\r
418 var Hawk = require('hawk');\r
419 \r
420 \r
421 // Client credentials\r
422 \r
423 var credentials = {\r
424     id: 'dh37fgj492je',\r
425     key: 'werxhqb98rpaxn39848xrunpaw3489ruxnpa98w4rxn',\r
426     algorithm: 'sha256'\r
427 }\r
428 \r
429 // Generate bewit\r
430 \r
431 var duration = 60 * 5;      // 5 Minutes\r
432 var bewit = Hawk.uri.getBewit('http://example.com:8080/resource/1?b=1&a=2', { credentials: credentials, ttlSec: duration, ext: 'some-app-data' });\r
433 var uri = 'http://example.com:8000/resource/1?b=1&a=2' + '&bewit=' + bewit;\r
434 ```\r
435 \r
436 \r
437 # Security Considerations\r
438 \r
439 The greatest sources of security risks are usually found not in **Hawk** but in the policies and procedures surrounding its use.\r
440 Implementers are strongly encouraged to assess how this module addresses their security requirements. This section includes\r
441 an incomplete list of security considerations that must be reviewed and understood before deploying **Hawk** on the server.\r
442 Many of the protections provided in **Hawk** depends on whether and how they are used.\r
443 \r
444 ### MAC Keys Transmission\r
445 \r
446 **Hawk** does not provide any mechanism for obtaining or transmitting the set of shared credentials required. Any mechanism used\r
447 to obtain **Hawk** credentials must ensure that these transmissions are protected using transport-layer mechanisms such as TLS.\r
448 \r
449 ### Confidentiality of Requests\r
450 \r
451 While **Hawk** provides a mechanism for verifying the integrity of HTTP requests, it provides no guarantee of request\r
452 confidentiality. Unless other precautions are taken, eavesdroppers will have full access to the request content. Servers should\r
453 carefully consider the types of data likely to be sent as part of such requests, and employ transport-layer security mechanisms\r
454 to protect sensitive resources.\r
455 \r
456 ### Spoofing by Counterfeit Servers\r
457 \r
458 **Hawk** provides limited verification of the server authenticity. When receiving a response back from the server, the server\r
459 may choose to include a response `Server-Authorization` header which the client can use to verify the response. However, it is up to\r
460 the server to determine when such measure is included, to up to the client to enforce that policy.\r
461 \r
462 A hostile party could take advantage of this by intercepting the client's requests and returning misleading or otherwise\r
463 incorrect responses. Service providers should consider such attacks when developing services using this protocol, and should\r
464 require transport-layer security for any requests where the authenticity of the resource server or of server responses is an issue.\r
465 \r
466 ### Plaintext Storage of Credentials\r
467 \r
468 The **Hawk** key functions the same way passwords do in traditional authentication systems. In order to compute the request MAC,\r
469 the server must have access to the key in plaintext form. This is in contrast, for example, to modern operating systems, which\r
470 store only a one-way hash of user credentials.\r
471 \r
472 If an attacker were to gain access to these keys - or worse, to the server's database of all such keys - he or she would be able\r
473 to perform any action on behalf of any resource owner. Accordingly, it is critical that servers protect these keys from unauthorized\r
474 access.\r
475 \r
476 ### Entropy of Keys\r
477 \r
478 Unless a transport-layer security protocol is used, eavesdroppers will have full access to authenticated requests and request\r
479 MAC values, and will thus be able to mount offline brute-force attacks to recover the key used. Servers should be careful to\r
480 assign keys which are long enough, and random enough, to resist such attacks for at least the length of time that the **Hawk**\r
481 credentials are valid.\r
482 \r
483 For example, if the credentials are valid for two weeks, servers should ensure that it is not possible to mount a brute force\r
484 attack that recovers the key in less than two weeks. Of course, servers are urged to err on the side of caution, and use the\r
485 longest key reasonable.\r
486 \r
487 It is equally important that the pseudo-random number generator (PRNG) used to generate these keys be of sufficiently high\r
488 quality. Many PRNG implementations generate number sequences that may appear to be random, but which nevertheless exhibit\r
489 patterns or other weaknesses which make cryptanalysis or brute force attacks easier. Implementers should be careful to use\r
490 cryptographically secure PRNGs to avoid these problems.\r
491 \r
492 ### Coverage Limitations\r
493 \r
494 The request MAC only covers the HTTP `Host` header and optionally the `Content-Type` header. It does not cover any other headers\r
495 which can often affect how the request body is interpreted by the server. If the server behavior is influenced by the presence\r
496 or value of such headers, an attacker can manipulate the request headers without being detected. Implementers should use the\r
497 `ext` feature to pass application-specific information via the `Authorization` header which is protected by the request MAC.\r
498 \r
499 The response authentication, when performed, only covers the response payload, content-type, and the request information \r
500 provided by the client in it's request (method, resource, timestamp, nonce, etc.). It does not cover the HTTP status code or\r
501 any other response header field (e.g. Location) which can affect the client's behaviour.\r
502 \r
503 ### Future Time Manipulation\r
504 \r
505 The protocol relies on a clock sync between the client and server. To accomplish this, the server informs the client of its\r
506 current time when an invalid timestamp is received.\r
507 \r
508 If an attacker is able to manipulate this information and cause the client to use an incorrect time, it would be able to cause\r
509 the client to generate authenticated requests using time in the future. Such requests will fail when sent by the client, and will\r
510 not likely leave a trace on the server (given the common implementation of nonce, if at all enforced). The attacker will then\r
511 be able to replay the request at the correct time without detection.\r
512 \r
513 The client must only use the time information provided by the server if:\r
514 * it was delivered over a TLS connection and the server identity has been verified, or\r
515 * the `tsm` MAC digest calculated using the same client credentials over the timestamp has been verified.\r
516 \r
517 ### Client Clock Poisoning\r
518 \r
519 When receiving a request with a bad timestamp, the server provides the client with its current time. The client must never use\r
520 the time received from the server to adjust its own clock, and must only use it to calculate an offset for communicating with\r
521 that particular server.\r
522 \r
523 ### Bewit Limitations\r
524 \r
525 Special care must be taken when issuing bewit credentials to third parties. Bewit credentials are valid until expiration and cannot\r
526 be revoked or limited without using other means. Whatever resource they grant access to will be completely exposed to anyone with\r
527 access to the bewit credentials which act as bearer credentials for that particular resource. While bewit usage is limited to GET\r
528 requests only and therefore cannot be used to perform transactions or change server state, it can still be used to expose private\r
529 and sensitive information.\r
530 \r
531 ### Host Header Forgery\r
532 \r
533 Hawk validates the incoming request MAC against the incoming HTTP Host header. However, unless the optional `host` and `port`\r
534 options are used with `server.authenticate()`, a malicous client can mint new host names pointing to the server's IP address and\r
535 use that to craft an attack by sending a valid request that's meant for another hostname than the one used by the server. Server\r
536 implementors must manually verify that the host header received matches their expectation (or use the options mentioned above).\r
537 \r
538 # Frequently Asked Questions\r
539 \r
540 ### Where is the protocol specification?\r
541 \r
542 If you are looking for some prose explaining how all this works, **this is it**. **Hawk** is being developed as an open source\r
543 project instead of a standard. In other words, the [code](/hueniverse/hawk/tree/master/lib) is the specification. Not sure about\r
544 something? Open an issue!\r
545 \r
546 ### Is it done?\r
547 \r
548 As of version 0.10.0, **Hawk** is feature-complete. However, until this module reaches version 1.0.0 it is considered experimental\r
549 and is likely to change. This also means your feedback and contribution are very welcome. Feel free to open issues with questions\r
550 and suggestions.\r
551 \r
552 ### Where can I find **Hawk** implementations in other languages?\r
553 \r
554 **Hawk**'s only reference implementation is provided in JavaScript as a node.js module. However, it has been ported to other languages.\r
555 The full list is maintained [here](https://github.com/hueniverse/hawk/issues?labels=port&state=closed). Please add an issue if you are\r
556 working on another port. A cross-platform test-suite is in the works.\r
557 \r
558 ### Why isn't the algorithm part of the challenge or dynamically negotiated?\r
559 \r
560 The algorithm used is closely related to the key issued as different algorithms require different key sizes (and other\r
561 requirements). While some keys can be used for multiple algorithm, the protocol is designed to closely bind the key and algorithm\r
562 together as part of the issued credentials.\r
563 \r
564 ### Why is Host and Content-Type the only headers covered by the request MAC?\r
565 \r
566 It is really hard to include other headers. Headers can be changed by proxies and other intermediaries and there is no\r
567 well-established way to normalize them. Many platforms change the case of header field names and values. The only\r
568 straight-forward solution is to include the headers in some blob (say, base64 encoded JSON) and include that with the request,\r
569 an approach taken by JWT and other such formats. However, that design violates the HTTP header boundaries, repeats information,\r
570 and introduces other security issues because firewalls will not be aware of these "hidden" headers. In addition, any information\r
571 repeated must be compared to the duplicated information in the header and therefore only moves the problem elsewhere.\r
572 \r
573 ### Why not just use HTTP Digest?\r
574 \r
575 Digest requires pre-negotiation to establish a nonce. This means you can't just make a request - you must first send\r
576 a protocol handshake to the server. This pattern has become unacceptable for most web services, especially mobile\r
577 where extra round-trip are costly.\r
578 \r
579 ### Why bother with all this nonce and timestamp business?\r
580 \r
581 **Hawk** is an attempt to find a reasonable, practical compromise between security and usability. OAuth 1.0 got timestamp\r
582 and nonces halfway right but failed when it came to scalability and consistent developer experience. **Hawk** addresses\r
583 it by requiring the client to sync its clock, but provides it with tools to accomplish it.\r
584 \r
585 In general, replay protection is a matter of application-specific threat model. It is less of an issue on a TLS-protected\r
586 system where the clients are implemented using best practices and are under the control of the server. Instead of dropping\r
587 replay protection, **Hawk** offers a required time window and an optional nonce verification. Together, it provides developers\r
588 with the ability to decide how to enforce their security policy without impacting the client's implementation.\r
589 \r
590 ### What are `app` and `dlg` in the authorization header and normalized mac string?\r
591 \r
592 The original motivation for **Hawk** was to replace the OAuth 1.0 use cases. This included both a simple client-server mode which\r
593 this module is specifically designed for, and a delegated access mode which is being developed separately in\r
594 [Oz](https://github.com/hueniverse/oz). In addition to the **Hawk** use cases, Oz requires another attribute: the application id `app`.\r
595 This provides binding between the credentials and the application in a way that prevents an attacker from tricking an application\r
596 to use credentials issued to someone else. It also has an optional 'delegated-by' attribute `dlg` which is the application id of the\r
597 application the credentials were directly issued to. The goal of these two additions is to allow Oz to utilize **Hawk** directly,\r
598 but with the additional security of delegated credentials.\r
599 \r
600 ### What is the purpose of the static strings used in each normalized MAC input?\r
601 \r
602 When calculating a hash or MAC, a static prefix (tag) is added. The prefix is used to prevent MAC values from being\r
603 used or reused for a purpose other than what they were created for (i.e. prevents switching MAC values between a request,\r
604 response, and a bewit use cases). It also protects against exploits created after a potential change in how the protocol\r
605 creates the normalized string. For example, if a future version would switch the order of nonce and timestamp, it\r
606 can create an exploit opportunity for cases where the nonce is similar in format to a timestamp.\r
607 \r
608 ### Does **Hawk** have anything to do with OAuth?\r
609 \r
610 Short answer: no.\r
611 \r
612 **Hawk** was originally proposed as the OAuth MAC Token specification. However, the OAuth working group in its consistent\r
613 incompetence failed to produce a final, usable solution to address one of the most popular use cases of OAuth 1.0 - using it\r
614 to authenticate simple client-server transactions (i.e. two-legged). As you can guess, the OAuth working group is still hard\r
615 at work to produce more garbage.\r
616 \r
617 **Hawk** provides a simple HTTP authentication scheme for making client-server requests. It does not address the OAuth use case\r
618 of delegating access to a third party. If you are looking for an OAuth alternative, check out [Oz](https://github.com/hueniverse/oz).\r
619 \r
620 # Implementations\r
621 \r
622 - [Logibit Hawk in F#/.Net](https://github.com/logibit/logibit.hawk/)\r
623 - [Tent Hawk in Ruby](https://github.com/tent/hawk-ruby)\r
624 - [Wealdtech in Java](https://github.com/wealdtech/hawk)\r
625 - [Kumar's Mohawk in Python](https://github.com/kumar303/mohawk/)\r
626 \r
627 # Acknowledgements\r
628 \r
629 **Hawk** is a derivative work of the [HTTP MAC Authentication Scheme](http://tools.ietf.org/html/draft-hammer-oauth-v2-mac-token-05) proposal\r
630 co-authored by Ben Adida, Adam Barth, and Eran Hammer, which in turn was based on the OAuth 1.0 community specification.\r
631 \r
632 Special thanks to Ben Laurie for his always insightful feedback and advice.\r
633 \r
634 The **Hawk** logo was created by [Chris Carrasco](http://chriscarrasco.com).\r