fops-zip
[platform/upstream/libwebsockets.git] / README.coding.md
1 Notes about coding with lws
2 ===========================
3
4 @section dae Daemonization
5
6 There's a helper api `lws_daemonize` built by default that does everything you
7 need to daemonize well, including creating a lock file.  If you're making
8 what's basically a daemon, just call this early in your init to fork to a
9 headless background process and exit the starting process.
10
11 Notice stdout, stderr, stdin are all redirected to /dev/null to enforce your
12 daemon is headless, so you'll need to sort out alternative logging, by, eg,
13 syslog.
14
15
16 @section conns Maximum number of connections
17
18 The maximum number of connections the library can deal with is decided when
19 it starts by querying the OS to find out how many file descriptors it is
20 allowed to open (1024 on Fedora for example).  It then allocates arrays that
21 allow up to that many connections, minus whatever other file descriptors are
22 in use by the user code.
23
24 If you want to restrict that allocation, or increase it, you can use ulimit or
25 similar to change the available number of file descriptors, and when restarted
26 **libwebsockets** will adapt accordingly.
27
28
29 @section evtloop Libwebsockets is singlethreaded
30
31 Libwebsockets works in a serialized event loop, in a single thread.
32
33 Directly performing websocket actions from other threads is not allowed.
34 Aside from the internal data being inconsistent in `forked()` processes,
35 the scope of a `wsi` (`struct websocket`) can end at any time during service
36 with the socket closing and the `wsi` freed.
37
38 Websocket write activities should only take place in the
39 `LWS_CALLBACK_SERVER_WRITEABLE` callback as described below.
40
41 [This network-programming necessity to link the issue of new data to
42 the peer taking the previous data is not obvious to all users so let's
43 repeat that in other words:
44
45 ***ONLY DO LWS_WRITE FROM THE WRITEABLE CALLBACK***
46
47 There is another network-programming truism that surprises some people which
48 is if the sink for the data cannot accept more:
49
50 ***YOU MUST PERFORM RX FLOW CONTROL***
51
52 See the mirror protocol implementations for example code.
53
54 Only live connections appear in the user callbacks, so this removes any
55 possibility of trying to used closed and freed wsis.
56
57 If you need to service other socket or file descriptors as well as the
58 websocket ones, you can combine them together with the websocket ones
59 in one poll loop, see "External Polling Loop support" below, and
60 still do it all in one thread / process context.
61
62 If you insist on trying to use it from multiple threads, take special care if
63 you might simultaneously create more than one context from different threads.
64
65 SSL_library_init() is called from the context create api and it also is not
66 reentrant.  So at least create the contexts sequentially.
67
68
69 @section writeable Only send data when socket writeable
70
71 You should only send data on a websocket connection from the user callback
72 `LWS_CALLBACK_SERVER_WRITEABLE` (or `LWS_CALLBACK_CLIENT_WRITEABLE` for
73 clients).
74
75 If you want to send something, do not just send it but request a callback
76 when the socket is writeable using
77
78  - `lws_callback_on_writable(context, wsi)` for a specific `wsi`, or
79  
80  - `lws_callback_on_writable_all_protocol(protocol)` for all connections
81 using that protocol to get a callback when next writeable.
82
83 Usually you will get called back immediately next time around the service
84 loop, but if your peer is slow or temporarily inactive the callback will be
85 delayed accordingly.  Generating what to write and sending it should be done
86 in the ...WRITEABLE callback.
87
88 See the test server code for an example of how to do this.
89
90
91 @section otherwr Do not rely on only your own WRITEABLE requests appearing
92
93 Libwebsockets may generate additional `LWS_CALLBACK_CLIENT_WRITEABLE` events
94 if it met network conditions where it had to buffer your send data internally.
95
96 So your code for `LWS_CALLBACK_CLIENT_WRITEABLE` needs to own the decision
97 about what to send, it can't assume that just because the writeable callback
98 came it really is time to send something.
99
100 It's quite possible you get an 'extra' writeable callback at any time and
101 just need to `return 0` and wait for the expected callback later.
102
103
104 @section closing Closing connections from the user side
105
106 When you want to close a connection, you do it by returning `-1` from a
107 callback for that connection.
108
109 You can provoke a callback by calling `lws_callback_on_writable` on
110 the wsi, then notice in the callback you want to close it and just return -1.
111 But usually, the decision to close is made in a callback already and returning
112 -1 is simple.
113
114 If the socket knows the connection is dead, because the peer closed or there
115 was an affirmitive network error like a FIN coming, then **libwebsockets**  will
116 take care of closing the connection automatically.
117
118 If you have a silently dead connection, it's possible to enter a state where
119 the send pipe on the connection is choked but no ack will ever come, so the
120 dead connection will never become writeable.  To cover that, you can use TCP
121 keepalives (see later in this document) or pings.
122
123 @section gzip Serving from inside a zip file
124
125 Lws now supports serving gzipped files from inside a zip container.  Thanks to
126 Per Bothner for contributing the code.
127
128 This has the advtantage that if the client can accept GZIP encoding, lws can
129 simply send the gzip-compressed file from inside the zip file with no further
130 processing, saving time and bandwidth.
131
132 In the case the client can't understand gzip compression, lws automatically
133 decompressed the file and sends it normally.
134
135 Clients with limited storage and RAM will find this useful; the memory needed
136 for the inflate case is constrained so that only one input buffer at a time
137 is ever in memory.
138
139 To use this feature, ensure LWS_WITH_ZIP_FOPS is enabled at CMake (it is by
140 default).
141
142 `libwebsockets-test-server-v2.0` includes a mount using this technology
143 already, run that test server and navigate to http://localhost:7681/ziptest/candide.html
144
145 This will serve the book Candide in html, together with two jpgs, all from
146 inside a .zip file in /usr/[local/]share-libwebsockets-test-server/candide.zip
147
148 Usage is otherwise automatic, if you arrange a mount that points to the zipfile,
149 eg, "/ziptest" -> "mypath/test.zip", then URLs like `/ziptest/index.html` will be
150 servied from `index.html` inside `mypath/test.zip`
151
152 @section frags Fragmented messages
153
154 To support fragmented messages you need to check for the final
155 frame of a message with `lws_is_final_fragment`. This
156 check can be combined with `libwebsockets_remaining_packet_payload`
157 to gather the whole contents of a message, eg:
158
159 ```
160             case LWS_CALLBACK_RECEIVE:
161             {
162                 Client * const client = (Client *)user;
163                 const size_t remaining = lws_remaining_packet_payload(wsi);
164         
165                 if (!remaining && lws_is_final_fragment(wsi)) {
166                     if (client->HasFragments()) {
167                         client->AppendMessageFragment(in, len, 0);
168                         in = (void *)client->GetMessage();
169                         len = client->GetMessageLength();
170                     }
171         
172                     client->ProcessMessage((char *)in, len, wsi);
173                     client->ResetMessage();
174                 } else
175                     client->AppendMessageFragment(in, len, remaining);
176             }
177             break;
178 ```
179
180 The test app libwebsockets-test-fraggle sources also show how to
181 deal with fragmented messages.
182
183
184 @section debuglog Debug Logging
185
186 Also using `lws_set_log_level` api you may provide a custom callback to actually
187 emit the log string.  By default, this points to an internal emit function
188 that sends to stderr.  Setting it to `NULL` leaves it as it is instead.
189
190 A helper function `lwsl_emit_syslog()` is exported from the library to simplify
191 logging to syslog.  You still need to use `setlogmask`, `openlog` and `closelog`
192 in your user code.
193
194 The logging apis are made available for user code.
195
196 - `lwsl_err(...)`
197 - `lwsl_warn(...)`
198 - `lwsl_notice(...)`
199 - `lwsl_info(...)`
200 - `lwsl_debug(...)`
201
202 The difference between notice and info is that notice will be logged by default
203 whereas info is ignored by default.
204
205 If you are not building with _DEBUG defined, ie, without this
206
207 ```
208         $ cmake .. -DCMAKE_BUILD_TYPE=DEBUG
209 ```
210
211 then log levels below notice do not actually get compiled in.
212
213
214
215 @section extpoll External Polling Loop support
216
217 **libwebsockets** maintains an internal `poll()` array for all of its
218 sockets, but you can instead integrate the sockets into an
219 external polling array.  That's needed if **libwebsockets** will
220 cooperate with an existing poll array maintained by another
221 server.
222
223 Four callbacks `LWS_CALLBACK_ADD_POLL_FD`, `LWS_CALLBACK_DEL_POLL_FD`,
224 `LWS_CALLBACK_SET_MODE_POLL_FD` and `LWS_CALLBACK_CLEAR_MODE_POLL_FD`
225 appear in the callback for protocol 0 and allow interface code to
226 manage socket descriptors in other poll loops.
227
228 You can pass all pollfds that need service to `lws_service_fd()`, even
229 if the socket or file does not belong to **libwebsockets** it is safe.
230
231 If **libwebsocket** handled it, it zeros the pollfd `revents` field before returning.
232 So you can let **libwebsockets** try and if `pollfd->revents` is nonzero on return,
233 you know it needs handling by your code.
234
235 Also note that when integrating a foreign event loop like libev or libuv where
236 it doesn't natively use poll() semantics, and you must return a fake pollfd
237 reflecting the real event:
238
239  - be sure you set .events to .revents value as well in the synthesized pollfd
240
241  - check the built-in support for the event loop if possible (eg, ./lib/libuv.c)
242    to see how it interfaces to lws
243    
244  - use LWS_POLLHUP / LWS_POLLIN / LWS_POLLOUT from libwebsockets.h to avoid
245    losing windows compatibility
246
247
248 @section cpp Using with in c++ apps
249
250 The library is ready for use by C++ apps.  You can get started quickly by
251 copying the test server
252
253 ```
254         $ cp test-server/test-server.c test.cpp
255 ```
256
257 and building it in C++ like this
258
259 ```
260         $ g++ -DINSTALL_DATADIR=\"/usr/share\" -ocpptest test.cpp -lwebsockets
261 ```
262
263 `INSTALL_DATADIR` is only needed because the test server uses it as shipped, if
264 you remove the references to it in your app you don't need to define it on
265 the g++ line either.
266
267
268 @section headerinfo Availability of header information
269
270 HTTP Header information is managed by a pool of "ah" structs.  These are a
271 limited resource so there is pressure to free the headers and return the ah to
272 the pool for reuse.
273
274 For that reason header information on HTTP connections that get upgraded to
275 websockets is lost after the ESTABLISHED callback.  Anything important that
276 isn't processed by user code before then should be copied out for later.
277
278 For HTTP connections that don't upgrade, header info remains available the
279 whole time.
280
281
282 @section ka TCP Keepalive
283
284 It is possible for a connection which is not being used to send to die
285 silently somewhere between the peer and the side not sending.  In this case
286 by default TCP will just not report anything and you will never get any more
287 incoming data or sign the link is dead until you try to send.
288
289 To deal with getting a notification of that situation, you can choose to
290 enable TCP keepalives on all **libwebsockets** sockets, when you create the
291 context.
292
293 To enable keepalive, set the ka_time member of the context creation parameter
294 struct to a nonzero value (in seconds) at context creation time.  You should
295 also fill ka_probes and ka_interval in that case.
296
297 With keepalive enabled, the TCP layer will send control packets that should
298 stimulate a response from the peer without affecting link traffic.  If the
299 response is not coming, the socket will announce an error at `poll()` forcing
300 a close.
301
302 Note that BSDs don't support keepalive time / probes / interval per-socket
303 like Linux does.  On those systems you can enable keepalive by a nonzero
304 value in `ka_time`, but the systemwide kernel settings for the time / probes/
305 interval are used, regardless of what nonzero value is in `ka_time`.
306
307
308 @section sslopt Optimizing SSL connections
309
310 There's a member `ssl_cipher_list` in the `lws_context_creation_info` struct
311 which allows the user code to restrict the possible cipher selection at
312 context-creation time.
313
314 You might want to look into that to stop the ssl peers selecting a cipher which
315 is too computationally expensive.  To use it, point it to a string like
316
317         `"RC4-MD5:RC4-SHA:AES128-SHA:AES256-SHA:HIGH:!DSS:!aNULL"`
318
319 if left `NULL`, then the "DEFAULT" set of ciphers are all possible to select.
320
321 You can also set it to `"ALL"` to allow everything (including insecure ciphers).
322
323
324 @section clientasync Async nature of client connections
325
326 When you call `lws_client_connect_info(..)` and get a `wsi` back, it does not
327 mean your connection is active.  It just means it started trying to connect.
328
329 Your client connection is actually active only when you receive
330 `LWS_CALLBACK_CLIENT_ESTABLISHED` for it.
331
332 There's a 5 second timeout for the connection, and it may give up or die for
333 other reasons, if any of that happens you'll get a
334 `LWS_CALLBACK_CLIENT_CONNECTION_ERROR` callback on protocol 0 instead for the
335 `wsi`.
336
337 After attempting the connection and getting back a non-`NULL` `wsi` you should
338 loop calling `lws_service()` until one of the above callbacks occurs.
339
340 As usual, see [test-client.c](test-server/test-client.c) for example code.
341
342 Notice that the client connection api tries to progress the connection
343 somewhat before returning.  That means it's possible to get callbacks like
344 CONNECTION_ERROR on the new connection before your user code had a chance to
345 get the wsi returned to identify it (in fact if the connection did fail early,
346 NULL will be returned instead of the wsi anyway).
347
348 To avoid that problem, you can fill in `pwsi` in the client connection info
349 struct to point to a struct lws that get filled in early by the client
350 connection api with the related wsi.  You can then check for that in the
351 callback to confirm the identity of the failing client connection.
352
353
354 @section fileapi Lws platform-independent file access apis
355
356 lws now exposes his internal platform file abstraction in a way that can be
357 both used by user code to make it platform-agnostic, and be overridden or
358 subclassed by user code.  This allows things like handling the URI "directory
359 space" as a virtual filesystem that may or may not be backed by a regular
360 filesystem.  One example use is serving files from inside large compressed
361 archive storage without having to unpack anything except the file being
362 requested.
363
364 The test server shows how to use it, basically the platform-specific part of
365 lws prepares a file operations structure that lives in the lws context.
366
367 The user code can get a pointer to the file operations struct
368
369 ```
370         LWS_VISIBLE LWS_EXTERN struct lws_plat_file_ops *
371                 `lws_get_fops`(struct lws_context *context);
372 ```
373
374 and then can use helpers to also leverage these platform-independent
375 file handling apis
376
377 ```
378         lws_fop_fd_t
379         `lws_plat_file_open`(struct lws_plat_file_ops *fops, const char *filename,
380                            lws_fop_flags_t *flags)
381         int
382         `lws_plat_file_close`(lws_fop_fd_t fop_fd)
383
384         unsigned long
385         `lws_plat_file_seek_cur`(lws_fop_fd_t fop_fd, lws_fileofs_t offset)
386
387         int
388         `lws_plat_file_read`(lws_fop_fd_t fop_fd, lws_filepos_t *amount,
389                    uint8_t *buf, lws_filepos_t len)
390
391         int
392         `lws_plat_file_write`(lws_fop_fd_t fop_fd, lws_filepos_t *amount,
393                    uint8_t *buf, lws_filepos_t len )
394 ```
395
396 Generic helpers are provided which provide access to generic fops information or
397 call through to the above fops
398
399 ```
400 lws_filepos_t
401 lws_vfs_tell(lws_fop_fd_t fop_fd);
402
403 lws_filepos_t
404 lws_vfs_get_length(lws_fop_fd_t fop_fd);
405
406 uint32_t
407 lws_vfs_get_mod_time(lws_fop_fd_t fop_fd);
408
409 lws_fileofs_t
410 lws_vfs_file_seek_set(lws_fop_fd_t fop_fd, lws_fileofs_t offset);
411
412 lws_fileofs_t
413 lws_vfs_file_seek_end(lws_fop_fd_t fop_fd, lws_fileofs_t offset);
414 ```
415
416
417 The user code can also override or subclass the file operations, to either
418 wrap or replace them.  An example is shown in test server.
419
420 ### Changes from v2.1 and before fops
421
422 There are several changes:
423
424 1) Pre-2.2 fops directly used platform file descriptors.  Current fops returns and accepts a wrapper type lws_fop_fd_t which is a pointer to a malloc'd struct containing information specific to the filesystem implementation.
425
426 2) Pre-2.2 fops bound the fops to a wsi.  This is completely removed, you just give a pointer to the fops struct that applies to this file when you open it.  Afterwards, the operations in the fops just need the lws_fop_fd_t returned from the open.
427
428 3) Everything is wrapped in typedefs.  See lws-plat-unix.c for examples of how to implement.
429
430 4) Position in the file, File Length, and a copy of Flags left after open are now generically held in the fop_fd.
431 VFS implementation must set and manage this generic information now.  See the implementations in lws-plat-unix.c for
432 examples.
433
434 5) The file length is no longer set at a pointer provided by the open() fop.  The api `lws_vfs_get_length()` is provided to
435 get the file length after open.
436
437 6) If your file namespace is virtual, ie, is not reachable by platform fops directly, you must set LWS_FOP_FLAG_VIRTUAL
438 on the flags during open.
439
440 7) There is an optional `mod_time` uint32_t member in the generic fop_fd.  If you are able to set it during open, you
441 should indicate it by setting `LWS_FOP_FLAG_MOD_TIME_VALID` on the flags.
442
443 @section ecdh ECDH Support
444
445 ECDH Certs are now supported.  Enable the CMake option
446
447         cmake .. -DLWS_SSL_SERVER_WITH_ECDH_CERT=1 
448
449 **and** the info->options flag
450
451         LWS_SERVER_OPTION_SSL_ECDH
452
453 to build in support and select it at runtime.
454
455 @section smp SMP / Multithreaded service
456
457 SMP support is integrated into LWS without any internal threading.  It's
458 very simple to use, libwebsockets-test-server-pthread shows how to do it,
459 use -j <n> argument there to control the number of service threads up to 32.
460
461 Two new members are added to the info struct
462
463         unsigned int count_threads;
464         unsigned int fd_limit_per_thread;
465         
466 leave them at the default 0 to get the normal singlethreaded service loop.
467
468 Set count_threads to n to tell lws you will have n simultaneous service threads
469 operating on the context.
470
471 There is still a single listen socket on one port, no matter how many
472 service threads.
473
474 When a connection is made, it is accepted by the service thread with the least
475 connections active to perform load balancing.
476
477 The user code is responsible for spawning n threads running the service loop
478 associated to a specific tsi (Thread Service Index, 0 .. n - 1).  See
479 the libwebsockets-test-server-pthread for how to do.
480
481 If you leave fd_limit_per_thread at 0, then the process limit of fds is shared
482 between the service threads; if you process was allowed 1024 fds overall then
483 each thread is limited to 1024 / n.
484
485 You can set fd_limit_per_thread to a nonzero number to control this manually, eg
486 the overall supported fd limit is less than the process allowance.
487
488 You can control the context basic data allocation for multithreading from Cmake
489 using -DLWS_MAX_SMP=, if not given it's set to 32.  The serv_buf allocation
490 for the threads (currently 4096) is made at runtime only for active threads.
491
492 Because lws will limit the requested number of actual threads supported
493 according to LWS_MAX_SMP, there is an api lws_get_count_threads(context) to
494 discover how many threads were actually allowed when the context was created.
495
496 It's required to implement locking in the user code in the same way that
497 libwebsockets-test-server-pthread does it, for the FD locking callbacks.
498
499 There is no knowledge or dependency in lws itself about pthreads.  How the
500 locking is implemented is entirely up to the user code.
501
502
503 @section libevuv Libev / Libuv support
504
505 You can select either or both
506
507         -DLWS_WITH_LIBEV=1
508         -DLWS_WITH_LIBUV=1
509
510 at cmake configure-time.  The user application may use one of the
511 context init options flags
512
513         LWS_SERVER_OPTION_LIBEV
514         LWS_SERVER_OPTION_LIBUV
515
516 to indicate it will use either of the event libraries.
517
518
519 @section extopts Extension option control from user code
520
521 User code may set per-connection extension options now, using a new api
522 `lws_set_extension_option()`.
523
524 This should be called from the ESTABLISHED callback like this
525 ```
526          lws_set_extension_option(wsi, "permessage-deflate",
527                                   "rx_buf_size", "12"); /* 1 << 12 */
528 ```
529
530 If the extension is not active (missing or not negotiated for the
531 connection, or extensions are disabled on the library) the call is
532 just returns -1.  Otherwise the connection's extension has its
533 named option changed.
534
535 The extension may decide to alter or disallow the change, in the
536 example above permessage-deflate restricts the size of his rx
537 output buffer also considering the protocol's rx_buf_size member.
538
539
540 @section httpsclient Client connections as HTTP[S] rather than WS[S]
541
542 You may open a generic http client connection using the same
543 struct lws_client_connect_info used to create client ws[s]
544 connections.
545
546 To stay in http[s], set the optional info member "method" to
547 point to the string "GET" instead of the default NULL.
548
549 After the server headers are processed, when payload from the
550 server is available the callback LWS_CALLBACK_RECEIVE_CLIENT_HTTP
551 will be made.
552
553 You can choose whether to process the data immediately, or
554 queue a callback when an outgoing socket is writeable to provide
555 flow control, and process the data in the writable callback.
556
557 Either way you use the api `lws_http_client_read()` to access the
558 data, eg
559
560 ```
561         case LWS_CALLBACK_RECEIVE_CLIENT_HTTP:
562                 {
563                         char buffer[1024 + LWS_PRE];
564                         char *px = buffer + LWS_PRE;
565                         int lenx = sizeof(buffer) - LWS_PRE;
566
567                         lwsl_notice("LWS_CALLBACK_RECEIVE_CLIENT_HTTP\n");
568
569                         /*
570                          * Often you need to flow control this by something
571                          * else being writable.  In that case call the api
572                          * to get a callback when writable here, and do the
573                          * pending client read in the writeable callback of
574                          * the output.
575                          */
576                         if (lws_http_client_read(wsi, &px, &lenx) < 0)
577                                 return -1;
578                         while (lenx--)
579                                 putchar(*px++);
580                 }
581                 break;
582 ```
583
584 Notice that if you will use SSL client connections on a vhost, you must
585 prepare the client SSL context for the vhost after creating the vhost, since
586 this is not normally done if the vhost was set up to listen / serve.  Call
587 the api lws_init_vhost_client_ssl() to also allow client SSL on the vhost.
588
589
590
591 @section vhosts Using lws vhosts
592
593 If you set LWS_SERVER_OPTION_EXPLICIT_VHOSTS options flag when you create
594 your context, it won't create a default vhost using the info struct
595 members for compatibility.  Instead you can call lws_create_vhost()
596 afterwards to attach one or more vhosts manually.
597
598 ```
599         LWS_VISIBLE struct lws_vhost *
600         lws_create_vhost(struct lws_context *context,
601                          struct lws_context_creation_info *info);
602 ```
603
604 lws_create_vhost() uses the same info struct as lws_create_context(),
605 it ignores members related to context and uses the ones meaningful
606 for vhost (marked with VH in libwebsockets.h).
607
608 ```
609         struct lws_context_creation_info {
610                 int port;                                       /* VH */
611                 const char *iface;                              /* VH */
612                 const struct lws_protocols *protocols;          /* VH */
613                 const struct lws_extension *extensions;         /* VH */
614         ...
615 ```
616
617 When you attach the vhost, if the vhost's port already has a listen socket
618 then both vhosts share it and use SNI (is SSL in use) or the Host: header
619 from the client to select the right one.  Or if no other vhost already
620 listening the a new listen socket is created.
621
622 There are some new members but mainly it's stuff you used to set at
623 context creation time.
624
625
626 @section sni How lws matches hostname or SNI to a vhost
627
628 LWS first strips any trailing :port number.
629
630 Then it tries to find an exact name match for a vhost listening on the correct
631 port, ie, if SNI or the Host: header provided abc.com:1234, it will match on a
632 vhost named abc.com that is listening on port 1234.
633
634 If there is no exact match, lws will consider wildcard matches, for example
635 if cats.abc.com:1234 is provided by the client by SNI or Host: header, it will
636 accept a vhost "abc.com" listening on port 1234.  If there was a better, exact,
637 match, it will have been chosen in preference to this.
638
639 Connections with SSL will still have the client go on to check the
640 certificate allows wildcards and error out if not.
641  
642
643
644 @section mounts Using lws mounts on a vhost
645
646 The last argument to lws_create_vhost() lets you associate a linked
647 list of lws_http_mount structures with that vhost's URL 'namespace', in
648 a similar way that unix lets you mount filesystems into areas of your /
649 filesystem how you like and deal with the contents transparently.
650
651 ```
652         struct lws_http_mount {
653                 struct lws_http_mount *mount_next;
654                 const char *mountpoint; /* mountpoint in http pathspace, eg, "/" */
655                 const char *origin; /* path to be mounted, eg, "/var/www/warmcat.com" */
656                 const char *def; /* default target, eg, "index.html" */
657         
658                 struct lws_protocol_vhost_options *cgienv;
659         
660                 int cgi_timeout;
661                 int cache_max_age;
662         
663                 unsigned int cache_reusable:1;
664                 unsigned int cache_revalidate:1;
665                 unsigned int cache_intermediaries:1;
666         
667                 unsigned char origin_protocol;
668                 unsigned char mountpoint_len;
669         };
670 ```
671
672 The last mount structure should have a NULL mount_next, otherwise it should
673 point to the 'next' mount structure in your list.
674
675 Both the mount structures and the strings must persist until the context is
676 destroyed, since they are not copied but used in place.
677
678 `.origin_protocol` should be one of
679
680 ```
681         enum {
682                 LWSMPRO_HTTP,
683                 LWSMPRO_HTTPS,
684                 LWSMPRO_FILE,
685                 LWSMPRO_CGI,
686                 LWSMPRO_REDIR_HTTP,
687                 LWSMPRO_REDIR_HTTPS,
688                 LWSMPRO_CALLBACK,
689         };
690 ```
691
692  - LWSMPRO_FILE is used for mapping url namespace to a filesystem directory and
693 serve it automatically.
694
695  - LWSMPRO_CGI associates the url namespace with the given CGI executable, which
696 runs when the URL is accessed and the output provided to the client.
697
698  - LWSMPRO_REDIR_HTTP and LWSMPRO_REDIR_HTTPS auto-redirect clients to the given
699 origin URL.
700
701  - LWSMPRO_CALLBACK causes the http connection to attach to the callback
702 associated with the named protocol (which may be a plugin).
703
704
705 @section mountcallback Operation of LWSMPRO_CALLBACK mounts
706
707 The feature provided by CALLBACK type mounts is binding a part of the URL
708 namespace to a named protocol callback handler.
709
710 This allows protocol plugins to handle areas of the URL namespace.  For example
711 in test-server-v2.0.c, the URL area "/formtest" is associated with the plugin
712 providing "protocol-post-demo" like this
713
714 ```
715         static const struct lws_http_mount mount_post = {
716                 NULL,           /* linked-list pointer to next*/
717                 "/formtest",            /* mountpoint in URL namespace on this vhost */
718                 "protocol-post-demo",   /* handler */
719                 NULL,   /* default filename if none given */
720                 NULL,
721                 0,
722                 0,
723                 0,
724                 0,
725                 0,
726                 LWSMPRO_CALLBACK,       /* origin points to a callback */
727                 9,                      /* strlen("/formtest"), ie length of the mountpoint */
728         };
729 ```
730
731 Client access to /formtest[anything] will be passed to the callback registered
732 with the named protocol, which in this case is provided by a protocol plugin.
733
734 Access by all methods, eg, GET and POST are handled by the callback.
735
736 protocol-post-demo deals with accepting and responding to the html form that
737 is in the test server HTML.
738
739 When a connection accesses a URL related to a CALLBACK type mount, the
740 connection protocol is changed until the next access on the connection to a
741 URL outside the same CALLBACK mount area.  User space on the connection is
742 arranged to be the size of the new protocol user space allocation as given in
743 the protocol struct.
744
745 This allocation is only deleted / replaced when the connection accesses a
746 URL region with a different protocol (or the default protocols[0] if no
747 CALLBACK area matches it).
748
749 @section dim Dimming webpage when connection lost
750
751 The lws test plugins' html provides useful feedback on the webpage about if it
752 is still connected to the server, by greying out the page if not.  You can
753 also add this to your own html easily
754
755  - include lws-common.js from your HEAD section
756  
757    <script src="/lws-common.js"></script>
758    
759  - dim the page during initialization, in a script section on your page
760  
761    lws_gray_out(true,{'zindex':'499'});
762    
763  - in your ws onOpen(), remove the dimming
764  
765    lws_gray_out(false);
766    
767  - in your ws onClose(), reapply the dimming
768  
769    lws_gray_out(true,{'zindex':'499'});