document closed Debian bug
[davical.git] / inc / CalDAVRequest.php
blobd6003a6a212b1e45ee3b01daca606b5fcbd0e798
1 <?php
2 /**
3 * Functions that are needed for all CalDAV Requests
5 * - Ascertaining the paths
6 * - Ascertaining the current user's permission to those paths.
7 * - Utility functions which we can use to decide whether this
8 * is a permitted activity for this user.
10 * @package davical
11 * @subpackage Request
12 * @author Andrew McMillan <andrew@mcmillan.net.nz>
13 * @copyright Catalyst .Net Ltd, Morphoss Ltd
14 * @license http://gnu.org/copyleft/gpl.html GNU GPL v3 or later
17 require_once("AwlCache.php");
18 require_once("XMLDocument.php");
19 require_once("DAVPrincipal.php");
20 require_once("DAVTicket.php");
22 define('DEPTH_INFINITY', 9999);
25 /**
26 * A class for collecting things to do with this request.
28 * @package davical
30 class CalDAVRequest
32 var $options;
34 /**
35 * The raw data sent along with the request
37 var $raw_post;
39 /**
40 * The HTTP request method: PROPFIND, LOCK, REPORT, OPTIONS, etc...
42 var $method;
44 /**
45 * The depth parameter from the request headers, coerced into a valid integer: 0, 1
46 * or DEPTH_INFINITY which is defined above. The default is set per various RFCs.
48 var $depth;
50 /**
51 * The 'principal' (user/resource/...) which this request seeks to access
52 * @var DAVPrincipal
54 var $principal;
56 /**
57 * The 'current_user_principal_xml' the DAV:current-user-principal answer. An
58 * XMLElement object with an <href> or <unauthenticated> fragment.
60 var $current_user_principal_xml;
62 /**
63 * The user agent making the request.
65 var $user_agent;
67 /**
68 * The ID of the collection containing this path, or of this path if it is a collection
70 var $collection_id;
72 /**
73 * The path corresponding to the collection_id
75 var $collection_path;
77 /**
78 * The type of collection being requested:
79 * calendar, schedule-inbox, schedule-outbox
81 var $collection_type;
83 /**
84 * The type of collection being requested:
85 * calendar, schedule-inbox, schedule-outbox
87 protected $exists;
89 /**
90 * The value of any 'Destionation:' header, if present.
92 var $destination;
94 /**
95 * The decimal privileges allowed by this user to the identified resource.
97 protected $privileges;
99 /**
100 * A static structure of supported privileges.
102 var $supported_privileges;
105 * A DAVTicket object, if there is a ?ticket=id or Ticket: id with this request
107 public $ticket;
110 * An array of values from the 'Prefer' header. At present only 'return-minimal' is acted on in any way - you
111 * can test that value with the PreferMinimal() method.
113 private $prefer;
116 * Create a new CalDAVRequest object.
118 function __construct( $options = array() ) {
119 global $session, $c, $debugging;
121 $this->options = $options;
122 if ( !isset($this->options['allow_by_email']) ) $this->options['allow_by_email'] = false;
124 if ( isset($_SERVER['HTTP_PREFER']) ) {
125 $this->prefer = explode( ',', $_SERVER['HTTP_PREFER']);
127 else if ( isset($_SERVER['HTTP_BRIEF']) && (strtoupper($_SERVER['HTTP_BRIEF']) == 'T') ) {
128 $this->prefer = array( 'return-minimal');
130 else
131 $this->prefer = array();
134 * Our path is /<script name>/<user name>/<user controlled> if it ends in
135 * a trailing '/' then it is referring to a DAV 'collection' but otherwise
136 * it is referring to a DAV data item.
138 * Permissions are controlled as follows:
139 * 1. if there is no <user name> component, the request has read privileges
140 * 2. if the requester is an admin, the request has read/write priviliges
141 * 3. if there is a <user name> component which matches the logged on user
142 * then the request has read/write privileges
143 * 4. otherwise we query the defined relationships between users and use
144 * the minimum privileges returned from that analysis.
146 if ( isset($_SERVER['PATH_INFO']) ) {
147 $this->path = $_SERVER['PATH_INFO'];
149 else {
150 $this->path = '/';
151 if ( isset($_SERVER['REQUEST_URI']) ) {
152 if ( preg_match( '{^(.*?\.php)(.*)$}', $_SERVER['REQUEST_URI'], $matches ) ) {
153 $this->path = $matches[2];
154 if ( substr($this->path,0,1) != '/' )
155 $this->path = '/'.$this->path;
157 else if ( $_SERVER['REQUEST_URI'] != '/' ) {
158 dbg_error_log('LOG', 'Server is not supplying PATH_INFO and REQUEST_URI does not include a PHP program. Wildly guessing "/"!!!');
162 $this->path = rawurldecode($this->path);
164 /** Allow a request for .../calendar.ics to translate into the calendar URL */
165 if ( preg_match( '#^(/[^/]+/[^/]+).ics$#', $this->path, $matches ) ) {
166 $this->path = $matches[1]. '/';
169 if ( isset($c->replace_path) && isset($c->replace_path['from']) && isset($c->replace_path['to']) ) {
170 $this->path = preg_replace($c->replace_path['from'], $c->replace_path['to'], $this->path);
173 // dbg_error_log( "caldav", "Sanitising path '%s'", $this->path );
174 $bad_chars_regex = '/[\\^\\[\\(\\\\]/';
175 if ( preg_match( $bad_chars_regex, $this->path ) ) {
176 $this->DoResponse( 400, translate("The calendar path contains illegal characters.") );
178 if ( strstr($this->path,'//') ) $this->path = preg_replace( '#//+#', '/', $this->path);
180 if ( !isset($c->raw_post) ) $c->raw_post = file_get_contents( 'php://input');
181 if ( isset($_SERVER['HTTP_CONTENT_ENCODING']) ) {
182 $encoding = $_SERVER['HTTP_CONTENT_ENCODING'];
183 @dbg_error_log('caldav', 'Content-Encoding: %s', $encoding );
184 $encoding = preg_replace('{[^a-z0-9-]}i','',$encoding);
185 if ( ! ini_get('open_basedir') && (isset($c->dbg['ALL']) || isset($c->dbg['caldav'])) ) {
186 $fh = fopen('/tmp/encoded_data.'.$encoding,'w');
187 if ( $fh ) {
188 fwrite($fh,$c->raw_post);
189 fclose($fh);
192 switch( $encoding ) {
193 case 'gzip':
194 $this->raw_post = @gzdecode($c->raw_post);
195 break;
196 case 'deflate':
197 $this->raw_post = @gzinflate($c->raw_post);
198 break;
199 case 'compress':
200 $this->raw_post = @gzuncompress($c->raw_post);
201 break;
202 default:
204 if ( empty($this->raw_post) && !empty($c->raw_post) ) {
205 $this->PreconditionFailed(415, 'content-encoding', sprintf('Unable to decode "%s" content encoding.', $_SERVER['HTTP_CONTENT_ENCODING']));
207 $c->raw_post = $this->raw_post;
209 else {
210 $this->raw_post = $c->raw_post;
213 if ( isset($debugging) && isset($_GET['method']) ) {
214 $_SERVER['REQUEST_METHOD'] = $_GET['method'];
216 else if ( $_SERVER['REQUEST_METHOD'] == 'POST' && isset($_SERVER['HTTP_X_HTTP_METHOD_OVERRIDE']) ){
217 $_SERVER['REQUEST_METHOD'] = $_SERVER['HTTP_X_HTTP_METHOD_OVERRIDE'];
219 $this->method = $_SERVER['REQUEST_METHOD'];
220 $this->content_type = (isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : null);
221 if ( preg_match( '{^(\S+/\S+)\s*(;.*)?$}', $this->content_type, $matches ) ) {
222 $this->content_type = $matches[1];
224 if ( strlen($c->raw_post) > 0 ) {
225 if ( $this->method == 'PROPFIND' || $this->method == 'REPORT' || $this->method == 'PROPPATCH' || $this->method == 'BIND' || $this->method == 'MKTICKET' || $this->method == 'ACL' ) {
226 if ( !preg_match( '{^(text|application)/xml$}', $this->content_type ) ) {
227 @dbg_error_log( "LOG request", 'Request is "%s" but client set content-type to "%s". Assuming they meant XML!',
228 $this->method, $this->content_type );
229 $this->content_type = 'text/xml';
232 else if ( $this->method == 'PUT' || $this->method == 'POST' ) {
233 $this->CoerceContentType();
236 else {
237 $this->content_type = 'text/plain';
239 $this->user_agent = ((isset($_SERVER['HTTP_USER_AGENT']) ? $_SERVER['HTTP_USER_AGENT'] : "Probably Mulberry"));
242 * A variety of requests may set the "Depth" header to control recursion
244 if ( isset($_SERVER['HTTP_DEPTH']) ) {
245 $this->depth = $_SERVER['HTTP_DEPTH'];
247 else {
249 * Per rfc2518, section 9.2, 'Depth' might not always be present, and if it
250 * is not present then a reasonable request-type-dependent default should be
251 * chosen.
253 switch( $this->method ) {
254 case 'DELETE':
255 case 'MOVE':
256 case 'COPY':
257 case 'LOCK':
258 $this->depth = 'infinity';
259 break;
261 case 'REPORT':
262 $this->depth = 0;
263 break;
265 case 'PROPFIND':
266 default:
267 $this->depth = 0;
270 if ( !is_int($this->depth) && "infinity" == $this->depth ) $this->depth = DEPTH_INFINITY;
271 $this->depth = intval($this->depth);
274 * MOVE/COPY use a "Destination" header and (optionally) an "Overwrite" one.
276 if ( isset($_SERVER['HTTP_DESTINATION']) ) {
277 $this->destination = $_SERVER['HTTP_DESTINATION'];
278 if ( preg_match('{^(https?)://([a-z.-]+)(:[0-9]+)?(/.*)$}', $this->destination, $matches ) ) {
279 $this->destination = $matches[4];
282 $this->overwrite = ( isset($_SERVER['HTTP_OVERWRITE']) && ($_SERVER['HTTP_OVERWRITE'] == 'F') ? false : true ); // RFC4918, 9.8.4 says default True.
285 * LOCK things use an "If" header to hold the lock in some cases, and "Lock-token" in others
287 if ( isset($_SERVER['HTTP_IF']) ) $this->if_clause = $_SERVER['HTTP_IF'];
288 if ( isset($_SERVER['HTTP_LOCK_TOKEN']) && preg_match( '#[<]opaquelocktoken:(.*)[>]#', $_SERVER['HTTP_LOCK_TOKEN'], $matches ) ) {
289 $this->lock_token = $matches[1];
293 * Check for an access ticket.
295 if ( isset($_GET['ticket']) ) {
296 $this->ticket = new DAVTicket($_GET['ticket']);
298 else if ( isset($_SERVER['HTTP_TICKET']) ) {
299 $this->ticket = new DAVTicket($_SERVER['HTTP_TICKET']);
303 * LOCK things use a "Timeout" header to set a series of reducing alternative values
305 if ( isset($_SERVER['HTTP_TIMEOUT']) ) {
306 $timeouts = explode( ',', $_SERVER['HTTP_TIMEOUT'] );
307 foreach( $timeouts AS $k => $v ) {
308 if ( strtolower($v) == 'infinite' ) {
309 $this->timeout = (isset($c->maximum_lock_timeout) ? $c->maximum_lock_timeout : 86400 * 100);
310 break;
312 elseif ( strtolower(substr($v,0,7)) == 'second-' ) {
313 $this->timeout = min( intval(substr($v,7)), (isset($c->maximum_lock_timeout) ? $c->maximum_lock_timeout : 86400 * 100) );
314 break;
317 if ( ! isset($this->timeout) || $this->timeout == 0 ) $this->timeout = (isset($c->default_lock_timeout) ? $c->default_lock_timeout : 900);
320 $this->principal = new Principal('path',$this->path);
323 * RFC2518, 5.2: URL pointing to a collection SHOULD end in '/', and if it does not then
324 * we SHOULD return a Content-location header with the correction...
326 * We therefore look for a collection which matches one of the following URLs:
327 * - The exact request.
328 * - If the exact request, doesn't end in '/', then the request URL with a '/' appended
329 * - The request URL truncated to the last '/'
330 * The collection URL for this request is therefore the longest row in the result, so we
331 * can "... ORDER BY LENGTH(dav_name) DESC LIMIT 1"
333 $sql = "SELECT * FROM collection WHERE dav_name = :exact_name";
334 $params = array( ':exact_name' => $this->path );
335 if ( !preg_match( '#/$#', $this->path ) ) {
336 $sql .= " OR dav_name = :truncated_name OR dav_name = :trailing_slash_name";
337 $params[':truncated_name'] = preg_replace( '#[^/]*$#', '', $this->path);
338 $params[':trailing_slash_name'] = $this->path."/";
340 $sql .= " ORDER BY LENGTH(dav_name) DESC LIMIT 1";
341 $qry = new AwlQuery( $sql, $params );
342 if ( $qry->Exec('caldav',__LINE__,__FILE__) && $qry->rows() == 1 && ($row = $qry->Fetch()) ) {
343 if ( $row->dav_name == $this->path."/" ) {
344 $this->path = $row->dav_name;
345 dbg_error_log( "caldav", "Path is actually a collection - sending Content-Location header." );
346 header( "Content-Location: ".ConstructURL($this->path) );
349 $this->collection_id = $row->collection_id;
350 $this->collection_path = $row->dav_name;
351 $this->collection_type = ($row->is_calendar == 't' ? 'calendar' : 'collection');
352 $this->collection = $row;
353 if ( preg_match( '#^((/[^/]+/)\.(in|out)/)[^/]*$#', $this->path, $matches ) ) {
354 $this->collection_type = 'schedule-'. $matches[3]. 'box';
356 $this->collection->type = $this->collection_type;
358 else if ( preg_match( '{^( ( / ([^/]+) / ) \.(in|out)/ ) [^/]*$}x', $this->path, $matches ) ) {
359 // The request is for a scheduling inbox or outbox (or something inside one) and we should auto-create it
360 $params = array( ':username' => $matches[3], ':parent_container' => $matches[2], ':dav_name' => $matches[1] );
361 $params[':boxname'] = ($matches[4] == 'in' ? ' Inbox' : ' Outbox');
362 $this->collection_type = 'schedule-'. $matches[4]. 'box';
363 $params[':resourcetypes'] = sprintf('<DAV::collection/><urn:ietf:params:xml:ns:caldav:%s/>', $this->collection_type );
364 $sql = <<<EOSQL
365 INSERT INTO collection ( user_no, parent_container, dav_name, dav_displayname, is_calendar, created, modified, dav_etag, resourcetypes )
366 VALUES( (SELECT user_no FROM usr WHERE username = text(:username)),
367 :parent_container, :dav_name,
368 (SELECT fullname FROM usr WHERE username = text(:username)) || :boxname,
369 FALSE, current_timestamp, current_timestamp, '1', :resourcetypes )
370 EOSQL;
372 $qry = new AwlQuery( $sql, $params );
373 $qry->Exec('caldav',__LINE__,__FILE__);
374 dbg_error_log( 'caldav', 'Created new collection as "%s".', trim($params[':boxname']) );
376 // Uncache anything to do with the collection
377 $cache = getCacheInstance();
378 $cache->delete( 'collection-'.$params[':dav_name'], null );
379 $cache->delete( 'principal-'.$params[':parent_container'], null );
381 $qry = new AwlQuery( "SELECT * FROM collection WHERE dav_name = :dav_name", array( ':dav_name' => $matches[1] ) );
382 if ( $qry->Exec('caldav',__LINE__,__FILE__) && $qry->rows() == 1 && ($row = $qry->Fetch()) ) {
383 $this->collection_id = $row->collection_id;
384 $this->collection_path = $matches[1];
385 $this->collection = $row;
386 $this->collection->type = $this->collection_type;
389 else if ( preg_match( '#^((/[^/]+/)calendar-proxy-(read|write))/?[^/]*$#', $this->path, $matches ) ) {
390 $this->collection_type = 'proxy';
391 $this->_is_proxy_request = true;
392 $this->proxy_type = $matches[3];
393 $this->collection_path = $matches[1].'/'; // Enforce trailling '/'
394 if ( $this->collection_path == $this->path."/" ) {
395 $this->path .= '/';
396 dbg_error_log( "caldav", "Path is actually a (proxy) collection - sending Content-Location header." );
397 header( "Content-Location: ".ConstructURL($this->path) );
400 else if ( $this->options['allow_by_email'] && preg_match( '#^/(\S+@\S+[.]\S+)/?$#', $this->path) ) {
401 /** @todo we should deprecate this now that Evolution 2.27 can do scheduling extensions */
402 $this->collection_id = -1;
403 $this->collection_type = 'email';
404 $this->collection_path = $this->path;
405 $this->_is_principal = true;
407 else if ( preg_match( '#^(/[^/?]+)/?$#', $this->path, $matches) || preg_match( '#^(/principals/[^/]+/[^/]+)/?$#', $this->path, $matches) ) {
408 $this->collection_id = -1;
409 $this->collection_path = $matches[1].'/'; // Enforce trailling '/'
410 $this->collection_type = 'principal';
411 $this->_is_principal = true;
412 if ( $this->collection_path == $this->path."/" ) {
413 $this->path .= '/';
414 dbg_error_log( "caldav", "Path is actually a collection - sending Content-Location header." );
415 header( "Content-Location: ".ConstructURL($this->path) );
417 if ( preg_match( '#^(/principals/[^/]+/[^/]+)/?$#', $this->path, $matches) ) {
418 // Force a depth of 0 on these, which are at the wrong URL.
419 $this->depth = 0;
422 else if ( $this->path == '/' ) {
423 $this->collection_id = -1;
424 $this->collection_path = '/';
425 $this->collection_type = 'root';
428 if ( $this->collection_path == $this->path ) $this->_is_collection = true;
429 dbg_error_log( "caldav", " Collection '%s' is %d, type %s", $this->collection_path, $this->collection_id, $this->collection_type );
432 * Extract the user whom we are accessing
434 $this->principal = new DAVPrincipal( array( "path" => $this->path, "options" => $this->options ) );
435 $this->user_no = $this->principal->user_no();
436 $this->username = $this->principal->username();
437 $this->by_email = $this->principal->byEmail();
438 $this->principal_id = $this->principal->principal_id();
440 if ( $this->collection_type == 'principal' || $this->collection_type == 'email' || $this->collection_type == 'proxy' ) {
441 $this->collection = $this->principal->AsCollection();
442 if( $this->collection_type == 'proxy' ) {
443 $this->collection = $this->principal->AsCollection();
444 $this->collection->is_proxy = 't';
445 $this->collection->type = 'proxy';
446 $this->collection->proxy_type = $this->proxy_type;
447 $this->collection->dav_displayname = sprintf('Proxy %s for %s', $this->proxy_type, $this->principal->username() );
450 elseif( $this->collection_type == 'root' ) {
451 $this->collection = (object) array(
452 'collection_id' => 0,
453 'dav_name' => '/',
454 'dav_etag' => md5($c->system_name),
455 'is_calendar' => 'f',
456 'is_addressbook' => 'f',
457 'is_principal' => 'f',
458 'user_no' => 0,
459 'dav_displayname' => $c->system_name,
460 'type' => 'root',
461 'created' => date('Ymd\THis')
466 * Evaluate our permissions for accessing the target
468 $this->setPermissions();
470 $this->supported_methods = array(
471 'OPTIONS' => '',
472 'PROPFIND' => '',
473 'REPORT' => '',
474 'DELETE' => '',
475 'LOCK' => '',
476 'UNLOCK' => '',
477 'MOVE' => '',
478 'ACL' => ''
480 if ( $this->IsCollection() ) {
481 switch ( $this->collection_type ) {
482 case 'root':
483 case 'email':
484 // We just override the list completely here.
485 $this->supported_methods = array(
486 'OPTIONS' => '',
487 'PROPFIND' => '',
488 'REPORT' => ''
490 break;
491 case 'schedule-inbox':
492 case 'schedule-outbox':
493 $this->supported_methods = array_merge(
494 $this->supported_methods,
495 array(
496 'POST' => '', 'GET' => '', 'PUT' => '', 'HEAD' => '', 'PROPPATCH' => ''
499 break;
500 case 'calendar':
501 $this->supported_methods['GET'] = '';
502 $this->supported_methods['PUT'] = '';
503 $this->supported_methods['HEAD'] = '';
504 break;
505 case 'collection':
506 case 'principal':
507 $this->supported_methods['GET'] = '';
508 $this->supported_methods['PUT'] = '';
509 $this->supported_methods['HEAD'] = '';
510 $this->supported_methods['MKCOL'] = '';
511 $this->supported_methods['MKCALENDAR'] = '';
512 $this->supported_methods['PROPPATCH'] = '';
513 $this->supported_methods['BIND'] = '';
514 break;
517 else {
518 $this->supported_methods = array_merge(
519 $this->supported_methods,
520 array(
521 'GET' => '',
522 'HEAD' => '',
523 'PUT' => ''
528 $this->supported_reports = array(
529 'DAV::principal-property-search' => '',
530 'DAV::expand-property' => '',
531 'DAV::sync-collection' => ''
533 if ( isset($this->collection) && $this->collection->is_calendar ) {
534 $this->supported_reports = array_merge(
535 $this->supported_reports,
536 array(
537 'urn:ietf:params:xml:ns:caldav:calendar-query' => '',
538 'urn:ietf:params:xml:ns:caldav:calendar-multiget' => '',
539 'urn:ietf:params:xml:ns:caldav:free-busy-query' => ''
543 if ( isset($this->collection) && $this->collection->is_addressbook ) {
544 $this->supported_reports = array_merge(
545 $this->supported_reports,
546 array(
547 'urn:ietf:params:xml:ns:carddav:addressbook-query' => '',
548 'urn:ietf:params:xml:ns:carddav:addressbook-multiget' => ''
555 * If the content we are receiving is XML then we parse it here. RFC2518 says we
556 * should reasonably expect to see either text/xml or application/xml
558 if ( isset($this->content_type) && preg_match( '#(application|text)/xml#', $this->content_type ) ) {
559 if ( !isset($this->raw_post) || $this->raw_post == '' ) {
560 $this->XMLResponse( 400, new XMLElement( 'error', new XMLElement('missing-xml'), array( 'xmlns' => 'DAV:') ) );
562 $xml_parser = xml_parser_create_ns('UTF-8');
563 $this->xml_tags = array();
564 xml_parser_set_option ( $xml_parser, XML_OPTION_SKIP_WHITE, 1 );
565 xml_parser_set_option ( $xml_parser, XML_OPTION_CASE_FOLDING, 0 );
566 $rc = xml_parse_into_struct( $xml_parser, $this->raw_post, $this->xml_tags );
567 if ( $rc == false ) {
568 dbg_error_log( 'ERROR', 'XML parsing error: %s at line %d, column %d',
569 xml_error_string(xml_get_error_code($xml_parser)),
570 xml_get_current_line_number($xml_parser), xml_get_current_column_number($xml_parser) );
571 $this->XMLResponse( 400, new XMLElement( 'error', new XMLElement('invalid-xml'), array( 'xmlns' => 'DAV:') ) );
573 xml_parser_free($xml_parser);
574 if ( count($this->xml_tags) ) {
575 dbg_error_log( "caldav", " Parsed incoming XML request body." );
577 else {
578 $this->xml_tags = null;
579 dbg_error_log( "ERROR", "Incoming request sent content-type XML with no XML request body." );
584 * Look out for If-None-Match or If-Match headers
586 if ( isset($_SERVER["HTTP_IF_NONE_MATCH"]) ) {
587 $this->etag_none_match = $_SERVER["HTTP_IF_NONE_MATCH"];
588 if ( $this->etag_none_match == '' ) unset($this->etag_none_match);
590 if ( isset($_SERVER["HTTP_IF_MATCH"]) ) {
591 $this->etag_if_match = $_SERVER["HTTP_IF_MATCH"];
592 if ( $this->etag_if_match == '' ) unset($this->etag_if_match);
598 * Permissions are controlled as follows:
599 * 1. if the path is '/', the request has read privileges
600 * 2. if the requester is an admin, the request has read/write priviliges
601 * 3. if there is a <user name> component which matches the logged on user
602 * then the request has read/write privileges
603 * 4. otherwise we query the defined relationships between users and use
604 * the minimum privileges returned from that analysis.
606 * @param int $user_no The current user number
609 function setPermissions() {
610 global $c, $session;
612 if ( $this->path == '/' || $this->path == '' ) {
613 $this->privileges = privilege_to_bits( array('read','read-free-busy','read-acl'));
614 dbg_error_log( "caldav", "Full read permissions for user accessing /" );
616 else if ( $session->AllowedTo("Admin") || $session->principal->user_no() == $this->user_no ) {
617 $this->privileges = privilege_to_bits('all');
618 dbg_error_log( "caldav", "Full permissions for %s", ( $session->principal->user_no() == $this->user_no ? "user accessing their own hierarchy" : "a systems administrator") );
620 else {
621 $this->privileges = 0;
622 if ( $this->IsPublic() ) {
623 $this->privileges = privilege_to_bits(array('read','read-free-busy'));
624 dbg_error_log( "caldav", "Basic read permissions for user accessing a public collection" );
626 else if ( isset($c->public_freebusy_url) && $c->public_freebusy_url ) {
627 $this->privileges = privilege_to_bits('read-free-busy');
628 dbg_error_log( "caldav", "Basic free/busy permissions for user accessing a public free/busy URL" );
632 * In other cases we need to query the database for permissions
634 $params = array( ':session_principal_id' => $session->principal->principal_id(), ':scan_depth' => $c->permission_scan_depth );
635 if ( isset($this->by_email) && $this->by_email ) {
636 $sql ='SELECT pprivs( :session_principal_id::int8, :request_principal_id::int8, :scan_depth::int ) AS perm';
637 $params[':request_principal_id'] = $this->principal_id;
639 else {
640 $sql = 'SELECT path_privs( :session_principal_id::int8, :request_path::text, :scan_depth::int ) AS perm';
641 $params[':request_path'] = $this->path;
643 $qry = new AwlQuery( $sql, $params );
644 if ( $qry->Exec('caldav',__LINE__,__FILE__) && $permission_result = $qry->Fetch() )
645 $this->privileges |= bindec($permission_result->perm);
647 dbg_error_log( 'caldav', 'Restricted permissions for user accessing someone elses hierarchy: %s', decbin($this->privileges) );
648 if ( isset($this->ticket) && $this->ticket->MatchesPath($this->path) ) {
649 $this->privileges |= $this->ticket->privileges();
650 dbg_error_log( 'caldav', 'Applying permissions for ticket "%s" now: %s', $this->ticket->id(), decbin($this->privileges) );
654 /** convert privileges into older style permissions */
655 $this->permissions = array();
656 $privs = bits_to_privilege($this->privileges);
657 foreach( $privs AS $k => $v ) {
658 switch( $v ) {
659 case 'DAV::all': $type = 'abstract'; break;
660 case 'DAV::write': $type = 'aggregate'; break;
661 default: $type = 'real';
663 $v = str_replace('DAV::', '', $v);
664 $this->permissions[$v] = $type;
671 * Checks whether the resource is locked, returning any lock token, or false
673 * @todo This logic does not catch all locking scenarios. For example an infinite
674 * depth request should check the permissions for all collections and resources within
675 * that. At present we only maintain permissions on a per-collection basis though.
677 function IsLocked() {
678 if ( !isset($this->_locks_found) ) {
679 $this->_locks_found = array();
681 $sql = 'DELETE FROM locks WHERE (start + timeout) < current_timestamp';
682 $qry = new AwlQuery($sql);
683 $qry->Exec('caldav',__LINE__,__FILE__);
686 * Find the locks that might apply and load them into an array
688 $sql = 'SELECT * FROM locks WHERE :dav_name::text ~ (\'^\'||dav_name||:pattern_end_match)::text';
689 $qry = new AwlQuery($sql, array( ':dav_name' => $this->path, ':pattern_end_match' => ($this->IsInfiniteDepth() ? '' : '$') ) );
690 if ( $qry->Exec('caldav',__LINE__,__FILE__) ) {
691 while( $lock_row = $qry->Fetch() ) {
692 $this->_locks_found[$lock_row->opaquelocktoken] = $lock_row;
695 else {
696 $this->DoResponse(500,translate("Database Error"));
697 // Does not return.
701 foreach( $this->_locks_found AS $lock_token => $lock_row ) {
702 if ( $lock_row->depth == DEPTH_INFINITY || $lock_row->dav_name == $this->path ) {
703 return $lock_token;
707 return false; // Nothing matched
712 * Checks whether the collection is public
714 function IsPublic() {
715 if ( isset($this->collection) && isset($this->collection->publicly_readable) && $this->collection->publicly_readable == 't' ) {
716 return true;
718 return false;
722 private static function supportedPrivileges() {
723 return array(
724 'all' => array(
725 'read' => translate('Read the content of a resource or collection'),
726 'write' => array(
727 'bind' => translate('Create a resource or collection'),
728 'unbind' => translate('Delete a resource or collection'),
729 'write-content' => translate('Write content'),
730 'write-properties' => translate('Write properties')
732 'urn:ietf:params:xml:ns:caldav:read-free-busy' => translate('Read the free/busy information for a calendar collection'),
733 'read-acl' => translate('Read ACLs for a resource or collection'),
734 'read-current-user-privilege-set' => translate('Read the details of the current user\'s access control to this resource.'),
735 'write-acl' => translate('Write ACLs for a resource or collection'),
736 'unlock' => translate('Remove a lock'),
738 'urn:ietf:params:xml:ns:caldav:schedule-deliver' => array(
739 'urn:ietf:params:xml:ns:caldav:schedule-deliver-invite'=> translate('Deliver scheduling invitations from an organiser to this scheduling inbox'),
740 'urn:ietf:params:xml:ns:caldav:schedule-deliver-reply' => translate('Deliver scheduling replies from an attendee to this scheduling inbox'),
741 'urn:ietf:params:xml:ns:caldav:schedule-query-freebusy' => translate('Allow free/busy enquiries targeted at the owner of this scheduling inbox')
744 'urn:ietf:params:xml:ns:caldav:schedule-send' => array(
745 'urn:ietf:params:xml:ns:caldav:schedule-send-invite' => translate('Send scheduling invitations as an organiser from the owner of this scheduling outbox.'),
746 'urn:ietf:params:xml:ns:caldav:schedule-send-reply' => translate('Send scheduling replies as an attendee from the owner of this scheduling outbox.'),
747 'urn:ietf:params:xml:ns:caldav:schedule-send-freebusy' => translate('Send free/busy enquiries')
754 * Returns the dav_name of the resource in our internal namespace
756 function dav_name() {
757 if ( isset($this->path) ) return $this->path;
758 return null;
763 * Returns the name for this depth: 0, 1, infinity
765 function GetDepthName( ) {
766 if ( $this->IsInfiniteDepth() ) return 'infinity';
767 return $this->depth;
771 * Returns the tail of a Regex appropriate for this Depth, when appended to
774 function DepthRegexTail( $for_collection_report = false) {
775 if ( $this->IsInfiniteDepth() ) return '';
776 if ( $this->depth == 0 && $for_collection_report ) return '[^/]+$';
777 if ( $this->depth == 0 ) return '$';
778 return '[^/]*/?$';
782 * Returns the locked row, either from the cache or from the database
784 * @param string $dav_name The resource which we want to know the lock status for
786 function GetLockRow( $lock_token ) {
787 if ( isset($this->_locks_found) && isset($this->_locks_found[$lock_token]) ) {
788 return $this->_locks_found[$lock_token];
791 $qry = new AwlQuery('SELECT * FROM locks WHERE opaquelocktoken = :lock_token', array( ':lock_token' => $lock_token ) );
792 if ( $qry->Exec('caldav',__LINE__,__FILE__) ) {
793 $lock_row = $qry->Fetch();
794 $this->_locks_found = array( $lock_token => $lock_row );
795 return $this->_locks_found[$lock_token];
797 else {
798 $this->DoResponse( 500, translate("Database Error") );
801 return false; // Nothing matched
806 * Checks to see whether the lock token given matches one of the ones handed in
807 * with the request.
809 * @param string $lock_token The opaquelocktoken which we are looking for
811 function ValidateLockToken( $lock_token ) {
812 if ( isset($this->lock_token) && $this->lock_token == $lock_token ) {
813 dbg_error_log( "caldav", "They supplied a valid lock token. Great!" );
814 return true;
816 if ( isset($this->if_clause) ) {
817 dbg_error_log( "caldav", "Checking lock token '%s' against '%s'", $lock_token, $this->if_clause );
818 $tokens = preg_split( '/[<>]/', $this->if_clause );
819 foreach( $tokens AS $k => $v ) {
820 dbg_error_log( "caldav", "Checking lock token '%s' against '%s'", $lock_token, $v );
821 if ( 'opaquelocktoken:' == substr( $v, 0, 16 ) ) {
822 if ( substr( $v, 16 ) == $lock_token ) {
823 dbg_error_log( "caldav", "Lock token '%s' validated OK against '%s'", $lock_token, $v );
824 return true;
829 else {
830 @dbg_error_log( "caldav", "Invalid lock token '%s' - not in Lock-token (%s) or If headers (%s) ", $lock_token, $this->lock_token, $this->if_clause );
833 return false;
838 * Returns the DB object associated with a lock token, or false.
840 * @param string $lock_token The opaquelocktoken which we are looking for
842 function GetLockDetails( $lock_token ) {
843 if ( !isset($this->_locks_found) && false === $this->IsLocked() ) return false;
844 if ( isset($this->_locks_found[$lock_token]) ) return $this->_locks_found[$lock_token];
845 return false;
850 * This will either (a) return false if no locks apply, or (b) return the lock_token
851 * which the request successfully included to open the lock, or:
852 * (c) respond directly to the client with the failure.
854 * @return mixed false (no lock) or opaquelocktoken (opened lock)
856 function FailIfLocked() {
857 if ( $existing_lock = $this->IsLocked() ) { // NOTE Assignment in if() is expected here.
858 dbg_error_log( "caldav", "There is a lock on '%s'", $this->path);
859 if ( ! $this->ValidateLockToken($existing_lock) ) {
860 $lock_row = $this->GetLockRow($existing_lock);
862 * Already locked - deny it
864 $response[] = new XMLElement( 'response', array(
865 new XMLElement( 'href', $lock_row->dav_name ),
866 new XMLElement( 'status', 'HTTP/1.1 423 Resource Locked')
868 if ( $lock_row->dav_name != $this->path ) {
869 $response[] = new XMLElement( 'response', array(
870 new XMLElement( 'href', $this->path ),
871 new XMLElement( 'propstat', array(
872 new XMLElement( 'prop', new XMLElement( 'lockdiscovery' ) ),
873 new XMLElement( 'status', 'HTTP/1.1 424 Failed Dependency')
877 $response = new XMLElement( "multistatus", $response, array('xmlns'=>'DAV:') );
878 $xmldoc = $response->Render(0,'<?xml version="1.0" encoding="utf-8" ?>');
879 $this->DoResponse( 207, $xmldoc, 'text/xml; charset="utf-8"' );
880 // Which we won't come back from
882 return $existing_lock;
884 return false;
889 * Coerces the Content-type of the request into something valid/appropriate
891 function CoerceContentType() {
892 if ( isset($this->content_type) ) {
893 $type = explode( '/', $this->content_type, 2);
894 /** @todo: Perhaps we should look at the target collection type, also. */
895 if ( $type[0] == 'text' ) {
896 if ( !empty($type[1]) && ($type[1] == 'vcard' || $type[1] == 'calendar' || $type[1] == 'x-vcard') ) {
897 return;
902 /** Null (or peculiar) content-type supplied so we have to try and work it out... */
903 $first_word = trim(substr( $this->raw_post, 0, 30));
904 $first_word = strtoupper( preg_replace( '/\s.*/s', '', $first_word ) );
905 switch( $first_word ) {
906 case '<?XML':
907 dbg_error_log( 'LOG WARNING', 'Application sent content-type of "%s" instead of "text/xml"',
908 (isset($this->content_type)?$this->content_type:'(null)') );
909 $this->content_type = 'text/xml';
910 break;
911 case 'BEGIN:VCALENDAR':
912 dbg_error_log( 'LOG WARNING', 'Application sent content-type of "%s" instead of "text/calendar"',
913 (isset($this->content_type)?$this->content_type:'(null)') );
914 $this->content_type = 'text/calendar';
915 break;
916 case 'BEGIN:VCARD':
917 dbg_error_log( 'LOG WARNING', 'Application sent content-type of "%s" instead of "text/vcard"',
918 (isset($this->content_type)?$this->content_type:'(null)') );
919 $this->content_type = 'text/vcard';
920 break;
921 default:
922 dbg_error_log( 'LOG NOTICE', 'Unusual content-type of "%s" and first word of content is "%s"',
923 (isset($this->content_type)?$this->content_type:'(null)'), $first_word );
925 if ( empty($this->content_type) ) $this->content_type = 'text/plain';
930 * Returns true if the 'Prefer: return-minimal' or 'Brief: t' were present in the request headers.
932 function PreferMinimal() {
933 if ( empty($this->prefer) ) return false;
934 foreach( $this->prefer AS $v ) {
935 if ( $v == 'return-minimal' ) return true;
937 return false;
941 * Returns true if the URL referenced by this request points at a collection.
943 function IsCollection( ) {
944 if ( !isset($this->_is_collection) ) {
945 $this->_is_collection = preg_match( '#/$#', $this->path );
947 return $this->_is_collection;
952 * Returns true if the URL referenced by this request points at a calendar collection.
954 function IsCalendar( ) {
955 if ( !$this->IsCollection() || !isset($this->collection) ) return false;
956 return $this->collection->is_calendar == 't';
961 * Returns true if the URL referenced by this request points at an addressbook collection.
963 function IsAddressBook( ) {
964 if ( !$this->IsCollection() || !isset($this->collection) ) return false;
965 return $this->collection->is_addressbook == 't';
970 * Returns true if the URL referenced by this request points at a principal.
972 function IsPrincipal( ) {
973 if ( !isset($this->_is_principal) ) {
974 $this->_is_principal = preg_match( '#^/[^/]+/$#', $this->path );
976 return $this->_is_principal;
981 * Returns true if the URL referenced by this request is within a proxy URL
983 function IsProxyRequest( ) {
984 if ( !isset($this->_is_proxy_request) ) {
985 $this->_is_proxy_request = preg_match( '#^/[^/]+/calendar-proxy-(read|write)/?[^/]*$#', $this->path );
987 return $this->_is_proxy_request;
992 * Returns true if the request asked for infinite depth
994 function IsInfiniteDepth( ) {
995 return ($this->depth == DEPTH_INFINITY);
1000 * Returns the ID of the collection of, or containing this request
1002 function CollectionId( ) {
1003 return $this->collection_id;
1008 * Returns the array of supported privileges converted into XMLElements
1010 function BuildSupportedPrivileges( &$reply, $privs = null ) {
1011 $privileges = array();
1012 if ( $privs === null ) $privs = self::supportedPrivileges();
1013 foreach( $privs AS $k => $v ) {
1014 dbg_error_log( 'caldav', 'Adding privilege "%s" which is "%s".', $k, $v );
1015 $privilege = new XMLElement('privilege');
1016 $reply->NSElement($privilege,$k);
1017 $privset = array($privilege);
1018 if ( is_array($v) ) {
1019 dbg_error_log( 'caldav', '"%s" is a container of sub-privileges.', $k );
1020 $privset = array_merge($privset, $this->BuildSupportedPrivileges($reply,$v));
1022 else if ( $v == 'abstract' ) {
1023 dbg_error_log( 'caldav', '"%s" is an abstract privilege.', $v );
1024 $privset[] = new XMLElement('abstract');
1026 else if ( strlen($v) > 1 ) {
1027 $privset[] = new XMLElement('description', $v);
1029 $privileges[] = new XMLElement('supported-privilege',$privset);
1031 return $privileges;
1036 * Are we allowed to do the requested activity
1038 * +------------+------------------------------------------------------+
1039 * | METHOD | PRIVILEGES |
1040 * +------------+------------------------------------------------------+
1041 * | MKCALENDAR | DAV:bind |
1042 * | REPORT | DAV:read or CALDAV:read-free-busy (on all referenced |
1043 * | | resources) |
1044 * +------------+------------------------------------------------------+
1046 * @param string $activity The activity we want to do.
1048 function AllowedTo( $activity ) {
1049 global $session;
1050 dbg_error_log('caldav', 'Checking whether "%s" is allowed to "%s"', $session->principal->username(), $activity);
1051 if ( isset($this->permissions['all']) ) return true;
1052 switch( $activity ) {
1053 case 'all':
1054 return false; // If they got this far then they don't
1055 break;
1057 case "CALDAV:schedule-send-freebusy":
1058 return isset($this->permissions['read']) || isset($this->permissions['urn:ietf:params:xml:ns:caldav:read-free-busy']);
1059 break;
1061 case "CALDAV:schedule-send-invite":
1062 return isset($this->permissions['read']) || isset($this->permissions['urn:ietf:params:xml:ns:caldav:read-free-busy']);
1063 break;
1065 case "CALDAV:schedule-send-reply":
1066 return isset($this->permissions['read']) || isset($this->permissions['urn:ietf:params:xml:ns:caldav:read-free-busy']);
1067 break;
1069 case 'freebusy':
1070 return isset($this->permissions['read']) || isset($this->permissions['urn:ietf:params:xml:ns:caldav:read-free-busy']);
1071 break;
1073 case 'delete':
1074 return isset($this->permissions['write']) || isset($this->permissions['unbind']);
1075 break;
1077 case 'proppatch':
1078 return isset($this->permissions['write']) || isset($this->permissions['write-properties']);
1079 break;
1081 case 'modify':
1082 return isset($this->permissions['write']) || isset($this->permissions['write-content']);
1083 break;
1085 case 'create':
1086 return isset($this->permissions['write']) || isset($this->permissions['bind']);
1087 break;
1089 case 'mkcalendar':
1090 case 'mkcol':
1091 if ( !isset($this->permissions['write']) || !isset($this->permissions['bind']) ) return false;
1092 if ( $this->is_principal ) return false;
1093 if ( $this->path == '/' ) return false;
1094 break;
1096 default:
1097 $test_bits = privilege_to_bits( $activity );
1098 // dbg_error_log( 'caldav', 'request::AllowedTo("%s") (%s) against allowed "%s" => "%s" (%s)',
1099 // (is_array($activity) ? implode(',',$activity) : $activity), decbin($test_bits),
1100 // decbin($this->privileges), ($this->privileges & $test_bits), decbin($this->privileges & $test_bits) );
1101 return (($this->privileges & $test_bits) > 0 );
1102 break;
1105 return false;
1111 * Return the privileges bits for the current session user to this resource
1113 function Privileges() {
1114 return $this->privileges;
1119 * Check that the incoming Etag matches the one for the existing (or non-existing) resource.
1121 * @param boolean $exists Whether the destination exists
1122 * @param string $dest_etag The etag for the destination.
1124 function CheckEtagMatch( $exists, $dest_etag ) {
1125 global $c;
1127 if ( ! $exists ) {
1128 if ( (isset($this->etag_if_match) && $this->etag_if_match != '') ) {
1130 * RFC2068, 14.25:
1131 * If none of the entity tags match, or if "*" is given and no current
1132 * entity exists, the server MUST NOT perform the requested method, and
1133 * MUST return a 412 (Precondition Failed) response.
1135 $this->PreconditionFailed(412, 'if-match', translate('No resource exists at the destination.'));
1138 else {
1140 if ( isset($c->strict_etag_checking) && $c->strict_etag_checking )
1141 $trim_chars = '\'\\" ';
1142 else
1143 $trim_chars = ' ';
1145 if ( isset($this->etag_if_match) && $this->etag_if_match != '' && trim( $this->etag_if_match, $trim_chars) != trim( $dest_etag, $trim_chars ) ) {
1147 * RFC2068, 14.25:
1148 * If none of the entity tags match, or if "*" is given and no current
1149 * entity exists, the server MUST NOT perform the requested method, and
1150 * MUST return a 412 (Precondition Failed) response.
1152 $this->PreconditionFailed(412,'if-match',sprintf('Existing resource ETag of <<%s>> does not match <<%s>>', $dest_etag, $this->etag_if_match) );
1154 else if ( isset($this->etag_none_match) && $this->etag_none_match != ''
1155 && ($this->etag_none_match == $dest_etag || $this->etag_none_match == '*') ) {
1157 * RFC2068, 14.26:
1158 * If any of the entity tags match the entity tag of the entity that
1159 * would have been returned in the response to a similar GET request
1160 * (without the If-None-Match header) on that resource, or if "*" is
1161 * given and any current entity exists for that resource, then the
1162 * server MUST NOT perform the requested method.
1164 $this->PreconditionFailed(412,'if-none-match', translate( 'Existing resource matches "If-None-Match" header - not accepted.'));
1172 * Is the user has the privileges to do what is requested.
1174 function HavePrivilegeTo( $do_what ) {
1175 $test_bits = privilege_to_bits( $do_what );
1176 // dbg_error_log( 'caldav', 'request::HavePrivilegeTo("%s") [%s] against allowed "%s" => "%s" (%s)',
1177 // (is_array($do_what) ? implode(',',$do_what) : $do_what), decbin($test_bits),
1178 // decbin($this->privileges), ($this->privileges & $test_bits), decbin($this->privileges & $test_bits) );
1179 return ($this->privileges & $test_bits) > 0;
1184 * Sometimes it's a perfectly formed request, but we just don't do that :-(
1185 * @param array $unsupported An array of the properties we don't support.
1187 function UnsupportedRequest( $unsupported ) {
1188 if ( isset($unsupported) && count($unsupported) > 0 ) {
1189 $badprops = new XMLElement( "prop" );
1190 foreach( $unsupported AS $k => $v ) {
1191 // Not supported at this point...
1192 dbg_error_log("ERROR", " %s: Support for $v:$k properties is not implemented yet", $this->method );
1193 $badprops->NewElement(strtolower($k),false,array("xmlns" => strtolower($v)));
1195 $error = new XMLElement("error", $badprops, array("xmlns" => "DAV:") );
1197 $this->XMLResponse( 422, $error );
1203 * Send a need-privileges error response. This function will only return
1204 * if the $href is not supplied and the current user has the specified
1205 * permission for the request path.
1207 * @param string $privilege The name of the needed privilege.
1208 * @param string $href The unconstructed URI where we needed the privilege.
1210 function NeedPrivilege( $privileges, $href=null ) {
1211 if ( is_string($privileges) ) $privileges = array( $privileges );
1212 if ( !isset($href) ) {
1213 if ( $this->HavePrivilegeTo($privileges) ) return;
1214 $href = $this->path;
1217 $reply = new XMLDocument( array('DAV:' => '') );
1218 $privnodes = array( $reply->href(ConstructURL($href)), new XMLElement( 'privilege' ) );
1219 // RFC3744 specifies that we can only respond with one needed privilege, so we pick the first.
1220 $reply->NSElement( $privnodes[1], $privileges[0] );
1221 $xml = new XMLElement( 'need-privileges', new XMLElement( 'resource', $privnodes) );
1222 $xmldoc = $reply->Render('error',$xml);
1223 $this->DoResponse( 403, $xmldoc, 'text/xml; charset="utf-8"' );
1224 exit(0); // Unecessary, but might clarify things
1229 * Send an error response for a failed precondition.
1231 * @param int $status The status code for the failed precondition. Normally 403
1232 * @param string $precondition The namespaced precondition tag.
1233 * @param string $explanation An optional text explanation for the failure.
1235 function PreconditionFailed( $status, $precondition, $explanation = '', $xmlns='DAV:') {
1236 $xmldoc = sprintf('<?xml version="1.0" encoding="utf-8" ?>
1237 <error xmlns="%s">
1238 <%s/>%s
1239 </error>', $xmlns, str_replace($xmlns.':', '', $precondition), $explanation );
1241 $this->DoResponse( $status, $xmldoc, 'text/xml; charset="utf-8"' );
1242 exit(0); // Unecessary, but might clarify things
1247 * Send a simple error informing the client that was a malformed request
1249 * @param string $text An optional text description of the failure.
1251 function MalformedRequest( $text = 'Bad request' ) {
1252 $this->DoResponse( 400, $text );
1253 exit(0); // Unecessary, but might clarify things
1258 * Send an XML Response. This function will never return.
1260 * @param int $status The HTTP status to respond
1261 * @param XMLElement $xmltree An XMLElement tree to be rendered
1263 function XMLResponse( $status, $xmltree ) {
1264 $xmldoc = $xmltree->Render(0,'<?xml version="1.0" encoding="utf-8" ?>');
1265 $etag = md5($xmldoc);
1266 if ( !headers_sent() ) header("ETag: \"$etag\"");
1267 $this->DoResponse( $status, $xmldoc, 'text/xml; charset="utf-8"' );
1268 exit(0); // Unecessary, but might clarify things
1271 public static function kill_on_exit() {
1272 posix_kill( getmypid(), 28 );
1276 * Utility function we call when we have a simple status-based response to
1277 * return to the client. Possibly
1279 * @param int $status The HTTP status code to send.
1280 * @param string $message The friendly text message to send with the response.
1282 function DoResponse( $status, $message="", $content_type="text/plain; charset=\"utf-8\"" ) {
1283 global $session, $c;
1284 if ( !headers_sent() ) @header( sprintf("HTTP/1.1 %d %s", $status, getStatusMessage($status)) );
1285 if ( !headers_sent() ) @header( sprintf("X-DAViCal-Version: DAViCal/%d.%d.%d; DB/%d.%d.%d", $c->code_major, $c->code_minor, $c->code_patch, $c->schema_major, $c->schema_minor, $c->schema_patch) );
1286 if ( !headers_sent() ) header( "Content-type: ".$content_type );
1288 if ( (isset($c->dbg['ALL']) && $c->dbg['ALL']) || (isset($c->dbg['response']) && $c->dbg['response'])
1289 || $status == 400 || $status == 402 || $status == 403 || $status > 404 ) {
1290 @dbg_error_log( "LOG ", 'Response status %03d for %s %s', $status, $this->method, $_SERVER['REQUEST_URI'] );
1291 $lines = headers_list();
1292 dbg_error_log( "LOG ", "***************** Response Header ****************" );
1293 foreach( $lines AS $v ) {
1294 dbg_error_log( "LOG headers", "-->%s", $v );
1296 dbg_error_log( "LOG ", "******************** Response ********************" );
1297 // Log the request in all it's gory detail.
1298 $lines = preg_split( '#[\r\n]+#', $message);
1299 foreach( $lines AS $v ) {
1300 dbg_error_log( "LOG response", "-->%s", $v );
1304 if ( $message != '' ) {
1305 if ( !headers_sent() ) header( "Content-Length: ".strlen($message) );
1306 echo $message;
1309 if ( isset($c->dbg['caldav']) && $c->dbg['caldav'] ) {
1310 if ( strlen($message) > 100 || strstr($message, "\n") ) {
1311 $message = substr( preg_replace("#\s+#m", ' ', $message ), 0, 100) . (strlen($message) > 100 ? "..." : "");
1314 dbg_error_log("caldav", "Status: %d, Message: %s, User: %d, Path: %s", $status, $message, $session->principal->user_no(), $this->path);
1316 if ( isset($c->dbg['statistics']) && $c->dbg['statistics'] ) {
1317 $script_time = microtime(true) - $c->script_start_time;
1318 $memory = '';
1319 if ( function_exists('memory_get_usage') ) {
1320 $memory = sprintf( ', Memory: %dk, Peak: %dk', memory_get_usage()/1024, memory_get_peak_usage(true)/1024);
1322 @dbg_error_log("statistics", "Method: %s, Status: %d, Script: %5.3lfs, Queries: %5.3lfs, URL: %s%s",
1323 $this->method, $status, $script_time, $c->total_query_time, $this->path, $memory);
1325 try {
1326 @ob_flush(); // Seems like it should be better to do the following but is problematic on PHP5.3 at least: while ( ob_get_level() > 0 ) ob_end_flush();
1328 catch( Exception $ignored ) {}
1330 if ( isset($c->exit_after_memory_exceeds) && function_exists('memory_get_peak_usage') && memory_get_peak_usage(true) > $c->exit_after_memory_exceeds ) { // 64M
1331 @dbg_error_log("statistics", "Peak memory use exceeds %d bytes (%d) - killing process %d", $c->exit_after_memory_exceeds, memory_get_peak_usage(true), getmypid());
1332 register_shutdown_function( 'CalDAVRequest::kill_on_exit' );
1336 exit(0);