<?php /********************************************************************* class.thread.php Thread of things! XXX: Please DO NOT add any ticket related logic! use ticket class. Peter Rotich <peter@osticket.com> Copyright (c) 2006-2013 osTicket http://www.osticket.com Released under the GNU General Public License WITHOUT ANY WARRANTY. See LICENSE.TXT for details. vim: expandtab sw=4 ts=4 sts=4: **********************************************************************/ include_once(INCLUDE_DIR.'class.ticket.php'); include_once(INCLUDE_DIR.'class.draft.php'); include_once(INCLUDE_DIR.'class.role.php'); //Ticket thread. class Thread extends VerySimpleModel { static $meta = array( 'table' => THREAD_TABLE, 'pk' => array('id'), 'joins' => array( 'ticket' => array( 'constraint' => array( 'object_type' => "'T'", 'object_id' => 'TicketModel.ticket_id', ), ), 'task' => array( 'constraint' => array( 'object_type' => "'A'", 'object_id' => 'Task.id', ), ), 'collaborators' => array( 'reverse' => 'Collaborator.thread', ), 'entries' => array( 'reverse' => 'ThreadEntry.thread', ), 'events' => array( 'reverse' => 'ThreadEvent.thread', 'broker' => 'ThreadEvents', ), ), ); const MODE_STAFF = 1; const MODE_CLIENT = 2; var $_object; var $_collaborators; // Cache for collabs function getId() { return $this->id; } function getObjectId() { return $this->object_id; } function getObjectType() { return $this->object_type; } function getObject() { if (!$this->_object) $this->_object = ObjectModel::lookup( $this->getObjectId(), $this->getObjectType()); return $this->_object; } function getNumAttachments() { return Attachment::objects()->filter(array( 'thread_entry__thread' => $this ))->count(); } function getNumEntries() { return $this->entries->count(); } var $_entries; function getEntries($criteria=false) { if (!isset($this->_entries)) { $this->_entries = $this->entries->annotate(array( 'has_attachments' => SqlAggregate::COUNT(SqlCase::N() ->when(array('attachments__inline'=>0), 1) ->otherwise(null) ), )); $this->_entries->exclude(array('flags__hasbit'=>ThreadEntry::FLAG_HIDDEN)); if ($criteria) $this->_entries->filter($criteria); } return $this->_entries; } // Collaborators function getNumCollaborators() { return $this->collaborators->count(); } function getNumActiveCollaborators() { if (!isset($this->ht['active_collaborators'])) $this->ht['active_collaborators'] = count($this->getActiveCollaborators()); return $this->ht['active_collaborators']; } function getActiveCollaborators() { return $this->getCollaborators(array('isactive'=>1)); } function getCollaborators($criteria=array()) { if ($this->_collaborators && !$criteria) return $this->_collaborators; $collaborators = $this->collaborators ->filter(array('thread_id' => $this->getId())); if (isset($criteria['isactive'])) $collaborators->filter(array('isactive' => $criteria['isactive'])); // TODO: sort by name of the user $collaborators->order_by('user__name'); if (!$criteria) $this->_collaborators = $collaborators; return $collaborators; } function addCollaborator($user, $vars, &$errors, $event=true) { if (!$user) return null; $vars = array_merge(array( 'threadId' => $this->getId(), 'userId' => $user->getId()), $vars); if (!($c=Collaborator::add($vars, $errors))) return null; $this->_collaborators = null; if ($event) $this->getEvents()->log($this->getObject(), 'collab', array('add' => array($user->getId() => array( 'name' => $user->getName()->getOriginal(), 'src' => @$vars['source'], )) ) ); return $c; } function updateCollaborators($vars, &$errors) { global $thisstaff; if (!$thisstaff) return; //Deletes if($vars['del'] && ($ids=array_filter($vars['del']))) { $collabs = array(); foreach ($ids as $k => $cid) { if (($c=Collaborator::lookup($cid)) && $c->getThreadId() == $this->getId() && $c->delete()) $collabs[] = $c; } $this->getEvents()->log($this->getObject(), 'collab', array( 'del' => array($c->user_id => array('name' => $c->getName()->getOriginal())) )); } //statuses $cids = null; if($vars['cid'] && ($cids=array_filter($vars['cid']))) { $this->collaborators->filter(array( 'thread_id' => $this->getId(), 'id__in' => $cids ))->update(array( 'updated' => SqlFunction::NOW(), 'isactive' => 1, )); } if ($cids) { $this->collaborators->filter(array( 'thread_id' => $this->getId(), Q::not(array('id__in' => $cids)) ))->update(array( 'updated' => SqlFunction::NOW(), 'isactive' => 0, )); } unset($this->ht['active_collaborators']); $this->_collaborators = null; return true; } // Render thread function render($type=false, $options=array()) { $mode = $options['mode'] ?: self::MODE_STAFF; // Register thread actions prior to rendering the thread. include_once INCLUDE_DIR . 'class.thread_actions.php'; $entries = $this->getEntries(); if ($type && is_array($type)) $entries->filter(array('type__in' => $type)); // Precache all the attachments on this thread AttachmentFile::objects()->filter(array( 'attachments__thread_entry__thread__id' => $this->id ))->all(); $events = $this->getEvents(); $inc = ($mode == self::MODE_STAFF) ? STAFFINC_DIR : CLIENTINC_DIR; include $inc . 'templates/thread-entries.tmpl.php'; } function getEntry($id) { return ThreadEntry::lookup($id, $this->getId()); } function getEvents() { return $this->events; } /** * postEmail * * After some security and sanity checks, attaches the body and subject * of the message in reply to this thread item * * Parameters: * mailinfo - (array) of information about the email, with at least the * following keys * - mid - (string) email message-id * - name - (string) personal name of email originator * - email - (string<email>) originating email address * - subject - (string) email subject line (decoded) * - body - (string) email message body (decoded) */ function postEmail($mailinfo) { global $ost; // +==================+===================+=============+ // | Orig Thread-Type | Reply Thread-Type | Requires | // +==================+===================+=============+ // | * | Message (M) | From: Owner | // | * | Note (N) | From: Staff | // | Response (R) | Message (M) | | // | Message (M) | Response (R) | From: Staff | // +------------------+-------------------+-------------+ if (!$object = $this->getObject()) { // How should someone find this thread? return false; } elseif ($object instanceof Ticket && ( !$mailinfo['staffId'] && $object->isClosed() && !$object->isReopenable() )) { // Ticket is closed, not reopenable, and email was not submitted // by an agent. Email cannot be submitted return false; } // Mail sent by this system will have a message-id format of // <code-random-mailbox@domain.tld> // where code is a predictable string based on the SECRET_SALT of // this osTicket installation. If this incoming mail matches the // code, then it very likely originated from this system and looped @list($code) = explode('-', $mailinfo['mid'], 2); if (0 === strcasecmp(ltrim($code, '<'), substr(md5('mail'.SECRET_SALT), -9))) { // This mail was sent by this system. It was received due to // some kind of mail delivery loop. It should not be considered // a response to an existing thread entry if ($ost) $ost->log(LOG_ERR, _S('Email loop detected'), sprintf( _S('It appears as though <%s> is being used as a forwarded or fetched email account and is also being used as a user / system account. Please correct the loop or seek technical assistance.'), $mailinfo['email']), // This is quite intentional -- don't continue the loop false, // Force the message, even if logging is disabled true); return true; } $vars = array( 'mid' => $mailinfo['mid'], 'header' => $mailinfo['header'], 'poster' => $mailinfo['name'], 'origin' => 'Email', 'source' => 'Email', 'ip' => '', 'reply_to' => $this, 'recipients' => $mailinfo['recipients'], 'to-email-id' => $mailinfo['to-email-id'], ); // XXX: Is this necessary? if ($object instanceof Ticket) $vars['ticketId'] = $object->getId(); if ($object instanceof Task) $vars['taskId'] = $object->getId(); $errors = array(); if (isset($mailinfo['attachments'])) $vars['attachments'] = $mailinfo['attachments']; $body = $mailinfo['message']; $poster = $mailinfo['email']; // Disambiguate if the user happens also to be a staff member of the // system. The current ticket owner should _always_ post messages // instead of notes or responses if ($mailinfo['userId'] || ( $object instanceof Ticket && strcasecmp($mailinfo['email'], $object->getEmail()) == 0 )) { $vars['message'] = $body; $vars['userId'] = $mailinfo['userId'] ?: $object->getUserId(); if ($object instanceof Threadable) return $object->postThreadEntry('M', $vars); elseif ($this instanceof ObjectThread) $this->addMessage($vars, $errors); else throw new Exception('Cannot continue discussion with abstract thread'); } // Consider collaborator role (disambiguate staff members as // collaborators). Normally, the block above should match based // on the Referenced message-id header elseif ($object instanceof Ticket && ($E = UserEmail::lookup($mailinfo['email'])) && ($C = Collaborator::lookup(array( 'ticketId' => $object->getId(), 'userId' => $E->user_id ))) ) { $vars['userId'] = $mailinfo['userId'] ?: $C->getUserId(); $vars['message'] = $body; if ($object instanceof Threadable) return $object->postThreadEntry('M', $vars); elseif ($this instanceof ObjectThread) $this->addMessage($vars, $errors); else throw new Exception('Cannot continue discussion with abstract thread'); } // Accept internal note from staff members' replies elseif ($mailinfo['staffId'] || ($mailinfo['staffId'] = Staff::getIdByEmail($mailinfo['email']))) { $vars['staffId'] = $mailinfo['staffId']; $vars['poster'] = Staff::lookup($mailinfo['staffId']); $vars['note'] = $body; if ($object instanceof Threadable) return $object->postThreadEntry('N', $vars); elseif ($this instanceof ObjectThread) return $this->addNote($vars, $errors); else throw new Exception('Cannot continue discussion with abstract thread'); } elseif (Email::getIdByEmail($mailinfo['email'])) { // Don't process the email -- it came FROM this system return true; } // Support the mail parsing system declaring a thread-type elseif (isset($mailinfo['thread-type'])) { switch ($mailinfo['thread-type']) { case 'N': $vars['note'] = $body; $vars['poster'] = $poster; if ($object instanceof Threadable) return $object->postThreadEntry('N', $vars); elseif ($this instanceof ObjectThread) return $this->addNote($vars, $errors); else throw new Exception('Cannot continue discussion with abstract thread'); } } // TODO: Consider security constraints else { //XXX: Are we potentially leaking the email address to // collaborators? // Try not to destroy the format of the body $header = sprintf("Received From: %s <%s>\n\n", $mailinfo['name'], $mailinfo['email']); if ($body instanceof HtmlThreadEntryBody) $header = nl2br(Format::htmlchars($header)); // Add the banner to the top of the message if ($body instanceof ThreadEntryBody) $body->prepend($header); $vars['message'] = $body; $vars['userId'] = 0; //Unknown user! //XXX: Assume ticket owner? $vars['origin'] = 'Email'; if ($object instanceof Threadable) return $object->postThreadEntry('M', $vars); elseif ($this instanceof ObjectThread) return $this->addMessage($vars, $errors); else throw new Exception('Cannot continue discussion with abstract thread'); } // Currently impossible, but indicate that this thread object could // not append the incoming email. return false; } function deleteAttachments() { $deleted = Attachment::objects()->filter(array( 'thread_entry__thread' => $this, ))->delete(); if ($deleted) AttachmentFile::deleteOrphans(); return $deleted; } function removeCollaborators() { return Collaborator::objects() ->filter(array('thread_id'=>$this->getId())) ->delete(); } /** * Function: lookupByEmailHeaders * * Attempt to locate a thread by the email headers. It should be * considered a secondary lookup to ThreadEntry::lookupByEmailHeaders(), * which should find an actual thread entry, which should be possible * for all email communcation which is associated with a thread entry. * The only time where this is useful is for threads which triggered * email communication without a thread entry, for instance, like * tickets created without an initial message. */ function lookupByEmailHeaders(&$mailinfo) { $possibles = array(); foreach (array('in-reply-to', 'references') as $header) { $matches = array(); if (!isset($mailinfo[$header]) || !$mailinfo[$header]) continue; // Header may have multiple entries (usually separated by // spaces ( ) elseif (!preg_match_all('/<[^>@]+@[^>]+>/', $mailinfo[$header], $matches)) continue; // The References header will have the most recent message-id // (parent) on the far right. // @see rfc 1036, section 2.2.5 // @see http://www.jwz.org/doc/threading.html $possibles = array_merge($possibles, array_reverse($matches[0])); } // Add the message id if it is embedded in the body $match = array(); if (preg_match('`(?:data-mid="|Ref-Mid: )([^"\s]*)(?:$|")`', $mailinfo['message'], $match) && !in_array($match[1], $possibles) ) { $possibles[] = $match[1]; } foreach ($possibles as $mid) { // Attempt to detect the ticket and user ids from the // message-id header. If the message originated from // osTicket, the Mailer class can break it apart. If it came // from this help desk, the 'loopback' property will be set // to true. $mid_info = Mailer::decodeMessageId($mid); if ($mid_info['loopback'] && isset($mid_info['uid']) && @$mid_info['threadId'] && ($t = Thread::lookup($mid_info['threadId'])) ) { if (@$mid_info['userId']) { $mailinfo['userId'] = $mid_info['userId']; } elseif (@$mid_info['staffId']) { $mailinfo['staffId'] = $mid_info['staffId']; } // ThreadEntry was positively identified return $t; } } return null; } function delete() { //Self delete if (!parent::delete()) return false; // Clear email meta data (header..etc) ThreadEntryEmailInfo::objects() ->filter(array('thread_entry__thread' => $this)) ->update(array('headers' => null)); // Mass delete entries $this->deleteAttachments(); $this->removeCollaborators(); $this->entries->delete(); // Null out the events $this->events->update(array('thread_id' => 0)); return true; } static function create($vars) { $inst = parent::create($vars); $inst->created = SqlFunction::NOW(); return $inst; } } class ThreadEntryEmailInfo extends VerySimpleModel { static $meta = array( 'table' => THREAD_ENTRY_EMAIL_TABLE, 'pk' => array('id'), 'joins' => array( 'thread_entry' => array( 'constraint' => array('thread_entry_id' => 'ThreadEntry.id'), ), ), ); } class ThreadEntry extends VerySimpleModel implements TemplateVariable { static $meta = array( 'table' => THREAD_ENTRY_TABLE, 'pk' => array('id'), 'select_related' => array('staff', 'user', 'email_info'), 'ordering' => array('created', 'id'), 'joins' => array( 'thread' => array( 'constraint' => array('thread_id' => 'Thread.id'), ), 'parent' => array( 'constraint' => array('pid' => 'ThreadEntry.id'), 'null' => true, ), 'children' => array( 'reverse' => 'ThreadEntry.parent', ), 'email_info' => array( 'reverse' => 'ThreadEntryEmailInfo.thread_entry', 'list' => false, ), 'attachments' => array( 'reverse' => 'Attachment.thread_entry', 'null' => true, ), 'staff' => array( 'constraint' => array('staff_id' => 'Staff.staff_id'), 'null' => true, ), 'user' => array( 'constraint' => array('user_id' => 'User.id'), 'null' => true, ), ), ); const FLAG_ORIGINAL_MESSAGE = 0x0001; const FLAG_EDITED = 0x0002; const FLAG_HIDDEN = 0x0004; const FLAG_GUARDED = 0x0008; // No replace on edit const FLAG_RESENT = 0x0010; const PERM_EDIT = 'thread.edit'; var $_headers; var $_thread; var $_actions; var $_attachments; static protected $perms = array( self::PERM_EDIT => array( 'title' => /* @trans */ 'Edit Thread', 'desc' => /* @trans */ 'Ability to edit thread items of other agents', ), ); function postEmail($mailinfo) { if (!($thread = $this->getThread())) // Kind of hard to continue a discussion without a thread ... return false; elseif ($this->getEmailMessageId() == $mailinfo['mid']) // Reporting success so the email can be moved or deleted. return true; return $thread->postEmail($mailinfo); } function getId() { return $this->id; } function getPid() { return $this->get('pid', 0); } function getParent() { return $this->parent; } function getType() { return $this->type; } function getSource() { return $this->source; } function getPoster() { return $this->poster; } function getTitle() { return $this->title; } function getBody() { return ThreadEntryBody::fromFormattedText($this->body, $this->format); } function setBody($body) { global $cfg; if (!$body instanceof ThreadEntryBody) { if ($cfg->isRichTextEnabled()) $body = new HtmlThreadEntryBody($body); else $body = new TextThreadEntryBody($body); } $this->format = $body->getType(); $this->body = (string) $body; return $this->save(); } function getMessage() { return $this->getBody(); } function getCreateDate() { return $this->created; } function getUpdateDate() { return $this->updated; } function getNumAttachments() { return $this->attachments->count(); } function getEmailMessageId() { if ($this->email_info) return $this->email_info->mid; } function getEmailHeaderArray() { require_once(INCLUDE_DIR.'class.mailparse.php'); if (!isset($this->_headers) && $this->email_info && isset($this->email_info->headers) ) { $this->_headers = Mail_Parse::splitHeaders($this->email_info->headers); } return $this->_headers; } function getEmailReferences($include_mid=true) { $references = ''; $headers = self::getEmailHeaderArray(); if (isset($headers['References']) && $headers['References']) $references = $headers['References']." "; if ($include_mid && ($mid = $this->getEmailMessageId())) $references .= $mid; return $references; } /** * Retrieve a list of all the recients of this message if the message * was received via email. * * Returns: * (array<RFC_822>) list of recipients parsed with the Mail/RFC822 * address parsing utility. Returns an empty array if the message was * not received via email. */ function getAllEmailRecipients() { $headers = self::getEmailHeaderArray(); $recipients = array(); if (!$headers) return $recipients; foreach (array('To', 'Cc') as $H) { if (!isset($headers[$H])) continue; if (!($all = Mail_Parse::parseAddressList($headers[$H]))) continue; $recipients = array_merge($recipients, $all); } return $recipients; } /** * Recurse through the ancestry of this thread entry to find the first * thread entry which cites a email Message-ID field. * * Returns: * <ThreadEntry> or null if neither this thread entry nor any of its * ancestry contains an email header with an email Message-ID header. */ function findOriginalEmailMessage() { $P = $this; while (!$P->getEmailMessageId() && ($P = $P->getParent())); return $P; } function getUIDFromEmailReference($ref) { $info = unpack('Vtid/Vuid', Base32::decode(strtolower(substr($ref, -13)))); if ($info && $info['tid'] == $this->getId()) return $info['uid']; } function getThreadId() { return $this->thread_id; } function getThread() { if (!isset($this->_thread) && $this->thread_id) // TODO: Consider typing the thread based on its type field $this->_thread = ObjectThread::lookup($this->getThreadId()); return $this->_thread; } function getStaffId() { return isset($this->staff_id) ? $this->staff_id : 0; } function getStaff() { return $this->staff; } function getUserId() { return isset($this->user_id) ? $this->user_id : 0; } function getUser() { return $this->user; } function getEditor() { static $types = array( 'U' => 'User', 'S' => 'Staff', ); if (!isset($types[$this->editor_type])) return null; return $types[$this->editor_type]::lookup($this->editor); } function getName() { if ($this->staff_id) return $this->staff->getName(); if ($this->user_id) return $this->user->getName(); return $this->poster; } function getEmailHeader() { if ($this->email_info) return $this->email_info->headers; } function isAutoReply() { if (!isset($this->is_autoreply)) $this->is_autoreply = $this->getEmailHeaderArray() ? TicketFilter::isAutoReply($this->getEmailHeaderArray()) : false; return $this->is_autoreply; } function isBounce() { if (!isset($this->is_bounce)) $this->is_bounce = $this->getEmailHeaderArray() ? TicketFilter::isBounce($this->getEmailHeaderArray()) : false; return $this->is_bounce; } function isBounceOrAutoReply() { return ($this->isAutoReply() || $this->isBounce()); } function hasFlag($flag) { return ($this->get('flags', 0) & $flag) != 0; } function clearFlag($flag) { return $this->set('flags', $this->get('flags') & ~$flag); } function setFlag($flag) { return $this->set('flags', $this->get('flags') | $flag); } //Web uploads - caller is expected to format, validate and set any errors. function uploadFiles($files) { if(!$files || !is_array($files)) return false; $uploaded=array(); foreach($files as $file) { if($file['error'] && $file['error']==UPLOAD_ERR_NO_FILE) continue; if(!$file['error'] && ($F=AttachmentFile::upload($file)) && $this->saveAttachment($F)) $uploaded[]= $F->getId(); else { if(!$file['error']) $error = sprintf(__('Unable to upload file - %s'),$file['name']); elseif(is_numeric($file['error'])) $error ='Error #'.$file['error']; //TODO: Transplate to string. else $error = $file['error']; /* Log the error as an internal note. XXX: We're doing it here because it will eventually become a thread post comment (hint: comments coming!) XXX: logNote must watch for possible loops */ $this->getThread()->getObject()->logNote(__('File Upload Error'), $error, 'SYSTEM', false); } } return $uploaded; } function importAttachments(&$attachments) { if(!$attachments || !is_array($attachments)) return null; $files = array(); foreach($attachments as &$attachment) if(($id=$this->importAttachment($attachment))) $files[] = $id; return $files; } /* Emailed & API attachments handler */ function importAttachment(&$attachment) { if(!$attachment || !is_array($attachment)) return null; $A=null; if ($attachment['error'] || !($A=$this->saveAttachment($attachment))) { $error = $attachment['error']; if(!$error) $error = sprintf(_S('Unable to import attachment - %s'), $attachment['name']); //FIXME: logComment here $this->getThread()->getObject()->logNote( _S('File Import Error'), $error, _S('SYSTEM'), false); } return $A; } /* Save attachment to the DB. @file is a mixed var - can be ID or file hashtable. */ function saveAttachment(&$file, $name=false) { $inline = is_array($file) && @$file['inline']; if (is_numeric($file)) $fileId = $file; elseif ($file instanceof AttachmentFile) $fileId = $file->getId(); elseif ($F = AttachmentFile::create($file)) $fileId = $F->getId(); elseif (is_array($file) && isset($file['id'])) $fileId = $file['id']; else return false; $att = Attachment::create(array( 'type' => 'H', 'object_id' => $this->getId(), 'file_id' => $fileId, 'inline' => $inline ? 1 : 0, )); // Record varying file names in the attachment record if (is_array($file) && isset($file['name'])) { $filename = $file['name']; } elseif (is_string($name)) { $filename = $name; } if ($filename) { // This should be a noop since the ORM caches on PK $F = $F ?: AttachmentFile::lookup($fileId); // XXX: This is not Unicode safe if ($F && 0 !== strcasecmp($F->name, $filename)) $att->name = $filename; } if (!$att->save()) return false; return $att; } function saveAttachments($files) { $attachments = array(); foreach ($files as $name=>$file) { if (($A = $this->saveAttachment($file, $name))) $attachments[] = $A; } return $attachments; } function getAttachments() { return $this->attachments; } function getAttachmentUrls() { $json = array(); foreach ($this->attachments as $att) { $json[$att->file->getKey()] = array( 'download_url' => $att->file->getDownloadUrl(), 'filename' => $att->getFilename(), ); } return $json; } function getAttachmentsLinks($file='attachment.php', $target='_blank', $separator=' ') { // TODO: Move this to the respective UI templates $str=''; foreach ($this->attachments as $att ) { if ($att->inline) continue; $size = ''; if ($att->file->size) $size=sprintf('<em>(%s)</em>', Format::file_size($att->file->size)); $str .= sprintf( '<a class="Icon file no-pjax" href="%s" target="%s">%s</a>%s %s', $att->file->getDownloadUrl(), $target, Format::htmlchars($att->file->name), $size, $separator); } return $str; } /* save email info * TODO: Refactor it to include outgoing emails on responses. */ function saveEmailInfo($vars) { // Don't save empty message ID if (!$vars || !$vars['mid']) return 0; $this->ht['email_mid'] = $vars['mid']; $header = false; if (isset($vars['header'])) $header = $vars['header']; self::logEmailHeaders($this->getId(), $vars['mid'], $header); } /* static */ function logEmailHeaders($id, $mid, $header=false) { if (!$id || !$mid) return false; $this->email_info = ThreadEntryEmailInfo::create(array( 'thread_entry_id' => $id, 'mid' => $mid, )); if ($header) $this->email_info->headers = trim($header); return $this->email_info->save(); } /* variables */ function __toString() { return (string) $this->getBody(); } // TemplateVariable interface function asVar() { return (string) $this->getBody()->display('email'); } function getVar($tag) { switch(strtolower($tag)) { case 'create_date': return new FormattedDate($this->getCreateDate()); case 'update_date': return new FormattedDate($this->getUpdateDate()); case 'files': throw new OOBContent(OOBContent::FILES, $this->attachments->all()); } } static function getVarScope() { return array( 'files' => __('Attached files'), 'body' => __('Message body'), 'create_date' => array( 'class' => 'FormattedDate', 'desc' => __('Date created'), ), 'ip_address' => __('IP address of remote user, for web submissions'), 'poster' => __('Submitter of the thread item'), 'staff' => array( 'class' => 'Staff', 'desc' => __('Agent posting the note or response'), ), 'title' => __('Subject, if any'), 'user' => array( 'class' => 'User', 'desc' => __('User posting the message'), ), ); } /** * Parameters: * mailinfo (hash<String>) email header information. Must include keys * - "mid" => Message-Id header of incoming mail * - "in-reply-to" => Message-Id the email is a direct response to * - "references" => List of Message-Id's the email is in response * - "subject" => Find external ticket number in the subject line * * seen (by-ref:bool) a flag that will be set if the message-id was * positively found, indicating that the message-id has been * previously seen. This is useful if no thread-id is associated * with the email (if it was rejected for instance). */ function lookupByEmailHeaders(&$mailinfo, &$seen=false) { // Search for messages using the References header, then the // in-reply-to header if ($entry = ThreadEntry::objects() ->filter(array('email_info__mid' => $mailinfo['mid'])) ->first() ) { $seen = true; return $entry; } $possibles = array(); foreach (array('in-reply-to', 'references') as $header) { $matches = array(); if (!isset($mailinfo[$header]) || !$mailinfo[$header]) continue; // Header may have multiple entries (usually separated by // spaces ( ) elseif (!preg_match_all('/<[^>@]+@[^>]+>/', $mailinfo[$header], $matches)) continue; // The References header will have the most recent message-id // (parent) on the far right. // @see rfc 1036, section 2.2.5 // @see http://www.jwz.org/doc/threading.html $possibles = array_merge($possibles, array_reverse($matches[0])); } // Add the message id if it is embedded in the body $match = array(); if (preg_match('`(?:data-mid="|Ref-Mid: )([^"\s]*)(?:$|")`', $mailinfo['message'], $match) && !in_array($match[1], $possibles) ) { $possibles[] = $match[1]; } $thread = null; foreach ($possibles as $mid) { // Attempt to detect the ticket and user ids from the // message-id header. If the message originated from // osTicket, the Mailer class can break it apart. If it came // from this help desk, the 'loopback' property will be set // to true. $mid_info = Mailer::decodeMessageId($mid); if ($mid_info['loopback'] && isset($mid_info['uid']) && @$mid_info['entryId'] && ($t = ThreadEntry::lookup($mid_info['entryId'])) && ($t->thread_id == $mid_info['threadId']) ) { if (@$mid_info['userId']) { $mailinfo['userId'] = $mid_info['userId']; } elseif (@$mid_info['staffId']) { $mailinfo['staffId'] = $mid_info['staffId']; } // ThreadEntry was positively identified return $t; } // Try to determine if it's a reply to a tagged email. // (Deprecated) $ref = null; if (strpos($mid, '+')) { list($left, $right) = explode('@',$mid); list($left, $ref) = explode('+', $left); $mid = "$left@$right"; } $entries = ThreadEntry::objects() ->filter(array('email_info__mid' => $mid)); foreach ($entries as $t) { // Capture the first match thread item if (!$thread) $thread = $t; // We found a match - see if we can ID the user. // XXX: Check access of ref is enough? if ($ref && ($uid = $t->getUIDFromEmailReference($ref))) { if ($ref[0] =='s') //staff $mailinfo['staffId'] = $uid; else // user or collaborator. $mailinfo['userId'] = $uid; // Best possible case — found the thread and the // user return $t; } } } // Second best case — found a thread but couldn't identify the // user from the header. Return the first thread entry matched if ($thread) return $thread; // Search for ticket by the [#123456] in the subject line // This is the last resort - emails must match to avoid message // injection by third-party. $subject = $mailinfo['subject']; $match = array(); if ($subject && $mailinfo['email'] // Required `#` followed by one or more of // punctuation (-) then letters, numbers, and symbols // (Try not to match closing punctuation (`]`) in [#12345]) && preg_match("/#((\p{P}*[^\p{C}\p{Z}\p{P}]+)+)/u", $subject, $match) //Lookup by ticket number && ($ticket = Ticket::lookupByNumber($match[1])) //Lookup the user using the email address && ($user = User::lookup(array('emails__address' => $mailinfo['email'])))) { //We have a valid ticket and user if ($ticket->getUserId() == $user->getId() //owner || ($c = Collaborator::lookup( // check if collaborator array('user_id' => $user->getId(), 'thread_id' => $ticket->getThreadId())))) { $mailinfo['userId'] = $user->getId(); return $ticket->getLastMessage(); } } // Search for the message-id token in the body // *DEPRECATED* the current algo on outgoing mail will use // Mailer::getMessageId as the message id tagged here if (preg_match('`(?:class="mid-|Ref-Mid: )([^"\s]*)(?:$|")`', $mailinfo['message'], $match)) { // Support new Message-Id format if (($info = Mailer::decodeMessageId($match[1])) && $info['loopback'] && $info['entryId'] ) { return ThreadEntry::lookup($info['entryId']); } // Support old (deprecated) reference format if ($thread = ThreadEntry::lookupByRefMessageId($match[1], $mailinfo['email'])) return $thread; } return null; } /** * Find a thread entry from a message-id created from the * ::asMessageId() method. * * *DEPRECATED* use Mailer::decodeMessageId() instead */ function lookupByRefMessageId($mid, $from) { global $ost; $mid = trim($mid, '<>'); list($ver, $ids, $mails) = explode('$', $mid, 3); // Current version is <null> if ($ver !== '') return false; $ids = @unpack('Vthread', base64_decode($ids)); if (!$ids || !$ids['thread']) return false; $entry = ThreadEntry::lookup($ids['thread']); if (!$entry) return false; // Compute the value to be compared from $mails (which used to be in // ThreadEntry::asMessageId() (#nolint) $domain = md5($ost->getConfig()->getURL()); $ticket = $entry->getThread()->getObject(); if (!$ticket instanceof Ticket) return false; $check = sprintf('%s@%s', substr(md5($from . $ticket->getNumber() . $ticket->getId()), -10), substr($domain, -10) ); if ($check != $mails) return false; return $entry; } //new entry ... we're trusting the caller to check validity of the data. static function create($vars, &$errors=array()) { global $cfg; //Must have... if (!$vars['threadId'] || !$vars['type']) return false; if (!$vars['body'] instanceof ThreadEntryBody) { if ($cfg->isRichTextEnabled()) $vars['body'] = new HtmlThreadEntryBody($vars['body']); else $vars['body'] = new TextThreadEntryBody($vars['body']); } // Drop stripped images if ($vars['attachments']) { foreach ($vars['body']->getStrippedImages() as $cid) { foreach ($vars['attachments'] as $i=>$a) { if (@$a['cid'] && $a['cid'] == $cid) { // Inline referenced attachment was stripped unset($vars['attachments'][$i]); } } } } // Handle extracted embedded images (<img src="data:base64,..." />). // The extraction has already been performed in the ThreadEntryBody // class. Here they should simply be added to the attachments list if ($atts = $vars['body']->getEmbeddedHtmlImages()) { if (!is_array($vars['attachments'])) $vars['attachments'] = array(); foreach ($atts as $info) { $vars['attachments'][] = $info; } } if (!($body = $vars['body']->getClean())) $body = '-'; //Special tag used to signify empty message as stored. $poster = $vars['poster']; if ($poster && is_object($poster)) $poster = (string) $poster; $entry = parent::create(array( 'created' => SqlFunction::NOW(), 'type' => $vars['type'], 'thread_id' => $vars['threadId'], 'title' => Format::sanitize($vars['title'], true), 'format' => $vars['body']->getType(), 'staff_id' => $vars['staffId'], 'user_id' => $vars['userId'], 'poster' => $poster, 'source' => $vars['source'], )); if (!isset($vars['attachments']) || !$vars['attachments']) // Otherwise, body will be configured in a block below (after // inline attachments are saved and updated in the database) $entry->body = $body; if (isset($vars['pid'])) $entry->pid = $vars['pid']; // Check if 'reply_to' is in the $vars as the previous ThreadEntry // instance. If the body of the previous message is found in the new // body, strip it out. elseif (isset($vars['reply_to']) && $vars['reply_to'] instanceof ThreadEntry) $entry->pid = $vars['reply_to']->getId(); if ($vars['ip_address']) $entry->ip_address = $vars['ip_address']; if (!$entry->save()) return false; /************* ATTACHMENTS *****************/ //Upload/save attachments IF ANY if($vars['files']) //expects well formatted and VALIDATED files array. $entry->uploadFiles($vars['files']); //Canned attachments... if($vars['cannedattachments'] && is_array($vars['cannedattachments'])) $entry->saveAttachments($vars['cannedattachments']); //Emailed or API attachments if (isset($vars['attachments']) && $vars['attachments']) { foreach ($vars['attachments'] as &$a) if (isset($a['cid']) && $a['cid'] && strpos($body, 'cid:'.$a['cid']) !== false) $a['inline'] = true; unset($a); $entry->importAttachments($vars['attachments']); foreach ($vars['attachments'] as $a) { // Change <img src="cid:"> inside the message to point to // a unique hash-code for the attachment. Since the // content-id will be discarded, only the unique hash-code // will be available to retrieve the image later if ($a['cid'] && $a['key']) { $body = preg_replace('/src=("|\'|\b)(?:cid:)?' . preg_quote($a['cid'], '/').'\1/i', 'src="cid:'.$a['key'].'"', $body); } } $entry->body = $body; if (!$entry->save()) return false; } // Save mail message id, if available $entry->saveEmailInfo($vars); // Inline images (attached to the draft) $entry->saveAttachments(Draft::getAttachmentIds($body)); Signal::send('threadentry.created', $entry); return $entry; } static function add($vars, &$errors=array()) { return self::create($vars); } // Extensible thread entry actions ------------------------ /** * getActions * * Retrieve a list of possible actions. This list is shown to the agent * via drop-down list at the top-right of the thread entry when rendered * in the UI. */ function getActions() { if (!isset($this->_actions)) { $this->_actions = array(); foreach (self::$action_registry as $group=>$list) { $T = array(); $this->_actions[__($group)] = &$T; foreach ($list as $id=>$action) { $A = new $action($this); if ($A->isVisible()) { $T[$id] = $A; } } unset($T); } } return $this->_actions; } function hasActions() { foreach ($this->getActions() as $group => $list) { if (count($list)) return true; } return false; } function triggerAction($name) { foreach ($this->getActions() as $group=>$list) { foreach ($list as $id=>$action) { if (0 === strcasecmp($id, $name)) { if (!$action->isEnabled()) return false; $action->trigger(); return true; } } } return false; } static $action_registry = array(); static function registerAction($group, $action) { if (!isset(self::$action_registry[$group])) self::$action_registry[$group] = array(); self::$action_registry[$group][$action::getId()] = $action; } static function getPermissions() { return self::$perms; } } RolePermission::register(/* @trans */ 'Tickets', ThreadEntry::getPermissions()); class ThreadEvent extends VerySimpleModel { static $meta = array( 'table' => THREAD_EVENT_TABLE, 'pk' => array('id'), 'joins' => array( // Originator of activity 'agent' => array( 'constraint' => array( 'uid' => 'Staff.staff_id', ), 'null' => true, ), // Agent assignee 'staff' => array( 'constraint' => array( 'staff_id' => 'Staff.staff_id', ), 'null' => true, ), 'team' => array( 'constraint' => array( 'team_id' => 'Team.team_id', ), 'null' => true, ), 'thread' => array( 'constraint' => array('thread_id' => 'Thread.id'), ), 'user' => array( 'constraint' => array( 'uid' => 'User.id', ), 'null' => true, ), 'dept' => array( 'constraint' => array( 'dept_id' => 'Dept.id', ), 'null' => true, ), ), ); // Valid events for database storage const ASSIGNED = 'assigned'; const CLOSED = 'closed'; const CREATED = 'created'; const COLLAB = 'collab'; const EDITED = 'edited'; const ERROR = 'error'; const OVERDUE = 'overdue'; const REOPENED = 'reopened'; const STATUS = 'status'; const TRANFERRED = 'transferred'; const VIEWED = 'viewed'; const MODE_STAFF = 1; const MODE_CLIENT = 2; var $_data; function getAvatar($size=16) { if ($this->uid && $this->uid_type == 'S') return $this->agent->get_gravatar($size); if ($this->uid && $this->uid_type == 'U') return $this->user->get_gravatar($size); } function getUserName() { if ($this->uid && $this->uid_type == 'S') return $this->agent->getName(); if ($this->uid && $this->uid_type == 'U') return $this->user->getName(); return $this->username; } function getIcon() { $icons = array( 'assigned' => 'hand-right', 'collab' => 'group', 'created' => 'magic', 'overdue' => 'time', 'transferred' => 'share-alt', 'edited' => 'pencil', 'closed' => 'thumbs-up-alt', 'reopened' => 'rotate-right', 'resent' => 'reply-all icon-flip-horizontal', ); return @$icons[$this->state] ?: 'chevron-sign-right'; } function getDescription($mode=self::MODE_STAFF) { // Abstract description return $this->template(sprintf( __('%s by {somebody} {timestamp}'), $this->state )); } function template($description) { $self = $this; return preg_replace_callback('/\{(<(?P<type>([^>]+))>)?(?P<key>[^}.]+)(\.(?P<data>[^}]+))?\}/', function ($m) use ($self) { switch ($m['key']) { case 'assignees': $assignees = array(); if ($S = $self->staff) { $url = $S->get_gravatar(16); $assignees[] = "<img class=\"avatar\" src=\"{$url}\"> ".$S->getName(); } if ($T = $self->team) { $assignees[] = $T->getLocalName(); } return implode('/', $assignees); case 'somebody': $name = $self->getUserName(); if ($url = $self->getAvatar()) $name = "<img class=\"avatar\" src=\"{$url}\"> ".$name; return $name; case 'timestamp': return sprintf('<time class="relative" datetime="%s" title="%s">%s</time>', date(DateTime::W3C, Misc::db2gmtime($self->timestamp)), Format::daydatetime($self->timestamp), Format::relativeTime(Misc::db2gmtime($self->timestamp)) ); case 'agent': $name = $self->agent->getName(); if ($url = $self->getAvatar()) $name = "<img class=\"avatar\" src=\"{$url}\"> ".$name; return $name; case 'dept': if ($dept = $self->getDept()) return $dept->getLocalName(); return __('None'); case 'data': $val = $self->getData($m['data']); if ($m['type'] && class_exists($m['type'])) $val = $m['type']::lookup($val); return (string) $val; } return $m[0]; }, $description ); } function getDept() { return $this->dept; } function getData($key=false) { if (!isset($this->_data)) $this->_data = JsonDataParser::decode($this->data); return ($key) ? @$this->_data[$key] : $this->_data; } function render($mode) { $inc = ($mode == self::MODE_STAFF) ? STAFFINC_DIR : CLIENTINC_DIR; $event = $this->getTypedEvent(); include $inc . 'templates/thread-event.tmpl.php'; } static function create($ht=false, $user=false) { $inst = parent::create($ht); $inst->timestamp = SqlFunction::NOW(); global $thisstaff, $thisclient; $user = is_object($user) ? $user : $thisstaff ?: $thisclient; if ($user instanceof Staff) { $inst->uid_type = 'S'; $inst->uid = $user->getId(); } elseif ($user instanceof User) { $inst->uid_type = 'U'; $inst->uid = $user->getId(); } return $inst; } static function forTicket($ticket, $state, $user=false) { $inst = static::create(array( 'staff_id' => $ticket->getStaffId(), 'team_id' => $ticket->getTeamId(), 'dept_id' => $ticket->getDeptId(), 'topic_id' => $ticket->getTopicId(), ), $user); return $inst; } function getTypedEvent() { static $subclasses; if (!isset($subclasses)) { $parent = get_class($this); $subclasses = array(); foreach (get_declared_classes() as $class) { if (is_subclass_of($class, $parent)) $subclasses[$class::$state] = $class; } } if (!($class = $subclasses[$this->state])) return $this; return new $class($this->ht); } } class ThreadEvents extends InstrumentedList { function annul($event) { $this->queryset ->filter(array('state' => $event)) ->update(array('annulled' => 1)); } /** * Add an event to the thread activity log. * * Parameters: * $object - Object to log activity for * $state - State name of the activity (one of 'created', 'edited', * 'deleted', 'closed', 'reopened', 'error', 'collab', 'resent', * 'assigned', 'transferred') * $data - (array?) Details about the state change * $user - (string|User|Staff) user triggering the state change * $annul - (state) a corresponding state change that is annulled by * this event */ function log($object, $state, $data=null, $user=null, $annul=null) { global $thisstaff, $thisclient; if ($object instanceof Ticket) // TODO: Use $object->createEvent() (nolint) $event = ThreadEvent::forTicket($object, $state, $user); else $event = ThreadEvent::create(false, $user); # Annul previous entries if requested (for instance, reopening a # ticket will annul an 'closed' entry). This will be useful to # easily prevent repeated statistics. if ($annul) { $this->annul($annul); } $username = $user; $user = is_object($user) ? $user : $thisclient ?: $thisstaff; if (!is_string($username)) { if ($user instanceof Staff) { $username = $user->getUserName(); } // XXX: Use $user here elseif ($thisclient) { if ($thisclient->hasAccount) $username = $thisclient->getAccount()->getUserName(); if (!$username) $username = $thisclient->getEmail(); } else { # XXX: Security Violation ? $username = 'SYSTEM'; } } $event->username = $username; $event->state = $state; if ($data) { if (is_array($data)) $data = JsonDataEncoder::encode($data); if (!is_string($data)) throw new InvalidArgumentException('Data must be string or array'); $event->data = $data; } $this->add($event); // Save event immediately return $event->save(); } } class AssignmentEvent extends ThreadEvent { static $icon = 'hand-right'; static $state = 'assigned'; function getDescription($mode=self::MODE_STAFF) { $data = $this->getData(); switch (true) { case !is_array($data): default: $desc = __('Assignee changed by <b>{somebody}</b> to <strong>{assignees}</strong> {timestamp}'); break; case isset($data['staff']): $desc = __('<b>{somebody}</b> assigned this to <strong>{<Staff>data.staff}</strong> {timestamp}'); break; case isset($data['team']): $desc = __('<b>{somebody}</b> assigned this to <strong>{<Team>data.team}</strong> {timestamp}'); break; case isset($data['claim']): $desc = __('<b>{somebody}</b> claimed this {timestamp}'); break; } return $this->template($desc); } } class CloseEvent extends ThreadEvent { static $icon = 'thumbs-up-alt'; static $state = 'closed'; function getDescription($mode=self::MODE_STAFF) { return $this->template(__('Closed by <b>{somebody}</b> {timestamp}')); } } class CollaboratorEvent extends ThreadEvent { static $icon = 'group'; static $state = 'collab'; function getDescription($mode=self::MODE_STAFF) { $data = $this->getData(); switch (true) { case isset($data['org']): $desc = __('Collaborators for {<Organization>data.org} organization added'); break; case isset($data['del']): $base = __('<b>{somebody}</b> removed <strong>%s</strong> from the collaborators {timestamp}'); $collabs = array(); $users = User::objects()->filter(array('id__in' => array_keys($data['del']))); foreach ($data['del'] as $id=>$c) { $U = false; foreach ($users as $user) { if ($user->id == $id) { $U = $user; break; } } $collabs[] = Format::htmlchars($U ? $U->getName() : @$c['name'] ?: $c); } $desc = sprintf($base, implode(', ', $collabs)); break; case isset($data['add']): $base = __('<b>{somebody}</b> added <strong>%s</strong> as collaborators {timestamp}'); $collabs = array(); if ($data['add']) { $users = User::objects()->filter(array('id__in' => array_keys($data['add']))); foreach ($data['add'] as $id=>$c) { $U = false; foreach ($users as $user) { if ($user->id == $id) { $U = $user; break; } } $c = sprintf(__("%s via %s" /* e.g. "Me <me@company.me> via Email (to)" */), Format::htmlchars($U ? $U->getName() : @$c['name'] ?: $c), $c['src'] ?: '?' ); $collabs[] = $c; } } $desc = $collabs ? sprintf($base, implode(', ', $collabs)) : 'somebody'; break; } return $this->template($desc); } } class CreationEvent extends ThreadEvent { static $icon = 'magic'; static $state = 'created'; function getDescription($mode=self::MODE_STAFF) { return $this->template(__('Created by <b>{somebody}</b> {timestamp}')); } } class EditEvent extends ThreadEvent { static $icon = 'pencil'; static $state = 'edited'; function getDescription($mode=self::MODE_STAFF) { $data = $this->getData(); switch (true) { case isset($data['owner']): $desc = __('<b>{somebody}</b> changed ownership to {<User>data.owner} {timestamp}'); break; case isset($data['status']): $desc = __('<b>{somebody}</b> changed the status to <strong>{<TicketStatus>data.status}</strong> {timestamp}'); break; case isset($data['fields']): $base = __('Updated by <b>{somebody}</b> {timestamp} — %s'); $fields = $changes = array(); foreach (DynamicFormField::objects()->filter(array( 'id__in' => array_keys($data['fields']) )) as $F) { $fields[$F->id] = $F; } foreach ($data['fields'] as $id=>$f) { $field = $fields[$id]; if ($mode == self::MODE_CLIENT && !$field->isVisibleToUsers()) continue; list($old, $new) = $f; $impl = $field->getImpl($field); $before = $impl->to_php($old); $after = $impl->to_php($new); $changes[] = sprintf('<strong>%s</strong> %s', $field->getLocal('label'), $impl->whatChanged($before, $after)); } $desc = $changes ? sprintf($base, implode(', ', $changes)) : ''; break; } return $this->template($desc); } } class OverdueEvent extends ThreadEvent { static $icon = 'time'; static $state = 'overdue'; function getDescription($mode=self::MODE_STAFF) { return $this->template(__('Flagged as overdue by the system {timestamp}')); } } class ReopenEvent extends ThreadEvent { static $icon = 'rotate-right'; static $state = 'reopened'; function getDescription($mode=self::MODE_STAFF) { return $this->template(__('Reopened by <b>{somebody}</b> {timestamp}')); } } class ResendEvent extends ThreadEvent { static $icon = 'reply-all icon-flip-horizontal'; static $state = 'resent'; function getDescription($mode=self::MODE_STAFF) { return $this->template(__('<b>{somebody}</b> resent <strong><a href="#thread-entry-{data.entry}">a previous response</a></strong> {timestamp}')); } } class TransferEvent extends ThreadEvent { static $icon = 'share-alt'; static $state = 'transferred'; function getDescription($mode=self::MODE_STAFF) { return $this->template(__('<b>{somebody}</b> transferred this to <strong>{dept}</strong> {timestamp}')); } } class ViewEvent extends ThreadEvent { static $state = 'viewed'; } class ThreadEntryBody /* extends SplString */ { static $types = array('text', 'html'); var $body; var $type; var $stripped_images = array(); var $embedded_images = array(); var $options = array( 'strip-embedded' => true ); function __construct($body, $type='text', $options=array()) { $type = strtolower($type); if (!in_array($type, static::$types)) throw new Exception("$type: Unsupported ThreadEntryBody type"); $this->body = (string) $body; if (strlen($this->body) > 250000) { $max_packet = db_get_variable('max_allowed_packet', 'global'); // Truncate just short of the max_allowed_packet $this->body = substr($this->body, 0, $max_packet - 2048) . ' ... ' . _S('(truncated)'); } $this->type = $type; $this->options = array_merge($this->options, $options); } function isEmpty() { return !$this->body || $this->body == '-'; } function convertTo($type) { if ($type === $this->type) return $this; $conv = $this->type . ':' . strtolower($type); switch ($conv) { case 'text:html': return new ThreadEntryBody(sprintf('<pre>%s</pre>', Format::htmlchars($this->body)), $type); case 'html:text': return new ThreadEntryBody(Format::html2text((string) $this), $type); } } function stripQuotedReply($tag) { //Strip quoted reply...on emailed messages if (!$tag || strpos($this->body, $tag) === false) return; // Capture a list of inline images $images_before = $images_after = array(); preg_match_all('/src=("|\'|\b)cid:(\S+)\1/', $this->body, $images_before, PREG_PATTERN_ORDER); // Strip the quoted part of the body if ((list($msg) = explode($tag, $this->body, 2)) && trim($msg)) { $this->body = $msg; // Capture a list of dropped inline images if ($images_before) { preg_match_all('/src=("|\'|\b)cid:(\S+)\1/', $this->body, $images_after, PREG_PATTERN_ORDER); $this->stripped_images = array_diff($images_before[2], $images_after[2]); } } } function getStrippedImages() { return $this->stripped_images; } function getEmbeddedHtmlImages() { return $this->embedded_images; } function getType() { return $this->type; } function getClean() { return trim($this->body); } function __toString() { return (string) $this->body; } function toHtml() { return $this->display('html'); } function prepend($what) { $this->body = $what . $this->body; } function append($what) { $this->body .= $what; } function asVar() { // Email template, assume HTML return $this->display('email'); } function display($format=false) { throw new Exception('display: Abstract display() method not implemented'); } function getSearchable() { return Format::searchable($this->body); } static function fromFormattedText($text, $format=false) { switch ($format) { case 'text': return new TextThreadEntryBody($text); case 'html': return new HtmlThreadEntryBody($text, array('strip-embedded'=>false)); default: return new ThreadEntryBody($text); } } } class TextThreadEntryBody extends ThreadEntryBody { function __construct($body, $options=array()) { parent::__construct($body, 'text', $options); } function getClean() { return Format::stripEmptyLines($this->body); } function prepend($what) { $this->body = $what . "\n\n" . $this->body; } function display($output=false) { if ($this->isEmpty()) return '(empty)'; $escaped = Format::htmlchars($this->body); switch ($output) { case 'html': return '<div style="white-space:pre-wrap">' .Format::clickableurls($escaped).'</div>'; case 'email': return '<div style="white-space:pre-wrap">' .$escaped.'</div>'; case 'pdf': return nl2br($escaped); default: return '<pre>'.$escaped.'</pre>'; } } } class HtmlThreadEntryBody extends ThreadEntryBody { function __construct($body, $options=array()) { if (!isset($options['strip-embedded']) || $options['strip-embedded']) $body = $this->extractEmbeddedHtmlImages($body); parent::__construct($body, 'html', $options); } function extractEmbeddedHtmlImages($body) { $self = $this; return preg_replace_callback('/src="(data:[^"]+)"/', function ($m) use ($self) { $info = Format::parseRfc2397($m[1], false, false); $info['cid'] = 'img'.Misc::randCode(12); list(,$type) = explode('/', $info['type'], 2); $info['name'] = 'image'.Misc::randCode(4).'.'.$type; $self->embedded_images[] = $info; return 'src="cid:'.$info['cid'].'"'; }, $body); } function getClean() { return trim($this->body, " <>br/\t\n\r") ? Format::sanitize($this->body) : ''; } function getSearchable() { // Replace tag chars with spaces (to ensure words are separated) $body = Format::html($this->body, array('hook_tag' => function($el, $attributes=0) { static $non_ws = array('wbr' => 1); return (isset($non_ws[$el])) ? '' : ' '; })); // Collapse multiple white-spaces $body = html_entity_decode($body, ENT_QUOTES); $body = preg_replace('`\s+`u', ' ', $body); return Format::searchable($body); } function prepend($what) { $this->body = sprintf('<div>%s<br/><br/></div>%s', $what, $this->body); } function display($output=false) { if ($this->isEmpty()) return '(empty)'; switch ($output) { case 'email': return $this->body; case 'pdf': return Format::clickableurls($this->body); default: return Format::display($this->body); } } } /* Message - Ticket thread entry of type message */ class MessageThreadEntry extends ThreadEntry { const ENTRY_TYPE = 'M'; function getSubject() { return $this->getTitle(); } static function create($vars, &$errors=array()) { return static::add($vars, $errors); } static function add($vars, &$errors=array()) { if (!$vars || !is_array($vars) || !$vars['threadId']) $errors['err'] = __('Missing or invalid data'); elseif (!$vars['message']) $errors['message'] = __('Message content is required'); if ($errors) return false; $vars['type'] = self::ENTRY_TYPE; $vars['body'] = $vars['message']; if (!$vars['poster'] && $vars['userId'] && ($user = User::lookup($vars['userId']))) $vars['poster'] = (string) $user->getName(); return parent::add($vars); } static function getVarScope() { $base = parent::getVarScope(); unset($base['staff']); return $base; } } /* thread entry of type response */ class ResponseThreadEntry extends ThreadEntry { const ENTRY_TYPE = 'R'; function getSubject() { return $this->getTitle(); } function getRespondent() { return $this->getStaff(); } static function create($vars, &$errors=array()) { return static::add($vars, $errors); } static function add($vars, &$errors=array()) { if (!$vars || !is_array($vars) || !$vars['threadId']) $errors['err'] = __('Missing or invalid data'); elseif (!$vars['response']) $errors['response'] = __('Response content is required'); if ($errors) return false; $vars['type'] = self::ENTRY_TYPE; $vars['body'] = $vars['response']; if (!$vars['pid'] && $vars['msgId']) $vars['pid'] = $vars['msgId']; if (!$vars['poster'] && $vars['staffId'] && ($staff = Staff::lookup($vars['staffId']))) $vars['poster'] = (string) $staff->getName(); return parent::add($vars); } static function getVarScope() { $base = parent::getVarScope(); unset($base['user']); return $base; } } /* Thread entry of type note (Internal Note) */ class NoteThreadEntry extends ThreadEntry { const ENTRY_TYPE = 'N'; function getMessage() { return $this->getBody(); } static function create($vars, &$errors) { return self::add($vars, $errors); } static function add($vars, &$errors=array()) { //Check required params. if (!$vars || !is_array($vars) || !$vars['threadId']) $errors['err'] = __('Missing or invalid data'); elseif (!$vars['note']) $errors['note'] = __('Note content is required'); if ($errors) return false; //TODO: use array_intersect_key when we move to php 5 to extract just what we need. $vars['type'] = self::ENTRY_TYPE; $vars['body'] = $vars['note']; return parent::add($vars); } static function getVarScope() { $base = parent::getVarScope(); unset($base['user']); return $base; } } // Object specific thread utils. class ObjectThread extends Thread implements TemplateVariable { static $types = array( ObjectModel::OBJECT_TYPE_TASK => 'TaskThread', ObjectModel::OBJECT_TYPE_TICKET => 'TicketThread', ); var $counts; function getCounts() { if (!isset($this->counts) && $this->getId()) { $this->counts = array(); $stuff = $this->entries ->values_flat('type') ->annotate(array( 'count' => SqlAggregate::COUNT('id') )); foreach ($stuff as $row) { list($type, $count) = $row; $this->counts[$type] = $count; } } return $this->counts; } function getNumMessages() { $this->getCounts(); return $this->counts[MessageThreadEntry::ENTRY_TYPE]; } function getNumResponses() { $this->getCounts(); return $this->counts[ResponseThreadEntry::ENTRY_TYPE]; } function getNumNotes() { $this->getCounts(); return $this->counts[NoteThreadEntry::ENTRY_TYPE]; } function getMessages() { return $this->entries->filter(array( 'type' => MessageThreadEntry::ENTRY_TYPE )); } function getLastMessage() { return $this->entries->filter(array( 'type' => MessageThreadEntry::ENTRY_TYPE )) ->order_by('-id') ->first(); } function getEntry($var) { // XXX: PUNT if (is_numeric($var)) $id = $var; else { $criteria = array_merge($var, array('limit' => 1)); $entries = $this->getEntries($criteria); if ($entries && $entries[0]) $id = $entries[0]['id']; } return $id ? parent::getEntry($id) : null; } function getResponses() { return $this->entries->filter(array( 'type' => ResponseThreadEntry::ENTRY_TYPE )); } function getNotes() { return $this->entries->filter(array( 'type' => NoteThreadEntry::ENTRY_TYPE )); } function addNote($vars, &$errors) { //Add ticket Id. $vars['threadId'] = $this->getId(); return NoteThreadEntry::create($vars, $errors); } function addMessage($vars, &$errors) { $vars['threadId'] = $this->getId(); $vars['staffId'] = 0; if (!($message = MessageThreadEntry::create($vars, $errors))) return $message; $this->lastmessage = SqlFunction::NOW(); $this->save(); return $message; } function addResponse($vars, &$errors) { $vars['threadId'] = $this->getId(); $vars['userId'] = 0; if (!($resp = ResponseThreadEntry::create($vars, $errors))) return $resp; $this->lastresponse = SqlFunction::NOW(); $this->save(); return $resp; } function getVar($name) { switch ($name) { case 'original': $entry = $this->entries->filter(array( 'type' => MessageThreadEntry::ENTRY_TYPE, 'flags__hasbit' => ThreadEntry::FLAG_ORIGINAL_MESSAGE, )) ->order_by('id') ->first(); if ($entry) return $entry->getBody(); break; case 'last_message': case 'lastmessage': $entry = $this->getLastMessage(); if ($entry) return $entry->getBody(); break; } } static function getVarScope() { return array( 'original' => array('class' => 'MessageThreadEntry', 'desc' => __('Original Message')), 'lastmessage' => array('class' => 'MessageThreadEntry', 'desc' => __('Last Message')), ); } static function lookup($criteria, $type=false) { if (!$type) return parent::lookup($criteria); $class = false; if (isset(self::$types[$type])) $class = self::$types[$type]; if (!class_exists($class)) $class = get_called_class(); return $class::lookup($criteria); } } // Ticket thread class class TicketThread extends ObjectThread { static function create($ticket) { $id = is_object($ticket) ? $ticket->getId() : $ticket; $thread = parent::create(array( 'object_id' => $id, 'object_type' => ObjectModel::OBJECT_TYPE_TICKET )); if ($thread->save()) return $thread; } } /** * Class: ThreadEntryAction * * Defines a simple action to be performed on a thread entry item, such as * viewing the raw email headers used to generate the message, resend the * confirmation emails, etc. */ abstract class ThreadEntryAction { static $name; // Friendly, translatable name static $id; // Unique identifier used for plumbing static $icon = 'cog'; var $entry; function getName() { $class = get_class($this); return __($class::$name); } static function getId() { return static::$id; } function getIcon() { $class = get_class($this); return 'icon-' . $class::$icon; } function __construct(ThreadEntry $thread) { $this->entry = $thread; } abstract function trigger(); function getTicket() { return $this->entry->getObject(); } function isEnabled() { return $this->isVisible(); } function isVisible() { return true; } /** * getJsStub * * Retrieves a small JavaScript snippet to insert into the rendered page * which should, via an AJAX callback, trigger this action to be * performed. The URL for this sort of activity is already provided for * you via the ::getAjaxUrl() method in this class. */ abstract function getJsStub(); /** * getAjaxUrl * * Generate a URL to be used as an AJAX callback. The URL can be used to * trigger this thread entry action via the callback. * * Parameters: * $dialog - (bool) used in conjunction with `$.dialog()` javascript * function which assumes the `ajax.php/` should be replace a leading * `#` in the url */ function getAjaxUrl($dialog=false) { return sprintf('%stickets/%d/thread/%d/%s', $dialog ? '#' : 'ajax.php/', $this->entry->getThread()->getObjectId(), $this->entry->getId(), static::getId() ); } } interface Threadable { function getThreadId(); function getThread(); function postThreadEntry($type, $vars, $options=array()); } ?>