<?php /** * EGroupware - Mail - interface class * * @link http://www.egroupware.org * @package mail * @author Stylite AG [info@stylite.de] * @copyright (c) 2013-2014 by Stylite AG <info-AT-stylite.de> * @license http://opensource.org/licenses/gpl-license.php GPL - GNU General Public License * @version $Id$ */ /** * Mail User Interface * * As we do NOT want to connect to previous imap server, when a profile change is triggered * by user get_rows and ajax_changeProfile are not static methods and instanciates there own * mail_ui object. * * If they detect a profile change is to be triggered they call: * $mail_ui = new mail_ui(false); // not call constructor / connect to imap server * $mail_ui->changeProfile($_profileID); * If no profile change is needed they just call: * $mail_ui = new mail_ui(); * Afterwards they use $mail_ui instead of $this. */ class mail_ui { /** * Methods callable via menuaction * * @var array */ var $public_functions = array ( 'index' => True, 'displayHeader' => True, 'displayMessage' => True, 'displayImage' => True, 'getAttachment' => True, 'download_zip' => True, 'saveMessage' => True, 'vfsSaveAttachment' => True, 'vfsSaveMessage' => True, 'loadEmailBody' => True, 'importMessage' => True, 'importMessageFromVFS2DraftAndDisplay'=>True, 'subscription' => True, 'folderManagement' => true, ); /** * current icServerID * * @var int */ static $icServerID; /** * delimiter - used to separate profileID from foldertreestructure, and separate keyinformation in rowids * * @var string */ static $delimiter = '::'; /** * nextMatch name for index * * @var string */ static $nm_index = 'nm'; /** * instance of mail_bo * * @var mail_bo */ var $mail_bo; /** * definition of available / supported search types * * @var array */ var $searchTypes = array( 'quick' => 'quicksearch', // lang('quicksearch') 'subject' => 'subject', // lang('subject') 'body' => 'message body', // lang('message body') 'from' => 'from', // lang('from') 'to' => 'to', // lang('to') 'cc' => 'cc', // lang('cc') 'text' => 'whole message' // lang('whole message') ); /** * definition of available / supported status types * * @var array */ var $statusTypes = array( 'any' => 'any status',// lang('any status') 'flagged' => 'flagged', // lang('flagged') 'unseen' => 'unread', // lang('unread') 'answered' => 'replied', // lang('replied') 'seen' => 'read', // lang('read') 'deleted' => 'deleted', // lang('deleted') ); /** * Constructor * * @param boolean $run_constructor =true false: no not run constructor and therefore do NOT connect to imap server */ function __construct($run_constructor=true) { $this->mail_tree = new mail_tree($this); if (!$run_constructor) return; if (mail_bo::$debugTimes) $starttime = microtime (true); // no autohide of the sidebox, as we use it for folderlist now. unset($GLOBALS['egw_info']['user']['preferences']['common']['auto_hide_sidebox']); if (isset($GLOBALS['egw_info']['user']['preferences']['mail']['ActiveProfileID']) && !empty($GLOBALS['egw_info']['user']['preferences']['mail']['ActiveProfileID'])) { self::$icServerID = (int)$GLOBALS['egw_info']['user']['preferences']['mail']['ActiveProfileID']; } if ($_GET["resetConnection"]) { unset($_GET["resetConnection"]); if (mail_bo::$debug) error_log(__METHOD__.__LINE__.' Connection Reset triggered: for Profile with ID:'.self::$icServerID); emailadmin_imapbase::unsetCachedObjects(self::$icServerID); } try { $this->mail_bo = mail_bo::getInstance(true,self::$icServerID, true, false, true); if (mail_bo::$debug) error_log(__METHOD__.__LINE__.' Fetched IC Server:'.self::$icServerID.'/'.$this->mail_bo->profileID.':'.function_backtrace()); //error_log(__METHOD__.__LINE__.array2string($this->mail_bo->icServer)); // RegEx to minimize extra openConnection $needle = '/^(?!mail)/'; if (!preg_match($needle,$_GET['menuaction']) && !egw_json_request::isJSONRequest()) { //error_log(__METHOD__.__LINE__.' Fetched IC Server openConnection:'.self::$icServerID.'/'.$this->mail_bo->profileID.':'.function_backtrace()); //openConnection gathers SpecialUseFolderInformation and Delimiter Info $this->mail_bo->openConnection(self::$icServerID); } } catch (Exception $e) { // redirect to mail wizard to handle it (redirect works for ajax too) self::callWizard($e->getMessage(),true,'error'); } if (mail_bo::$debugTimes) mail_bo::logRunTimes($starttime,null,'',__METHOD__.__LINE__); } /** * callWizard * * @param string $message * @param boolean $exit If true, will call common::egw_exit() after opening the wizardpopup * @param string $msg_type = 'success' message type */ static function callWizard($message, $exit=true, $msg_type='success') { //error_log(__METHOD__."('$message', $exit) ".function_backtrace()); $linkData=(self::$icServerID ? array( 'menuaction' => 'mail.mail_wizard.edit', 'acc_id' => self::$icServerID, ) : array( 'menuaction' => 'mail.mail_wizard.add', )) + array( 'msg' => $message, 'msg_type' => $msg_type ); if (egw_json_response::isJSONResponse()) { $response = egw_json_response::get(); $windowName = "editMailAccount".self::$icServerID; $response->call("egw.open_link", egw::link('/index.php', $linkData), $windowName, "600x480",null,true); egw_framework::message($message, 'error'); if ($_GET['menuaction'] == 'mail.mail_ui.index') { $response->call('framework.setSidebox','mail',array(),'md5'); } if ($exit) { common::egw_exit(); } } else // regular GET request eg. in idots template { egw_framework::popup(egw_framework::link('/index.php',$linkData)); $GLOBALS['egw']->framework->render($message,'',true); if ($exit) { common::egw_exit(); } } } /** * changeProfile * * @param int $_icServerID * @param boolean $unsetCache * * @throws egw_exception */ function changeProfile($_icServerID,$unsetCache=false) { if (mail_bo::$debugTimes) $starttime = microtime (true); if (self::$icServerID != $_icServerID) { self::$icServerID = $_icServerID; } if (mail_bo::$debug) error_log(__METHOD__.__LINE__.'->'.self::$icServerID.'<->'.$_icServerID); if ($unsetCache) emailadmin_imapbase::unsetCachedObjects(self::$icServerID); $this->mail_bo = mail_bo::getInstance(false,self::$icServerID,true, false, true); if (mail_bo::$debug) error_log(__METHOD__.__LINE__.' Fetched IC Server:'.self::$icServerID.'/'.$this->mail_bo->profileID.':'.function_backtrace()); // no icServer Object: something failed big time if (!isset($this->mail_bo->icServer) || $this->mail_bo->icServer->ImapServerId<>$_icServerID) { self::$icServerID = $_icServerID; throw new egw_exception('Profile change failed!'); } // save session varchar $oldicServerID =& egw_cache::getSession('mail','activeProfileID'); if ($oldicServerID <> self::$icServerID) $this->mail_bo->openConnection(self::$icServerID); $oldicServerID = self::$icServerID; if (!emailadmin_imapbase::storeActiveProfileIDToPref($this->mail_bo->icServer, self::$icServerID, true )) { throw new egw_exception(__METHOD__." failed to change Profile to $_icServerID"); } if (mail_bo::$debugTimes) mail_bo::logRunTimes($starttime,null,'',__METHOD__.__LINE__); } /** * Ajax function to request next branch of a tree branch */ static function ajax_tree_autoloading ($_id = null) { $mail_ui = new mail_ui(); $_id = $_id? $_id:$_GET['id']; etemplate_widget_tree::send_quote_json($mail_ui->mail_tree->getTree($_id,'',1,false)); } /** * Subscription popup window * * @param array $content * @param type $msg */ function subscription(array $content=null ,$msg=null) { $stmpl = new etemplate_new('mail.subscribe'); if(is_array($content)) { $profileId = $content['profileId']; } elseif (!($profileId = (int)$_GET['acc_id'])) { egw_framework::window_close('Missing acc_id!'); } // Initial tree's options, the rest would be loaded dynamicaly by autoloading, // triggered from client-side. Also, we keep this here as $sel_options['foldertree'] = $this->mail_tree->getTree(null,$profileId,1,true); //Get all subscribed folders // as getting all subscribed folders is very fast operation // we can use it to get a comparison base for folders which // got subscribed or unsubscribed by the user try { $subscribed = $this->mail_bo->icServer->listSubscribedMailboxes('',0,true); } catch (Exception $ex) { egw_framework::message($ex->getMessage()); } if (!is_array($content)) { $content['foldertree'] = array(); foreach ($subscribed as $folder) { $folderName = $profileId . self::$delimiter . $folder['MAILBOX']; array_push($content['foldertree'], $folderName); } } else { list($button) = @each($content['button']); switch ($button) { case 'save': case 'apply': { // do not let user (un)subscribe namespace roots eg. "other", "user" or "INBOX", same for tree-root/account itself $namespace_roots = array($profileId); foreach($this->mail_bo->_getNameSpaces() as $namespace) { $namespace_roots[] = $profileId . self::$delimiter . str_replace($namespace['delimiter'], '', $namespace['prefix']); } $to_unsubscribe = $to_subscribe = array(); foreach ($content['foldertree'] as $path => $value) { list(,$node) = explode($profileId.self::$delimiter, $path); if ($node) { if (is_array($subscribed) && $subscribed[$node] && !$value['value']) $to_unsubscribe []= $node; if (is_array($subscribed) && !$subscribed[$node] && $value['value']) $to_subscribe [] = $node; if ($value['value']) $cont[] = $path; } } $content['foldertree'] = $cont; // set foldertree options to basic node in order to avoid initial autoloading // from client side, as no options would trigger that. $sel_options['foldertree'] = array('id' => '0', 'item'=> array()); foreach(array_merge($to_subscribe, $to_unsubscribe) as $mailbox) { if (in_array($profileId.self::$delimiter.$mailbox, $namespace_roots, true)) { continue; } $subscribe = in_array($mailbox, $to_subscribe); try { $this->mail_bo->icServer->subscribeMailbox($mailbox, $subscribe); } catch (Exception $ex) { $msg_type = 'error'; if ($subscribe) { $msg .= lang('Failed to subscribe folder %1!', $mailbox).' '.$ex->getMessage(); } else { $msg .= lang('Failed to unsubscribe folder %1!', $mailbox).' '.$ex->getMessage(); } } } if (!isset($msg)) { $msg_type = 'success'; if ($to_subscribe || $to_unsubscribe) { $msg = lang('Subscription successfully saved.'); } else { $msg = lang('Nothing to change.'); } } // update foldertree in main window $parentFolder='INBOX'; $refreshData = array( $profileId => lang($parentFolder), ); $response = egw_json_response::get(); foreach($refreshData as $folder => &$name) { $name = $this->mail_tree->getTree($folder, $profileId,1,true,true,true); } // give success/error message to opener and popup itself //$response->call('opener.app.mail.subscription_refresh',$refreshData); $response->call('opener.app.mail.mail_reloadNode',$refreshData); egw_framework::refresh_opener($msg, 'mail', null, null, null, null, null, $msg_type); if ($button == 'apply') { egw_framework::message($msg, $msg_type); break; } } case 'cancel': { egw_framework::window_close(); } } } $preserv['profileId'] = $profileId; $readonlys = array(); $stmpl->exec('mail.mail_ui.subscription', $content,$sel_options,$readonlys,$preserv,2); } /** * Main mail page * * @param array $content * @param string $msg */ function index(array $content=null,$msg=null) { try { //error_log(__METHOD__.__LINE__.function_backtrace()); if (mail_bo::$debugTimes) $starttime = microtime (true); $this->mail_bo->restoreSessionData(); $sessionFolder = $this->mail_bo->sessionData['mailbox']; if ($this->mail_bo->folderExists($sessionFolder)) { $this->mail_bo->reopen($sessionFolder); // needed to fetch full set of capabilities } else { $sessionFolder = $this->mail_bo->sessionData['mailbox'] = 'INBOX'; } //error_log(__METHOD__.__LINE__.' SessionFolder:'.$sessionFolder.' isToSchema:'.$toSchema); if (!is_array($content)) { $content = array( self::$nm_index => egw_session::appsession('index','mail'), ); if (!is_array($content[self::$nm_index])) { $content[self::$nm_index] = array( 'filter' => 'any', // filter is used to choose the mailbox 'no_filter2' => false, // I disable the 2. filter (params are the same as for filter) 'no_cat' => true, // I disable the cat-selectbox //'cat_is_select' => 'no_lang', // true or no_lang 'lettersearch' => false, // I show a lettersearch 'searchletter' => false, // I0 active letter of the lettersearch or false for [all] 'start' => 0, // IO position in list 'order' => 'date', // IO name of the column to sort after (optional for the sortheaders) 'sort' => 'DESC', // IO direction of the sort: 'ASC' or 'DESC' //'default_cols' => 'status,attachments,subject,'.($toSchema?'toaddress':'fromaddress').',date,size', // I columns to use if there's no user or default pref (! as first char uses all but the named columns), default all columns //'default_cols' => 'status,attachments,subject,address,date,size', // I columns to use if there's no user or default pref (! as first char uses all but the named columns), default all columns //'csv_fields' => false, // I false=disable csv export, true or unset=enable it with auto-detected fieldnames, //or array with name=>label or name=>array('label'=>label,'type'=>type) pairs (type is a eT widget-type) 'actions' => self::get_actions(), 'row_id' => 'row_id', // is a concatenation of trim($GLOBALS['egw_info']['user']['account_id']):profileID:base64_encode(FOLDERNAME):uid 'placeholder_actions' => array('composeasnew'), ); } } $content[self::$nm_index]['get_rows'] = 'mail_ui::get_rows'; $content[self::$nm_index]['num_rows'] = 0; // Do not send any rows with initial request $content[self::$nm_index]['default_cols'] = 'status,attachments,subject,address,date,size'; // I columns to use if there's no user or default pref (! as first char uses all but the named columns), default all columns $content[self::$nm_index]['csv_fields'] = false; if ($msg) { $content['msg'] = $msg; } else { unset($msg); unset($content['msg']); } // call getQuotaRoot asynchronously in getRows by initiating a client Server roundtrip $quota = false;//$this->mail_bo->getQuotaRoot(); if($quota !== false && $quota['limit'] != 'NOT SET') { $quotainfo = $this->quotaDisplay($quota['usage'], $quota['limit']); $content[self::$nm_index]['quota'] = $sel_options[self::$nm_index]['quota'] = $quotainfo['text']; $content[self::$nm_index]['quotainpercent'] = $sel_options[self::$nm_index]['quotainpercent'] = (string)$quotainfo['percent']; $content[self::$nm_index]['quotaclass'] = $sel_options[self::$nm_index]['quotaclass'] = $quotainfo['class']; $content[self::$nm_index]['quotanotsupported'] = $sel_options[self::$nm_index]['quotanotsupported'] = ""; } else { $content[self::$nm_index]['quota'] = $sel_options[self::$nm_index]['quota'] = lang("Quota not provided by server"); $content[self::$nm_index]['quotaclass'] = $sel_options[self::$nm_index]['quotaclass'] = "mail_DisplayNone"; $content[self::$nm_index]['quotanotsupported'] = $sel_options[self::$nm_index]['quotanotsupported'] = "mail_DisplayNone"; } // call gatherVacation asynchronously in getRows by initiating a client Server roundtrip $vacation = false;//$this->gatherVacation(); //error_log(__METHOD__.__LINE__.' Server:'.self::$icServerID.' Sieve Enabled:'.array2string($vacation)); if($vacation) { if (is_array($vacation) && ($vacation['status'] == 'on' || $vacation['status']=='by_date' && $vacation['end_date'] > time())) { $dtfrmt = $GLOBALS['egw_info']['user']['preferences']['common']['dateformat']/*.' '.($GLOBALS['egw_info']['user']['preferences']['common']['timeformat']!='24'?'h:i a':'H:i')*/; $content[self::$nm_index]['vacationnotice'] = $sel_options[self::$nm_index]['vacationnotice'] = lang('Vacation notice is active'); $content[self::$nm_index]['vacationrange'] = $sel_options[self::$nm_index]['vacationrange'] = ($vacation['status']=='by_date'? common::show_date($vacation['start_date'],$dtfrmt,true).($vacation['end_date']>$vacation['start_date']?'->'.common::show_date($vacation['end_date']+ 24*3600-1,$dtfrmt,true):''):''); } } if ($vacation==false) { $content[self::$nm_index]['vacationnotice'] = $sel_options[self::$nm_index]['vacationnotice'] = ''; $content[self::$nm_index]['vacationrange'] = $sel_options[self::$nm_index]['vacationrange'] = ''; } //$zstarttime = microtime (true); $sel_options[self::$nm_index]['foldertree'] = $this->mail_tree->getInitialIndexTree(null, null, null, true,!$this->mail_bo->mailPreferences['showAllFoldersInFolderPane']); //$zendtime = microtime(true) - $zstarttime; //error_log(__METHOD__.__LINE__. " time used: ".$zendtime); $content[self::$nm_index]['selectedFolder'] = $this->mail_bo->profileID.self::$delimiter.(!empty($this->mail_bo->sessionData['mailbox'])?$this->mail_bo->sessionData['mailbox']:'INBOX'); // since we are connected,(and selected the folder) we check for capabilities SUPPORTS_KEYWORDS to eventually add the keyword filters if ( $this->mail_bo->icServer->hasCapability('SUPPORTS_KEYWORDS')) { $this->statusTypes = array_merge($this->statusTypes,array( 'keyword1' => 'important',//lang('important'), 'keyword2' => 'job', //lang('job'), 'keyword3' => 'personal',//lang('personal'), 'keyword4' => 'to do', //lang('to do'), 'keyword5' => 'later', //lang('later'), )); } else { $keywords = array('keyword1','keyword2','keyword3','keyword4','keyword5'); foreach($keywords as &$k) { if (array_key_exists($k,$this->statusTypes)) unset($this->statusTypes[$k]); } } if (!isset($content[self::$nm_index]['foldertree'])) $content[self::$nm_index]['foldertree'] = $this->mail_bo->profileID.self::$delimiter.'INBOX'; if (!isset($content[self::$nm_index]['selectedFolder'])) $content[self::$nm_index]['selectedFolder'] = $this->mail_bo->profileID.self::$delimiter.'INBOX'; $content[self::$nm_index]['foldertree'] = $content[self::$nm_index]['selectedFolder']; if (is_null(emailadmin_imapbase::$supportsORinQuery) || !isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) { emailadmin_imapbase::$supportsORinQuery = egw_cache::getCache(egw_cache::INSTANCE, 'email', 'supportsORinQuery'.trim($GLOBALS['egw_info']['user']['account_id']), null, array(), 60*60*10); if (!isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]=true; } if (!emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]) unset($this->searchTypes['quick']); $sel_options['filter2'] = $this->searchTypes; $sel_options['filter'] = $this->statusTypes; $etpl = new etemplate_new(html::$ua_mobile?'mail.mobile_index':'mail.index'); // Start at 2 so auto-added copy+paste actions show up as second group // Needed because there's no 'select all' action to push things down $group=2; // Set tree actions $tree_actions = array( 'drop_move_mail' => array( 'type' => 'drop', 'acceptedTypes' => 'mail', 'icon' => 'move', 'caption' => 'Move to', 'onExecute' => 'javaScript:app.mail.mail_move' ), 'drop_copy_mail' => array( 'type' => 'drop', 'acceptedTypes' => 'mail', 'icon' => 'copy', 'caption' => 'Copy to', 'onExecute' => 'javaScript:app.mail.mail_copy' ), 'drop_cancel' => array( 'icon' => 'cancel', 'caption' => 'Cancel', 'acceptedTypes' => 'mail', 'type' => 'drop', ), 'drop_move_folder' => array( 'caption' => 'Move folder', 'hideOnDisabled' => true, 'type' => 'drop', 'acceptedTypes' => 'mailFolder', 'onExecute' => 'javaScript:app.mail.mail_MoveFolder' ), // Tree does support this one 'add' => array( 'caption' => 'Add Folder', 'onExecute' => 'javaScript:app.mail.mail_AddFolder', 'enabled' => 'javaScript:app.mail.mail_CheckFolderNoSelect', 'group' => $group, ), 'edit' => array( 'caption' => 'Rename Folder', 'onExecute' => 'javaScript:app.mail.mail_RenameFolder', 'enabled' => 'javaScript:app.mail.mail_CheckFolderNoSelect', 'group' => $group, ), 'move' => array( 'caption' => 'Move Folder', 'type' => 'drag', 'enabled' => 'javaScript:app.mail.mail_CheckFolderNoSelect', 'dragType' => array('mailFolder'), 'group' => $group, ), 'delete' => array( 'caption' => 'Delete Folder', 'enabled' => 'javaScript:app.mail.mail_CheckFolderNoSelect', 'onExecute' => 'javaScript:app.mail.mail_DeleteFolder', 'group' => $group, ), 'subscribe' => array( 'caption' => 'Subscribe folder ...', //'icon' => 'configure', 'enabled' => 'javaScript:app.mail.mail_CheckFolderNoSelect', 'onExecute' => 'javaScript:app.mail.edit_subscribe', 'group' => $group ), 'unsubscribe' => array( 'caption' => 'Unsubscribe folder', 'enabled' => 'javaScript:app.mail.mail_CheckFolderNoSelect', 'onExecute' => 'javaScript:app.mail.unsubscribe_folder', 'group' => $group, ), 'foldermanagement' => array( 'caption' => 'Folder Management...', 'enabled' => 'javaScript:app.mail.mail_CheckFolderNoSelect', 'onExecute' => 'javaScript:app.mail.folderManagement', 'group' => ++$group, ), 'sieve' => array( 'caption' => 'Mail filter', 'onExecute' => 'javaScript:app.mail.edit_sieve', 'group' => ++$group, // new group for filter 'enabled' => 'javaScript:app.mail.sieve_enabled', 'icon' => 'etemplate/fav_filter', // funnel ), 'vacation' => array( 'caption' => 'Vacation notice', 'icon' => 'mail/navbar', // mail as in admin 'onExecute' => 'javaScript:app.mail.edit_vacation', 'group' => $group, 'enabled' => 'javaScript:app.mail.sieve_enabled', ), 'edit_account' => array( 'caption' => 'Edit account ...', 'icon' => 'configure', 'onExecute' => 'javaScript:app.mail.edit_account', 'group' => ++$group, // new groups for account & acl ), 'edit_acl' => array( 'caption' => 'Edit folder ACL ...', 'icon' => 'lock', 'enabled' => 'javaScript:app.mail.acl_enabled', 'onExecute' => 'javaScript:app.mail.edit_acl', 'group' => $group, ), ); // the preference prefaskformove controls actually if there is a popup on target or not // if there are multiple options there is a popup on target, 0 for prefaskformove means // that only move is available; 1 stands for move and cancel; 2 (should be the default if // not set); so we are assuming this, when not set if (isset($this->mail_bo->mailPreferences['prefaskformove'])) { switch ($this->mail_bo->mailPreferences['prefaskformove']) { case 0: unset($tree_actions['drop_copy_mail']); unset($tree_actions['drop_cancel']); break; case 1: unset($tree_actions['drop_copy_mail']); break; default: // everything is fine } } //error_log(__METHOD__.__LINE__.' showAllFoldersInFolderPane:'.$this->mail_bo->mailPreferences['showAllFoldersInFolderPane'].'/'.$GLOBALS['egw_info']['user']['preferences']['mail']['showAllFoldersInFolderPane']); if ($this->mail_bo->mailPreferences['showAllFoldersInFolderPane']) { unset($tree_actions['subscribe']); unset($tree_actions['unsubscribe']); } ++$group; // put delete in own group switch($GLOBALS['egw_info']['user']['preferences']['mail']['deleteOptions']) { case 'move_to_trash': $tree_actions['empty_trash'] = array( 'caption' => 'empty trash', 'icon' => 'dhtmlxtree/MailFolderTrash', 'onExecute' => 'javaScript:app.mail.mail_emptyTrash', 'group' => $group, ); break; case 'mark_as_deleted': $tree_actions['compress_folder'] = array( 'caption' => 'compress folder', 'icon' => 'dhtmlxtree/MailFolderTrash', 'onExecute' => 'javaScript:app.mail.mail_compressFolder', 'group' => $group, ); break; } ++$group; // put empty spam immediately in own group $junkFolder = $this->mail_bo->getJunkFolder(); //error_log(__METHOD__.__LINE__.$junkFolder); if ($junkFolder && !empty($junkFolder)) { $tree_actions['empty_spam'] = array( 'caption' => 'empty junk', 'icon' => 'dhtmlxtree/MailFolderJunk', 'enabled' => 'javaScript:app.mail.spamfolder_enabled', 'onExecute' => 'javaScript:app.mail.mail_emptySpam', 'group' => $group, ); } // enforce global (group-specific) ACL if (!mail_hooks::access('aclmanagement')) { unset($tree_actions['edit_acl']); } if (!mail_hooks::access('editfilterrules')) { unset($tree_actions['sieve']); } if (!mail_hooks::access('absentnotice')) { unset($tree_actions['vacation']); } if (!mail_hooks::access('managefolders')) { unset($tree_actions['add']); unset($tree_actions['move']); unset($tree_actions['delete']); // manage folders should not affect the ability to subscribe or unsubscribe // to existing folders, it should only affect add/rename/move/delete } $etpl->setElementAttribute(self::$nm_index.'[foldertree]','actions', $tree_actions); // sending preview toolbar actions if ($content['mailSplitter']) $etpl->setElementAttribute('mailPreview[toolbar]', 'actions', $this->get_toolbar_actions()); if (empty($content[self::$nm_index]['filter2']) || empty($content[self::$nm_index]['search'])) $content[self::$nm_index]['filter2']=(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]?'quick':'subject'); $readonlys = $preserv = array(); if (mail_bo::$debugTimes) mail_bo::logRunTimes($starttime,null,'',__METHOD__.__LINE__); } catch (Exception $e) { self::callWizard($e->getMessage(),true, 'error'); } return $etpl->exec('mail.mail_ui.index',$content,$sel_options,$readonlys,$preserv); } /** * Ajax callback to subscribe / unsubscribe a Mailbox of an account * * @param {int} $_acc_id profile Id of selected mailbox * @param {string} $_folderName name of mailbox needs to be subcribe or unsubscribed * @param {boolean} $_status set true for subscribe and false to unsubscribe */ public function ajax_foldersubscription($_acc_id,$_folderName, $_status) { //Change the mail_bo object to related profileId $this->changeProfile($_acc_id); if($this->mail_bo->icServer->subscribeMailbox($_folderName, $_status)) { $this->mail_bo->resetFolderObjectCache($_acc_id); $this->ajax_reloadNode($_acc_id,!$this->mail_bo->mailPreferences['showAllFoldersInFolderPane']); } else { error_log(__METHOD__.__LINE__."()". lang('Folder %1 %2 failed!',$_folderName,$_status?'subscribed':'unsubscribed')); } } /** * Ajax callback to fetch folders for given profile * * We currently load all folders of a given profile, tree can also load parts of a tree. * * @param string $_nodeID if of node whos children are requested * @param boolean $_subscribedOnly flag to tell wether to fetch all or only subscribed (default) */ public function ajax_foldertree($_nodeID = null,$_subscribedOnly=null) { $nodeID = $_GET['id']; if (!is_null($_nodeID)) $nodeID = $_nodeID; $subscribedOnly = (bool)(!is_null($_subscribedOnly)?$_subscribedOnly:!$this->mail_bo->mailPreferences['showAllFoldersInFolderPane']); $fetchCounters = !is_null($_nodeID); list($_profileID,$_folderName) = explode(self::$delimiter,$nodeID,2); if (!empty($_folderName)) $fetchCounters = true; $data = $this->mail_tree->getTree($nodeID,$_profileID,0, false,$subscribedOnly,!$this->mail_bo->mailPreferences['showAllFoldersInFolderPane']); if (!is_null($_nodeID)) return $data; etemplate_widget_tree::send_quote_json($data); } /** * findNode - helper function to return only a branch of the tree * * @param array $_out out array (to be searched) * @param string $_nodeID node to search for * @param boolean $childElements return node itself, or only its child items * @return array structured subtree */ static function findNode($_out, $_nodeID, $childElements = false) { foreach($_out['item'] as $node) { if (strcmp($node['id'],$_nodeID)===0) { //error_log(__METHOD__.__LINE__.':'.$_nodeID.'->'.$node['id']); return ($childElements?$node['item']:$node); } elseif (is_array($node['item']) && strncmp($node['id'],$_nodeID,strlen($node['id']))===0 && strlen($_nodeID)>strlen($node['id'])) { //error_log(__METHOD__.__LINE__.' descend into '.$node['id']); return self::findNode($node,$_nodeID,$childElements); } } } /** * Get actions / context menu for index * * Changes here, require to log out, as $content[self::$nm_index] get stored in session! * @return array see nextmatch_widget::egw_actions() */ private function get_actions() { static $accArray=array(); // buffer identity names on single request // duplicated from mail_hooks static $deleteOptions = array( 'move_to_trash' => 'move to trash', 'mark_as_deleted' => 'mark as deleted', 'remove_immediately' => 'remove immediately', ); // todo: real hierarchical folder list $lastFolderUsedForMove = null; $moveactions = array(); $lastFoldersUsedForMoveCont = egw_cache::getCache(egw_cache::INSTANCE,'email','lastFolderUsedForMove'.trim($GLOBALS['egw_info']['user']['account_id']),null,array(),$expiration=60*60*1); //error_log(__METHOD__.__LINE__." StoredFolders->".array2string($lastFoldersUsedForMoveCont)); //error_log(__METHOD__.__LINE__.' ProfileId:'.$this->mail_bo->profileID." StoredFolders->(".count($lastFoldersUsedForMoveCont[$this->mail_bo->profileID]).") ".array2string($lastFoldersUsedForMoveCont[$this->mail_bo->profileID])); if (is_null($accArray)) { foreach(emailadmin_account::search($only_current_user=true, false) as $acc_id => $accountObj) { //error_log(__METHOD__.__LINE__.array2string($accountObj)); if (!$accountObj->is_imap()) { // not to be used for IMAP Foldertree, as there is no Imap host continue; } $identity_name = emailadmin_account::identity_name($accountObj,true,$GLOBALS['egw_info']['user']['acount_id']); $accArray[$acc_id] = str_replace(array('<','>'),array('[',']'),$identity_name);// as angle brackets are quoted, display in Javascript messages when used is ugly, so use square brackets instead } } if (!is_array($lastFoldersUsedForMoveCont)) $lastFoldersUsedForMoveCont=array(); foreach ($lastFoldersUsedForMoveCont as $pid => $info) { if ($this->mail_bo->profileID==$pid && isset($lastFoldersUsedForMoveCont[$this->mail_bo->profileID])) { $_folder = $this->mail_bo->icServer->getCurrentMailbox(); //error_log(__METHOD__.__LINE__.' '.$_folder."<->".$lastFoldersUsedForMoveCont[$this->mail_bo->profileID].function_backtrace()); $counter =1; foreach ($lastFoldersUsedForMoveCont[$this->mail_bo->profileID] as $i => $lastFolderUsedForMoveCont) { $moveaction = 'move_'; if ($_folder!=$i) { $moveaction .= $lastFolderUsedForMoveCont; if ($this->mail_bo->folderExists($i)) // only 4 entries per mailaccount.Control this on setting the buffered folders { $fS['profileID'] = $this->mail_bo->profileID; $fS['profileName'] = $accArray[$this->mail_bo->profileID]; $fS['shortDisplayName'] = $i; $moveactions[$moveaction] = $fS; $counter ++; } else { unset($lastFoldersUsedForMoveCont[$this->mail_bo->profileID][$i]); } //error_log(array2string($moveactions[$moveaction])); } } } elseif ($this->mail_bo->profileID!=$pid && isset($lastFoldersUsedForMoveCont[$pid]) && !empty($lastFoldersUsedForMoveCont[$pid])) { $counter =1; foreach ($lastFoldersUsedForMoveCont[$pid] as $i => $lastFolderUsedForMoveCont) { //error_log(__METHOD__.__LINE__."$i => $lastFolderUsedForMoveCont"); if (!empty($lastFolderUsedForMoveCont)) // only 4 entries per mailaccount.Control this on setting the buffered folders { $moveaction = 'move_'; $fS = array(); $fS['profileID'] = $pid; $fS['profileName'] = $accArray[$pid]; $fS['shortDisplayName'] = $i; $moveactions[$moveaction] = $fS; $counter ++; } } } } egw_cache::setCache(egw_cache::INSTANCE,'email','lastFolderUsedForMove'.trim($GLOBALS['egw_info']['user']['account_id']),$lastFoldersUsedForMoveCont, $expiration=60*60*1); $group = 0; $actions = array( 'open' => array( 'caption' => lang('Open'), 'icon' => 'view', 'group' => ++$group, 'onExecute' => 'javaScript:app.mail.mail_open', 'allowOnMultiple' => false, 'default' => true, ), 'reply' => array( 'caption' => 'Reply', 'icon' => 'mail_reply', 'group' => ++$group, 'onExecute' => 'javaScript:app.mail.mail_compose', 'allowOnMultiple' => false, 'toolbarDefault' => true ), 'reply_all' => array( 'caption' => 'Reply All', 'icon' => 'mail_replyall', 'group' => $group, 'onExecute' => 'javaScript:app.mail.mail_compose', 'allowOnMultiple' => false, ), 'forward' => array( 'caption' => 'Forward', 'icon' => 'mail_forward', 'group' => $group, 'children' => array( 'forwardinline' => array( 'caption' => 'Inline', 'icon' => 'mail_forward', 'group' => $group, 'hint' => 'forward inline', 'onExecute' => 'javaScript:app.mail.mail_compose', 'allowOnMultiple' => false, 'toolbarDefault' => true ), 'forwardasattach' => array( 'caption' => 'Attachment', 'hint' => 'forward as attachment', 'icon' => 'mail_forward', 'group' => $group, 'onExecute' => 'javaScript:app.mail.mail_compose', ), ), ), 'composeasnew' => array( 'caption' => 'Compose', 'icon' => 'new', 'hint' => 'Compose as new', 'group' => $group, 'onExecute' => 'javaScript:app.mail.mail_compose', 'allowOnMultiple' => false, ) ); $macounter=0; if (!empty($moveactions)) { //error_log(__METHOD__.__LINE__.array2string($moveactions)); $children=array(); $pID=0; foreach ($moveactions as $moveaction => $lastFolderUsedForMove) { $group = ($pID != $lastFolderUsedForMove['profileID'] && $macounter>0? $group+1 : $group); //error_log(__METHOD__.__LINE__."#$pID != ".$lastFolderUsedForMove['profileID']."#".$macounter.'#'.$groupCounter.'#'); $children = array_merge($children, array( $moveaction => array( 'caption' => (!empty($lastFolderUsedForMove['profileName'])?$lastFolderUsedForMove['profileName']:'('.$lastFolderUsedForMove['profileID'].')').': '.(isset($lastFolderUsedForMove['shortDisplayName'])?$lastFolderUsedForMove['shortDisplayName']:''), 'icon' => 'move', 'group' => $group, 'onExecute' => 'javaScript:app.mail.mail_move2folder', 'allowOnMultiple' => true, ) ) ); $pID = $lastFolderUsedForMove['profileID']; $macounter++; } $actions = array_merge($actions,array('moveto' => array( 'caption' => lang('Move selected to'), 'icon' => 'move', 'group' => $group++, 'children' => $children, ) ) ); } $actions = array_merge($actions, array( 'infolog' => array( 'caption' => 'InfoLog', 'hint' => 'Save as InfoLog', 'icon' => 'infolog/navbar', 'group' => ++$group, 'onExecute' => 'javaScript:app.mail.mail_integrate', 'popup' => egw_link::get_registry('infolog', 'add_popup'), 'allowOnMultiple' => false, 'toolbarDefault' => true ), 'tracker' => array( 'caption' => 'Tracker', 'hint' => 'Save as ticket', 'group' => $group, 'icon' => 'tracker/navbar', 'onExecute' => 'javaScript:app.mail.mail_integrate', 'popup' => egw_link::get_registry('tracker', 'add_popup'), 'mail_import' => $GLOBALS['egw']->hooks->single(array('location' => 'mail_import'),'tracker'), 'allowOnMultiple' => false, ), 'calendar' => array( 'caption' => 'Calendar', 'hint' => 'Save as Calendar', 'icon' => 'calendar/navbar', 'group' => $group, 'onExecute' => 'javaScript:app.mail.mail_integrate', 'popup' => egw_link::get_registry('calendar', 'add_popup'), 'allowOnMultiple' => false, 'toolbarDefault' => true ), 'print' => array( 'caption' => 'Print', 'group' => ++$group, 'onExecute' => 'javaScript:app.mail.mail_print', 'allowOnMultiple' => false, ), 'save' => array( 'caption' => 'Save', 'group' => $group, 'icon' => 'fileexport', 'children' => array( 'save2disk' => array( 'caption' => 'Save to disk', 'hint' => 'Save message to disk', 'group' => $group, 'icon' => 'fileexport', 'onExecute' => 'javaScript:app.mail.mail_save', 'allowOnMultiple' => false, ), 'save2filemanager' => array( 'caption' => 'Filemanager', 'hint' => 'Save message to filemanager', 'group' => $group, 'icon' => 'filemanager/navbar', 'onExecute' => 'javaScript:app.mail.mail_save2fm', 'allowOnMultiple' => false, ), ), ), 'view' => array( 'caption' => 'View', 'group' => $group, 'icon' => 'kmmsgread', 'children' => array( 'header' => array( 'caption' => 'Header', 'hint' => 'View header lines', 'group' => $group, 'icon' => 'kmmsgread', 'onExecute' => 'javaScript:app.mail.mail_header', 'allowOnMultiple' => false, ), 'mailsource' => array( 'caption' => 'Source', 'hint' => 'View full Mail Source', 'group' => $group, 'icon' => 'source', 'onExecute' => 'javaScript:app.mail.mail_mailsource', 'allowOnMultiple' => false, ), 'openastext' => array( 'caption' => lang('Text mode'), 'hint' => 'Open in Text mode', 'group' => ++$group, 'icon' => 'textmode', 'onExecute' => 'javaScript:app.mail.mail_openAsText', 'allowOnMultiple' => false, ), 'openashtml' => array( 'caption' => lang('HTML mode'), 'hint' => 'Open in HTML mode', 'group' => $group, 'icon' => 'htmlmode', 'onExecute' => 'javaScript:app.mail.mail_openAsHtml', 'allowOnMultiple' => false, ), ), ), 'mark' => array( 'caption' => 'Set / Remove Flags', 'icon' => 'read_small', 'group' => ++$group, 'children' => array( // icons used from http://creativecommons.org/licenses/by-sa/3.0/ // Artist: Led24 // Iconset Homepage: http://led24.de/iconset // License: CC Attribution 3.0 'setLabel' => array( 'caption' => 'Set / Remove Labels', 'icon' => 'tag_message', 'group' => ++$group, // note this one is NOT a real CAPABILITY reported by the server, but added by selectMailbox 'enabled' => $this->mail_bo->icServer->hasCapability('SUPPORTS_KEYWORDS'), 'hideOnDisabled' => true, 'children' => array( 'unlabel' => array( 'group' => ++$group, 'caption' => "<font color='#ff0000'>".lang('remove all')."</font>", 'icon' => 'mail_label', 'onExecute' => 'javaScript:app.mail.mail_flag', 'shortcut' => egw_keymanager::shortcut(egw_keymanager::_0, true, true), ), 'label1' => array( 'group' => ++$group, 'caption' => "<font color='#ff0000'>".lang('important')."</font>", 'icon' => 'mail_label1', 'onExecute' => 'javaScript:app.mail.mail_flag', 'shortcut' => egw_keymanager::shortcut(egw_keymanager::_1, true, true), ), 'label2' => array( 'group' => $group, 'caption' => "<font color='#ff8000'>".lang('job')."</font>", 'icon' => 'mail_label2', 'onExecute' => 'javaScript:app.mail.mail_flag', 'shortcut' => egw_keymanager::shortcut(egw_keymanager::_2, true, true), ), 'label3' => array( 'group' => $group, 'caption' => "<font color='#008000'>".lang('personal')."</font>", 'icon' => 'mail_label3', 'onExecute' => 'javaScript:app.mail.mail_flag', 'shortcut' => egw_keymanager::shortcut(egw_keymanager::_3, true, true), ), 'label4' => array( 'group' => $group, 'caption' => "<font color='#0000ff'>".lang('to do')."</font>", 'icon' => 'mail_label4', 'onExecute' => 'javaScript:app.mail.mail_flag', 'shortcut' => egw_keymanager::shortcut(egw_keymanager::_4, true, true), ), 'label5' => array( 'group' => $group, 'caption' => "<font color='#8000ff'>".lang('later')."</font>", 'icon' => 'mail_label5', 'onExecute' => 'javaScript:app.mail.mail_flag', 'shortcut' => egw_keymanager::shortcut(egw_keymanager::_5, true, true), ), ), ), // modified icons from http://creativecommons.org/licenses/by-sa/3.0/ 'flagged' => array( 'group' => ++$group, 'caption' => 'Flag / Unflag', 'icon' => 'unread_flagged_small', 'onExecute' => 'javaScript:app.mail.mail_flag', 'hint' => 'Flag or Unflag a mail', 'shortcut' => egw_keymanager::shortcut(egw_keymanager::F, true, true), 'toolbarDefault' => true ), 'read' => array( 'group' => $group, 'caption' => 'Read / Unread', 'icon' => 'read_small', 'onExecute' => 'javaScript:app.mail.mail_flag', 'shortcut' => egw_keymanager::shortcut(egw_keymanager::U, true, true), ), 'readall' => array( 'group' => ++$group, 'caption' => "<font color='#ff0000'>".lang('mark all as read')."</font>", 'icon' => 'read_small', 'onExecute' => 'javaScript:app.mail.mail_flag', 'hint' => 'mark all messages in folder as read', 'toolbarDefault' => false ), 'undelete' => array( 'group' => $group, 'caption' => 'Undelete', 'icon' => 'revert', 'onExecute' => 'javaScript:app.mail.mail_flag', ), ), ), 'delete' => array( 'caption' => 'Delete', 'hint' => $deleteOptions[$this->mail_bo->mailPreferences['deleteOptions']], 'group' => ++$group, 'onExecute' => 'javaScript:app.mail.mail_delete', 'toolbarDefault' => true ), 'drag_mail' => array( 'dragType' => array('mail'), 'type' => 'drag', //'onExecute' => 'javaScript:app.mail.mail_dragStart', ) ) ); //error_log(__METHOD__.__LINE__.array2string(array_keys($actions))); // save as tracker, save as infolog, as this are actions that are either available for all, or not, we do that for all and not via css-class disabling if (!isset($GLOBALS['egw_info']['user']['apps']['infolog'])) { unset($actions['infolog']); } if (!isset($GLOBALS['egw_info']['user']['apps']['tracker'])) { unset($actions['tracker']); } if (!isset($GLOBALS['egw_info']['user']['apps']['calendar'])) { unset($actions['calendar']); } return $actions; } /** * Callback to fetch the rows for the nextmatch widget * * Function is static to not automatic call constructor in case profile is changed. * * @param array $query * @param array &$rows * @param array &$readonlys */ public static function get_rows(&$query,&$rows,&$readonlys) { // handle possible profile change in get_rows if (!empty($query['selectedFolder'])) { list($_profileID,$folderName) = explode(self::$delimiter, $query['selectedFolder'], 2); if (is_numeric(($_profileID)) && $_profileID != $GLOBALS['egw_info']['user']['preferences']['mail']['ActiveProfileID']) { try { $mail_ui = new mail_ui(false); // do NOT run constructor, as we change profile anyway $mail_ui->changeProfile($_profileID); $query['actions'] = $mail_ui->get_actions(); } catch(Exception $e) { $rows=array(); return 0; } if (empty($folderName)) $query['selectedFolder'] = $_profileID.self::$delimiter.'INBOX'; } } if (!isset($mail_ui)) { $mail_ui = new mail_ui(true); // run constructor for current profile if (empty($query['selectedFolder'])) $query['selectedFolder'] = $mail_ui->mail_bo->profileID.self::$delimiter.'INBOX'; } //error_log(__METHOD__.__LINE__.' SelectedFolder:'.$query['selectedFolder'].' Start:'.$query['start'].' NumRows:'.$query['num_rows'].array2string($query['order']).'->'.array2string($query['sort'])); if (mail_bo::$debugTimes) $starttime = microtime(true); //$query['search'] is the phrase in the searchbox $mail_ui->mail_bo->restoreSessionData(); if (isset($query['selectedFolder'])) $mail_ui->mail_bo->sessionData['mailbox']=$query['selectedFolder']; $mail_ui->mail_bo->saveSessionData(); $sRToFetch = null; list($_profileID,$_folderName) = explode(self::$delimiter,$query['selectedFolder'],2); if (strpos($_folderName,self::$delimiter)!==false) { list($app,$_profileID,$_folderName) = explode(self::$delimiter,$_folderName,3); unset($app); } //save selected Folder to sessionData (mailbox)->currentFolder if (isset($query['selectedFolder'])) $mail_ui->mail_bo->sessionData['mailbox']=$_folderName; $toSchema = false;//decides to select list schema with column to selected (if false fromaddress is default) if ($mail_ui->mail_bo->folderExists($_folderName)) { $toSchema = $mail_ui->mail_bo->isDraftFolder($_folderName,false)||$mail_ui->mail_bo->isSentFolder($_folderName,false)||$mail_ui->mail_bo->isTemplateFolder($_folderName,false); } else { // take the extra time on failure if (!$mail_ui->mail_bo->folderExists($_folderName,true)) { //error_log(__METHOD__.__LINE__.' Test on Folder:'.$_folderName.' failed; Using INBOX instead'); $query['selectedFolder']=$mail_ui->mail_bo->sessionData['mailbox']=$_folderName='INBOX'; } } $mail_ui->mail_bo->saveSessionData(); $rowsFetched['messages'] = null; $offset = $query['start']+1; // we always start with 1 $maxMessages = $query['num_rows']; //error_log(__METHOD__.__LINE__.$query['order']); $sort = ($query['order']=='address'?($toSchema?'toaddress':'fromaddress'):$query['order']); if (!empty($query['search'])) { if (is_null(emailadmin_imapbase::$supportsORinQuery) || !isset(emailadmin_imapbase::$supportsORinQuery[$mail_ui->mail_bo->profileID])) { emailadmin_imapbase::$supportsORinQuery = egw_cache::getCache(egw_cache::INSTANCE,'email','supportsORinQuery'.trim($GLOBALS['egw_info']['user']['account_id']), null, array(), 60*60*10); if (!isset(emailadmin_imapbase::$supportsORinQuery[$mail_ui->mail_bo->profileID])) { emailadmin_imapbase::$supportsORinQuery[$mail_ui->mail_bo->profileID]=true; } } $filter = array( 'filterName' => (emailadmin_imapbase::$supportsORinQuery[$mail_ui->mail_bo->profileID]?lang('quicksearch'):lang('subject')), 'type' => ($query['filter2']?$query['filter2']:(emailadmin_imapbase::$supportsORinQuery[$mail_ui->mail_bo->profileID]?'quick':'subject')), 'string' => $query['search'], 'status' => 'any'); } else { $filter = array(); } if ($query['filter']) { $filter['status'] = $query['filter']; } $reverse = ($query['sort']=='ASC'?false:true); //error_log(__METHOD__.__LINE__.' maxMessages:'.$maxMessages.' Offset:'.$offset.' Filter:'.array2string($mail_ui->sessionData['messageFilter'])); try { if ($maxMessages > 75) { $_sR = $mail_ui->mail_bo->getSortedList( $_folderName, $sort, $reverse, $filter, $rByUid=true ); $rowsFetched['messages'] = $_sR['count']; $sR = $_sR['match']->ids; // if $sR is false, something failed fundamentally if($reverse === true) $sR = ($sR===false?array():array_reverse((array)$sR)); $sR = array_slice((array)$sR,($offset==0?0:$offset-1),$maxMessages); // we need only $maxMessages of uids $sRToFetch = $sR;//array_slice($sR,0,50); // we fetch only the headers of a subset of the fetched uids //error_log(__METHOD__.__LINE__.' Rows fetched (UID only):'.count($sR).' Data:'.array2string($sR)); $maxMessages = 75; $sortResultwH['header'] = array(); if (count($sRToFetch)>0) { //error_log(__METHOD__.__LINE__.' Headers to fetch with UIDs:'.count($sRToFetch).' Data:'.array2string($sRToFetch)); $sortResult = array(); // fetch headers $sortResultwH = $mail_ui->mail_bo->getHeaders( $_folderName, $offset, $maxMessages, $sort, $reverse, $filter, $sRToFetch ); } } else { $sortResult = array(); // fetch headers $sortResultwH = $mail_ui->mail_bo->getHeaders( $_folderName, $offset, $maxMessages, $sort, $reverse, $filter ); $rowsFetched['messages'] = $sortResultwH['info']['total']; } } catch (Exception $e) { $sortResultwH=array(); $sR=array(); self::callWizard($e->getMessage(), false, 'error'); } $response = egw_json_response::get(); // unlock immediately after fetching the rows if (stripos($_GET['menuaction'],'ajax_get_rows')!==false) { //error_log(__METHOD__.__LINE__.' unlock tree ->'.$_GET['menuaction']); $response->call('app.mail.unlock_tree'); } if (is_array($sR) && count($sR)>0) { foreach ((array)$sR as $key => $v) { if (array_key_exists($key,(array)$sortResultwH['header'])==true) { $sortResult['header'][] = $sortResultwH['header'][$key]; } else { if (!empty($v)) $sortResult['header'][] = array('uid'=>$v); } } } else { $sortResult = $sortResultwH; } $rowsFetched['rowsFetched'] = count($sortResult['header']); if (empty($rowsFetched['messages'])) $rowsFetched['messages'] = $rowsFetched['rowsFetched']; //error_log(__METHOD__.__LINE__.' Rows fetched:'.$rowsFetched.' Data:'.array2string($sortResult)); $cols = array('row_id','uid','status','attachments','subject','address','toaddress','fromaddress','ccaddress','additionaltoaddress','date','size','modified'); if ($GLOBALS['egw_info']['user']['preferences']['common']['select_mode']=='EGW_SELECTMODE_TOGGLE') unset($cols[0]); $rows = $mail_ui->header2gridelements($sortResult['header'],$cols, $_folderName, $folderType=$toSchema); //error_log(__METHOD__.__LINE__.array2string($rows)); if (mail_bo::$debugTimes) mail_bo::logRunTimes($starttime,null,'Folder:'.$_folderName.' Start:'.$query['start'].' NumRows:'.$query['num_rows'],__METHOD__.__LINE__); return $rowsFetched['messages']; } /** * function createRowID - create a unique rowID for the grid * * @param string $_folderName used to ensure the uniqueness of the uid over all folders * @param string $message_uid the message_Uid to be used for creating the rowID * @param boolean $_prependApp to indicate that the app 'mail' is to be used for creating the rowID * @return string - a colon separated string in the form [app:]accountID:profileID:folder:message_uid */ function createRowID($_folderName, $message_uid, $_prependApp=false) { return self::generateRowID($this->mail_bo->profileID, $_folderName, $message_uid, $_prependApp); } /** * static function generateRowID - create a unique rowID for the grid * * @param integer $_profileID profile ID for the rowid to be used * @param string $_folderName to ensure the uniqueness of the uid over all folders * @param string $message_uid the message_Uid to be used for creating the rowID * @param boolean $_prependApp to indicate that the app 'mail' is to be used for creating the rowID * @return string - a colon separated string in the form [app:]accountID:profileID:folder:message_uid */ static function generateRowID($_profileID, $_folderName, $message_uid, $_prependApp=false) { return ($_prependApp?'mail'.self::$delimiter:'').trim($GLOBALS['egw_info']['user']['account_id']).self::$delimiter.$_profileID.self::$delimiter.base64_encode($_folderName).self::$delimiter.$message_uid; } /** * function splitRowID - split the rowID into its parts * * @param string $_rowID string - a colon separated string in the form accountID:profileID:folder:message_uid * @return array populated named result array (accountID,profileID,folder,msgUID) */ static function splitRowID($_rowID) { $res = explode(self::$delimiter,$_rowID); // as a rowID is perceeded by app::, should be mail! //error_log(__METHOD__.__LINE__.array2string($res).' [0] isInt:'.is_int($res[0]).' [0] isNumeric:'.is_numeric($res[0]).' [0] isString:'.is_string($res[0]).' Count:'.count($res)); if (count($res)==4 && is_numeric($res[0]) ) { // we have an own created rowID; prepend app=mail array_unshift($res,'mail'); } return array('app'=>$res[0], 'accountID'=>$res[1], 'profileID'=>$res[2], 'folder'=>base64_decode($res[3]), 'msgUID'=>$res[4]); } /** * Get actions for preview toolbar * * @return array */ function get_toolbar_actions() { $actions = $this->get_actions(); $arrActions = array('composeasnew','reply','reply_all','forward','flagged','delete','print','infolog','tracker','calendar','save','view'); foreach( $arrActions as &$act) { //error_log(__METHOD__.__LINE__.' '.$act.'->'.array2string($actions[$act])); switch ($act) { case 'forward': $actionsenabled[$act]=$actions[$act]; break; case 'save': $actionsenabled[$act]=$actions[$act]; break; case 'view': $actionsenabled[$act]=$actions[$act]; break; case 'flagged': $actionsenabled[$act]= $actions['mark']['children'][$act]; break; default: if (isset($actions[$act])) $actionsenabled[$act]=$actions[$act]; } } unset($actionsenabled['drag_mail']); //error_log(array2string($actionsenabled['view'])); unset($actionsenabled['view']['children']['openastext']);//not supported in preview unset($actionsenabled['view']['children']['openashtml']);//not supported in preview return $actionsenabled; } /** * function header2gridelements - to populate the grid elements with the collected Data * * @param array $_headers headerdata to process * @param array $cols cols to populate * @param array $_folderName to ensure the uniqueness of the uid over all folders * @param array $_folderType used to determine if we need to populate from/to * @return array populated result array */ public function header2gridelements($_headers, $cols, $_folderName, $_folderType=0) { if (mail_bo::$debugTimes) $starttime = microtime(true); $rv = array(); $i=0; foreach((array)$_headers as $header) { $i++; $data = array(); //error_log(__METHOD__.array2string($header)); $message_uid = $header['uid']; $data['uid'] = $message_uid; $data['row_id']=$this->createRowID($_folderName,$message_uid); $flags = ""; if(!empty($header['recent'])) $flags .= "R"; if(!empty($header['flagged'])) $flags .= "F"; if(!empty($header['answered'])) $flags .= "A"; if(!empty($header['forwarded'])) $flags .= "W"; if(!empty($header['deleted'])) $flags .= "D"; if(!empty($header['seen'])) $flags .= "S"; if(!empty($header['label1'])) $flags .= "1"; if(!empty($header['label2'])) $flags .= "2"; if(!empty($header['label3'])) $flags .= "3"; if(!empty($header['label4'])) $flags .= "4"; if(!empty($header['label5'])) $flags .= "5"; $data["status"] = "<span class=\"status_img\"></span>"; //error_log(__METHOD__.array2string($header).' Flags:'.$flags); // the css for this row $is_recent=false; $css_styles = array("mail"); if ($header['deleted']) { $css_styles[] = 'deleted'; } if ($header['recent'] && !($header['deleted'] || $header['seen'] || $header['answered'] || $header['forwarded'])) { $css_styles[] = 'recent'; $is_recent=true; } if ($header['priority'] < 3) { $css_styles[] = 'prio_high'; } if ($header['flagged']) { $css_styles[] = 'flagged'; } if (!$header['seen']) { $css_styles[] = 'unseen'; // different status image for recent // solved via css !important } if ($header['answered']) { $css_styles[] = 'replied'; } if ($header['forwarded']) { $css_styles[] = 'forwarded'; } if ($header['label1']) { $css_styles[] = 'labelone'; } if ($header['label2']) { $css_styles[] = 'labeltwo'; } if ($header['label3']) { $css_styles[] = 'labelthree'; } if ($header['label4']) { $css_styles[] = 'labelfour'; } if ($header['label5']) { $css_styles[] = 'labelfive'; } //error_log(__METHOD__.array2string($css_styles)); if (in_array("subject", $cols)) { // filter out undisplayable characters $search = array('[\016]','[\017]', '[\020]','[\021]','[\022]','[\023]','[\024]','[\025]','[\026]','[\027]', '[\030]','[\031]','[\032]','[\033]','[\034]','[\035]','[\036]','[\037]'); $replace = ''; $header['subject'] = preg_replace($search,$replace,$header['subject']); // curly brackets get messed up by the template! if (!empty($header['subject'])) { // make the subject shorter if it is to long $subject = $header['subject']; } else { $subject = '('. lang('no subject') .')'; } $data["subject"] = $subject; // the mailsubject } $imageHTMLBlock = ''; //error_log(__METHOD__.__LINE__.array2string($header)); if (in_array("attachments", $cols)) { if($header['mimetype'] == 'multipart/mixed' || $header['mimetype'] == 'multipart/signed' || $header['mimetype'] == 'multipart/related' || $header['mimetype'] == 'multipart/report' || $header['mimetype'] == 'text/calendar' || $header['mimetype'] == 'text/html' || substr($header['mimetype'],0,11) == 'application' || substr($header['mimetype'],0,5) == 'audio' || substr($header['mimetype'],0,5) == 'video' || $header['mimetype'] == 'multipart/alternative') { $image = html::image('mail','attach'); $imageHTMLBlock = ''; $datarowid = $this->createRowID($_folderName,$message_uid,true); $attachments = $header['attachments']; if (count($attachments)<1) { $image = ' '; } if (count($attachments)==1) { $imageHTMLBlock = self::createAttachmentBlock($attachments, $datarowid, $header['uid'],$_folderName); $image = html::image('mail','attach',$attachments[0]['name'].(!empty($attachments[0]['mimeType'])?' ('.$attachments[0]['mimeType'].')':'')); } if (count($attachments)>1) { $imageHTMLBlock = self::createAttachmentBlock($attachments, $datarowid, $header['uid'],$_folderName); $image = html::image('mail','attach',lang('%1 attachments',count($attachments))); } $attachmentFlag = $image; } else { $attachmentFlag =' '; } // show priority flag if ($header['priority'] < 3) { $image = html::image('mail','prio_high'); } elseif ($header['priority'] > 3) { $image = html::image('mail','prio_low'); } else { $image = ''; } // show a flag for flagged messages $imageflagged =''; if ($header['flagged']) { $imageflagged = html::image('mail','unread_flagged_small'); } $data["attachments"] = $image.$attachmentFlag.$imageflagged; // icon for attachments available } // sent or draft or template folder -> to address if (in_array("toaddress", $cols)) { // sent or drafts or template folder means foldertype > 0, use to address instead of from $data["toaddress"] = $header['to_address'];//mail_bo::htmlentities($header['to_address'],$this->charset); } if (in_array("additionaltoaddress", $cols)) { $data['additionaltoaddress'] = $header['additional_to_addresses']; } //fromaddress if (in_array("fromaddress", $cols)) { $data["fromaddress"] = $header['sender_address']; } if (in_array("ccaddress", $cols)) { $data['ccaddress'] = $header['cc_addresses']; } if (in_array("date", $cols)) { $data["date"] = $header['date']; } if (in_array("modified", $cols)) { $data["modified"] = $header['internaldate']; } if (in_array("size", $cols)) $data["size"] = $header['size']; /// size $data["class"] = implode(' ', $css_styles); //translate style-classes back to flags $data['flags'] = Array(); if ($header['seen']) $data["flags"]['read'] = 'read'; foreach ($css_styles as &$flag) { if ($flag!='mail') { if ($flag=='labelone') {$data["flags"]['label1'] = 'label1';} elseif ($flag=='labeltwo') {$data["flags"]['label2'] = 'label2';} elseif ($flag=='labelthree') {$data["flags"]['label3'] = 'label3';} elseif ($flag=='labelfour') {$data["flags"]['label4'] = 'label4';} elseif ($flag=='labelfive') {$data["flags"]['label5'] = 'label5';} elseif ($flag=='unseen') {unset($data["flags"]['read']);} else $data["flags"][$flag] = $flag; } } if ($header['disposition-notification-to']) $data['dispositionnotificationto'] = $header['disposition-notification-to']; if (($header['mdnsent']||$header['mdnnotsent']|$header['seen'])&&isset($data['dispositionnotificationto'])) unset($data['dispositionnotificationto']); $data['attachmentsBlock'] = $imageHTMLBlock; $data['address'] = ($_folderType?$data["toaddress"]:$data["fromaddress"]); $rv[] = $data; //error_log(__METHOD__.__LINE__.array2string($data)); } if (mail_bo::$debugTimes) mail_bo::logRunTimes($starttime,null,'Folder:'.$_folderName,__METHOD__.__LINE__); // ToDo: call this ONLY if labels change etemplate_widget::setElementAttribute('toolbar', 'actions', $this->get_toolbar_actions()); return $rv; } /** * display messages header lines * * all params are passed as GET Parameters */ function displayHeader() { if(isset($_GET['id'])) $rowID = $_GET['id']; if(isset($_GET['part'])) $partID = $_GET['part']; $hA = self::splitRowID($rowID); $uid = $hA['msgUID']; $mailbox = $hA['folder']; $icServerID = $hA['profileID']; $rememberServerID = $this->mail_bo->profileID; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } $this->mail_bo->reopen($mailbox); $rawheaders = $this->mail_bo->getMessageRawHeader($uid, $partID); // add line breaks to $rawheaders $newRawHeaders = explode("\n",$rawheaders); reset($newRawHeaders); // reset $rawheaders $rawheaders = ""; // create it new, with good line breaks reset($newRawHeaders); while(list($key,$value) = @each($newRawHeaders)) { $rawheaders .= wordwrap($value, 90, "\n "); } $this->mail_bo->closeConnection(); if ($rememberServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile back to where we came from->'.$rememberServerID); $this->changeProfile($rememberServerID); } header('Content-type: text/html; charset=iso-8859-1'); print '<pre>'. htmlspecialchars($rawheaders, ENT_NOQUOTES, 'iso-8859-1') .'</pre>'; } /** * display messages * @param array $_requesteddata etemplate content * all params are passed as GET Parameters, but can be passed via ExecMethod2 as array too */ function displayMessage($_requesteddata = null) { if (is_null($_requesteddata)) $_requesteddata = $_GET; $preventRedirect=false; if(isset($_requesteddata['id'])) $rowID = $_requesteddata['id']; if(isset($_requesteddata['part'])) $partID = $_requesteddata['part']!='null'?$_requesteddata['part']:null; if(isset($_requesteddata['mode'])) $preventRedirect = (($_requesteddata['mode']=='display' || $_requesteddata['mode'] == 'print')?true:false); $hA = self::splitRowID($rowID); $uid = $hA['msgUID']; $mailbox = $hA['folder']; $icServerID = $hA['profileID']; $rememberServerID = $this->mail_bo->profileID; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } $htmlOptions = $this->mail_bo->htmlOptions; if (!empty($_requesteddata['tryastext'])) $htmlOptions = "only_if_no_text"; if (!empty($_requesteddata['tryashtml'])) $htmlOptions = "always_display"; //error_log(__METHOD__.__LINE__.array2string($hA)); if (($this->mail_bo->isDraftFolder($mailbox)) && $_requesteddata['mode'] == 'print') { $response = egw_json_response::get(); $response->call('app.mail.print_for_compose', $rowID); } if (!$preventRedirect && ($this->mail_bo->isDraftFolder($mailbox) || $this->mail_bo->isTemplateFolder($mailbox))) { egw::redirect_link('/index.php',array('menuaction'=>'mail.mail_compose.compose','id'=>$rowID,'from'=>'composefromdraft')); } $this->mail_bo->reopen($mailbox); // retrieve the flags of the message, before touching it. $headers = $this->mail_bo->getMessageHeader($uid, $partID,true,true,$mailbox); if (PEAR::isError($headers)) { $error_msg[] = lang("ERROR: Message could not be displayed."); $error_msg[] = lang("In Mailbox: %1, with ID: %2, and PartID: %3",$mailbox,$uid,$partID); $error_msg[] = $headers->message; $error_msg[] = array2string($headers->backtrace[0]); } if (!empty($uid)) $this->mail_bo->getFlags($uid); $envelope = $this->mail_bo->getMessageEnvelope($uid, $partID,true,$mailbox); //error_log(__METHOD__.__LINE__.array2string($envelope)); $this->mail_bo->getMessageRawHeader($uid, $partID,$mailbox); $fetchEmbeddedImages = false; // if we are in HTML so its likely that we should show the embedded images; as a result // we do NOT want to see those, that are embedded in the list of attachments if ($htmlOptions !='always_display') $fetchEmbeddedImages = true; $attachments = $this->mail_bo->getMessageAttachments($uid, $partID, null, $fetchEmbeddedImages,true,true,$mailbox); //error_log(__METHOD__.__LINE__.array2string($attachments)); $attachmentHTMLBlock = self::createAttachmentBlock($attachments, $rowID, $uid, $mailbox); $nonDisplayAbleCharacters = array('[\016]','[\017]', '[\020]','[\021]','[\022]','[\023]','[\024]','[\025]','[\026]','[\027]', '[\030]','[\031]','[\032]','[\033]','[\034]','[\035]','[\036]','[\037]'); //error_log(__METHOD__.__LINE__.$mailBody); $this->mail_bo->closeConnection(); //$GLOBALS['egw_info']['flags']['currentapp'] = 'mail';//should not be needed $etpl = new etemplate_new('mail.display'); $subject = $this->mail_bo->decode_subject(preg_replace($nonDisplayAbleCharacters,'',$envelope['SUBJECT']),false); // Set up data for taglist widget(s) if ($envelope['FROM']==$envelope['SENDER']) unset($envelope['SENDER']); foreach(array('SENDER','FROM','TO','CC','BCC') as $field) { if (!isset($envelope[$field])) continue; foreach($envelope[$field] as $field_data) { //error_log(__METHOD__.__LINE__.array2string($field_data)); $content[$field][] = $field_data; $sel_options[$field][] = array( // taglist requires these - not optional 'id' => $field_data, 'label' => str_replace('"',"'",$field_data), ); } } $actionsenabled = self::get_actions(); unset($actionsenabled['open']); unset($actionsenabled['mark']['children']['setLabel']); unset($actionsenabled['mark']['children']['read']); unset($actionsenabled['mark']['children']['unread']); unset($actionsenabled['mark']['children']['undelete']); unset($actionsenabled['mark']['children']['readall']); unset($actionsenabled['moveto']); unset($actionsenabled['drag_mail']); $actionsenabled['mark']['children']['flagged']=array( 'group' => $actionsenabled['mark']['children']['flagged']['group'], 'caption' => 'Flagged', 'icon' => 'unread_flagged_small', 'onExecute' => 'javaScript:app.mail.mail_flag', ); $actionsenabled['mark']['children']['unflagged']=array( 'group' => $actionsenabled['mark']['children']['flagged']['group'], 'caption' => 'Unflagged', 'icon' => 'read_flagged_small', 'onExecute' => 'javaScript:app.mail.mail_flag', ); $actionsenabled['tracker']['toolbarDefault'] = true; $actionsenabled['mark']['toolbarDefault'] = true; $actionsenabled['forward']['toolbarDefault'] = true; $cAN = $actionsenabled['composeasnew']; unset($actionsenabled['composeasnew']); $actionsenabled = array_reverse($actionsenabled,true); $actionsenabled['composeasnew']=$cAN; $actionsenabled = array_reverse($actionsenabled,true); $content['displayToolbaractions'] = json_encode($actionsenabled); if (empty($subject)) $subject = lang('no subject'); $content['msg'] = (is_array($error_msg)?implode("<br>",$error_msg):$error_msg); // Send mail ID so we can use it for actions $content['mail_id'] = $rowID; if (!is_array($headers) || !isset($headers['DATE'])) { $headers['DATE'] = (is_array($envelope)&&$envelope['DATE']?$envelope['DATE']:''); } $content['mail_displaydate'] = mail_bo::_strtotime($headers['DATE'],'ts',true); $content['mail_displaysubject'] = $subject; $linkData = array('menuaction'=>"mail.mail_ui.loadEmailBody","_messageID"=>$rowID); if (!empty($partID)) $linkData['_partID']=$partID; if ($htmlOptions != $this->mail_bo->htmlOptions) $linkData['_htmloptions']=$htmlOptions; $content['mailDisplayBodySrc'] = egw::link('/index.php',$linkData); $content['mail_displayattachments'] = $attachmentHTMLBlock; $content['mail_id']=$rowID; $content['mailDisplayContainerClass']=(count($attachments)?"mailDisplayContainer mailDisplayContainerFixedHeight":"mailDisplayContainer mailDisplayContainerFullHeight"); $content['mailDisplayAttachmentsClass']=(count($attachments)?"mailDisplayAttachments":"mail_DisplayNone"); // DRAG attachments actions $etpl->setElementAttribute('mail_displayattachments', 'actions', array( 'file_drag' => array( 'dragType' => 'file', 'type' => 'drag', 'onExecute' => 'javaScript:app.mail.drag_attachment' ) )); $readonlys = $preserv = $content; if ($rememberServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile back to where we came from->'.$rememberServerID); $this->changeProfile($rememberServerID); } $etpl->exec('mail.mail_ui.displayMessage',$content,$sel_options,$readonlys,$preserv,2); } /** * createAttachmentBlock * helper function to create the attachment block/table * * @param array $attachments array with the attachments information * @param string $rowID rowid of the message * @param int $uid uid of the message * @param string $mailbox mailbox identifier * @param boolean $_returnFullHTML flag wether to return HTML or data array * @return mixed array/string data array or html or empty string */ static function createAttachmentBlock($attachments, $rowID, $uid, $mailbox,$_returnFullHTML=false) { $attachmentHTMLBlock=''; $attachmentHTML = array(); if (is_array($attachments) && count($attachments) > 0) { $url_img_vfs = html::image('filemanager','navbar', lang('Filemanager'), ' height="16"'); $url_img_vfs_save_all = html::image('mail','save_all', lang('Save all')); foreach ($attachments as $key => $value) { $attachmentHTML[$key]['filename']= ($value['name'] ? ( $value['filename'] ? $value['filename'] : $value['name'] ) : lang('(no subject)')); $test = @json_encode($attachmentHTML[$key]['filename']); //error_log(__METHOD__.__LINE__.' ->'.strlen($singleBodyPart['body']).' Error:'.json_last_error().'<- BodyPart:#'.$test.'#'); if (($test=="null" || $test === false || is_null($test)) && strlen($attachmentHTML[$key]['filename'])>0) { // try to fix broken utf8 $x = utf8_encode($attachmentHTML[$key]['filename']); $test = @json_encode($x); if (($test=="null" || $test === false || is_null($test)) && strlen($attachmentHTML[$key]['filename'])>0) { // this should not be needed, unless something fails with charset detection/ wrong charset passed $attachmentHTML[$key]['filename'] = (function_exists('mb_convert_encoding')?mb_convert_encoding($attachmentHTML[$key]['filename'],'UTF-8','UTF-8'):(function_exists('iconv')?@iconv("UTF-8","UTF-8//IGNORE",$attachmentHTML[$key]['filename']):$attachmentHTML[$key]['filename'])); } else { $attachmentHTML[$key]['filename'] = $x; } } //error_log(array2string($value)); //error_log(strtoupper($value['mimeType']) .'<->'. mime_magic::filename2mime($attachmentHTML[$key]['filename'])); if (strtoupper($value['mimeType']=='APPLICATION/OCTET-STREAM')) $value['mimeType'] = mime_magic::filename2mime($attachmentHTML[$key]['filename']); $attachmentHTML[$key]['type']=$value['mimeType']; $attachmentHTML[$key]['mimetype']=mime_magic::mime2label($value['mimeType']); $hA = self::splitRowID($rowID); $uid = $hA['msgUID']; $mailbox = $hA['folder']; $acc_id = $hA['profileID']; $attachmentHTML[$key]['mime_data'] = egw_link::set_data($value['mimeType'], 'emailadmin_imapbase::getAttachmentAccount', array( $acc_id, $mailbox, $uid, $value['partID'], $value['is_winmail'], true )); $attachmentHTML[$key]['size']=egw_vfs::hsize($value['size']); $attachmentHTML[$key]['attachment_number']=$key; $attachmentHTML[$key]['partID']=$value['partID']; $attachmentHTML[$key]['mail_id'] = $rowID; $attachmentHTML[$key]['winmailFlag']=$value['is_winmail']; $attachmentHTML[$key]['classSaveAllPossiblyDisabled'] = "mail_DisplayNone"; switch(strtoupper($value['mimeType'])) { case 'MESSAGE/RFC822': $linkData = array ( 'menuaction' => 'mail.mail_ui.displayMessage', 'mode' => 'display', //message/rfc822 attachments should be opened in display mode 'id' => $rowID, 'part' => $value['partID'], 'is_winmail' => $value['is_winmail'] ); $windowName = 'displayMessage_'. $rowID.'_'.$value['partID']; $linkView = "egw_openWindowCentered('".egw::link('/index.php',$linkData)."','$windowName',700,egw_getWindowOuterHeight());"; break; case 'IMAGE/JPEG': case 'IMAGE/PNG': case 'IMAGE/GIF': case 'IMAGE/BMP': case 'APPLICATION/PDF': case 'TEXT/PLAIN': case 'TEXT/HTML': case 'TEXT/DIRECTORY': $sfxMimeType = $value['mimeType']; $buff = explode('.',$value['name']); $suffix = ''; if (is_array($buff)) $suffix = array_pop($buff); // take the last extension to check with ext2mime if (!empty($suffix)) $sfxMimeType = mime_magic::ext2mime($suffix); if (strtoupper($sfxMimeType) == 'TEXT/VCARD' || strtoupper($sfxMimeType) == 'TEXT/X-VCARD') { $attachments[$key]['mimeType'] = $sfxMimeType; $value['mimeType'] = strtoupper($sfxMimeType); } case 'TEXT/X-VCARD': case 'TEXT/VCARD': case 'TEXT/CALENDAR': case 'TEXT/X-VCALENDAR': $linkData = array ( 'menuaction' => 'mail.mail_ui.getAttachment', 'id' => $rowID, 'part' => $value['partID'], 'is_winmail' => $value['is_winmail'], 'mailbox' => base64_encode($mailbox), ); $windowName = 'displayAttachment_'. $uid; $reg = '800x600'; // handle calendar/vcard if (strtoupper($value['mimeType'])=='TEXT/CALENDAR') { $windowName = 'displayEvent_'. $rowID; $reg2 = egw_link::get_registry('calendar','view_popup'); } if (strtoupper($value['mimeType'])=='TEXT/X-VCARD' || strtoupper($value['mimeType'])=='TEXT/VCARD') { $windowName = 'displayContact_'. $rowID; $reg2 = egw_link::get_registry('addressbook','add_popup'); } // apply to action list($width,$height) = explode('x',(!empty($reg2) ? $reg2 : $reg)); $linkView = "egw_openWindowCentered('".egw::link('/index.php',$linkData)."','$windowName',$width,$height);"; break; default: $linkData = array ( 'menuaction' => 'mail.mail_ui.getAttachment', 'id' => $rowID, 'part' => $value['partID'], 'is_winmail' => $value['is_winmail'], 'mailbox' => base64_encode($mailbox), ); $linkView = "window.location.href = '".egw::link('/index.php',$linkData)."';"; break; } // we either use mime_data for server-side supported mime-types or mime_url for client-side or download if (empty($attachmentHTML[$key]['mime_data'])) { $attachmentHTML[$key]['mime_url'] = egw::link('/index.php',$linkData); unset($attachmentHTML[$key]['mime_data']); } $attachmentHTML[$key]['windowName'] = $windowName; //error_log(__METHOD__.__LINE__.$linkView); $attachmentHTML[$key]['link_view'] = '<a href="#" ." title="'.$attachmentHTML[$key]['filename'].'" onclick="'.$linkView.' return false;"><b>'. ($value['name'] ? $value['name'] : lang('(no subject)')). '</b></a>'; $linkData = array ( 'menuaction' => 'mail.mail_ui.getAttachment', 'mode' => 'save', 'id' => $rowID, 'part' => $value['partID'], 'is_winmail' => $value['is_winmail'], 'mailbox' => base64_encode($mailbox), ); $attachmentHTML[$key]['link_save'] ="<a href='".egw::link('/index.php',$linkData)."' title='".$attachmentHTML[$key]['filename']."'>".html::image('mail','fileexport')."</a>"; if ($GLOBALS['egw_info']['user']['apps']['filemanager']) { $link_vfs_save = egw::link('/index.php',array( 'menuaction' => 'filemanager.filemanager_select.select', 'mode' => 'saveas', 'name' => $value['name'], 'mime' => strtolower($value['mimeType']), 'method' => 'mail.mail_ui.vfsSaveAttachment', 'id' => $rowID.'::'.$value['partID'].'::'.$value['is_winmail'], 'label' => lang('Save'), )); $vfs_save = "<a href='#' onclick=\"egw_openWindowCentered('$link_vfs_save','vfs_save_attachment','640','570',window.outerWidth/2,window.outerHeight/2); return false;\">$url_img_vfs</a>"; // add save-all icon for first attachment if (!$key && count($attachments) > 1) { $attachmentHTML[$key]['classSaveAllPossiblyDisabled'] = ""; foreach ($attachments as $ikey => $value) { //$rowID $ids["id[$ikey]"] = $rowID.'::'.$value['partID'].'::'.$value['is_winmail'].'::'.$value['name']; } $link_vfs_save = egw::link('/index.php',array( 'menuaction' => 'filemanager.filemanager_select.select', 'mode' => 'select-dir', 'method' => 'mail.mail_ui.vfsSaveAttachment', 'label' => lang('Save all'), )+$ids); $vfs_save .= "<a href='#' onclick=\"egw_openWindowCentered('$link_vfs_save','vfs_save_attachment','640','530',window.outerWidth/2,window.outerHeight/2); return false;\">$url_img_vfs_save_all</a>"; } $attachmentHTML[$key]['link_save'] .= $vfs_save; //error_log(__METHOD__.__LINE__.$attachmentHTML[$key]['link_save']); } } $attachmentHTMLBlock="<table width='100%'>"; foreach ((array)$attachmentHTML as $row) { $attachmentHTMLBlock .= "<tr><td><div class='useEllipsis'>".$row['link_view'].'</div></td>'; $attachmentHTMLBlock .= "<td>".$row['mimetype'].'</td>'; $attachmentHTMLBlock .= "<td>".$row['size'].'</td>'; $attachmentHTMLBlock .= "<td>".$row['link_save'].'</td></tr>'; } $attachmentHTMLBlock .= "</table>"; } if (!$_returnFullHTML) { foreach ((array)$attachmentHTML as $ikey => $value) { unset($attachmentHTML[$ikey]['link_view']); unset($attachmentHTML[$ikey]['link_save']); } } return ($_returnFullHTML?$attachmentHTMLBlock:$attachmentHTML); } /** * fetch vacation info from active Server using icServer object * * @param array $cachedVacations an array of cached vacations for an user * @return array|boolean array with vacation on success or false on failure */ function gatherVacation($cachedVacations = array()) { $isVacationEnabled = $this->mail_bo->icServer->acc_sieve_enabled && ($this->mail_bo->icServer->acc_sieve_host||$this->mail_bo->icServer->acc_imap_host); //error_log(__METHOD__.__LINE__.' Server:'.self::$icServerID.' Sieve Enabled:'.array2string($vacation)); if ($isVacationEnabled) { $sieveServer = $this->mail_bo->icServer; try { $sieveServer->retrieveRules(); $vacation = $sieveServer->getVacation(); $cachedVacations = array($sieveServer->acc_id => $vacation) + (array)$cachedVacations; // Set vacation to the instance cache for particular account with expiration of one day egw_cache::setCache(egw_cache::INSTANCE, 'email', 'vacationNotice'.$GLOBALS['egw_info']['user']['account_lid'], $cachedVacations, 60*60*24); } catch (PEAR_Exception $ex) { $this->callWizard($ex->getMessage(), true, 'error'); } } //error_log(__METHOD__.__LINE__.' Server:'.self::$icServerID.' Vacation retrieved:'.array2string($vacation)); return $vacation; } /** * quotaDisplay * gather Info on how to display the quota info * @param $_usage int * @param $_limit int * @return array - info used for quota array(class=>string,text=>string,$percent=>string) */ function quotaDisplay($_usage, $_limit) { if($_limit == 0) { $quotaPercent=100; } else { $quotaPercent=round(($_usage*100)/$_limit); } $quotaLimit=mail_bo::show_readable_size($_limit*1024); $quotaUsage=mail_bo::show_readable_size($_usage*1024); if($quotaPercent > 90 && $_limit>0) { $quotaBG='mail-index_QuotaRed'; } elseif($quotaPercent > 80 && $_limit>0) { $quotaBG='mail-index_QuotaYellow'; } else { $quotaBG='mail-index_QuotaGreen'; } if($_limit > 0) { $quotaText = $quotaUsage .'/'.$quotaLimit; } else { $quotaText = $quotaUsage; } if($quotaPercent > 50) { } else { } $quota['class'] = $quotaBG; $quota['text'] = lang('Quota: %1',$quotaText); $quota['percent'] = (string)round(($_usage*100)/$_limit); return $quota; } /** * display image * * all params are passed as GET Parameters */ function displayImage() { $uid = $_GET['uid']; $cid = base64_decode($_GET['cid']); $partID = urldecode($_GET['partID']); if (!empty($_GET['mailbox'])) $mailbox = base64_decode($_GET['mailbox']); //error_log(__METHOD__.__LINE__.":$uid, $cid, $partID"); $this->mail_bo->reopen($mailbox); $attachment = $this->mail_bo->getAttachmentByCID($uid, $cid, $partID, true); // true get contents as stream $this->mail_bo->closeConnection(); $GLOBALS['egw']->session->commit_session(); if ($attachment) { header("Content-Type: ". $attachment->getType()); header('Content-Disposition: inline; filename="'. $attachment->getDispositionParameter('filename') .'"'); //header("Expires: 0"); // the next headers are for IE and SSL //header("Cache-Control: must-revalidate, post-check=0, pre-check=0"); //header("Pragma: public"); egw_session::cache_control(true); echo $attachment->getContents(); } else { // send a 404 Not found header("HTTP/1.1 404 Not found"); } common::egw_exit(); } function getAttachment() { if(isset($_GET['id'])) $rowID = $_GET['id']; $hA = self::splitRowID($rowID); $uid = $hA['msgUID']; $mailbox = $hA['folder']; $icServerID = $hA['profileID']; $rememberServerID = $this->mail_bo->profileID; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } $part = $_GET['part']; $is_winmail = $_GET['is_winmail'] ? $_GET['is_winmail'] : 0; $this->mail_bo->reopen($mailbox); $attachment = $this->mail_bo->getAttachment($uid,$part,$is_winmail,false); $this->mail_bo->closeConnection(); if ($rememberServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile back to where we came from->'.$rememberServerID); $this->changeProfile($rememberServerID); } $GLOBALS['egw']->session->commit_session(); //error_log(__METHOD__.print_r($_GET,true)); if ($_GET['mode'] != "save") { if (strtoupper($attachment['type']) == 'TEXT/DIRECTORY' || empty($attachment['type'])) { $sfxMimeType = $attachment['type']; $buff = explode('.',$attachment['filename']); $suffix = ''; if (is_array($buff)) $suffix = array_pop($buff); // take the last extension to check with ext2mime if (!empty($suffix)) $sfxMimeType = mime_magic::ext2mime($suffix); $attachment['type'] = $sfxMimeType; if (strtoupper($sfxMimeType) == 'TEXT/VCARD' || strtoupper($sfxMimeType) == 'TEXT/X-VCARD') $attachment['type'] = strtoupper($sfxMimeType); } //error_log(__METHOD__.print_r($attachment,true)); if (strtoupper($attachment['type']) == 'TEXT/CALENDAR' || strtoupper($attachment['type']) == 'TEXT/X-VCALENDAR') { //error_log(__METHOD__."about to call calendar_ical"); $calendar_ical = new calendar_ical(); $eventid = $calendar_ical->search($attachment['attachment'],-1); //error_log(__METHOD__.array2string($eventid)); if (!$eventid) $eventid = -1; $event = $calendar_ical->importVCal($attachment['attachment'],(is_array($eventid)?$eventid[0]:$eventid),null,true); //error_log(__METHOD__.$event); if ((int)$event > 0) { $vars = array( 'menuaction' => 'calendar.calendar_uiforms.edit', 'cal_id' => $event, ); egw::redirect_link('../index.php',$vars); } //Import failed, download content anyway } if (strtoupper($attachment['type']) == 'TEXT/X-VCARD' || strtoupper($attachment['type']) == 'TEXT/VCARD') { $addressbook_vcal = new addressbook_vcal(); // double \r\r\n seems to end a vcard prematurely, so we set them to \r\n //error_log(__METHOD__.__LINE__.$attachment['attachment']); $attachment['attachment'] = str_replace("\r\r\n", "\r\n", $attachment['attachment']); $vcard = $addressbook_vcal->vcardtoegw($attachment['attachment']); if ($vcard['uid']) { $vcard['uid'] = trim($vcard['uid']); //error_log(__METHOD__.__LINE__.print_r($vcard,true)); $contact = $addressbook_vcal->find_contact($vcard,false); } if (!$contact) $contact = null; // if there are not enough fields in the vcard (or the parser was unable to correctly parse the vcard (as of VERSION:3.0 created by MSO)) if ($contact || count($vcard)>2) { $contact = $addressbook_vcal->addVCard($attachment['attachment'],(is_array($contact)?array_shift($contact):$contact),true); } if ((int)$contact > 0) { $vars = array( 'menuaction' => 'addressbook.addressbook_ui.edit', 'contact_id' => $contact, ); egw::redirect_link('../index.php',$vars); } //Import failed, download content anyway } } //error_log(__METHOD__.__LINE__.'->'.array2string($attachment)); $filename = ($attachment['name']?$attachment['name']:($attachment['filename']?$attachment['filename']:$mailbox.'_uid'.$uid.'_part'.$part)); html::safe_content_header($attachment['attachment'], $filename, $attachment['type'], $size=0, True, $_GET['mode'] == "save"); echo $attachment['attachment']; common::egw_exit(); } /** * save messages on disk or filemanager, or display it in popup * * all params are passed as GET Parameters */ function saveMessage() { $display = false; if(isset($_GET['id'])) $rowID = $_GET['id']; if(isset($_GET['part'])) $partID = $_GET['part']; if (isset($_GET['location'])&& ($_GET['location']=='display'||$_GET['location']=='filemanager')) $display = $_GET['location']; $hA = self::splitRowID($rowID); $uid = $hA['msgUID']; $mailbox = $hA['folder']; $icServerID = $hA['profileID']; $rememberServerID = $this->mail_bo->profileID; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } $this->mail_bo->reopen($mailbox); $message = $this->mail_bo->getMessageRawBody($uid, $partID, $mailbox); $headers = $this->mail_bo->getMessageHeader($uid, $partID, true,false, $mailbox); $this->mail_bo->closeConnection(); if ($rememberServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile back to where we came from ->'.$rememberServerID); $this->changeProfile($rememberServerID); } $GLOBALS['egw']->session->commit_session(); if (!$display) { $subject = str_replace('$$','__',mail_bo::decode_header($headers['SUBJECT'])); html::safe_content_header($message, $subject.".eml", $mime='message/rfc822', $size=0, true, true); echo $message; } else { html::safe_content_header($message, $subject.".eml", $mime='text/html', $size=0, true, false); print '<pre>'. htmlspecialchars($message, ENT_NOQUOTES|ENT_SUBSTITUTE, 'utf-8') .'</pre>'; } } /** * Save an Message in the vfs * * @param string|array $ids use splitRowID, to separate values * @param string $path path in vfs (no egw_vfs::PREFIX!), only directory for multiple id's ($ids is an array) * @param boolean $close Return javascript to close the window * @return string|boolean javascript eg. to close the selector window if $close is true, or success/fail if $close is false */ function vfsSaveMessage($ids,$path, $close = true) { //error_log(__METHOD__.' IDs:'.array2string($ids).' SaveToPath:'.$path); if (is_array($ids) && !egw_vfs::is_writable($path) || !is_array($ids) && !egw_vfs::is_writable(dirname($path))) { return 'alert("'.addslashes(lang('%1 is NOT writable by you!',$path)).'"); egw(window).close();'; } translation::add_app('mail'); $rememberServerID = $this->mail_bo->profileID; foreach((array)$ids as $id) { $hA = self::splitRowID($id); $uid = $hA['msgUID']; $mailbox = $hA['folder']; $icServerID = $hA['profileID']; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } $message = $this->mail_bo->getMessageRawBody($uid, $partID='', $mailbox); $err=null; if(egw_vfs::is_dir($path)) { $headers = $this->mail_bo->getMessageHeader($uid,$partID,true,false,$mailbox); $file = $path . '/'.preg_replace('/[\f\n\t\v\\:*#?<>\|]/',"_",$headers['SUBJECT']).'.eml'; } else { $file = $path; } if (!($fp = egw_vfs::fopen($file,'wb')) || !fwrite($fp,$message)) { $err .= lang('Error saving %1!',$file); $succeeded = false; } else { $succeeded = true; } if ($fp) fclose($fp); if ($succeeded) { unset($headers['SUBJECT']);//already in filename $infoSection = mail_bo::createHeaderInfoSection($headers, 'SUPPRESS', false); $props = array(array('name' => 'comment','val' => $infoSection)); egw_vfs::proppatch($file,$props); } } if ($rememberServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile back to where we came from ->'.$rememberServerID); $this->changeProfile($rememberServerID); } if($close) { egw_framework::window_close(($err?$err:null)); } else { return $succeeded; } } /** * Save an attachment in the vfs * * @param string|array $ids '::' delimited mailbox::uid::part-id::is_winmail::name (::name for multiple id's) * @param string $path path in vfs (no egw_vfs::PREFIX!), only directory for multiple id's ($ids is an array) * @return string javascript eg. to close the selector window */ function vfsSaveAttachment($ids,$path) { //error_log(__METHOD__.__LINE__.'("'.array2string($ids).'","'.$path."\")');"); if (is_array($ids) && !egw_vfs::is_writable($path) || !is_array($ids) && !egw_vfs::is_writable(dirname($path))) { return 'alert("'.addslashes(lang('%1 is NOT writable by you!',$path)).'"); egw(window).close();'; } $err=null; $rememberServerID = $this->mail_bo->profileID; foreach((array)$ids as $id) { list($app,$user,$serverID,$mailbox,$uid,$part,$is_winmail,$name) = explode('::',$id,8); $lId = implode('::',array($app,$user,$serverID,$mailbox,$uid)); $hA = self::splitRowID($lId); $uid = $hA['msgUID']; $mailbox = $hA['folder']; $icServerID = $hA['profileID']; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } //error_log(__METHOD__.__LINE__.array2string($hA)); $this->mail_bo->reopen($mailbox); $attachment = $this->mail_bo->getAttachment($uid,$part,$is_winmail,false); //error_log(__METHOD__.__LINE__.array2string($attachment)); if (!($fp = egw_vfs::fopen($file=$path.($name ? '/'.$name : ''),'wb')) || !fwrite($fp,$attachment['attachment'])) { $err .= lang('Error saving %1!',$file); } if ($fp) fclose($fp); } $this->mail_bo->closeConnection(); if ($rememberServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile back to where we came from ->'.$rememberServerID); $this->changeProfile($rememberServerID); } egw_framework::window_close(($err?$err:null)); } /** * Zip all attachments and send to user * @param string $message_id = null */ function download_zip($message_id=null) { //error_log(__METHOD__.__LINE__.array2string($_GET)); // First, get all attachment IDs if(isset($_GET['id'])) $message_id = $_GET['id']; //error_log(__METHOD__.__LINE__.$message_id); $rememberServerID = $this->mail_bo->profileID; if(!is_numeric($message_id)) { $hA = self::splitRowID($message_id); $message_id = $hA['msgUID']; $mailbox = $hA['folder']; $icServerID = $hA['profileID']; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } } else { $mailbox = $this->mail_bo->sessionData['mailbox']; } // always fetch all, even inline (images) $fetchEmbeddedImages = true; $attachments = $this->mail_bo->getMessageAttachments($message_id,null, null, $fetchEmbeddedImages, true,true,$mailbox); // put them in VFS so they can be zipped $header = $this->mail_bo->getMessageHeader($message_id,'',true,false,$mailbox); //get_home_dir may fetch the users startfolder if set; if not writeable, action will fail. TODO: use temp_dir $homedir = '/home/'.$GLOBALS['egw_info']['user']['account_lid']; $temp_path = $homedir/*egw_vfs::get_home_dir()*/ . "/.mail_$message_id"; if(egw_vfs::is_dir($temp_path)) egw_vfs::remove ($temp_path); // Add subject to path, so it gets used as the file name $path = $temp_path . '/' . ($header['SUBJECT'] ? egw_vfs::encodePathComponent($header['SUBJECT']) : lang('mail')) .'/'; if(!egw_vfs::mkdir($path, 0700, true)) { egw_framework::message("Unable to open temp directory $path",'error'); return; } $file_list = array(); $this->mail_bo->reopen($mailbox); foreach($attachments as $file) { $attachment = $this->mail_bo->getAttachment($message_id,$file['partID'],$file['is_winmail'],false,true); $success=true; if (empty($file['filename'])) $file['filename'] = $file['name']; if (!($fp = egw_vfs::fopen($path.$file['filename'],'wb')) || !(!fseek($attachment['attachment'], 0, SEEK_SET) && stream_copy_to_stream($attachment['attachment'], $fp))) { $success=false; egw_framework::message("Unable to zip {$file['filename']}",'error'); } if ($success) $file_list[] = $path.$file['filename']; if ($fp) fclose($fp); } $this->mail_bo->closeConnection(); if ($rememberServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile back to where we came from ->'.$rememberServerID); $this->changeProfile($rememberServerID); } // Zip it up egw_vfs::download_zip($file_list); // Clean up egw_vfs::remove($temp_path); common::egw_exit(); } function get_load_email_data($uid, $partID, $mailbox,$htmlOptions=null) { // seems to be needed, as if we open a mail from notification popup that is // located in a different folder, we experience: could not parse message $this->mail_bo->reopen($mailbox); $this->mailbox = $mailbox; $this->uid = $uid; $this->partID = $partID; $bufferHtmlOptions = $this->mail_bo->htmlOptions; if (empty($htmlOptions)) $htmlOptions = $this->mail_bo->htmlOptions; // fetching structure now, to supply it to getMessageBody and getMessageAttachment, so it does not get fetched twice $structure = $this->mail_bo->getStructure($uid, $partID, $mailbox, false); $bodyParts = $this->mail_bo->getMessageBody($uid, ($htmlOptions?$htmlOptions:''), $partID, $structure, false, $mailbox); //error_log(__METHOD__.__LINE__.array2string($bodyParts)); // attachments here are only fetched to determine if there is a meeting request // and if. use the appropriate action. so we do not need embedded images $fetchEmbeddedImages = false; $attachments = (array)$this->mail_bo->getMessageAttachments($uid, $partID, $structure, $fetchEmbeddedImages, true,true,$mailbox); //error_log(__METHOD__.__LINE__.array2string($attachments)); foreach ($attachments as &$attach) { if (strtolower($attach['mimeType']) == 'text/calendar' && isset($GLOBALS['egw_info']['user']['apps']['calendar']) && ($attachment = $this->mail_bo->getAttachment($uid, $attach['partID'],0,(strtolower($attach['mimeType']) == 'text/calendar'?false:true)))) { //error_log(__METHOD__.__LINE__.array2string($attachment)); egw_cache::setSession('calendar', 'ical', array( 'charset' => $attach['charset'] ? $attach['charset'] : 'utf-8', 'attachment' => $attachment['attachment'], 'method' => $attach['method'], 'sender' => $mailbox, )); $this->mail_bo->htmlOptions = $bufferHtmlOptions; translation::add_app('calendar'); return ExecMethod( 'calendar.calendar_uiforms.meeting', array('event'=>null,'msg'=>'','useSession'=>true) ); } } // Compose the content of the frame $frameHtml = $this->get_email_header($this->mail_bo->getStyles($bodyParts)). $this->showBody($this->getdisplayableBody($bodyParts), false); //IE10 eats away linebreaks preceeded by a whitespace in PRE sections $frameHtml = str_replace(" \r\n","\r\n",$frameHtml); $this->mail_bo->htmlOptions = $bufferHtmlOptions; return $frameHtml; } static function get_email_header($additionalStyle='') { // egw_info[flags][css] already include <style> tags $GLOBALS['egw_info']['flags']['css'] = preg_replace('|</?style[^>]*>|i', '', $additionalStyle); $GLOBALS['egw_info']['flags']['nofooter']=true; $GLOBALS['egw_info']['flags']['nonavbar']=true; // do NOT include any default CSS egw_framework::includeCSS('mail', 'preview', true, true); // load preview.js to activate mailto links egw_framework::validate_file('/mail/js/preview.js'); // send CSP and content-type header return $GLOBALS['egw']->framework->header(); } function showBody(&$body, $print=true,$fullPageTags=true) { $BeginBody = '<div class="mailDisplayBody"> <table width="100%" style="table-layout:fixed"><tr><td class="td_display">'; $EndBody = '</td></tr></table></div>'; if ($fullPageTags) $EndBody .= "</body></html>"; if ($print) { print $BeginBody. $body .$EndBody; } else { return $BeginBody. $body .$EndBody; } } function &getdisplayableBody($_bodyParts,$modifyURI=true) { $bodyParts = $_bodyParts; $nonDisplayAbleCharacters = array('[\016]','[\017]', '[\020]','[\021]','[\022]','[\023]','[\024]','[\025]','[\026]','[\027]', '[\030]','[\031]','[\032]','[\033]','[\034]','[\035]','[\036]','[\037]'); $body = ''; //error_log(__METHOD__.array2string($bodyParts)); //exit; if (empty($bodyParts)) return ""; foreach((array)$bodyParts as $singleBodyPart) { if (!isset($singleBodyPart['body'])) { $singleBodyPart['body'] = $this->getdisplayableBody($singleBodyPart,$modifyURI); $body .= $singleBodyPart['body']; continue; } $bodyPartIsSet = strlen(trim($singleBodyPart['body'])); if (!$bodyPartIsSet) { $body .= ''; continue; } if(!empty($body)) { $body .= '<hr style="border:dotted 1px silver;">'; } //error_log($singleBodyPart['body']); //error_log(__METHOD__.__LINE__.' CharSet:'.$singleBodyPart['charSet'].' mimeType:'.$singleBodyPart['mimeType']); // some characterreplacements, as they fail to translate $sar = array( '@(\x84|\x93|\x94)@', '@(\x96|\x97|\x1a)@', '@(\x82|\x91|\x92)@', '@(\x85)@', '@(\x86)@', '@(\x99)@', '@(\xae)@', ); $rar = array( '"', '-', '\'', '...', '&', '(TM)', '(R)', ); if(($singleBodyPart['mimeType'] == 'text/html' || $singleBodyPart['mimeType'] == 'text/plain') && strtoupper($singleBodyPart['charSet']) != 'UTF-8') { $singleBodyPart['body'] = preg_replace($sar,$rar,$singleBodyPart['body']); } if ($singleBodyPart['charSet']===false) $singleBodyPart['charSet'] = translation::detect_encoding($singleBodyPart['body']); $singleBodyPart['body'] = $GLOBALS['egw']->translation->convert( $singleBodyPart['body'], strtolower($singleBodyPart['charSet']) ); // in a way, this tests if we are having real utf-8 (the displayCharset) by now; we should if charsets reported (or detected) are correct if (strtoupper(mail_bo::$displayCharset) == 'UTF-8') { $test = @json_encode($singleBodyPart['body']); //error_log(__METHOD__.__LINE__.' ->'.strlen($singleBodyPart['body']).' Error:'.json_last_error().'<- BodyPart:#'.$test.'#'); if (($test=="null" || $test === false || is_null($test)) && strlen($singleBodyPart['body'])>0) { // try to fix broken utf8 $x = (function_exists('mb_convert_encoding')?mb_convert_encoding($singleBodyPart['body'],'UTF-8','UTF-8'):(function_exists('iconv')?@iconv("UTF-8","UTF-8//IGNORE",$singleBodyPart['body']):$singleBodyPart['body'])); $test = @json_encode($x); if (($test=="null" || $test === false || is_null($test)) && strlen($singleBodyPart['body'])>0) { // this should not be needed, unless something fails with charset detection/ wrong charset passed error_log(__METHOD__.__LINE__.' Charset Reported:'.$singleBodyPart['charSet'].' Charset Detected:'.translation::detect_encoding($singleBodyPart['body'])); $singleBodyPart['body'] = utf8_encode($singleBodyPart['body']); } else { $singleBodyPart['body'] = $x; } } } //error_log(__METHOD__.__LINE__.array2string($singleBodyPart)); if($singleBodyPart['mimeType'] == 'text/plain') { $newBody = @htmlentities($singleBodyPart['body'],ENT_QUOTES, strtoupper(mail_bo::$displayCharset)); // if empty and charset is utf8 try sanitizing the string in question if (empty($newBody) && strtolower($singleBodyPart['charSet'])=='utf-8') $newBody = @htmlentities(iconv('utf-8', 'utf-8', $singleBodyPart['body']),ENT_QUOTES, strtoupper(mail_bo::$displayCharset)); // if the conversion to htmlentities fails somehow, try without specifying the charset, which defaults to iso- if (empty($newBody)) $newBody = htmlentities($singleBodyPart['body'],ENT_QUOTES); // search http[s] links and make them as links available again // to understand what's going on here, have a look at // http://www.php.net/manual/en/function.preg-replace.php // create links for websites if ($modifyURI) $newBody = html::activate_links($newBody); // redirect links for websites if you use no cookies #if (!($GLOBALS['egw_info']['server']['usecookies'])) # $newBody = preg_replace("/href=(\"|\')((http(s?):\/\/)|(www\.))([\w,\-,\/,\?,\=,\.,&,!\n,\%,@,\(,\),\*,#,:,~,\+]+)(\"|\')/ie", # "'href=\"$webserverURL/redirect.php?go='.@htmlentities(urlencode('http$4://$5$6'),ENT_QUOTES,\"mail_bo::$displayCharset\").'\"'", $newBody); // create links for email addresses //TODO:if ($modifyURI) $this->parseEmail($newBody); // create links for inline images if ($modifyURI) { $newBody = self::resolve_inline_images($newBody, $this->mailbox, $this->uid, $this->partID, 'plain'); } //TODO:$newBody = $this->highlightQuotes($newBody); // to display a mailpart of mimetype plain/text, may be better taged as preformatted #$newBody = nl2br($newBody); // since we do not display the message as HTML anymore we may want to insert good linebreaking (for visibility). //error_log($newBody); // dont break lines that start with > (> as the text was processed with htmlentities before) $newBody = "<pre>".mail_bo::wordwrap($newBody,90,"\n",'>')."</pre>"; } else { $newBody = $singleBodyPart['body']; //TODO:$newBody = $this->highlightQuotes($newBody); #error_log(print_r($newBody,true)); // do the cleanup, set for the use of purifier $usepurifier = true; $newBodyBuff = $newBody; mail_bo::getCleanHTML($newBody,$usepurifier); // in a way, this tests if we are having real utf-8 (the displayCharset) by now; we should if charsets reported (or detected) are correct if (strtoupper(mail_bo::$displayCharset) == 'UTF-8') { $test = @json_encode($newBody); //error_log(__METHOD__.__LINE__.' ->'.strlen($singleBodyPart['body']).' Error:'.json_last_error().'<- BodyPart:#'.$test.'#'); if (($test=="null" || $test === false || is_null($test)) && strlen($newBody)>0) { $newBody = $newBodyBuff; $tv = mail_bo::$htmLawed_config['tidy']; mail_bo::$htmLawed_config['tidy'] = 0; mail_bo::getCleanHTML($newBody,$usepurifier); mail_bo::$htmLawed_config['tidy'] = $tv; } } // removes stuff between http and ?http $Protocol = '(http:\/\/|(ftp:\/\/|https:\/\/))'; // only http:// gets removed, other protocolls are shown $newBody = preg_replace('~'.$Protocol.'[^>]*\?'.$Protocol.'~sim','$1',$newBody); // removes stuff between http:// and ?http:// // TRANSFORM MAILTO LINKS TO EMAILADDRESS ONLY, WILL BE SUBSTITUTED BY parseEmail TO CLICKABLE LINK $newBody = preg_replace('/(?<!"|href=|href\s=\s|href=\s|href\s=)'.'mailto:([a-z0-9._-]+)@([a-z0-9_-]+)\.([a-z0-9._-]+)/i', "\\1@\\2.\\3", $newBody); // redirect links for websites if you use no cookies #if (!($GLOBALS['egw_info']['server']['usecookies'])) { //do it all the time, since it does mask the mailadresses in urls //TODO:if ($modifyURI) $this->parseHREF($newBody); #} // create links for inline images if ($modifyURI) { $newBody = self::resolve_inline_images ($newBody, $this->mailbox, $this->uid, $this->partID); } // email addresses / mailto links get now activated on client-side } $body .= $newBody; } // create links for windows shares // \\\\\\\\ == '\\' in real life!! :) $body = preg_replace("/(\\\\\\\\)([\w,\\\\,-]+)/i", "<a href=\"file:$1$2\" target=\"_blank\"><font color=\"blue\">$1$2</font></a>", $body); $body = preg_replace($nonDisplayAbleCharacters,'',$body); return $body; } /** * Resolve inline images from CID to proper url * * @param string $_body message content * @param string $_mailbox mail folder * @param string $_uid uid * @param string $_partID part id * @param string $_messageType = 'html', message type is either html or plain * @return string message body including all CID images replaced */ public static function resolve_inline_images ($_body,$_mailbox, $_uid, $_partID, $_messageType = 'html') { if ($_messageType === 'plain') { return self::resolve_inline_image_byType($_body, $_mailbox, $_uid, $_partID, 'plain'); } else { foreach(array('src','url','background') as $type) { $_body = self::resolve_inline_image_byType($_body, $_mailbox, $_uid, $_partID, $type); } return $_body; } } /** * Replace CID with proper type of content understandable by browser * * @param type $_body content of message * @param type $_mailbox mail box * @param type $_uid uid * @param type $_partID part id * @param type $_type = 'src' type of inline image that needs to be resolved and replaced * - types: {plain|src|url|background} * @return string returns body content including all CID replacements */ public static function resolve_inline_image_byType ($_body,$_mailbox, $_uid, $_partID, $_type ='src') { /** * Callback for preg_replace_callback function * returns matched CID replacement string based on given type * @param array $matches * @param string $_mailbox * @param string $_uid * @param string $_partID * @param string $_type * @return string|boolean returns the replace */ $replace_callback = function ($matches) use ($_mailbox,$_uid, $_partID, $_type) { if (!$_type) return false; $CID = ''; // Build up matches according to selected type switch ($_type) { case "plain": $CID = $matches[1]; break; case "src": // as src:cid contains some kind of url, it is likely to be urlencoded $CID = urldecode($matches[2]); break; case "url": $CID = $matches[1]; break; case "background": $CID = $matches[2]; break; } static $cache = array(); // some caching, if mails containing the same image multiple times if (is_array($matches) && $CID) { $linkData = array ( 'menuaction' => 'mail.mail_ui.displayImage', 'uid' => $_uid, 'mailbox' => base64_encode($_mailbox), 'cid' => base64_encode($CID), 'partID' => $_partID, ); $imageURL = egw::link('/index.php', $linkData); // to test without data uris, comment the if close incl. it's body if (html::$user_agent != 'msie' || html::$ua_version >= 8) { if (!isset($cache[$imageURL])) { if ($_type !="background") { $bo = emailadmin_imapbase::getInstance(false, self::$icServerID); $attachment = $bo->getAttachmentByCID($_uid, $CID, $_partID); // only use data uri for "smaller" images, as otherwise the first display of the mail takes to long if (($attachment instanceof Horde_Mime_Part) && $attachment->getBytes() < 8192) // msie=8 allows max 32k data uris { $bo->fetchPartContents($_uid, $attachment); $cache[$imageURL] = 'data:'.$attachment->getType().';base64,'.base64_encode($attachment->getContents()); } else { $cache[$imageURL] = $imageURL; } } else { $cache[$imageURL] = $imageURL; } } $imageURL = $cache[$imageURL]; } // Decides the final result of replacement according to the type switch ($_type) { case "plain": return '<img src="'.$imageURL.'" />'; case "src": return 'src="'.$imageURL.'"'; case "url": return 'url('.$imageURL.');'; case "background": return 'background="'.$imageURL.'"'; } } return false; }; // return new body content base on chosen type switch($_type) { case"plain": return preg_replace_callback("/\[cid:(.*)\]/iU",$replace_callback,$_body); case "src": return preg_replace_callback("/src=(\"|\')cid:(.*)(\"|\')/iU",$replace_callback,$_body); case "url": return preg_replace_callback("/url\(cid:(.*)\);/iU",$replace_callback,$_body); case "background": return preg_replace_callback("/background=(\"|\')cid:(.*)(\"|\')/iU",$replace_callback,$_body); } } /** * importMessage * @param array $content = null an array of content */ function importMessage($content=null) { //error_log(__METHOD__.__LINE__.$this->mail_bo->getDraftFolder()); if (!empty($content)) { //error_log(__METHOD__.__LINE__.array2string($content)); if ($content['vfsfile']) { $file = $content['vfsfile'] = array( 'name' => egw_vfs::basename($content['vfsfile']), 'type' => egw_vfs::mime_content_type($content['vfsfile']), 'file' => egw_vfs::PREFIX.$content['vfsfile'], 'size' => filesize(egw_vfs::PREFIX.$content['vfsfile']), ); } else { $file = $content['uploadForImport']; } $destination = $content['FOLDER'][0]; if (stripos($destination,self::$delimiter)!==false) list($icServerID,$destination) = explode(self::$delimiter,$destination,2); if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } //error_log(__METHOD__.__LINE__.self::$delimiter.array2string($destination)); $importID = mail_bo::getRandomString(); $importFailed = false; try { $messageUid = $this->importMessageToFolder($file,$destination,$importID); $linkData = array ( 'id' => $this->createRowID($destination, $messageUid, true), ); } catch (egw_exception_wrong_userinput $e) { $importFailed=true; $content['msg'] = $e->getMessage(); } if (!$importFailed) { list($width, $height) = explode('x', egw_link::get_registry('mail', 'add_popup')); if ($width > 0 && $height > 0) egw_json_response::get()->call('resizeTo', $width, $height); ExecMethod2('mail.mail_ui.displayMessage',$linkData); return; } } if (!is_array($content)) $content = array(); if (empty($content['FOLDER'])) $content['FOLDER']=(array)$this->mail_bo->getDraftFolder(); if (!empty($content['FOLDER'])) $sel_options['FOLDER']=mail_compose::ajax_searchFolder(0,true); $etpl = new etemplate_new('mail.importMessage'); $etpl->setElementAttribute('uploadForImport','onFinish','app.mail.uploadForImport'); $etpl->exec('mail.mail_ui.importMessage',$content,$sel_options,array(),array(),2); } /** * importMessageToFolder * * @param array $_formData Array with information of name, type, file and size * @param string $_folder (passed by reference) will set the folder used. must be set with a folder, but will hold modifications if * folder is modified * @param string $importID ID for the imported message, used by attachments to identify them unambiguously * @return mixed $messageUID or exception */ function importMessageToFolder($_formData,&$_folder,$importID='') { $importfailed = false; //error_log(__METHOD__.__LINE__.array2string($_formData)); if (empty($_formData['file'])) $_formData['file'] = $_formData['tmp_name']; // check if formdata meets basic restrictions (in tmp dir, or vfs, mimetype, etc.) try { $tmpFileName = mail_bo::checkFileBasics($_formData,$importID); } catch (egw_exception_wrong_userinput $e) { $importfailed = true; $alert_msg .= $e->getMessage(); } // ----------------------------------------------------------------------- if ($importfailed === false) { $mailObject = new egw_mailer(); try { $this->mail_bo->parseFileIntoMailObject($mailObject, $tmpFileName); } catch (egw_exception_assertion_failed $e) { $importfailed = true; $alert_msg .= $e->getMessage(); } $this->mail_bo->openConnection(); if (empty($_folder)) { $importfailed = true; $alert_msg .= lang("Import of message %1 failed. Destination Folder not set.",$_formData['name']); } $delimiter = $this->mail_bo->getHierarchyDelimiter(); if($_folder=='INBOX'.$delimiter) $_folder='INBOX'; if ($importfailed === false) { if ($this->mail_bo->folderExists($_folder,true)) { try { $messageUid = $this->mail_bo->appendMessage($_folder, $mailObject->getRaw(), null,'\\Seen'); } catch (egw_exception_wrong_userinput $e) { $importfailed = true; $alert_msg .= lang("Import of message %1 failed. Could not save message to folder %2 due to: %3",$_formData['name'],$_folder,$e->getMessage()); } } else { $importfailed = true; $alert_msg .= lang("Import of message %1 failed. Destination Folder %2 does not exist.",$_formData['name'],$_folder); } } } // set the url to open when refreshing if ($importfailed == true) { throw new egw_exception_wrong_userinput($alert_msg); } else { return $messageUid; } } /** * importMessageFromVFS2DraftAndEdit * * @param array $formData Array with information of name, type, file and size; file is required, * name, type and size may be set here to meet the requirements * Example: $formData['name'] = 'a_email.eml'; * $formData['type'] = 'message/rfc822'; * $formData['file'] = 'vfs://default/home/leithoff/a_email.eml'; * $formData['size'] = 2136; * @return void */ function importMessageFromVFS2DraftAndEdit($formData='') { $this->importMessageFromVFS2DraftAndDisplay($formData,'edit'); } /** * importMessageFromVFS2DraftAndDisplay * * @param array $formData Array with information of name, type, file and size; file is required, * name, type and size may be set here to meet the requirements * Example: $formData['name'] = 'a_email.eml'; * $formData['type'] = 'message/rfc822'; * $formData['file'] = 'vfs://default/home/leithoff/a_email.eml'; * $formData['size'] = 2136; * @param string $mode mode to open ImportedMessage display and edit are supported * @return void */ function importMessageFromVFS2DraftAndDisplay($formData='',$mode='display') { if (empty($formData)) if (isset($_REQUEST['formData'])) $formData = $_REQUEST['formData']; //error_log(__METHOD__.__LINE__.':'.array2string($formData).' Mode:'.$mode.'->'.function_backtrace()); $draftFolder = $this->mail_bo->getDraftFolder(false); $importID = mail_bo::getRandomString(); // handling for mime-data hash if (!empty($formData['data'])) { $formData['file'] = 'egw-data://'.$formData['data']; } // name should be set to meet the requirements of checkFileBasics if (parse_url($formData['file'],PHP_URL_SCHEME) == 'vfs' && empty($formData['name'])) { $buff = explode('/',$formData['file']); if (is_array($buff)) $formData['name'] = array_pop($buff); // take the last part as name } // type should be set to meet the requirements of checkFileBasics if (parse_url($formData['file'],PHP_URL_SCHEME) == 'vfs' && empty($formData['type'])) { $buff = explode('.',$formData['file']); $suffix = ''; if (is_array($buff)) $suffix = array_pop($buff); // take the last extension to check with ext2mime if (!empty($suffix)) $formData['type'] = mime_magic::ext2mime($suffix); } // size should be set to meet the requirements of checkFileBasics if (parse_url($formData['file'],PHP_URL_SCHEME) == 'vfs' && !isset($formData['size'])) { $formData['size'] = strlen($formData['file']); // set some size, to meet requirements of checkFileBasics } try { $messageUid = $this->importMessageToFolder($formData,$draftFolder,$importID); $linkData = array ( 'menuaction' => ($mode=='display'?'mail.mail_ui.displayMessage':'mail.mail_compose.composeFromDraft'), 'id' => $this->createRowID($draftFolder,$messageUid,true), 'deleteDraftOnClose' => 1, ); if ($mode!='display') { unset($linkData['deleteDraftOnClose']); $linkData['method'] ='importMessageToMergeAndSend'; } else { $linkData['mode']=$mode; } egw::redirect_link('/index.php',$linkData); } catch (egw_exception_wrong_userinput $e) { egw_framework::window_close($e->getMessage()); } } /** * loadEmailBody * * @param string _messageID UID * * @return xajax response */ function loadEmailBody($_messageID=null,$_partID=null,$_htmloptions=null) { //error_log(__METHOD__.__LINE__.array2string($_GET)); if (!$_messageID && !empty($_GET['_messageID'])) $_messageID = $_GET['_messageID']; if (!$_partID && !empty($_GET['_partID'])) $_partID = $_GET['_partID']; if (!$_htmloptions && !empty($_GET['_htmloptions'])) $_htmloptions = $_GET['_htmloptions']; if(mail_bo::$debug) error_log(__METHOD__."->".print_r($_messageID,true).",$_partID,$_htmloptions"); if (empty($_messageID)) return ""; $uidA = self::splitRowID($_messageID); $folder = $uidA['folder']; // all messages in one set are supposed to be within the same folder $messageID = $uidA['msgUID']; $icServerID = $uidA['profileID']; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } $bodyResponse = $this->get_load_email_data($messageID,$_partID,$folder,$_htmloptions); egw_session::cache_control(true); //error_log(array2string($bodyResponse)); echo $bodyResponse; } /** * ajax_setFolderStatus - its called via json, so the function must start with ajax (or the class-name must contain ajax) * gets the counters and sets the text of a treenode if needed (unread Messages found) * @param array $_folder folders to refresh its unseen message counters * @return nothing */ function ajax_setFolderStatus($_folder) { translation::add_app('mail'); //error_log(__METHOD__.__LINE__.array2string($_folder)); if ($_folder) { $this->mail_bo->getHierarchyDelimiter(false); $oA = array(); foreach ($_folder as $_folderName) { list($profileID,$folderName) = explode(self::$delimiter,$_folderName,2); if (is_numeric($profileID)) { if ($profileID != $this->mail_bo->profileID) continue; // only current connection if ($folderName) { $fS = $this->mail_bo->getFolderStatus($folderName,false,false,false); if (in_array($fS['shortDisplayName'],mail_bo::$autoFolders)) $fS['shortDisplayName']=lang($fS['shortDisplayName']); //error_log(__METHOD__.__LINE__.array2string($fS)); if ($fS['unseen']) { $oA[$_folderName] = $fS['shortDisplayName'].' ('.$fS['unseen'].')'; } if ($fS['unseen']==0 && $fS['shortDisplayName']) { $oA[$_folderName] = $fS['shortDisplayName']; } } } } //error_log(__METHOD__.__LINE__.array2string($oA)); if ($oA) { $response = egw_json_response::get(); $response->call('app.mail.mail_setFolderStatus',$oA); } } } /** * ajax_addFolder - its called via json, so the function must start with ajax (or the class-name must contain ajax) * @param string $_parentFolderName folder to add a folder to * @param string $_newName new foldername * @return nothing */ function ajax_addFolder($_parentFolderName, $_newName) { //error_log(__METHOD__.__LINE__.' ParentFolderName:'.array2string($_parentFolderName).' NewName/Folder:'.array2string($_newName)); $errorMessage=''; if ($_parentFolderName) { $created = false; $decodedFolderName = $this->mail_bo->decodeEntityFolderName($_parentFolderName); //the conversion is handeled by horde, frontend interaction is all utf-8 $_newName = $this->mail_bo->decodeEntityFolderName($_newName); list($profileID,$parentFolderName) = explode(self::$delimiter,$decodedFolderName,2); if (is_numeric($profileID)) { if ($profileID != $this->mail_bo->profileID) return; // only current connection $del = $this->mail_bo->getHierarchyDelimiter(false); //$del = $prefix = ''; //$nameSpace = $this->mail_bo->_getNameSpaces(); //error_log(__METHOD__.__LINE__.array2string($nameSpace)); // we expect something like that: data may differ! //$nameSpace = Array( // [0] => Array([prefix_present] => [prefix] => [delimiter] => /[type] => personal) // [1] => Array([prefix_present] => 1[prefix] => Other Users/[delimiter] => /[type] => others) // [2] => Array([prefix_present] => 1[prefix] => Shared Folders/[delimiter] => /[type] => shared) //) // /* foreach ($nameSpace as $nSp) { error_log(__METHOD__.__LINE__.array2string($nSp)); // personal is assumed to be the default if ($nSp['type']=='personal') { $prefix = $nSp['prefix']; $del = $nSp['delimiter']; } if ($parentFolderName && $nSp['prefix_present'] && stripos($parentFolderName,$nSp['prefix'])!==false && stripos($parentFolderName,$nSp['prefix'])<=strlen($nSp['delimiter'])) { $prefix = $nSp['prefix']; $del = $nSp['delimiter']; break; } if (empty($parentFolderName) && !$nSp['prefix_present']) { $del = $nSp['delimiter']; break; } } if (empty($del)) $del = $this->mail_bo->getHierarchyDelimiter(false); */ $nA = explode($del,$_newName); //error_log(__METHOD__.__LINE__."$folderName, $parentFolder, $_newName"); if (!!empty($parentFolderName)) $oldFolderInfo = $this->mail_bo->getFolderStatus($parentFolderName,false); //error_log(__METHOD__.__LINE__.array2string($oldFolderInfo)); $this->mail_bo->reopen('INBOX'); $parentName = $parentFolderName; // if newName has delimiter ($del) in it, we need to create the subtree if (!empty($nA)) { $c=0; foreach($nA as $sTName) { $error=null; if(($parentFolderName = $this->mail_bo->createFolder($parentFolderName, $sTName, $error))) { $c++; } else { $errorMessage .= $error; } } if ($c==count($nA)) $created=true; } if (!empty($parentName)) $this->mail_bo->reopen($parentName); } //error_log(__METHOD__.__LINE__.array2string($oA)); if ($created===true) { $this->mail_bo->resetFolderObjectCache($profileID); $response = egw_json_response::get(); if ( $oldFolderInfo['shortDisplayName']) { $nodeInfo = array($_parentFolderName=>$oldFolderInfo['shortDisplayName']); } else { $nodeInfo = array($profileID=>lang('INBOX')); } $response->call('app.mail.mail_reloadNode',$nodeInfo); } else { if ($errorMessage) { $response = egw_json_response::get(); $response->call('egw.message',$errorMessage); } } } } /** * ajax_renameFolder - its called via json, so the function must start with ajax (or the class-name must contain ajax) * @param string $_folderName folder to rename and refresh * @param string $_newName new foldername * @return nothing */ function ajax_renameFolder($_folderName, $_newName) { if (mail_bo::$debug) error_log(__METHOD__.__LINE__.' OldFolderName:'.array2string($_folderName).' NewName:'.array2string($_newName)); if ($_folderName) { translation::add_app('mail'); $decodedFolderName = $this->mail_bo->decodeEntityFolderName($_folderName); $_newName = $this->mail_bo->decodeEntityFolderName($_newName); $del = $this->mail_bo->getHierarchyDelimiter(false); $oA = array(); list($profileID,$folderName) = explode(self::$delimiter,$decodedFolderName,2); $hasChildren = false; if (is_numeric($profileID)) { if ($profileID != $this->mail_bo->profileID) return; // only current connection $pA = explode($del,$folderName); array_pop($pA); $parentFolder = implode($del,$pA); if (strtoupper($folderName)!= 'INBOX') { //error_log(__METHOD__.__LINE__."$folderName, $parentFolder, $_newName"); $oldFolderInfo = $this->mail_bo->getFolderStatus($folderName,false); //error_log(__METHOD__.__LINE__.array2string($oldFolderInfo)); if (!empty($oldFolderInfo['attributes']) && stripos(array2string($oldFolderInfo['attributes']),'\hasnochildren')=== false) { $hasChildren=true; // translates to: hasChildren -> dynamicLoading $delimiter = $this->mail_bo->getHierarchyDelimiter(); $nameSpace = $this->mail_bo->_getNameSpaces(); $prefix = $this->mail_bo->getFolderPrefixFromNamespace($nameSpace, $folderName); //error_log(__METHOD__.__LINE__.'->'."$_folderName, $delimiter, $prefix"); $fragments = array(); $subFolders = $this->mail_bo->getMailBoxesRecursive($folderName, $delimiter, $prefix); foreach ($subFolders as $k => $folder) { // we do not monitor failure or success on subfolders if ($folder == $folderName) { unset($subFolders[$k]); } else { $rv = $this->mail_bo->icServer->subscribeMailbox($folder, false); $fragments[$profileID.self::$delimiter.$folder] = substr($folder,strlen($folderName)); } } //error_log(__METHOD__.__LINE__.' Fetched Subfolders->'.array2string($fragments)); } $this->mail_bo->reopen('INBOX'); $success = false; try { if(($newFolderName = $this->mail_bo->renameFolder($folderName, $parentFolder, $_newName))) { $this->mail_bo->resetFolderObjectCache($profileID); //enforce the subscription to the newly named server, as it seems to fail for names with umlauts $rv = $this->mail_bo->icServer->subscribeMailbox($newFolderName, true); $rv = $this->mail_bo->icServer->subscribeMailbox($folderName, false); $success = true; } } catch (Exception $e) { $newFolderName=$folderName; $msg = $e->getMessage(); } $this->mail_bo->reopen($newFolderName); $fS = $this->mail_bo->getFolderStatus($newFolderName,false); //error_log(__METHOD__.__LINE__.array2string($fS)); if ($hasChildren) { $subFolders = $this->mail_bo->getMailBoxesRecursive($newFolderName, $delimiter, $prefix); foreach ($subFolders as $k => $folder) { // we do not monitor failure or success on subfolders if ($folder == $folderName) { unset($subFolders[$k]); } else { $rv = $this->mail_bo->icServer->subscribeMailbox($folder, true); } } //error_log(__METHOD__.__LINE__.' Fetched Subfolders->'.array2string($subFolders)); } $oA[$_folderName]['id'] = $profileID.self::$delimiter.$newFolderName; $oA[$_folderName]['olddesc'] = $oldFolderInfo['shortDisplayName']; if ($fS['unseen']) { $oA[$_folderName]['desc'] = $fS['shortDisplayName'].' ('.$fS['unseen'].')'; } else { $oA[$_folderName]['desc'] = $fS['shortDisplayName']; } foreach($fragments as $oldFolderName => $fragment) { //error_log(__METHOD__.__LINE__.':'.$oldFolderName.'->'.$profileID.self::$delimiter.$newFolderName.$fragment); $oA[$oldFolderName]['id'] = $profileID.self::$delimiter.$newFolderName.$fragment; $oA[$oldFolderName]['olddesc'] = '#skip-user-interaction-message#'; $fS = $this->mail_bo->getFolderStatus($newFolderName.$fragment,false); if ($fS['unseen']) { $oA[$oldFolderName]['desc'] = $fS['shortDisplayName'].' ('.$fS['unseen'].')'; } else { $oA[$oldFolderName]['desc'] = $fS['shortDisplayName']; } } } } if ($folderName==$this->mail_bo->sessionData['mailbox']) { $this->mail_bo->sessionData['mailbox']=$newFolderName; $this->mail_bo->saveSessionData(); } //error_log(__METHOD__.__LINE__.array2string($oA)); $response = egw_json_response::get(); if ($oA && $success) { $response->call('app.mail.mail_setLeaf',$oA); } else { $response->call('egw.refresh',lang('failed to rename %1 ! Reason: %2',$oldFolderName,$msg),'mail'); } } } /** * reload node * * @param string _folderName folder to reload * @param boolean $_subscribedOnly = true * @return void */ function ajax_reloadNode($_folderName,$_subscribedOnly=true) { translation::add_app('mail'); $oldPrefForSubscribedOnly = !$this->mail_bo->mailPreferences['showAllFoldersInFolderPane']; // prefs are plain prefs; we discussed an approach to have user only prefs, and // set them on rightclick action on foldertree //error_log(__METHOD__.__LINE__.' showAllFoldersInFolderPane:'.$this->mail_bo->mailPreferences['showAllFoldersInFolderPane'].'/'.$GLOBALS['egw_info']['user']['preferences']['mail']['showAllFoldersInFolderPane']); $decodedFolderName = $this->mail_bo->decodeEntityFolderName($_folderName); $this->mail_bo->getHierarchyDelimiter(false); list($profileID,$folderName) = explode(self::$delimiter,$decodedFolderName,2); // if pref and required mode dont match -> reset the folderObject cache to ensure // that we get what we request if ($_subscribedOnly != $oldPrefForSubscribedOnly) $this->mail_bo->resetFolderObjectCache($profileID); if ($profileID != $this->mail_bo->profileID) return; // only current connection if (!empty($folderName)) { $parentFolder=(!empty($folderName)?$folderName:'INBOX'); $folderInfo = $this->mail_bo->getFolderStatus($parentFolder,false,false,false); if ($folderInfo['unseen']) { $folderInfo['shortDisplayName'] = $folderInfo['shortDisplayName'].' ('.$folderInfo['unseen'].')'; } if ($folderInfo['unseen']==0 && $folderInfo['shortDisplayName']) { $folderInfo['shortDisplayName'] = $folderInfo['shortDisplayName']; } $refreshData = array( $profileID.self::$delimiter.$parentFolder=>$folderInfo['shortDisplayName']); } else { $refreshData = array( $profileID=>lang('INBOX')//string with no meaning lateron ); } // Send full info back in the response $response = egw_json_response::get(); foreach($refreshData as $folder => &$name) { $name = $this->mail_tree->getTree($folder,$profileID,1,false, $_subscribedOnly,true); } $response->call('app.mail.mail_reloadNode',$refreshData); } /** * move folder * * @param string _folderName folder to vove * @param string _target target folder * * @return void */ function ajax_MoveFolder($_folderName, $_target) { if (mail_bo::$debug) error_log(__METHOD__.__LINE__."Move Folder: $_folderName to Target: $_target"); if ($_folderName) { $decodedFolderName = $this->mail_bo->decodeEntityFolderName($_folderName); $_newLocation = $this->mail_bo->decodeEntityFolderName($_target); $del = $this->mail_bo->getHierarchyDelimiter(false); list($profileID,$folderName) = explode(self::$delimiter,$decodedFolderName,2); list($newProfileID,$_newLocation) = explode(self::$delimiter,$_newLocation,2); $hasChildren = false; if (is_numeric($profileID)) { if ($profileID != $this->mail_bo->profileID || $profileID != $newProfileID) return; // only current connection $pA = explode($del,$folderName); $namePart = array_pop($pA); $_newName = $namePart; $oldParentFolder = implode($del,$pA); $parentFolder = $_newLocation; if (strtoupper($folderName)!= 'INBOX' && (($oldParentFolder === $parentFolder) || //$oldParentFolder == $parentFolder means move on same level (($oldParentFolder != $parentFolder && strlen($parentFolder)>0 && strlen($folderName)>0 && strpos($parentFolder,$folderName)===false)))) // indicates that we move the older up the tree within its own branch { //error_log(__METHOD__.__LINE__."$folderName, $parentFolder, $_newName"); $oldFolderInfo = $this->mail_bo->getFolderStatus($folderName,false,false,false); //error_log(__METHOD__.__LINE__.array2string($oldFolderInfo)); if (!empty($oldFolderInfo['attributes']) && stripos(array2string($oldFolderInfo['attributes']),'\hasnochildren')=== false) { $hasChildren=true; // translates to: hasChildren -> dynamicLoading $delimiter = $this->mail_bo->getHierarchyDelimiter(); $nameSpace = $this->mail_bo->_getNameSpaces(); $prefix = $this->mail_bo->getFolderPrefixFromNamespace($nameSpace, $folderName); //error_log(__METHOD__.__LINE__.'->'."$_folderName, $delimiter, $prefix"); $subFolders = $this->mail_bo->getMailBoxesRecursive($folderName, $delimiter, $prefix); foreach ($subFolders as $k => $folder) { // we do not monitor failure or success on subfolders if ($folder == $folderName) { unset($subFolders[$k]); } else { $rv = $this->mail_bo->icServer->subscribeMailbox($folder, false); } } } $this->mail_bo->reopen('INBOX'); $success = false; try { if(($newFolderName = $this->mail_bo->renameFolder($folderName, $parentFolder, $_newName))) { $this->mail_bo->resetFolderObjectCache($profileID); //enforce the subscription to the newly named server, as it seems to fail for names with umlauts $rv = $this->mail_bo->icServer->subscribeMailbox($newFolderName, true); $rv = $this->mail_bo->icServer->subscribeMailbox($folderName, false); $this->mail_bo->resetFolderObjectCache($profileID); $success = true; } } catch (Exception $e) { $newFolderName=$folderName; $msg = $e->getMessage(); } $this->mail_bo->reopen($parentFolder); $this->mail_bo->getFolderStatus($parentFolder,false,false,false); //error_log(__METHOD__.__LINE__.array2string($fS)); if ($hasChildren) { $subFolders = $this->mail_bo->getMailBoxesRecursive($parentFolder, $delimiter, $prefix); foreach ($subFolders as $k => $folder) { // we do not monitor failure or success on subfolders if ($folder == $folderName) { unset($subFolders[$k]); } else { $rv = $this->mail_bo->icServer->subscribeMailbox($folder, true); } } //error_log(__METHOD__.__LINE__.' Fetched Subfolders->'.array2string($subFolders)); } } } if ($folderName==$this->mail_bo->sessionData['mailbox']) { $this->mail_bo->sessionData['mailbox']=$newFolderName; $this->mail_bo->saveSessionData(); } //error_log(__METHOD__.__LINE__.array2string($oA)); $response = egw_json_response::get(); if ($success) { translation::add_app('mail'); $oldFolderInfo = $this->mail_bo->getFolderStatus($oldParentFolder,false,false,false); $folderInfo = $this->mail_bo->getFolderStatus($parentFolder,false,false,false); $refreshData = array( $profileID.self::$delimiter.$oldParentFolder=>$oldFolderInfo['shortDisplayName'], $profileID.self::$delimiter.$parentFolder=>$folderInfo['shortDisplayName']); // if we move the folder within the same parent-branch of the tree, there is no need no refresh the upper part if (strlen($parentFolder)>strlen($oldParentFolder) && strpos($parentFolder,$oldParentFolder)!==false) unset($refreshData[$profileID.self::$delimiter.$parentFolder]); if (count($refreshData)>1 && strlen($oldParentFolder)>strlen($parentFolder) && strpos($oldParentFolder,$parentFolder)!==false) unset($refreshData[$profileID.self::$delimiter.$oldParentFolder]); // Send full info back in the response foreach($refreshData as $folder => &$name) { $name = $this->mail_tree->getTree($folder,$profileID,1,false,!$this->mail_bo->mailPreferences['showAllFoldersInFolderPane'],true); } $response->call('app.mail.mail_reloadNode',$refreshData); } else { $response->call('egw.refresh',lang('failed to move %1 ! Reason: %2',$folderName,$msg),'mail'); } } } /** * ajax_deleteFolder - its called via json, so the function must start with ajax (or the class-name must contain ajax) * @param string $_folderName folder to delete * @return nothing */ function ajax_deleteFolder($_folderName) { //error_log(__METHOD__.__LINE__.' OldFolderName:'.array2string($_folderName)); $success = false; if ($_folderName) { $decodedFolderName = $this->mail_bo->decodeEntityFolderName($_folderName); $del = $this->mail_bo->getHierarchyDelimiter(false); $oA = array(); list($profileID,$folderName) = explode(self::$delimiter,$decodedFolderName,2); $hasChildren = false; if (is_numeric($profileID)) { if ($profileID != $this->mail_bo->profileID) return; // only current connection $pA = explode($del,$folderName); array_pop($pA); if (strtoupper($folderName)!= 'INBOX') { //error_log(__METHOD__.__LINE__."$folderName, implode($del,$pA), $_newName"); $oA = array(); $subFolders = array(); $oldFolderInfo = $this->mail_bo->getFolderStatus($folderName,false,false,false); //error_log(__METHOD__.__LINE__.array2string($oldFolderInfo)); if (!empty($oldFolderInfo['attributes']) && stripos(array2string($oldFolderInfo['attributes']),'\hasnochildren')=== false) { $hasChildren=true; // translates to: hasChildren -> dynamicLoading $ftD = array(); $delimiter = $this->mail_bo->getHierarchyDelimiter(); $nameSpace = $this->mail_bo->_getNameSpaces(); $prefix = $this->mail_bo->getFolderPrefixFromNamespace($nameSpace, $folderName); //error_log(__METHOD__.__LINE__.'->'."$_folderName, $delimiter, $prefix"); $subFolders = $this->mail_bo->getMailBoxesRecursive($folderName, $delimiter, $prefix); //error_log(__METHOD__.__LINE__.'->'."$folderName, $delimiter, $prefix"); foreach ($subFolders as $k => $f) { $ftD[substr_count($f,$delimiter)][]=$f; } krsort($ftD,SORT_NUMERIC);//sort per level //we iterate per level of depth of the subtree, deepest nesting is to be deleted first, and then up the tree foreach($ftD as $k => $lc)//collection per level { foreach($lc as $i => $f)//folders contained in that level { try { //error_log(__METHOD__.__LINE__.array2string($f).'<->'.$folderName); $this->mail_bo->deleteFolder($f); $success = true; if ($f==$folderName) $oA[$_folderName] = $oldFolderInfo['shortDisplayName']; } catch (Exception $e) { $msg .= ($msg?' ':'').lang("Failed to delete %1. Server responded:",$f).$e->getMessage(); $success = false; } } } } else { try { $this->mail_bo->deleteFolder($folderName); $success = true; $oA[$_folderName] = $oldFolderInfo['shortDisplayName']; } catch (Exception $e) { $msg = $e->getMessage(); $success = false; } } } else { $msg = lang("refused to delete folder INBOX"); } } $response = egw_json_response::get(); if ($success) { $folders2return = egw_cache::getCache(egw_cache::INSTANCE,'email','folderObjects'.trim($GLOBALS['egw_info']['user']['account_id']),null,array(),$expiration=60*60*1); if (isset($folders2return[$this->mail_bo->profileID])) { //error_log(__METHOD__.__LINE__.array2string($folders2return[$this->mail_bo->profileID])); if (empty($subFolders)) $subFolders = array($folderName); //error_log(__METHOD__.__LINE__.array2string($subFolders)); foreach($subFolders as $i => $f) { //error_log(__METHOD__.__LINE__.$f.'->'.array2string($folders2return[$this->mail_bo->profileID][$f])); if (isset($folders2return[$this->mail_bo->profileID][$f])) unset($folders2return[$this->mail_bo->profileID][$f]); } } egw_cache::setCache(egw_cache::INSTANCE,'email','folderObjects'.trim($GLOBALS['egw_info']['user']['account_id']),$folders2return, $expiration=60*60*1); //error_log(__METHOD__.__LINE__.array2string($oA)); $response->call('app.mail.mail_removeLeaf',$oA); } else { $response->call('egw.refresh',lang('failed to delete %1 ! Reason: %2',$oldFolderInfo['shortDisplayName'],$msg),'mail'); } } } /** * empty changeProfile - its called via json, so the function must start with ajax (or the class-name must contain ajax) * * Made static to NOT call __construct, as it would connect to old server, before going to new one * * @param int $icServerID New profile / server ID * @param bool $getFolders The client needs the folders for the profile * @return nothing */ public static function ajax_changeProfile($icServerID, $getFolders = true, $exec_id=null) { $response = egw_json_response::get(); $previous_id = $GLOBALS['egw_info']['user']['preferences']['mail']['ActiveProfileID']; if ($icServerID && $icServerID != $previous_id) { $mail_ui = new mail_ui(false); // do NOT run constructor, as we call changeProfile anyway try { $mail_ui->changeProfile($icServerID); // if we have an eTemplate exec_id, also send changed actions if ($exec_id && ($actions = $mail_ui->get_actions())) { $response->generic('assign', array( 'etemplate_exec_id' => $exec_id, 'id' => 'nm', 'key' => 'actions', 'value' => $actions, )); } } catch (Exception $e) { self::callWizard($e->getMessage(),true, 'error'); } } else { $mail_ui = new mail_ui(true); // run constructor } // Send full info back in the response if($getFolders) { translation::add_app('mail'); $refreshData = array( $icServerID => $mail_ui->mail_tree->getTree(null,$icServerID,1,false,!$mail_ui->mail_bo->mailPreferences['showAllFoldersInFolderPane'],!$mail_ui->mail_bo->mailPreferences['showAllFoldersInFolderPane']) ); $response->call('app.mail.mail_reloadNode',$refreshData); } } /** * ajax_refreshVacationNotice - its called via json, so the function must start with ajax (or the class-name must contain ajax) * Note: only the activeProfile VacationNotice is refreshed * @param int $icServerID profileId / server ID to work on; may be empty -> then activeProfile is used * if other than active profile; nothing is done! * @return nothing */ public static function ajax_refreshVacationNotice($icServerID=null) { //Get vacation from cache if it's available $cachedVacations = egw_cache::getCache(egw_cache::INSTANCE, 'email', 'vacationNotice'.$GLOBALS['egw_info']['user']['account_lid']); $vacation = $cachedVacations[$icServerID]; if (!$vacation) { // Create mail app object $mail = new mail_ui(); if (empty($icServerID)) $icServerID = $mail->mail_bo->profileID; if ($icServerID != $mail->mail_bo->profileID) return; $vacation = $mail->gatherVacation($cachedVacations); } if($vacation) { if (is_array($vacation) && ($vacation['status'] == 'on' || $vacation['status']=='by_date')) { $dtfrmt = $GLOBALS['egw_info']['user']['preferences']['common']['dateformat']; $refreshData['vacationnotice'] = lang('Vacation notice is active'); $refreshData['vacationrange'] = ($vacation['status']=='by_date'? common::show_date($vacation['start_date'],$dtfrmt,true).($vacation['end_date']>$vacation['start_date']?'->'.common::show_date($vacation['end_date']+ 24*3600-1,$dtfrmt,true):''):''); if ($vacation['status'] == 'by_date' && $vacation['end_date']+ 24*3600 < time())$refreshData = ''; } } if ($vacation==false) { $refreshData['vacationnotice'] = ''; $refreshData['vacationrange'] = ''; } $response = egw_json_response::get(); $response->call('app.mail.mail_refreshVacationNotice',$refreshData); } /** * ajax_refreshFilters - its called via json, so the function must start with ajax (or the class-name must contain ajax) * Note: only the activeProfile Filters are refreshed * @param int $icServerID profileId / server ID to work on; may be empty -> then activeProfile is used * if other than active profile; nothing is done! * @return nothing */ function ajax_refreshFilters($icServerID=null) { //error_log(__METHOD__.__LINE__.array2string($icServerId)); if (empty($icServerID)) $icServerID = $this->mail_bo->profileID; if (is_null(emailadmin_imapbase::$supportsORinQuery) || !isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) { emailadmin_imapbase::$supportsORinQuery = egw_cache::getCache(egw_cache::INSTANCE,'email','supportsORinQuery'.trim($GLOBALS['egw_info']['user']['account_id']), null, array(), 60*60*10); if (!isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]=true; } if (!emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]) { unset($this->searchTypes['quick']); } if ( $this->mail_bo->icServer->hasCapability('SUPPORTS_KEYWORDS')) { $this->statusTypes = array_merge($this->statusTypes,array( 'keyword1' => 'important',//lang('important'), 'keyword2' => 'job', //lang('job'), 'keyword3' => 'personal',//lang('personal'), 'keyword4' => 'to do', //lang('to do'), 'keyword5' => 'later', //lang('later'), )); } else { $keywords = array('keyword1','keyword2','keyword3','keyword4','keyword5'); foreach($keywords as &$k) { if (array_key_exists($k,$this->statusTypes)) unset($this->statusTypes[$k]); } } $response = egw_json_response::get(); $response->call('app.mail.mail_refreshFilter2Options',$this->searchTypes); $response->call('app.mail.mail_refreshFilterOptions',$this->statusTypes); } /** * ajax_refreshQuotaDisplay - its called via json, so the function must start with ajax (or the class-name must contain ajax) * * @return nothing */ function ajax_refreshQuotaDisplay($icServerID=null) { //error_log(__METHOD__.__LINE__.array2string($icServerID)); translation::add_app('mail'); if (is_null($icServerID)) $icServerID = $this->mail_bo->profileID; $rememberServerID = $this->mail_bo->profileID; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } try { $quota = $this->mail_bo->getQuotaRoot(); } catch (Exception $e) { $quota['limit'] = 'NOT SET'; error_log(__METHOD__.__LINE__." ".$e->getMessage()); } if($quota !== false && $quota['limit'] != 'NOT SET') { $quotainfo = $this->quotaDisplay($quota['usage'], $quota['limit']); $content['quota'] = $sel_options[self::$nm_index]['quota'] = $quotainfo['text']; $content['quotainpercent'] = $sel_options[self::$nm_index]['quotainpercent'] = (string)$quotainfo['percent']; $content['quotaclass'] = $sel_options[self::$nm_index]['quotaclass'] = $quotainfo['class']; $content['quotanotsupported'] = $sel_options[self::$nm_index]['quotanotsupported'] = ""; } else { $content['quota'] = $sel_options[self::$nm_index]['quota'] = lang("Quota not provided by server"); $content['quotaclass'] = $sel_options[self::$nm_index]['quotaclass'] = "mail_DisplayNone"; $content['quotanotsupported'] = $sel_options[self::$nm_index]['quotanotsupported'] = "mail_DisplayNone"; } if ($rememberServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile back to where we came from ->'.$rememberServerID); $this->changeProfile($rememberServerID); } $response = egw_json_response::get(); $response->call('app.mail.mail_setQuotaDisplay',array('data'=>$content)); } /** * Empty spam/junk folder * * @param string $icServerID id of the server to empty its junkFolder * @param string $selectedFolder seleted(active) folder by nm filter * @return nothing */ function ajax_emptySpam($icServerID, $selectedFolder) { //error_log(__METHOD__.__LINE__.' '.$icServerID); translation::add_app('mail'); $response = egw_json_response::get(); $rememberServerID = $this->mail_bo->profileID; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } $junkFolder = $this->mail_bo->getJunkFolder(); if(!empty($junkFolder)) { if ($selectedFolder == $icServerID.self::$delimiter.$junkFolder) { // Lock the tree if the active folder is junk folder $response->call('app.mail.lock_tree'); } $this->mail_bo->deleteMessages('all',$junkFolder,'remove_immediately'); $heirarchyDelimeter = $this->mail_bo->getHierarchyDelimiter(true); $fShortName = array_pop(explode($heirarchyDelimeter, $junkFolder)); $fStatus = array( $icServerID.self::$delimiter.$junkFolder => lang($fShortName) ); //Call to reset folder status counter, after junkFolder triggered not from Junk folder //-as we don't have junk folder specific information available on client-side we need to deal with it on server $response->call('app.mail.mail_setFolderStatus',$fStatus); } if ($rememberServerID != $this->mail_bo->profileID) { $oldFolderInfo = $this->mail_bo->getFolderStatus($junkFolder,false,false,false); $response->call('egw.message',lang('empty junk')); $response->call('app.mail.mail_reloadNode',array($icServerID.self::$delimiter.$junkFolder=>$oldFolderInfo['shortDisplayName'])); //error_log(__METHOD__.__LINE__.' change Profile to ->'.$rememberServerID); $this->changeProfile($rememberServerID); } else if ($selectedFolder == $icServerID.self::$delimiter.$junkFolder) { $response->call('egw.refresh',lang('empty junk'),'mail'); } } /** * Empty trash folder * * @param string $icServerID id of the server to empty its trashFolder * @param string $selectedFolder seleted(active) folder by nm filter * @return nothing */ function ajax_emptyTrash($icServerID, $selectedFolder) { //error_log(__METHOD__.__LINE__.' '.$icServerID); translation::add_app('mail'); $response = egw_json_response::get(); $rememberServerID = $this->mail_bo->profileID; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } $trashFolder = $this->mail_bo->getTrashFolder(); if(!empty($trashFolder)) { if ($selectedFolder == $icServerID.self::$delimiter.$trashFolder) { // Lock the tree if the active folder is Trash folder $response->call('app.mail.lock_tree'); } $this->mail_bo->compressFolder($trashFolder); $heirarchyDelimeter = $this->mail_bo->getHierarchyDelimiter(true); $fShortName = array_pop(explode($heirarchyDelimeter, $trashFolder)); $fStatus = array( $icServerID.self::$delimiter.$trashFolder => lang($fShortName) ); //Call to reset folder status counter, after emptyTrash triggered not from Trash folder //-as we don't have trash folder specific information available on client-side we need to deal with it on server $response->call('app.mail.mail_setFolderStatus',$fStatus); } if ($rememberServerID != $this->mail_bo->profileID) { $oldFolderInfo = $this->mail_bo->getFolderStatus($trashFolder,false,false,false); $response->call('egw.message',lang('empty trash')); $response->call('app.mail.mail_reloadNode',array($icServerID.self::$delimiter.$trashFolder=>$oldFolderInfo['shortDisplayName'])); //error_log(__METHOD__.__LINE__.' change Profile to ->'.$rememberServerID); $this->changeProfile($rememberServerID); } else if ($selectedFolder == $icServerID.self::$delimiter.$trashFolder) { $response->call('egw.refresh',lang('empty trash'),'mail'); } } /** * compress folder - its called via json, so the function must start with ajax (or the class-name must contain ajax) * fetches the current folder from session and compresses it * @param string $_folderName id of the folder to compress * @return nothing */ function ajax_compressFolder($_folderName) { //error_log(__METHOD__.__LINE__.' '.$_folderName); translation::add_app('mail'); $this->mail_bo->restoreSessionData(); $decodedFolderName = $this->mail_bo->decodeEntityFolderName($_folderName); list($icServerID,$folderName) = explode(self::$delimiter,$decodedFolderName,2); if (empty($folderName)) $folderName = $this->mail_bo->sessionData['mailbox']; if ($this->mail_bo->folderExists($folderName)) { $rememberServerID = $this->mail_bo->profileID; if ($icServerID && $icServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile to ->'.$icServerID); $this->changeProfile($icServerID); } if(!empty($_folderName)) { $this->mail_bo->compressFolder($folderName); } if ($rememberServerID != $this->mail_bo->profileID) { //error_log(__METHOD__.__LINE__.' change Profile back to where we came from ->'.$rememberServerID); $this->changeProfile($rememberServerID); } $response = egw_json_response::get(); $response->call('egw.refresh',lang('compress folder').': '.$folderName,'mail'); } } /** * sendMDN, ... * * @param array _messageList list of UID's * * @return nothing */ function ajax_sendMDN($_messageList) { if(mail_bo::$debug) error_log(__METHOD__."->".array2string($_messageList)); $uidA = self::splitRowID($_messageList['msg'][0]); $folder = $uidA['folder']; // all messages in one set are supposed to be within the same folder $this->mail_bo->sendMDN($uidA['msgUID'],$folder); } /** * flag messages as read, unread, flagged, ... * * @param string _flag name of the flag * @param array _messageList list of UID's * @param bool _sendJsonResponse tell fuction to send the JsonResponse * * @return xajax response */ function ajax_flagMessages($_flag, $_messageList, $_sendJsonResponse=true) { if(mail_bo::$debug) error_log(__METHOD__."->".$_flag.':'.array2string($_messageList)); $alreadyFlagged=false; $flag2check=''; $filter2toggle = $query = array(); if ($_messageList=='all' || !empty($_messageList['msg'])) { if (isset($_messageList['all']) && $_messageList['all']) { // we have both messageIds AND allFlag folder information $uidA = self::splitRowID($_messageList['msg'][0]); $folder = $uidA['folder']; // all messages in one set are supposed to be within the same folder if (isset($_messageList['activeFilters']) && $_messageList['activeFilters']) { $query = $_messageList['activeFilters']; if (!empty($query['search']) || !empty($query['filter'])) { //([filterName] => Schnellsuche[type] => quick[string] => ebay[status] => any if (is_null(emailadmin_imapbase::$supportsORinQuery) || !isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) { emailadmin_imapbase::$supportsORinQuery = egw_cache::getCache(egw_cache::INSTANCE,'email','supportsORinQuery'.trim($GLOBALS['egw_info']['user']['account_id']), null, array(), 60*60*10); if (!isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]=true; } $filter = $filter2toggle = array('filterName' => (emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]?lang('quicksearch'):lang('subject')),'type' => ($query['filter2']?$query['filter2']:(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]?'quick':'subject')),'string' => $query['search'],'status' => 'any'); } else { $filter = $filter2toggle = array(); } // flags read,flagged,label1,label2,label3,label4,label5 can be toggled: handle this when all mails in a folder // should be affected serverside. here. $messageList = $messageListForToggle = array(); $flag2check = ($_flag=='read'?'seen':$_flag); if (in_array($_flag,array('read','flagged','label1','label2','label3','label4','label5')) && !($flag2check==$query['filter'] || stripos($query['filter'],$flag2check)!==false)) { $filter2toggle['status'] = array('un'.$_flag); if ($query['filter'] && $query['filter']!='any') { $filter2toggle['status'][] = $query['filter']; } $_sRt = $this->mail_bo->getSortedList( $folder, $sort=0, $reverse=1, $filter2toggle, $rByUid=true, false ); $messageListForToggle = $_sRt['match']->ids; $filter['status'] = array($_flag); if ($query['filter'] && $query['filter'] !='any') { $filter['status'][] = $query['filter']; } $_sR = $this->mail_bo->getSortedList( $folder, $sort=0, $reverse=1, $filter, $rByUid=true, false ); $messageList = $_sR['match']->ids; if (count($messageListForToggle)>0) { $flag2set = (strtolower($_flag)); if(mail_bo::$debug) error_log(__METHOD__.__LINE__." toggle un$_flag -> $flag2set ".array2string($filter2toggle).array2string($messageListForToggle)); $this->mail_bo->flagMessages($flag2set, $messageListForToggle,$folder); } if (count($messageList)>0) { $flag2set = 'un'.$_flag; if(mail_bo::$debug) error_log(__METHOD__.__LINE__." $_flag -> $flag2set ".array2string($filter).array2string($messageList)); $this->mail_bo->flagMessages($flag2set, $messageList,$folder); } $alreadyFlagged=true; } elseif (!empty($filter) && (!in_array($_flag,array('read','flagged','label1','label2','label3','label4','label5')) || (in_array($_flag,array('read','flagged','label1','label2','label3','label4','label5')) && ($flag2check==$query['filter'] || stripos($query['filter'],$flag2check)!==false)))) { if ($query['filter'] && $query['filter'] !='any') { $filter['status'] = $query['filter']; // since we toggle and we toggle by the filtered flag we must must change _flag $_flag = ($query['filter']=='unseen' && $_flag=='read' ? 'read' : ($query['filter']=='seen'&& $_flag=='read'?'unread':($_flag==$query['filter']?'un'.$_flag:$_flag))); } if(mail_bo::$debug) error_log(__METHOD__.__LINE__." flag all with $_flag on filter used:".array2string($filter)); $_sR = $this->mail_bo->getSortedList( $folder, $sort=0, $reverse=1, $filter, $rByUid=true, false ); $messageList = $_sR['match']->ids; unset($_messageList['all']); $_messageList['msg'] = array(); } else { if(mail_bo::$debug) error_log(__METHOD__.__LINE__." $_flag all ".array2string($filter)); $alreadyFlagged=true; $uidA = self::splitRowID($_messageList['msg'][0]); $folder = $uidA['folder']; // all messages in one set are supposed to be within the same folder $this->mail_bo->flagMessages($_flag, 'all', $folder); } } } else { $uidA = self::splitRowID($_messageList['msg'][0]); $folder = $uidA['folder']; // all messages in one set are supposed to be within the same folder } if (!$alreadyFlagged) { foreach($_messageList['msg'] as $rowID) { $hA = self::splitRowID($rowID); $messageList[] = $hA['msgUID']; } if(mail_bo::$debug) error_log(__METHOD__.__LINE__." $_flag in $folder:".array2string(((isset($_messageList['all']) && $_messageList['all']) ? 'all':$messageList))); $this->mail_bo->flagMessages($_flag, ((isset($_messageList['all']) && $_messageList['all']) ? 'all':$messageList),$folder); } } else { if(mail_bo::$debug) error_log(__METHOD__."-> No messages selected."); } if ($_sendJsonResponse) { $response = egw_json_response::get(); if ((isset($_messageList['all']) && $_messageList['all']) || ($query['filter'] && ($flag2check==$query['filter'] || stripos($query['filter'],$flag2check)!==false))) { $response->call('egw.refresh',lang('flagged %1 messages as %2 in %3',(isset($_messageList['all']) && $_messageList['all']?lang('all'):count($_messageList['msg'])),lang($_flag),$folder),'mail'); } else { $response->call('egw.message',lang('flagged %1 messages as %2 in %3',(isset($_messageList['all']) && $_messageList['all']?lang('all'):count($_messageList['msg'])),lang($_flag),$folder)); } } } /** * delete messages * * @param array _messageList list of UID's * @param string _forceDeleteMethod - method of deletion to be enforced * @return xajax response */ function ajax_deleteMessages($_messageList,$_forceDeleteMethod=null) { if(mail_bo::$debug) error_log(__METHOD__."->".print_r($_messageList,true).' Method:'.$_forceDeleteMethod); $error = null; $filtered = false; if ($_messageList=='all' || !empty($_messageList['msg'])) { if (isset($_messageList['all']) && $_messageList['all']) { // we have both messageIds AND allFlag folder information $uidA = self::splitRowID($_messageList['msg'][0]); $folder = $uidA['folder']; // all messages in one set are supposed to be within the same folder if (isset($_messageList['activeFilters']) && $_messageList['activeFilters']) { $query = $_messageList['activeFilters']; if (!empty($query['search']) || !empty($query['filter'])) { //([filterName] => Schnellsuche[type] => quick[string] => ebay[status] => any if (is_null(emailadmin_imapbase::$supportsORinQuery) || !isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) { emailadmin_imapbase::$supportsORinQuery = egw_cache::getCache(egw_cache::INSTANCE,'email','supportsORinQuery'.trim($GLOBALS['egw_info']['user']['account_id']), null, array(), 60*60*10); if (!isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]=true; } $filtered = true; $filter = array('filterName' => (emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]?lang('quicksearch'):lang('subject')),'type' => ($query['filter2']?$query['filter2']:(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]?'quick':'subject')),'string' => $query['search'],'status' => (!empty($query['filter'])?$query['filter']:'any')); } else { $filter = array(); } $messageList = array(); //error_log(__METHOD__.__LINE__."->".print_r($filter,true).' folder:'.$folder.' Method:'.$_forceDeleteMethod); $reverse = 1; $rByUid = true; $_sR = $this->mail_bo->getSortedList( $folder, $sort=0, $reverse, $filter, $rByUid, false ); $messageList = $_sR['match']->ids; } else { $messageList='all'; } try { //error_log(__METHOD__.__LINE__."->".print_r($messageList,true).' folder:'.$folder.' Method:'.$_forceDeleteMethod); $this->mail_bo->deleteMessages(($messageList=='all' ? 'all':$messageList),$folder,(empty($_forceDeleteMethod)?'no':$_forceDeleteMethod)); } catch (egw_exception $e) { $error = str_replace('"',"'",$e->getMessage()); } } else { $uidA = self::splitRowID($_messageList['msg'][0]); $folder = $uidA['folder']; // all messages in one set are supposed to be within the same folder foreach($_messageList['msg'] as $rowID) { $hA = self::splitRowID($rowID); $messageList[] = $hA['msgUID']; } try { //error_log(__METHOD__.__LINE__."->".print_r($messageList,true).' folder:'.$folder.' Method:'.$_forceDeleteMethod); $this->mail_bo->deleteMessages($messageList,$folder,(empty($_forceDeleteMethod)?'no':$_forceDeleteMethod)); } catch (egw_exception $e) { $error = str_replace('"',"'",$e->getMessage()); } } $response = egw_json_response::get(); if (empty($error)) { $response->call('app.mail.mail_deleteMessagesShowResult',array('egw_message'=>lang('deleted %1 messages in %2',($messageList=='all'||$_messageList['all']?($filtered?lang('all filtered'):lang('all')):count($_messageList['msg'])),$folder),'msg'=>$_messageList['msg'])); } else { $error = str_replace('\n',"\n",lang('mailserver reported:\n%1 \ndo you want to proceed by deleting the selected messages immediately (click ok)?\nif not, please try to empty your trashfolder before continuing. (click cancel)',$error)); $response->call('app.mail.mail_retryForcedDelete',array('response'=>$error,'messageList'=>$_messageList)); } } else { if(mail_bo::$debug) error_log(__METHOD__."-> No messages selected."); } } /** * copy messages * * @param array _folderName target folder * @param array _messageList list of UID's * @param string _copyOrMove method to use copy or move allowed * * @return xajax response */ function ajax_copyMessages($_folderName, $_messageList, $_copyOrMove='copy') { if(mail_bo::$debug) error_log(__METHOD__."->".$_folderName.':'.print_r($_messageList,true).' Method:'.$_copyOrMove); $_folderName = $this->mail_bo->decodeEntityFolderName($_folderName); // only copy or move are supported as method if (!($_copyOrMove=='copy' || $_copyOrMove=='move')) $_copyOrMove='copy'; list($targetProfileID,$targetFolder) = explode(self::$delimiter,$_folderName,2); $lastFoldersUsedForMoveCont = egw_cache::getCache(egw_cache::INSTANCE,'email','lastFolderUsedForMove'.trim($GLOBALS['egw_info']['user']['account_id']),null,array(),$expiration=60*60*1); $changeFolderActions = false; if (!isset($lastFoldersUsedForMoveCont[$targetProfileID][$targetFolder])) { if ($lastFoldersUsedForMoveCont[$targetProfileID] && count($lastFoldersUsedForMoveCont[$targetProfileID])>3) { $keys = array_keys($lastFoldersUsedForMoveCont[$targetProfileID]); foreach( $keys as &$f) { if (count($lastFoldersUsedForMoveCont[$targetProfileID])>3) unset($lastFoldersUsedForMoveCont[$targetProfileID][$f]); else break; } //error_log(__METHOD__.__LINE__.array2string($lastFoldersUsedForMoveCont[$targetProfileID])); } $lastFoldersUsedForMoveCont[$targetProfileID][$targetFolder]=$_folderName; $changeFolderActions = true; } $filtered = false; if ($_messageList=='all' || !empty($_messageList['msg'])) { $error=false; if (isset($_messageList['all']) && $_messageList['all']) { // we have both messageIds AND allFlag folder information $uidA = self::splitRowID($_messageList['msg'][0]); $folder = $uidA['folder']; // all messages in one set are supposed to be within the same folder $sourceProfileID = $uidA['profileID']; if (isset($_messageList['activeFilters']) && $_messageList['activeFilters']) { $query = $_messageList['activeFilters']; if (!empty($query['search']) || !empty($query['filter'])) { //([filterName] => Schnellsuche[type] => quick[string] => ebay[status] => any if (is_null(emailadmin_imapbase::$supportsORinQuery) || !isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) { emailadmin_imapbase::$supportsORinQuery = egw_cache::getCache(egw_cache::INSTANCE,'email','supportsORinQuery'.trim($GLOBALS['egw_info']['user']['account_id']), null, array(), 60*60*10); if (!isset(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID])) emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]=true; } $filtered = true; $filter = array('filterName' => (emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]?lang('quicksearch'):lang('subject')),'type' => ($query['filter2']?$query['filter2']:(emailadmin_imapbase::$supportsORinQuery[$this->mail_bo->profileID]?'quick':'subject')),'string' => $query['search'],'status' => (!empty($query['filter'])?$query['filter']:'any')); } else { $filter = array(); } $messageList = array(); $reverse = 1; $rByUid = true; $_sR = $this->mail_bo->getSortedList( $folder, $sort=0, $reverse, $filter, $rByUid=true, false ); $messageList = $_sR['match']->ids; foreach($messageList as $uID) { //error_log(__METHOD__.__LINE__.$uID); if ($_copyOrMove=='move') { $messageListForRefresh[] = self::generateRowID($sourceProfileID, $_folderName, $uID, $_prependApp=false); } } } else { $messageList='all'; } try { //error_log(__METHOD__.__LINE__."->".print_r($messageList,true).' folder:'.$folder.' Method:'.$_forceDeleteMethod.' '.$targetProfileID.'/'.$sourceProfileID); $this->mail_bo->moveMessages($targetFolder,$messageList,($_copyOrMove=='copy'?false:true),$folder,false,$sourceProfileID,($targetProfileID!=$sourceProfileID?$targetProfileID:null)); } catch (egw_exception $e) { $error = str_replace('"',"'",$e->getMessage()); } } else { $messageList = array(); while(count($_messageList['msg']) > 0) { $uidA = self::splitRowID($_messageList['msg'][0]); $folder = $uidA['folder']; // all messages in one set are supposed to be within the same folder $sourceProfileID = $uidA['profileID']; $moveList = array(); foreach($_messageList['msg'] as $rowID) { $hA = self::splitRowID($rowID); // If folder changes, stop and move what we've got if($hA['folder'] != $folder) break; array_shift($_messageList['msg']); $messageList[] = $hA['msgUID']; $moveList[] = $hA['msgUID']; if ($_copyOrMove=='move') { $helpvar = explode(self::$delimiter,$rowID); array_shift($helpvar); $messageListForRefresh[]= implode(self::$delimiter,$helpvar); } } try { //error_log(__METHOD__.__LINE__."->".print_r($moveList,true).' folder:'.$folder.' Method:'.$_forceDeleteMethod.' '.$targetProfileID.'/'.$sourceProfileID); $this->mail_bo->moveMessages($targetFolder,$moveList,($_copyOrMove=='copy'?false:true),$folder,false,$sourceProfileID,($targetProfileID!=$sourceProfileID?$targetProfileID:null)); } catch (egw_exception $e) { $error = str_replace('"',"'",$e->getMessage()); } } } $response = egw_json_response::get(); if ($error) { if ($changeFolderActions == false) { unset($lastFoldersUsedForMoveCont[$targetProfileID][$targetFolder]); $changeFolderActions = true; } $response->call('egw.message',$error,"error"); } else { if ($_copyOrMove=='copy') { $response->call('egw.message',lang('copied %1 message(s) from %2 to %3',($messageList=='all'||$_messageList['all']?($filtered?lang('all filtered'):lang('all')):count($messageList)),$folder,$targetFolder)); } else { $response->call('egw.refresh',lang('moved %1 message(s) from %2 to %3',($messageList=='all'||$_messageList['all']?($filtered?lang('all filtered'):lang('all')):count($messageList)),$folder,$targetFolder),'mail',$messageListForRefresh,'delete'); } } if ($changeFolderActions == true) { egw_cache::setCache(egw_cache::INSTANCE,'email','lastFolderUsedForMove'.trim($GLOBALS['egw_info']['user']['account_id']),$lastFoldersUsedForMoveCont, $expiration=60*60*1); $actionsnew = self::get_actions(); $actionsnew = etemplate_widget_nextmatch::egw_actions($actionsnew); $response->call('app.mail.mail_rebuildActionsOnList',$actionsnew); } } else { if(mail_bo::$debug) error_log(__METHOD__."-> No messages selected."); } } /** * Autoloading function to load branches of tree node * of management folder tree * * @param type $_id */ function ajax_folderMgmtTree_autoloading ($_id = null) { $mail_ui = new mail_ui(); $_id = $_id? $_id:$_GET['id']; etemplate_widget_tree::send_quote_json($mail_ui->mail_tree->getTree($_id,'',1,true,false,false,false)); } /** * Main function to handle folder management dialog * * @param array $content content of dialog */ function folderManagement (array $content = null) { $dtmpl = new etemplate_new('mail.folder_management'); $profileID = $_GET['acc_id']? $_GET['acc_id']: $content['acc_id']; $sel_options['tree'] = $this->mail_tree->getTree(null,$profileID, 1, true, false, false); if (!is_array($content)) { $content = array ('acc_id' => $profileID); } else { } $readonlys = array(); // Preserv $preserv = array( 'acc_id' => $content['acc_id'] // preserve acc id to be used in client-side ); $dtmpl->exec('mail.mail_ui.folderManagement', $content,$sel_options,$readonlys,$preserv,2); } }