Merge pull request #11107 from totten/master-nav-ser
[civicrm-core.git] / CRM / Mailing / BAO / Mailing.php
1 <?php
2 /*
3 +--------------------------------------------------------------------+
4 | CiviCRM version 4.7 |
5 +--------------------------------------------------------------------+
6 | Copyright CiviCRM LLC (c) 2004-2017 |
7 +--------------------------------------------------------------------+
8 | This file is a part of CiviCRM. |
9 | |
10 | CiviCRM is free software; you can copy, modify, and distribute it |
11 | under the terms of the GNU Affero General Public License |
12 | Version 3, 19 November 2007 and the CiviCRM Licensing Exception. |
13 | |
14 | CiviCRM is distributed in the hope that it will be useful, but |
15 | WITHOUT ANY WARRANTY; without even the implied warranty of |
16 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. |
17 | See the GNU Affero General Public License for more details. |
18 | |
19 | You should have received a copy of the GNU Affero General Public |
20 | License and the CiviCRM Licensing Exception along |
21 | with this program; if not, contact CiviCRM LLC |
22 | at info[AT]civicrm[DOT]org. If you have questions about the |
23 | GNU Affero General Public License or the licensing of CiviCRM, |
24 | see the CiviCRM license FAQ at http://civicrm.org/licensing |
25 +--------------------------------------------------------------------+
26 */
27
28 /**
29 *
30 * @package CRM
31 * @copyright CiviCRM LLC (c) 2004-2017
32 */
33 require_once 'Mail/mime.php';
34
35 /**
36 * Class CRM_Mailing_BAO_Mailing
37 */
38 class CRM_Mailing_BAO_Mailing extends CRM_Mailing_DAO_Mailing {
39
40 /**
41 * An array that holds the complete templates
42 * including any headers or footers that need to be prepended
43 * or appended to the body.
44 */
45 private $preparedTemplates = NULL;
46
47 /**
48 * An array that holds the complete templates
49 * including any headers or footers that need to be prepended
50 * or appended to the body.
51 */
52 private $templates = NULL;
53
54 /**
55 * An array that holds the tokens that are specifically found in our text and html bodies.
56 */
57 private $tokens = NULL;
58
59 /**
60 * An array that holds the tokens that are specifically found in our text and html bodies.
61 */
62 private $flattenedTokens = NULL;
63
64 /**
65 * The header associated with this mailing.
66 */
67 private $header = NULL;
68
69 /**
70 * The footer associated with this mailing.
71 */
72 private $footer = NULL;
73
74 /**
75 * The HTML content of the message.
76 */
77 private $html = NULL;
78
79 /**
80 * The text content of the message.
81 */
82 private $text = NULL;
83
84 /**
85 * Cached BAO for the domain.
86 */
87 private $_domain = NULL;
88
89 /**
90 * Class constructor.
91 */
92 public function __construct() {
93 parent::__construct();
94 }
95
96 /**
97 * @deprecated
98 *
99 * @param int $job_id
100 * @param int $mailing_id
101 *
102 * @return int
103 */
104 public static function getRecipientsCount($job_id, $mailing_id = NULL) {
105 // need this for backward compatibility, so we can get count for old mailings
106 // please do not use this function if possible.
107 $eq = self::getRecipients($job_id, $mailing_id);
108 return $eq->N;
109 }
110
111 /**
112 * note that $job_id is used only as a variable in the temp table construction
113 * and does not play a role in the queries generated.
114 * @param int $job_id
115 * (misnomer) a nonce value used to name temporary tables.
116 * @param int $mailing_id
117 * @param bool $storeRecipients
118 * @param bool $dedupeEmail
119 * @param null $mode
120 *
121 * @return CRM_Mailing_Event_BAO_Queue|string
122 */
123 public static function getRecipients(
124 $job_id,
125 $mailing_id = NULL,
126 $storeRecipients = FALSE,
127 $dedupeEmail = FALSE,
128 $mode = NULL) {
129 $mailingGroup = new CRM_Mailing_DAO_MailingGroup();
130
131 $mailing = CRM_Mailing_BAO_Mailing::getTableName();
132 $job = CRM_Mailing_BAO_MailingJob::getTableName();
133 $mg = CRM_Mailing_DAO_MailingGroup::getTableName();
134 $eq = CRM_Mailing_Event_DAO_Queue::getTableName();
135
136 $email = CRM_Core_DAO_Email::getTableName();
137 if ($mode == 'sms') {
138 $phone = CRM_Core_DAO_Phone::getTableName();
139 }
140 $contact = CRM_Contact_DAO_Contact::getTableName();
141
142 $group = CRM_Contact_DAO_Group::getTableName();
143 $g2contact = CRM_Contact_DAO_GroupContact::getTableName();
144
145 $m = new CRM_Mailing_DAO_Mailing();
146 $m->id = $mailing_id;
147 $m->find(TRUE);
148
149 $email_selection_method = $m->email_selection_method;
150 $location_type_id = $m->location_type_id;
151
152 // Note: When determining the ORDER that results are returned, it's
153 // the record that comes last that counts. That's because we are
154 // INSERT'ing INTO a table with a primary id so that last record
155 // over writes any previous record.
156 switch ($email_selection_method) {
157 case 'location-exclude':
158 $location_filter = "($email.location_type_id != $location_type_id)";
159 // If there is more than one email that doesn't match the location,
160 // prefer the one marked is_bulkmail, followed by is_primary.
161 $order_by = "ORDER BY $email.is_bulkmail, $email.is_primary";
162 break;
163
164 case 'location-only':
165 $location_filter = "($email.location_type_id = $location_type_id)";
166 // If there is more than one email of the desired location, prefer
167 // the one marked is_bulkmail, followed by is_primary.
168 $order_by = "ORDER BY $email.is_bulkmail, $email.is_primary";
169 break;
170
171 case 'location-prefer':
172 $location_filter = "($email.is_bulkmail = 1 OR $email.is_primary = 1 OR $email.location_type_id = $location_type_id)";
173
174 // ORDER BY is more complicated because we have to set an arbitrary
175 // order that prefers the location that we want. We do that using
176 // the FIELD function. For more info, see:
177 // https://dev.mysql.com/doc/refman/5.5/en/string-functions.html#function_field
178 // We assign the location type we want the value "1" by putting it
179 // in the first position after we name the field. All other location
180 // types are left out, so they will be assigned the value 0. That
181 // means, they will all be equally tied for first place, with our
182 // location being last.
183 $order_by = "ORDER BY FIELD($email.location_type_id, $location_type_id), $email.is_bulkmail, $email.is_primary";
184 break;
185
186 case 'automatic':
187 // fall through to default
188 default:
189 $location_filter = "($email.is_bulkmail = 1 OR $email.is_primary = 1)";
190 $order_by = "ORDER BY $email.is_bulkmail";
191 }
192
193 // Create a temp table for contact exclusion.
194 $mailingGroup->query(
195 "CREATE TEMPORARY TABLE X_$job_id
196 (contact_id int primary key)
197 ENGINE=HEAP"
198 );
199
200 // Add all the members of groups excluded from this mailing to the temp
201 // table.
202
203 $excludeSubGroup = "INSERT INTO X_$job_id (contact_id)
204 SELECT DISTINCT $g2contact.contact_id
205 FROM $g2contact
206 INNER JOIN $mg
207 ON $g2contact.group_id = $mg.entity_id AND $mg.entity_table = '$group'
208 WHERE
209 $mg.mailing_id = {$mailing_id}
210 AND $g2contact.status = 'Added'
211 AND $mg.group_type = 'Exclude'";
212 $mailingGroup->query($excludeSubGroup);
213
214 // Add all unsubscribe members of base group from this mailing to the temp
215 // table.
216
217 $unSubscribeBaseGroup = "INSERT INTO X_$job_id (contact_id)
218 SELECT DISTINCT $g2contact.contact_id
219 FROM $g2contact
220 INNER JOIN $mg
221 ON $g2contact.group_id = $mg.entity_id AND $mg.entity_table = '$group'
222 WHERE
223 $mg.mailing_id = {$mailing_id}
224 AND $g2contact.status = 'Removed'
225 AND $mg.group_type = 'Base'";
226 $mailingGroup->query($unSubscribeBaseGroup);
227
228 // Add all the (intended) recipients of an excluded prior mailing to
229 // the temp table.
230
231 $excludeSubMailing = "INSERT IGNORE INTO X_$job_id (contact_id)
232 SELECT DISTINCT $eq.contact_id
233 FROM $eq
234 INNER JOIN $job
235 ON $eq.job_id = $job.id
236 INNER JOIN $mg
237 ON $job.mailing_id = $mg.entity_id AND $mg.entity_table = '$mailing'
238 WHERE
239 $mg.mailing_id = {$mailing_id}
240 AND $mg.group_type = 'Exclude'";
241 $mailingGroup->query($excludeSubMailing);
242
243 // get all the saved searches AND hierarchical groups
244 // and load them in the cache
245 $sql = "
246 SELECT $group.id, $group.cache_date, $group.saved_search_id, $group.children
247 FROM $group
248 INNER JOIN $mg ON $mg.entity_id = $group.id
249 WHERE $mg.entity_table = '$group'
250 AND $mg.group_type = 'Exclude'
251 AND $mg.mailing_id = {$mailing_id}
252 AND ( saved_search_id != 0
253 OR saved_search_id IS NOT NULL
254 OR children IS NOT NULL )
255 ";
256
257 $groupDAO = CRM_Core_DAO::executeQuery($sql);
258 while ($groupDAO->fetch()) {
259 if ($groupDAO->cache_date == NULL) {
260 CRM_Contact_BAO_GroupContactCache::load($groupDAO);
261 }
262
263 $smartGroupExclude = "
264 INSERT IGNORE INTO X_$job_id (contact_id)
265 SELECT c.contact_id
266 FROM civicrm_group_contact_cache c
267 WHERE c.group_id = {$groupDAO->id}
268 ";
269 $mailingGroup->query($smartGroupExclude);
270 }
271
272 $tempColumn = 'email_id';
273 if ($mode == 'sms') {
274 $tempColumn = 'phone_id';
275 }
276
277 // Get all the group contacts we want to include.
278
279 $mailingGroup->query(
280 "CREATE TEMPORARY TABLE I_$job_id
281 ($tempColumn int, contact_id int primary key)
282 ENGINE=HEAP"
283 );
284
285 // Get the group contacts, but only those which are not in the
286 // exclusion temp table.
287
288 $query = "REPLACE INTO I_$job_id (email_id, contact_id)
289
290 SELECT $email.id as email_id,
291 $contact.id as contact_id
292 FROM $email
293 INNER JOIN $contact
294 ON $email.contact_id = $contact.id
295 INNER JOIN $g2contact
296 ON $contact.id = $g2contact.contact_id
297 INNER JOIN $mg
298 ON $g2contact.group_id = $mg.entity_id
299 AND $mg.entity_table = '$group'
300 LEFT JOIN X_$job_id
301 ON $contact.id = X_$job_id.contact_id
302 WHERE
303 ($mg.group_type = 'Include')
304 AND $mg.search_id IS NULL
305 AND $g2contact.status = 'Added'
306 AND $contact.do_not_email = 0
307 AND $contact.is_opt_out = 0
308 AND $contact.is_deceased <> 1
309 AND $location_filter
310 AND $email.email IS NOT NULL
311 AND $email.email != ''
312 AND $email.on_hold = 0
313 AND $mg.mailing_id = {$mailing_id}
314 AND X_$job_id.contact_id IS null
315 GROUP BY $email.id, $contact.id
316 $order_by";
317
318 if ($mode == 'sms') {
319 $phoneTypes = CRM_Core_OptionGroup::values('phone_type', TRUE, FALSE, FALSE, NULL, 'name');
320 $query = "REPLACE INTO I_$job_id (phone_id, contact_id)
321
322 SELECT DISTINCT $phone.id as phone_id,
323 $contact.id as contact_id
324 FROM $phone
325 INNER JOIN $contact
326 ON $phone.contact_id = $contact.id
327 INNER JOIN $g2contact
328 ON $contact.id = $g2contact.contact_id
329 INNER JOIN $mg
330 ON $g2contact.group_id = $mg.entity_id
331 AND $mg.entity_table = '$group'
332 LEFT JOIN X_$job_id
333 ON $contact.id = X_$job_id.contact_id
334 WHERE
335 ($mg.group_type = 'Include')
336 AND $mg.search_id IS NULL
337 AND $g2contact.status = 'Added'
338 AND $contact.do_not_sms = 0
339 AND $contact.is_opt_out = 0
340 AND $contact.is_deceased <> 1
341 AND $phone.phone_type_id = {$phoneTypes['Mobile']}
342 AND $phone.phone IS NOT NULL
343 AND $phone.phone != ''
344 AND $mg.mailing_id = {$mailing_id}
345 AND X_$job_id.contact_id IS null";
346 }
347 $mailingGroup->query($query);
348
349 // Query prior mailings.
350
351 $query = "REPLACE INTO I_$job_id (email_id, contact_id)
352 SELECT $email.id as email_id,
353 $contact.id as contact_id
354 FROM $email
355 INNER JOIN $contact
356 ON $email.contact_id = $contact.id
357 INNER JOIN $eq
358 ON $eq.contact_id = $contact.id
359 INNER JOIN $job
360 ON $eq.job_id = $job.id
361 INNER JOIN $mg
362 ON $job.mailing_id = $mg.entity_id AND $mg.entity_table = '$mailing'
363 LEFT JOIN X_$job_id
364 ON $contact.id = X_$job_id.contact_id
365 WHERE
366 ($mg.group_type = 'Include')
367 AND $contact.do_not_email = 0
368 AND $contact.is_opt_out = 0
369 AND $contact.is_deceased <> 1
370 AND $location_filter
371 AND $email.on_hold = 0
372 AND $mg.mailing_id = {$mailing_id}
373 AND X_$job_id.contact_id IS null
374 GROUP BY $email.id, $contact.id
375 $order_by";
376
377 if ($mode == 'sms') {
378 $query = "REPLACE INTO I_$job_id (phone_id, contact_id)
379 SELECT DISTINCT $phone.id as phone_id,
380 $contact.id as contact_id
381 FROM $phone
382 INNER JOIN $contact
383 ON $phone.contact_id = $contact.id
384 INNER JOIN $eq
385 ON $eq.contact_id = $contact.id
386 INNER JOIN $job
387 ON $eq.job_id = $job.id
388 INNER JOIN $mg
389 ON $job.mailing_id = $mg.entity_id AND $mg.entity_table = '$mailing'
390 LEFT JOIN X_$job_id
391 ON $contact.id = X_$job_id.contact_id
392 WHERE
393 ($mg.group_type = 'Include')
394 AND $contact.do_not_sms = 0
395 AND $contact.is_opt_out = 0
396 AND $contact.is_deceased <> 1
397 AND $phone.phone_type_id = {$phoneTypes['Mobile']}
398 AND $mg.mailing_id = {$mailing_id}
399 AND X_$job_id.contact_id IS null";
400 }
401 $mailingGroup->query($query);
402
403 $sql = "
404 SELECT $group.id, $group.cache_date, $group.saved_search_id, $group.children
405 FROM $group
406 INNER JOIN $mg ON $mg.entity_id = $group.id
407 WHERE $mg.entity_table = '$group'
408 AND $mg.group_type = 'Include'
409 AND $mg.search_id IS NULL
410 AND $mg.mailing_id = {$mailing_id}
411 AND ( saved_search_id != 0
412 OR saved_search_id IS NOT NULL
413 OR children IS NOT NULL )
414 ";
415
416 $groupDAO = CRM_Core_DAO::executeQuery($sql);
417 while ($groupDAO->fetch()) {
418 if ($groupDAO->cache_date == NULL) {
419 CRM_Contact_BAO_GroupContactCache::load($groupDAO);
420 }
421
422 $smartGroupInclude = "
423 REPLACE INTO I_$job_id (email_id, contact_id)
424 SELECT civicrm_email.id as email_id, c.id as contact_id
425 FROM civicrm_contact c
426 INNER JOIN civicrm_email ON civicrm_email.contact_id = c.id
427 INNER JOIN civicrm_group_contact_cache gc ON gc.contact_id = c.id
428 LEFT JOIN X_$job_id ON X_$job_id.contact_id = c.id
429 WHERE gc.group_id = {$groupDAO->id}
430 AND c.do_not_email = 0
431 AND c.is_opt_out = 0
432 AND c.is_deceased <> 1
433 AND $location_filter
434 AND civicrm_email.on_hold = 0
435 AND X_$job_id.contact_id IS null
436 $order_by
437 ";
438 if ($mode == 'sms') {
439 $smartGroupInclude = "
440 REPLACE INTO I_$job_id (phone_id, contact_id)
441 SELECT p.id as phone_id, c.id as contact_id
442 FROM civicrm_contact c
443 INNER JOIN civicrm_phone p ON p.contact_id = c.id
444 INNER JOIN civicrm_group_contact_cache gc ON gc.contact_id = c.id
445 LEFT JOIN X_$job_id ON X_$job_id.contact_id = c.id
446 WHERE gc.group_id = {$groupDAO->id}
447 AND c.do_not_sms = 0
448 AND c.is_opt_out = 0
449 AND c.is_deceased <> 1
450 AND p.phone_type_id = {$phoneTypes['Mobile']}
451 AND X_$job_id.contact_id IS null";
452 }
453 $mailingGroup->query($smartGroupInclude);
454 }
455
456 // Construct the filtered search queries.
457 $query = "
458 SELECT search_id, search_args, entity_id
459 FROM $mg
460 WHERE $mg.search_id IS NOT NULL
461 AND $mg.mailing_id = {$mailing_id}
462 ";
463 $dao = CRM_Core_DAO::executeQuery($query);
464 while ($dao->fetch()) {
465 $customSQL = CRM_Contact_BAO_SearchCustom::civiMailSQL($dao->search_id,
466 $dao->search_args,
467 $dao->entity_id
468 );
469 $query = "REPLACE INTO I_$job_id ({$tempColumn}, contact_id)
470 $customSQL";
471 $mailingGroup->query($query);
472 }
473
474 // Get the emails with only location override.
475
476 $query = "REPLACE INTO I_$job_id (email_id, contact_id)
477 SELECT $email.id as local_email_id,
478 $contact.id as contact_id
479 FROM $email
480 INNER JOIN $contact
481 ON $email.contact_id = $contact.id
482 INNER JOIN $g2contact
483 ON $contact.id = $g2contact.contact_id
484 INNER JOIN $mg
485 ON $g2contact.group_id = $mg.entity_id
486 LEFT JOIN X_$job_id
487 ON $contact.id = X_$job_id.contact_id
488 WHERE
489 $mg.entity_table = '$group'
490 AND $mg.group_type = 'Include'
491 AND $g2contact.status = 'Added'
492 AND $contact.do_not_email = 0
493 AND $contact.is_opt_out = 0
494 AND $contact.is_deceased <> 1
495 AND $location_filter
496 AND $email.on_hold = 0
497 AND $mg.mailing_id = {$mailing_id}
498 AND X_$job_id.contact_id IS null
499 GROUP BY $email.id, $contact.id
500 $order_by";
501 if ($mode == "sms") {
502 $query = "REPLACE INTO I_$job_id (phone_id, contact_id)
503 SELECT DISTINCT $phone.id as phone_id,
504 $contact.id as contact_id
505 FROM $phone
506 INNER JOIN $contact
507 ON $phone.contact_id = $contact.id
508 INNER JOIN $g2contact
509 ON $contact.id = $g2contact.contact_id
510 INNER JOIN $mg
511 ON $g2contact.group_id = $mg.entity_id
512 LEFT JOIN X_$job_id
513 ON $contact.id = X_$job_id.contact_id
514 WHERE
515 $mg.entity_table = '$group'
516 AND $mg.group_type = 'Include'
517 AND $g2contact.status = 'Added'
518 AND $contact.do_not_sms = 0
519 AND $contact.is_opt_out = 0
520 AND $contact.is_deceased <> 1
521 AND $phone.phone_type_id = {$phoneTypes['Mobile']}
522 AND $mg.mailing_id = {$mailing_id}
523 AND X_$job_id.contact_id IS null";
524 }
525 $mailingGroup->query($query);
526
527 $eq = new CRM_Mailing_Event_BAO_Queue();
528
529 list($aclFrom, $aclWhere) = CRM_Contact_BAO_Contact_Permission::cacheClause();
530 $aclWhere = $aclWhere ? "WHERE {$aclWhere}" : '';
531
532 if ($storeRecipients && $mailing_id) {
533 $sql = "
534 DELETE
535 FROM civicrm_mailing_recipients
536 WHERE mailing_id = %1
537 ";
538 $params = array(1 => array($mailing_id, 'Integer'));
539 CRM_Core_DAO::executeQuery($sql, $params);
540
541 $selectClause = array('%1', 'i.contact_id', "i.{$tempColumn}");
542 $select = "SELECT " . implode(', ', $selectClause);
543 // CRM-3975
544 $groupBy = $groupJoin = '';
545 $orderBy = "i.contact_id, i.{$tempColumn}";
546 if ($dedupeEmail) {
547 $orderBy = "MIN(i.contact_id), MIN(i.{$tempColumn})";
548 $groupJoin = " INNER JOIN civicrm_email e ON e.id = i.email_id";
549 $groupBy = " GROUP BY e.email ";
550 $select = CRM_Contact_BAO_Query::appendAnyValueToSelect($selectClause, 'e.email');
551 }
552
553 $sql = "
554 INSERT INTO civicrm_mailing_recipients ( mailing_id, contact_id, {$tempColumn} )
555 {$select}
556 FROM civicrm_contact contact_a
557 INNER JOIN I_$job_id i ON contact_a.id = i.contact_id
558 $groupJoin
559 {$aclFrom}
560 {$aclWhere}
561 $groupBy
562 ORDER BY {$orderBy}
563 ";
564
565 CRM_Core_DAO::executeQuery($sql, $params);
566
567 // if we need to add all emails marked bulk, do it as a post filter
568 // on the mailing recipients table
569 if (CRM_Core_BAO_Email::isMultipleBulkMail()) {
570 self::addMultipleEmails($mailing_id);
571 }
572 }
573
574 // Delete the temp table.
575
576 $mailingGroup->reset();
577 $mailingGroup->query("DROP TEMPORARY TABLE X_$job_id");
578 $mailingGroup->query("DROP TEMPORARY TABLE I_$job_id");
579
580 return $eq;
581 }
582
583 /**
584 * @param string $type
585 *
586 * @return array
587 */
588 private function _getMailingGroupIds($type = 'Include') {
589 $mailingGroup = new CRM_Mailing_DAO_MailingGroup();
590 $group = CRM_Contact_DAO_Group::getTableName();
591 if (!isset($this->id)) {
592 // we're just testing tokens, so return any group
593 $query = "SELECT id AS entity_id
594 FROM $group
595 ORDER BY id
596 LIMIT 1";
597 }
598 else {
599 $mg = CRM_Mailing_DAO_MailingGroup::getTableName();
600 $query = "SELECT entity_id
601 FROM $mg
602 WHERE mailing_id = {$this->id}
603 AND group_type = '$type'
604 AND entity_table = '$group'";
605 }
606 $mailingGroup->query($query);
607
608 $groupIds = array();
609 while ($mailingGroup->fetch()) {
610 $groupIds[] = $mailingGroup->entity_id;
611 }
612
613 return $groupIds;
614 }
615
616 /**
617 * Returns the regex patterns that are used for preparing the text and html templates.
618 *
619 * @param bool $onlyHrefs
620 *
621 * @return array|string
622 */
623 private function getPatterns($onlyHrefs = FALSE) {
624
625 $patterns = array();
626
627 $protos = '(https?|ftp|mailto)';
628 $letters = '\w';
629 $gunk = '\{\}/#~:.?+=&;%@!\,\-\|\(\)\*';
630 $punc = '.:?\-';
631 $any = "{$letters}{$gunk}{$punc}";
632 if ($onlyHrefs) {
633 $pattern = "\\bhref[ ]*=[ ]*([\"'])?(($protos:[$any]+?(?=[$punc]*[^$any]|$)))([\"'])?";
634 }
635 else {
636 $pattern = "\\b($protos:[$any]+?(?=[$punc]*[^$any]|$))";
637 }
638
639 $patterns[] = $pattern;
640 $patterns[] = '\\\\\{\w+\.\w+\\\\\}|\{\{\w+\.\w+\}\}';
641 $patterns[] = '\{\w+\.\w+\}';
642
643 $patterns = '{' . implode('|', $patterns) . '}imu';
644
645 return $patterns;
646 }
647
648 /**
649 * Returns an array that denotes the type of token that we are dealing with
650 * we use the type later on when we are doing a token replacement lookup
651 *
652 * @param string $token
653 * The token for which we will be doing adata lookup.
654 *
655 * @return array
656 * An array that holds the token itself and the type.
657 * the type will tell us which function to use for the data lookup
658 * if we need to do a lookup at all
659 */
660 public function &getDataFunc($token) {
661 static $_categories = NULL;
662 static $_categoryString = NULL;
663 if (!$_categories) {
664 $_categories = array(
665 'domain' => NULL,
666 'action' => NULL,
667 'mailing' => NULL,
668 'contact' => NULL,
669 );
670
671 CRM_Utils_Hook::tokens($_categories);
672 $_categoryString = implode('|', array_keys($_categories));
673 }
674
675 $funcStruct = array('type' => NULL, 'token' => $token);
676 $matches = array();
677 if ((preg_match('/^href/i', $token) || preg_match('/^http/i', $token))) {
678 // it is a url so we need to check to see if there are any tokens embedded
679 // if so then call this function again to get the token dataFunc
680 // and assign the type 'embedded' so that the data retrieving function
681 // will know what how to handle this token.
682 if (preg_match_all('/(\{\w+\.\w+\})/', $token, $matches)) {
683 $funcStruct['type'] = 'embedded_url';
684 $funcStruct['embed_parts'] = $funcStruct['token'] = array();
685 foreach ($matches[1] as $match) {
686 $preg_token = '/' . preg_quote($match, '/') . '/';
687 $list = preg_split($preg_token, $token, 2);
688 $funcStruct['embed_parts'][] = $list[0];
689 $token = $list[1];
690 $funcStruct['token'][] = $this->getDataFunc($match);
691 }
692 // fixed truncated url, CRM-7113
693 if ($token) {
694 $funcStruct['embed_parts'][] = $token;
695 }
696 }
697 else {
698 $funcStruct['type'] = 'url';
699 }
700 }
701 elseif (preg_match('/^\{(' . $_categoryString . ')\.(\w+)\}$/', $token, $matches)) {
702 $funcStruct['type'] = $matches[1];
703 $funcStruct['token'] = $matches[2];
704 }
705 elseif (preg_match('/\\\\\{(\w+\.\w+)\\\\\}|\{\{(\w+\.\w+)\}\}/', $token, $matches)) {
706 // we are an escaped token
707 // so remove the escape chars
708 $unescaped_token = preg_replace('/\{\{|\}\}|\\\\\{|\\\\\}/', '', $matches[0]);
709 $funcStruct['token'] = '{' . $unescaped_token . '}';
710 }
711 return $funcStruct;
712 }
713
714 /**
715 *
716 * Prepares the text and html templates
717 * for generating the emails and returns a copy of the
718 * prepared templates
719 */
720 private function getPreparedTemplates() {
721 if (!$this->preparedTemplates) {
722 $patterns['html'] = $this->getPatterns(TRUE);
723 $patterns['subject'] = $patterns['text'] = $this->getPatterns();
724 $templates = $this->getTemplates();
725
726 $this->preparedTemplates = array();
727
728 foreach (array(
729 'html',
730 'text',
731 'subject',
732 ) as $key) {
733 if (!isset($templates[$key])) {
734 continue;
735 }
736
737 $matches = array();
738 $tokens = array();
739 $split_template = array();
740
741 $email = $templates[$key];
742 preg_match_all($patterns[$key], $email, $matches, PREG_PATTERN_ORDER);
743 foreach ($matches[0] as $idx => $token) {
744 $preg_token = '/' . preg_quote($token, '/') . '/im';
745 list($split_template[], $email) = preg_split($preg_token, $email, 2);
746 array_push($tokens, $this->getDataFunc($token));
747 }
748 if ($email) {
749 $split_template[] = $email;
750 }
751 $this->preparedTemplates[$key]['template'] = $split_template;
752 $this->preparedTemplates[$key]['tokens'] = $tokens;
753 }
754 }
755 return ($this->preparedTemplates);
756 }
757
758 /**
759 * Retrieve a ref to an array that holds the email and text templates for this email
760 * assembles the complete template including the header and footer
761 * that the user has uploaded or declared (if they have done that)
762 *
763 * @return array
764 * reference to an assoc array
765 */
766 public function getTemplates() {
767 if (!$this->templates) {
768 $this->getHeaderFooter();
769 $this->templates = array();
770 if ($this->body_text || !empty($this->header)) {
771 $template = array();
772 if (!empty($this->header->body_text)) {
773 $template[] = $this->header->body_text;
774 }
775 elseif (!empty($this->header->body_html)) {
776 $template[] = CRM_Utils_String::htmlToText($this->header->body_html);
777 }
778
779 if ($this->body_text) {
780 $template[] = $this->body_text;
781 }
782 else {
783 $template[] = CRM_Utils_String::htmlToText($this->body_html);
784 }
785
786 if (!empty($this->footer->body_text)) {
787 $template[] = $this->footer->body_text;
788 }
789 elseif (!empty($this->footer->body_html)) {
790 $template[] = CRM_Utils_String::htmlToText($this->footer->body_html);
791 }
792
793 $this->templates['text'] = implode("\n", $template);
794 }
795
796 // To check for an html part strip tags
797 if (trim(strip_tags($this->body_html))) {
798
799 $template = array();
800 if ($this->header) {
801 $template[] = $this->header->body_html;
802 }
803
804 $template[] = $this->body_html;
805
806 if ($this->footer) {
807 $template[] = $this->footer->body_html;
808 }
809
810 $this->templates['html'] = implode("\n", $template);
811
812 // this is where we create a text template from the html template if the text template did not exist
813 // this way we ensure that every recipient will receive an email even if the pref is set to text and the
814 // user uploads an html email only
815 if (empty($this->templates['text'])) {
816 $this->templates['text'] = CRM_Utils_String::htmlToText($this->templates['html']);
817 }
818 }
819
820 if ($this->subject) {
821 $template = array();
822 $template[] = $this->subject;
823 $this->templates['subject'] = implode("\n", $template);
824 }
825
826 CRM_Utils_Hook::alterMailContent($this->templates);
827 }
828 return $this->templates;
829 }
830
831 /**
832 *
833 * Retrieve a ref to an array that holds all of the tokens in the email body
834 * where the keys are the type of token and the values are ordinal arrays
835 * that hold the token names (even repeated tokens) in the order in which
836 * they appear in the body of the email.
837 *
838 * note: the real work is done in the _getTokens() function
839 *
840 * this function needs to have some sort of a body assigned
841 * either text or html for this to have any meaningful impact
842 *
843 * @return array
844 * reference to an assoc array
845 */
846 public function &getTokens() {
847 if (!$this->tokens) {
848
849 $this->tokens = array('html' => array(), 'text' => array(), 'subject' => array());
850
851 if ($this->body_html) {
852 $this->_getTokens('html');
853 if (!$this->body_text) {
854 // Since the text template was created from html, use the html tokens.
855 // @see CRM_Mailing_BAO_Mailing::getTemplates()
856 $this->tokens['text'] = $this->tokens['html'];
857 }
858 }
859
860 if ($this->body_text) {
861 $this->_getTokens('text');
862 }
863
864 if ($this->subject) {
865 $this->_getTokens('subject');
866 }
867 }
868
869 return $this->tokens;
870 }
871
872 /**
873 * Returns the token set for all 3 parts as one set. This allows it to be sent to the
874 * hook in one call and standardizes it across other token workflows
875 *
876 * @return array
877 * reference to an assoc array
878 */
879 public function &getFlattenedTokens() {
880 if (!$this->flattenedTokens) {
881 $tokens = $this->getTokens();
882
883 $this->flattenedTokens = CRM_Utils_Token::flattenTokens($tokens);
884 }
885
886 return $this->flattenedTokens;
887 }
888
889 /**
890 *
891 * _getTokens parses out all of the tokens that have been
892 * included in the html and text bodies of the email
893 * we get the tokens and then separate them into an
894 * internal structure named tokens that has the same
895 * form as the static tokens property(?) of the CRM_Utils_Token class.
896 * The difference is that there might be repeated token names as we want the
897 * structures to represent the order in which tokens were found from left to right, top to bottom.
898 *
899 *
900 * @param string $prop name of the property that holds the text that we want to scan for tokens (html, text).
901 * Name of the property that holds the text that we want to scan for tokens (html, text).
902 *
903 * @return void
904 */
905 private function _getTokens($prop) {
906 $templates = $this->getTemplates();
907
908 $newTokens = CRM_Utils_Token::getTokens($templates[$prop]);
909
910 foreach ($newTokens as $type => $names) {
911 if (!isset($this->tokens[$prop][$type])) {
912 $this->tokens[$prop][$type] = array();
913 }
914 foreach ($names as $key => $name) {
915 $this->tokens[$prop][$type][] = $name;
916 }
917 }
918 }
919
920 /**
921 * Generate an event queue for a test job.
922 *
923 * @param array $testParams
924 * Contains form values.
925 *
926 * @return void
927 */
928 public function getTestRecipients($testParams) {
929 if (!empty($testParams['test_group']) && array_key_exists($testParams['test_group'], CRM_Core_PseudoConstant::group())) {
930 $contacts = civicrm_api('contact', 'get', array(
931 'version' => 3,
932 'group' => $testParams['test_group'],
933 'return' => 'id',
934 'options' => array(
935 'limit' => 100000000000,
936 ),
937 )
938 );
939
940 foreach (array_keys($contacts['values']) as $groupContact) {
941 $query = "
942 SELECT civicrm_email.id AS email_id,
943 civicrm_email.is_primary as is_primary,
944 civicrm_email.is_bulkmail as is_bulkmail
945 FROM civicrm_email
946 INNER JOIN civicrm_contact ON civicrm_email.contact_id = civicrm_contact.id
947 WHERE (civicrm_email.is_bulkmail = 1 OR civicrm_email.is_primary = 1)
948 AND civicrm_contact.id = {$groupContact}
949 AND civicrm_contact.do_not_email = 0
950 AND civicrm_contact.is_deceased <> 1
951 AND civicrm_email.on_hold = 0
952 AND civicrm_contact.is_opt_out = 0
953 GROUP BY civicrm_email.id
954 ORDER BY civicrm_email.is_bulkmail DESC
955 ";
956 $dao = CRM_Core_DAO::executeQuery($query);
957 if ($dao->fetch()) {
958 $params = array(
959 'job_id' => $testParams['job_id'],
960 'email_id' => $dao->email_id,
961 'contact_id' => $groupContact,
962 );
963 CRM_Mailing_Event_BAO_Queue::create($params);
964 }
965 }
966 }
967 }
968
969 /**
970 * Load this->header and this->footer.
971 */
972 private function getHeaderFooter() {
973 if (!$this->header and $this->header_id) {
974 $this->header = new CRM_Mailing_BAO_Component();
975 $this->header->id = $this->header_id;
976 $this->header->find(TRUE);
977 $this->header->free();
978 }
979
980 if (!$this->footer and $this->footer_id) {
981 $this->footer = new CRM_Mailing_BAO_Component();
982 $this->footer->id = $this->footer_id;
983 $this->footer->find(TRUE);
984 $this->footer->free();
985 }
986 }
987
988 /**
989 * Given and array of headers and a prefix, job ID, event queue ID, and hash,
990 * add a Message-ID header if needed.
991 *
992 * i.e. if the global includeMessageId is set and there isn't already a
993 * Message-ID in the array.
994 * The message ID is structured the same way as a verp. However no interpretation
995 * is placed on the values received, so they do not need to follow the verp
996 * convention.
997 *
998 * @param array $headers
999 * Array of message headers to update, in-out.
1000 * @param string $prefix
1001 * Prefix for the message ID, use same prefixes as verp.
1002 * wherever possible
1003 * @param string $job_id
1004 * Job ID component of the generated message ID.
1005 * @param string $event_queue_id
1006 * Event Queue ID component of the generated message ID.
1007 * @param string $hash
1008 * Hash component of the generated message ID.
1009 *
1010 * @return void
1011 */
1012 public static function addMessageIdHeader(&$headers, $prefix, $job_id, $event_queue_id, $hash) {
1013 $config = CRM_Core_Config::singleton();
1014 $localpart = CRM_Core_BAO_MailSettings::defaultLocalpart();
1015 $emailDomain = CRM_Core_BAO_MailSettings::defaultDomain();
1016 $includeMessageId = CRM_Core_BAO_MailSettings::includeMessageId();
1017 $fields = array();
1018 $fields[] = 'Message-ID';
1019 // CRM-17754 check if Resent-Message-id is set also if not add it in when re-laying reply email
1020 if ($prefix == 'r') {
1021 $fields[] = 'Resent-Message-ID';
1022 }
1023 foreach ($fields as $field) {
1024 if ($includeMessageId && (!array_key_exists($field, $headers))) {
1025 $headers[$field] = '<' . implode($config->verpSeparator,
1026 array(
1027 $localpart . $prefix,
1028 $job_id,
1029 $event_queue_id,
1030 $hash,
1031 )
1032 ) . "@{$emailDomain}>";
1033 }
1034 }
1035
1036 }
1037
1038 /**
1039 * Static wrapper for getting verp and urls.
1040 *
1041 * @param int $job_id
1042 * ID of the Job associated with this message.
1043 * @param int $event_queue_id
1044 * ID of the EventQueue.
1045 * @param string $hash
1046 * Hash of the EventQueue.
1047 * @param string $email
1048 * Destination address.
1049 *
1050 * @return array
1051 * (reference) array array ref that hold array refs to the verp info and urls
1052 */
1053 public static function getVerpAndUrls($job_id, $event_queue_id, $hash, $email) {
1054 // create a skeleton object and set its properties that are required by getVerpAndUrlsAndHeaders()
1055 $config = CRM_Core_Config::singleton();
1056 $bao = new CRM_Mailing_BAO_Mailing();
1057 $bao->_domain = CRM_Core_BAO_Domain::getDomain();
1058 $bao->from_name = $bao->from_email = $bao->subject = '';
1059
1060 // use $bao's instance method to get verp and urls
1061 list($verp, $urls, $_) = $bao->getVerpAndUrlsAndHeaders($job_id, $event_queue_id, $hash, $email);
1062 return array($verp, $urls);
1063 }
1064
1065 /**
1066 * Get verp, urls and headers
1067 *
1068 * @param int $job_id
1069 * ID of the Job associated with this message.
1070 * @param int $event_queue_id
1071 * ID of the EventQueue.
1072 * @param string $hash
1073 * Hash of the EventQueue.
1074 * @param string $email
1075 * Destination address.
1076 *
1077 * @param bool $isForward
1078 *
1079 * @return array
1080 * array ref that hold array refs to the verp info, urls, and headers
1081 */
1082 public function getVerpAndUrlsAndHeaders($job_id, $event_queue_id, $hash, $email, $isForward = FALSE) {
1083 $config = CRM_Core_Config::singleton();
1084
1085 /**
1086 * Inbound VERP keys:
1087 * reply: user replied to mailing
1088 * bounce: email address bounced
1089 * unsubscribe: contact opts out of all target lists for the mailing
1090 * resubscribe: contact opts back into all target lists for the mailing
1091 * optOut: contact unsubscribes from the domain
1092 */
1093 $verp = array();
1094 $verpTokens = array(
1095 'reply' => 'r',
1096 'bounce' => 'b',
1097 'unsubscribe' => 'u',
1098 'resubscribe' => 'e',
1099 'optOut' => 'o',
1100 );
1101
1102 $localpart = CRM_Core_BAO_MailSettings::defaultLocalpart();
1103 $emailDomain = CRM_Core_BAO_MailSettings::defaultDomain();
1104 // Make sure the user configured the site correctly, otherwise you just get "Could not identify any recipients. Perhaps the group is empty?" from the mailing UI
1105 if (empty($emailDomain)) {
1106 CRM_Core_Error::debug_log_message('Error setting verp parameters, defaultDomain is NULL. Did you configure the bounce processing account for this domain?');
1107 }
1108
1109 foreach ($verpTokens as $key => $value) {
1110 $verp[$key] = implode($config->verpSeparator,
1111 array(
1112 $localpart . $value,
1113 $job_id,
1114 $event_queue_id,
1115 $hash,
1116 )
1117 ) . "@$emailDomain";
1118 }
1119
1120 //handle should override VERP address.
1121 $skipEncode = FALSE;
1122
1123 if ($job_id &&
1124 self::overrideVerp($job_id)
1125 ) {
1126 $verp['reply'] = "\"{$this->from_name}\" <{$this->from_email}>";
1127 }
1128
1129 $urls = array(
1130 'forward' => CRM_Utils_System::url('civicrm/mailing/forward',
1131 "reset=1&jid={$job_id}&qid={$event_queue_id}&h={$hash}",
1132 TRUE, NULL, TRUE, TRUE
1133 ),
1134 'unsubscribeUrl' => CRM_Utils_System::url('civicrm/mailing/unsubscribe',
1135 "reset=1&jid={$job_id}&qid={$event_queue_id}&h={$hash}",
1136 TRUE, NULL, TRUE, TRUE
1137 ),
1138 'resubscribeUrl' => CRM_Utils_System::url('civicrm/mailing/resubscribe',
1139 "reset=1&jid={$job_id}&qid={$event_queue_id}&h={$hash}",
1140 TRUE, NULL, TRUE, TRUE
1141 ),
1142 'optOutUrl' => CRM_Utils_System::url('civicrm/mailing/optout',
1143 "reset=1&jid={$job_id}&qid={$event_queue_id}&h={$hash}",
1144 TRUE, NULL, TRUE, TRUE
1145 ),
1146 'subscribeUrl' => CRM_Utils_System::url('civicrm/mailing/subscribe',
1147 'reset=1',
1148 TRUE, NULL, TRUE, TRUE
1149 ),
1150 );
1151
1152 $headers = array(
1153 'Reply-To' => $verp['reply'],
1154 'Return-Path' => $verp['bounce'],
1155 'From' => "\"{$this->from_name}\" <{$this->from_email}>",
1156 'Subject' => $this->subject,
1157 'List-Unsubscribe' => "<mailto:{$verp['unsubscribe']}>",
1158 );
1159 self::addMessageIdHeader($headers, 'm', $job_id, $event_queue_id, $hash);
1160 if ($isForward) {
1161 $headers['Subject'] = "[Fwd:{$this->subject}]";
1162 }
1163 return array(&$verp, &$urls, &$headers);
1164 }
1165
1166 /**
1167 * Compose a message.
1168 *
1169 * @param int $job_id
1170 * ID of the Job associated with this message.
1171 * @param int $event_queue_id
1172 * ID of the EventQueue.
1173 * @param string $hash
1174 * Hash of the EventQueue.
1175 * @param string $contactId
1176 * ID of the Contact.
1177 * @param string $email
1178 * Destination address.
1179 * @param string $recipient
1180 * To: of the recipient.
1181 * @param bool $test
1182 * Is this mailing a test?.
1183 * @param $contactDetails
1184 * @param $attachments
1185 * @param bool $isForward
1186 * Is this mailing compose for forward?.
1187 * @param string $fromEmail
1188 * Email address of who is forwardinf it.
1189 *
1190 * @param null $replyToEmail
1191 *
1192 * @return Mail_mime The mail object
1193 */
1194 public function compose(
1195 $job_id, $event_queue_id, $hash, $contactId,
1196 $email, &$recipient, $test,
1197 $contactDetails, &$attachments, $isForward = FALSE,
1198 $fromEmail = NULL, $replyToEmail = NULL
1199 ) {
1200 $config = CRM_Core_Config::singleton();
1201 $this->getTokens();
1202
1203 if ($this->_domain == NULL) {
1204 $this->_domain = CRM_Core_BAO_Domain::getDomain();
1205 }
1206
1207 list($verp, $urls, $headers) = $this->getVerpAndUrlsAndHeaders(
1208 $job_id,
1209 $event_queue_id,
1210 $hash,
1211 $email,
1212 $isForward
1213 );
1214
1215 //set from email who is forwarding it and not original one.
1216 if ($fromEmail) {
1217 unset($headers['From']);
1218 $headers['From'] = "<{$fromEmail}>";
1219 }
1220
1221 if ($replyToEmail && ($fromEmail != $replyToEmail)) {
1222 $headers['Reply-To'] = "{$replyToEmail}";
1223 }
1224
1225 if ($contactDetails) {
1226 $contact = $contactDetails;
1227 }
1228 elseif ($contactId === 0) {
1229 //anonymous user
1230 $contact = array();
1231 CRM_Utils_Hook::tokenValues($contact, $contactId, $job_id);
1232 }
1233 else {
1234 $params = array(array('contact_id', '=', $contactId, 0, 0));
1235 list($contact) = CRM_Contact_BAO_Query::apiQuery($params);
1236
1237 //CRM-4524
1238 $contact = reset($contact);
1239
1240 if (!$contact || is_a($contact, 'CRM_Core_Error')) {
1241 CRM_Core_Error::debug_log_message(ts('CiviMail will not send email to a non-existent contact: %1',
1242 array(1 => $contactId)
1243 ));
1244 // setting this because function is called by reference
1245 //@todo test not calling function by reference
1246 $res = NULL;
1247 return $res;
1248 }
1249
1250 // also call the hook to get contact details
1251 CRM_Utils_Hook::tokenValues($contact, $contactId, $job_id);
1252 }
1253
1254 $pTemplates = $this->getPreparedTemplates();
1255 $pEmails = array();
1256
1257 foreach ($pTemplates as $type => $pTemplate) {
1258 $html = ($type == 'html') ? TRUE : FALSE;
1259 $pEmails[$type] = array();
1260 $pEmail = &$pEmails[$type];
1261 $template = &$pTemplates[$type]['template'];
1262 $tokens = &$pTemplates[$type]['tokens'];
1263 $idx = 0;
1264 if (!empty($tokens)) {
1265 foreach ($tokens as $idx => $token) {
1266 $token_data = $this->getTokenData($token, $html, $contact, $verp, $urls, $event_queue_id);
1267 array_push($pEmail, $template[$idx]);
1268 array_push($pEmail, $token_data);
1269 }
1270 }
1271 else {
1272 array_push($pEmail, $template[$idx]);
1273 }
1274
1275 if (isset($template[($idx + 1)])) {
1276 array_push($pEmail, $template[($idx + 1)]);
1277 }
1278 }
1279
1280 $html = NULL;
1281 if (isset($pEmails['html']) && is_array($pEmails['html']) && count($pEmails['html'])) {
1282 $html = &$pEmails['html'];
1283 }
1284
1285 $text = NULL;
1286 if (isset($pEmails['text']) && is_array($pEmails['text']) && count($pEmails['text'])) {
1287 $text = &$pEmails['text'];
1288 }
1289
1290 // push the tracking url on to the html email if necessary
1291 if ($this->open_tracking && $html) {
1292 array_push($html, "\n" . '<img src="' . $config->userFrameworkResourceURL .
1293 "extern/open.php?q=$event_queue_id\" width='1' height='1' alt='' border='0'>"
1294 );
1295 }
1296
1297 $message = new Mail_mime("\n");
1298
1299 $useSmarty = defined('CIVICRM_MAIL_SMARTY') && CIVICRM_MAIL_SMARTY ? TRUE : FALSE;
1300 if ($useSmarty) {
1301 $smarty = CRM_Core_Smarty::singleton();
1302 // also add the contact tokens to the template
1303 $smarty->assign_by_ref('contact', $contact);
1304 }
1305
1306 $mailParams = $headers;
1307 if ($text && ($test || $contact['preferred_mail_format'] == 'Text' ||
1308 $contact['preferred_mail_format'] == 'Both' ||
1309 ($contact['preferred_mail_format'] == 'HTML' && !array_key_exists('html', $pEmails))
1310 )
1311 ) {
1312 $textBody = implode('', $text);
1313 if ($useSmarty) {
1314 $textBody = $smarty->fetch("string:$textBody");
1315 }
1316 $mailParams['text'] = $textBody;
1317 }
1318
1319 if ($html && ($test || ($contact['preferred_mail_format'] == 'HTML' ||
1320 $contact['preferred_mail_format'] == 'Both'
1321 ))
1322 ) {
1323 $htmlBody = implode('', $html);
1324 if ($useSmarty) {
1325 $htmlBody = $smarty->fetch("string:$htmlBody");
1326 }
1327 $mailParams['html'] = $htmlBody;
1328 }
1329
1330 if (empty($mailParams['text']) && empty($mailParams['html'])) {
1331 // CRM-9833
1332 // something went wrong, lets log it and return null (by reference)
1333 CRM_Core_Error::debug_log_message(ts('CiviMail will not send an empty mail body, Skipping: %1',
1334 array(1 => $email)
1335 ));
1336 $res = NULL;
1337 return $res;
1338 }
1339
1340 $mailParams['attachments'] = $attachments;
1341
1342 $mailParams['Subject'] = CRM_Utils_Array::value('subject', $pEmails);
1343 if (is_array($mailParams['Subject'])) {
1344 $mailParams['Subject'] = implode('', $mailParams['Subject']);
1345 }
1346
1347 $mailParams['toName'] = CRM_Utils_Array::value('display_name',
1348 $contact
1349 );
1350 $mailParams['toEmail'] = $email;
1351
1352 // Add job ID to mailParams for external email delivery service to utilise
1353 $mailParams['job_id'] = $job_id;
1354
1355 CRM_Utils_Hook::alterMailParams($mailParams, 'civimail');
1356
1357 // CRM-10699 support custom email headers
1358 if (!empty($mailParams['headers'])) {
1359 $headers = array_merge($headers, $mailParams['headers']);
1360 }
1361 //cycle through mailParams and set headers array
1362 foreach ($mailParams as $paramKey => $paramValue) {
1363 //exclude values not intended for the header
1364 if (!in_array($paramKey, array(
1365 'text',
1366 'html',
1367 'attachments',
1368 'toName',
1369 'toEmail',
1370 ))
1371 ) {
1372 $headers[$paramKey] = $paramValue;
1373 }
1374 }
1375
1376 if (!empty($mailParams['text'])) {
1377 $message->setTxtBody($mailParams['text']);
1378 }
1379
1380 if (!empty($mailParams['html'])) {
1381 $message->setHTMLBody($mailParams['html']);
1382 }
1383
1384 if (!empty($mailParams['attachments'])) {
1385 foreach ($mailParams['attachments'] as $fileID => $attach) {
1386 $message->addAttachment($attach['fullPath'],
1387 $attach['mime_type'],
1388 $attach['cleanName']
1389 );
1390 }
1391 }
1392
1393 //pickup both params from mail params.
1394 $toName = trim($mailParams['toName']);
1395 $toEmail = trim($mailParams['toEmail']);
1396 if ($toName == $toEmail ||
1397 strpos($toName, '@') !== FALSE
1398 ) {
1399 $toName = NULL;
1400 }
1401 else {
1402 $toName = CRM_Utils_Mail::formatRFC2822Name($toName);
1403 }
1404
1405 $headers['To'] = "$toName <$toEmail>";
1406
1407 $headers['Precedence'] = 'bulk';
1408 // Will test in the mail processor if the X-VERP is set in the bounced email.
1409 // (As an option to replace real VERP for those that can't set it up)
1410 $headers['X-CiviMail-Bounce'] = $verp['bounce'];
1411
1412 //CRM-5058
1413 //token replacement of subject
1414 $headers['Subject'] = $mailParams['Subject'];
1415
1416 CRM_Utils_Mail::setMimeParams($message);
1417 $headers = $message->headers($headers);
1418
1419 //get formatted recipient
1420 $recipient = $headers['To'];
1421
1422 // make sure we unset a lot of stuff
1423 unset($verp);
1424 unset($urls);
1425 unset($params);
1426 unset($contact);
1427 unset($ids);
1428
1429 return $message;
1430 }
1431
1432 /**
1433 * Replace tokens.
1434 *
1435 * Get mailing object and replaces subscribeInvite, domain and mailing tokens.
1436 *
1437 * @param CRM_Mailing_BAO_Mailing $mailing
1438 */
1439 public static function tokenReplace(&$mailing) {
1440 $domain = CRM_Core_BAO_Domain::getDomain();
1441
1442 foreach (array('text', 'html') as $type) {
1443 $tokens = $mailing->getTokens();
1444 if (isset($mailing->templates[$type])) {
1445 $mailing->templates[$type] = CRM_Utils_Token::replaceSubscribeInviteTokens($mailing->templates[$type]);
1446 $mailing->templates[$type] = CRM_Utils_Token::replaceDomainTokens(
1447 $mailing->templates[$type],
1448 $domain,
1449 $type == 'html' ? TRUE : FALSE,
1450 $tokens[$type]
1451 );
1452 $mailing->templates[$type] = CRM_Utils_Token::replaceMailingTokens($mailing->templates[$type], $mailing, NULL, $tokens[$type]);
1453 }
1454 }
1455 }
1456
1457 /**
1458 * Get data to resolve tokens.
1459 *
1460 * @param array $token_a
1461 * @param bool $html
1462 * Whether to encode the token result for use in HTML email
1463 * @param array $contact
1464 * @param string $verp
1465 * @param array $urls
1466 * @param int $event_queue_id
1467 *
1468 * @return bool|mixed|null|string
1469 */
1470 private function getTokenData(&$token_a, $html = FALSE, &$contact, &$verp, &$urls, $event_queue_id) {
1471 $type = $token_a['type'];
1472 $token = $token_a['token'];
1473 $data = $token;
1474
1475 $useSmarty = defined('CIVICRM_MAIL_SMARTY') && CIVICRM_MAIL_SMARTY ? TRUE : FALSE;
1476
1477 if ($type == 'embedded_url') {
1478 $embed_data = array();
1479 foreach ($token as $t) {
1480 $embed_data[] = $this->getTokenData($t, $html, $contact, $verp, $urls, $event_queue_id);
1481 }
1482 $numSlices = count($embed_data);
1483 $url = '';
1484 for ($i = 0; $i < $numSlices; $i++) {
1485 $url .= "{$token_a['embed_parts'][$i]}{$embed_data[$i]}";
1486 }
1487 if (isset($token_a['embed_parts'][$numSlices])) {
1488 $url .= $token_a['embed_parts'][$numSlices];
1489 }
1490 // add trailing quote since we've gobbled it up in a previous regex
1491 // function getPatterns, line 431
1492 if (preg_match('/^href[ ]*=[ ]*\'/', $url)) {
1493 $url .= "'";
1494 }
1495 elseif (preg_match('/^href[ ]*=[ ]*\"/', $url)) {
1496 $url .= '"';
1497 }
1498 $data = $url;
1499 // CRM-20206 Fix ampersand encoding in plain text emails
1500 if (empty($html)) {
1501 $data = CRM_Utils_String::unstupifyUrl($data);
1502 }
1503 }
1504 elseif ($type == 'url') {
1505 if ($this->url_tracking) {
1506 $data = CRM_Mailing_BAO_TrackableURL::getTrackerURL($token, $this->id, $event_queue_id);
1507 if (!empty($html)) {
1508 $data = htmlentities($data, ENT_NOQUOTES);
1509 }
1510 }
1511 else {
1512 $data = $token;
1513 }
1514 }
1515 elseif ($type == 'contact') {
1516 $data = CRM_Utils_Token::getContactTokenReplacement($token, $contact, FALSE, FALSE, $useSmarty);
1517 }
1518 elseif ($type == 'action') {
1519 $data = CRM_Utils_Token::getActionTokenReplacement($token, $verp, $urls, $html);
1520 }
1521 elseif ($type == 'domain') {
1522 $domain = CRM_Core_BAO_Domain::getDomain();
1523 $data = CRM_Utils_Token::getDomainTokenReplacement($token, $domain, $html);
1524 }
1525 elseif ($type == 'mailing') {
1526 if ($token == 'name') {
1527 $data = $this->name;
1528 }
1529 elseif ($token == 'group') {
1530 $groups = $this->getGroupNames();
1531 $data = implode(', ', $groups);
1532 }
1533 }
1534 else {
1535 $data = CRM_Utils_Array::value("{$type}.{$token}", $contact);
1536 }
1537 return $data;
1538 }
1539
1540 /**
1541 * Return a list of group names for this mailing. Does not work with
1542 * prior-mailing targets.
1543 *
1544 * @return array
1545 * Names of groups receiving this mailing
1546 */
1547 public function &getGroupNames() {
1548 if (!isset($this->id)) {
1549 return array();
1550 }
1551 $mg = new CRM_Mailing_DAO_MailingGroup();
1552 $mgtable = CRM_Mailing_DAO_MailingGroup::getTableName();
1553 $group = CRM_Contact_BAO_Group::getTableName();
1554
1555 $mg->query("SELECT $group.title as name FROM $mgtable
1556 INNER JOIN $group ON $mgtable.entity_id = $group.id
1557 WHERE $mgtable.mailing_id = {$this->id}
1558 AND $mgtable.entity_table = '$group'
1559 AND $mgtable.group_type = 'Include'
1560 ORDER BY $group.name");
1561
1562 $groups = array();
1563 while ($mg->fetch()) {
1564 $groups[] = $mg->name;
1565 }
1566 $mg->free();
1567 return $groups;
1568 }
1569
1570 /**
1571 * Add the mailings.
1572 *
1573 * @param array $params
1574 * Reference array contains the values submitted by the form.
1575 * @param array $ids
1576 * Reference array contains the id.
1577 *
1578 *
1579 * @return CRM_Mailing_DAO_Mailing
1580 */
1581 public static function add(&$params, $ids = array()) {
1582 $id = CRM_Utils_Array::value('mailing_id', $ids, CRM_Utils_Array::value('id', $params));
1583
1584 if ($id) {
1585 CRM_Utils_Hook::pre('edit', 'Mailing', $id, $params);
1586 }
1587 else {
1588 CRM_Utils_Hook::pre('create', 'Mailing', NULL, $params);
1589 }
1590
1591 $mailing = new static();
1592 if ($id) {
1593 $mailing->id = $id;
1594 $mailing->find(TRUE);
1595 }
1596 $mailing->domain_id = CRM_Utils_Array::value('domain_id', $params, CRM_Core_Config::domainID());
1597
1598 if (!isset($params['replyto_email']) &&
1599 isset($params['from_email'])
1600 ) {
1601 $params['replyto_email'] = $params['from_email'];
1602 }
1603 $mailing->copyValues($params);
1604
1605 // CRM-20892 Unset Modifed Date here so that MySQL can correctly set an updated modfied date.
1606 unset($mailing->modified_date);
1607 $result = $mailing->save();
1608
1609 // CRM-20892 Re find record after saing so we can set the updated modified date in the result.
1610 $mailing->find(TRUE);
1611
1612 if (isset($mailing->modified_date)) {
1613 $result->modified_date = $mailing->modified_date;
1614 }
1615
1616 if (!empty($ids['mailing'])) {
1617 CRM_Utils_Hook::post('edit', 'Mailing', $mailing->id, $mailing);
1618 }
1619 else {
1620 CRM_Utils_Hook::post('create', 'Mailing', $mailing->id, $mailing);
1621 }
1622
1623 return $result;
1624 }
1625
1626 /**
1627 * Construct a new mailing object, along with job and mailing_group
1628 * objects, from the form values of the create mailing wizard.
1629 *
1630 * This function is a bit evil. It not only merges $params and saves
1631 * the mailing -- it also schedules the mailing and chooses the recipients.
1632 * Since it merges $params, it's also the only place to correctly trigger
1633 * multi-field validation. It should be broken up.
1634 *
1635 * In the mean time, use-cases which break under the weight of this
1636 * evil may find reprieve in these extra evil params:
1637 *
1638 * - _skip_evil_bao_auto_recipients_: bool
1639 * - _skip_evil_bao_auto_schedule_: bool
1640 * - _evil_bao_validator_: string|callable
1641 *
1642 * </twowrongsmakesaright>
1643 *
1644 * @params array $params
1645 * Form values.
1646 *
1647 * @param array $params
1648 * @param array $ids
1649 *
1650 * @return object
1651 * $mailing The new mailing object
1652 * @throws \Exception
1653 */
1654 public static function create(&$params, $ids = array()) {
1655 // WTH $ids
1656 if (empty($ids) && isset($params['id'])) {
1657 $ids['mailing_id'] = $ids['id'] = $params['id'];
1658 }
1659
1660 // CRM-12430
1661 // Do the below only for an insert
1662 // for an update, we should not set the defaults
1663 if (!isset($ids['id']) && !isset($ids['mailing_id'])) {
1664 // Retrieve domain email and name for default sender
1665 $domain = civicrm_api(
1666 'Domain',
1667 'getsingle',
1668 array(
1669 'version' => 3,
1670 'current_domain' => 1,
1671 'sequential' => 1,
1672 )
1673 );
1674 if (isset($domain['from_email'])) {
1675 $domain_email = $domain['from_email'];
1676 $domain_name = $domain['from_name'];
1677 }
1678 else {
1679 $domain_email = 'info@EXAMPLE.ORG';
1680 $domain_name = 'EXAMPLE.ORG';
1681 }
1682 if (!isset($params['created_id'])) {
1683 $session =& CRM_Core_Session::singleton();
1684 $params['created_id'] = $session->get('userID');
1685 }
1686 $defaults = array(
1687 // load the default config settings for each
1688 // eg reply_id, unsubscribe_id need to use
1689 // correct template IDs here
1690 'override_verp' => TRUE,
1691 'forward_replies' => FALSE,
1692 'open_tracking' => TRUE,
1693 'url_tracking' => TRUE,
1694 'visibility' => 'Public Pages',
1695 'replyto_email' => $domain_email,
1696 'header_id' => CRM_Mailing_PseudoConstant::defaultComponent('header_id', ''),
1697 'footer_id' => CRM_Mailing_PseudoConstant::defaultComponent('footer_id', ''),
1698 'from_email' => $domain_email,
1699 'from_name' => $domain_name,
1700 'msg_template_id' => NULL,
1701 'created_id' => $params['created_id'],
1702 'approver_id' => NULL,
1703 'auto_responder' => 0,
1704 'created_date' => date('YmdHis'),
1705 'scheduled_date' => NULL,
1706 'approval_date' => NULL,
1707 );
1708
1709 // Get the default from email address, if not provided.
1710 if (empty($defaults['from_email'])) {
1711 $defaultAddress = CRM_Core_OptionGroup::values('from_email_address', NULL, NULL, NULL, ' AND is_default = 1');
1712 foreach ($defaultAddress as $id => $value) {
1713 if (preg_match('/"(.*)" <(.*)>/', $value, $match)) {
1714 $defaults['from_email'] = $match[2];
1715 $defaults['from_name'] = $match[1];
1716 }
1717 }
1718 }
1719
1720 $params = array_merge($defaults, $params);
1721 }
1722
1723 /**
1724 * Could check and warn for the following cases:
1725 *
1726 * - groups OR mailings should be populated.
1727 * - body html OR body text should be populated.
1728 */
1729
1730 $transaction = new CRM_Core_Transaction();
1731
1732 $mailing = self::add($params, $ids);
1733
1734 if (is_a($mailing, 'CRM_Core_Error')) {
1735 $transaction->rollback();
1736 return $mailing;
1737 }
1738 // update mailings with hash values
1739 CRM_Contact_BAO_Contact_Utils::generateChecksum($mailing->id, NULL, NULL, NULL, 'mailing', 16);
1740
1741 $groupTableName = CRM_Contact_BAO_Group::getTableName();
1742
1743 /* Create the mailing group record */
1744 $mg = new CRM_Mailing_DAO_MailingGroup();
1745 $groupTypes = array('include' => 'Include', 'exclude' => 'Exclude', 'base' => 'Base');
1746 foreach (array('groups', 'mailings') as $entity) {
1747 foreach (array('include', 'exclude', 'base') as $type) {
1748 if (isset($params[$entity][$type])) {
1749 self::replaceGroups($mailing->id, $groupTypes[$type], $entity, $params[$entity][$type]);
1750 }
1751 }
1752 }
1753
1754 if (!empty($params['search_id']) && !empty($params['group_id'])) {
1755 $mg->reset();
1756 $mg->mailing_id = $mailing->id;
1757 $mg->entity_table = $groupTableName;
1758 $mg->entity_id = $params['group_id'];
1759 $mg->search_id = $params['search_id'];
1760 $mg->search_args = $params['search_args'];
1761 $mg->group_type = 'Include';
1762 $mg->save();
1763 }
1764
1765 // check and attach and files as needed
1766 CRM_Core_BAO_File::processAttachment($params, 'civicrm_mailing', $mailing->id);
1767
1768 // If we're going to autosend, then check validity before saving.
1769 if (empty($params['is_completed']) && !empty($params['scheduled_date']) && $params['scheduled_date'] != 'null' && !empty($params['_evil_bao_validator_'])) {
1770 $cb = Civi\Core\Resolver::singleton()->get($params['_evil_bao_validator_']);
1771 $errors = call_user_func($cb, $mailing);
1772 if (!empty($errors)) {
1773 $fields = implode(',', array_keys($errors));
1774 throw new CRM_Core_Exception("Mailing cannot be sent. There are missing or invalid fields ($fields).", 'cannot-send', $errors);
1775 }
1776 }
1777
1778 $transaction->commit();
1779
1780 // Create parent job if not yet created.
1781 // Condition on the existence of a scheduled date.
1782 if (!empty($params['scheduled_date']) && $params['scheduled_date'] != 'null' && empty($params['_skip_evil_bao_auto_schedule_'])) {
1783 $job = new CRM_Mailing_BAO_MailingJob();
1784 $job->mailing_id = $mailing->id;
1785 // If we are creating a new Completed mailing (e.g. import from another system) set the job to completed.
1786 // Keeping former behaviour when an id is present is precautionary and may warrant reconsideration later.
1787 $job->status = ((empty($params['is_completed']) || !empty($params['id'])) ? 'Scheduled' : 'Complete');
1788 $job->is_test = 0;
1789
1790 if (!$job->find(TRUE)) {
1791 // Don't schedule job until we populate the recipients.
1792 $job->scheduled_date = NULL;
1793 $job->save();
1794 }
1795
1796 // Populate the recipients.
1797 if (empty($params['_skip_evil_bao_auto_recipients_'])) {
1798 // check if it's sms
1799 $mode = $mailing->sms_provider_id && $mailing->sms_provider_id != 'null' ? 'sms' : NULL;
1800 self::getRecipients($job->id, $mailing->id, TRUE, $mailing->dedupe_email, $mode);
1801 }
1802 // Schedule the job now that it has recipients.
1803 $job->scheduled_date = $params['scheduled_date'];
1804 $job->save();
1805 }
1806
1807 return $mailing;
1808 }
1809
1810 /**
1811 * @param CRM_Mailing_DAO_Mailing $mailing
1812 * The mailing which may or may not be sendable.
1813 * @return array
1814 * List of error messages.
1815 */
1816 public static function checkSendable($mailing) {
1817 $errors = array();
1818 foreach (array('subject', 'name', 'from_name', 'from_email') as $field) {
1819 if (empty($mailing->{$field})) {
1820 $errors[$field] = ts('Field "%1" is required.', array(
1821 1 => $field,
1822 ));
1823 }
1824 }
1825 if (empty($mailing->body_html) && empty($mailing->body_text)) {
1826 $errors['body'] = ts('Field "body_html" or "body_text" is required.');
1827 }
1828
1829 if (!Civi::settings()->get('disable_mandatory_tokens_check')) {
1830 $header = $mailing->header_id && $mailing->header_id != 'null' ? CRM_Mailing_BAO_Component::findById($mailing->header_id) : NULL;
1831 $footer = $mailing->footer_id && $mailing->footer_id != 'null' ? CRM_Mailing_BAO_Component::findById($mailing->footer_id) : NULL;
1832 foreach (array('body_html', 'body_text') as $field) {
1833 if (empty($mailing->{$field})) {
1834 continue;
1835 }
1836 $str = ($header ? $header->{$field} : '') . $mailing->{$field} . ($footer ? $footer->{$field} : '');
1837 $err = CRM_Utils_Token::requiredTokens($str);
1838 if ($err !== TRUE) {
1839 foreach ($err as $token => $desc) {
1840 $errors["{$field}:{$token}"] = ts('This message is missing a required token - {%1}: %2',
1841 array(1 => $token, 2 => $desc)
1842 );
1843 }
1844 }
1845 }
1846 }
1847
1848 return $errors;
1849 }
1850
1851 /**
1852 * Replace the list of recipients on a given mailing.
1853 *
1854 * @param int $mailingId
1855 * @param string $type
1856 * 'include' or 'exclude'.
1857 * @param string $entity
1858 * 'groups' or 'mailings'.
1859 * @param array <int> $entityIds
1860 * @throws CiviCRM_API3_Exception
1861 */
1862 public static function replaceGroups($mailingId, $type, $entity, $entityIds) {
1863 $values = array();
1864 foreach ($entityIds as $entityId) {
1865 $values[] = array('entity_id' => $entityId);
1866 }
1867 civicrm_api3('mailing_group', 'replace', array(
1868 'mailing_id' => $mailingId,
1869 'group_type' => $type,
1870 'entity_table' => ($entity == 'groups') ? CRM_Contact_BAO_Group::getTableName() : CRM_Mailing_BAO_Mailing::getTableName(),
1871 'values' => $values,
1872 ));
1873 }
1874
1875 /**
1876 * Get hash value of the mailing.
1877 *
1878 * @param $id
1879 *
1880 * @return null|string
1881 */
1882 public static function getMailingHash($id) {
1883 $hash = NULL;
1884 if (Civi::settings()->get('hash_mailing_url')) {
1885 $hash = CRM_Core_DAO::getFieldValue('CRM_Mailing_BAO_Mailing', $id, 'hash', 'id');
1886 }
1887 return $hash;
1888 }
1889
1890 /**
1891 * Generate a report. Fetch event count information, mailing data, and job
1892 * status.
1893 *
1894 * @param int $id
1895 * The mailing id to report.
1896 * @param bool $skipDetails
1897 * Whether return all detailed report.
1898 *
1899 * @param bool $isSMS
1900 *
1901 * @return array
1902 * Associative array of reporting data
1903 */
1904 public static function &report($id, $skipDetails = FALSE, $isSMS = FALSE) {
1905 $mailing_id = CRM_Utils_Type::escape($id, 'Integer');
1906
1907 $mailing = new CRM_Mailing_BAO_Mailing();
1908
1909 $t = array(
1910 'mailing' => self::getTableName(),
1911 'mailing_group' => CRM_Mailing_DAO_MailingGroup::getTableName(),
1912 'group' => CRM_Contact_BAO_Group::getTableName(),
1913 'job' => CRM_Mailing_BAO_MailingJob::getTableName(),
1914 'queue' => CRM_Mailing_Event_BAO_Queue::getTableName(),
1915 'delivered' => CRM_Mailing_Event_BAO_Delivered::getTableName(),
1916 'opened' => CRM_Mailing_Event_BAO_Opened::getTableName(),
1917 'reply' => CRM_Mailing_Event_BAO_Reply::getTableName(),
1918 'unsubscribe' => CRM_Mailing_Event_BAO_Unsubscribe::getTableName(),
1919 'bounce' => CRM_Mailing_Event_BAO_Bounce::getTableName(),
1920 'forward' => CRM_Mailing_Event_BAO_Forward::getTableName(),
1921 'url' => CRM_Mailing_BAO_TrackableURL::getTableName(),
1922 'urlopen' => CRM_Mailing_Event_BAO_TrackableURLOpen::getTableName(),
1923 'component' => CRM_Mailing_BAO_Component::getTableName(),
1924 'spool' => CRM_Mailing_BAO_Spool::getTableName(),
1925 );
1926
1927 $report = array();
1928 $additionalWhereClause = " AND ";
1929 if (!$isSMS) {
1930 $additionalWhereClause .= " {$t['mailing']}.sms_provider_id IS NULL ";
1931 }
1932 else {
1933 $additionalWhereClause .= " {$t['mailing']}.sms_provider_id IS NOT NULL ";
1934 }
1935
1936 /* Get the mailing info */
1937
1938 $mailing->query("
1939 SELECT {$t['mailing']}.*
1940 FROM {$t['mailing']}
1941 WHERE {$t['mailing']}.id = $mailing_id {$additionalWhereClause}");
1942
1943 $mailing->fetch();
1944
1945 $report['mailing'] = array();
1946 foreach (array_keys(self::fields()) as $field) {
1947 $report['mailing'][$field] = $mailing->$field;
1948 }
1949
1950 //get the campaign
1951 if ($campaignId = CRM_Utils_Array::value('campaign_id', $report['mailing'])) {
1952 $campaigns = CRM_Campaign_BAO_Campaign::getCampaigns($campaignId);
1953 $report['mailing']['campaign'] = $campaigns[$campaignId];
1954 }
1955
1956 //mailing report is called by activity
1957 //we dont need all detail report
1958 if ($skipDetails) {
1959 return $report;
1960 }
1961
1962 /* Get the component info */
1963
1964 $query = array();
1965
1966 $components = array(
1967 'header' => ts('Header'),
1968 'footer' => ts('Footer'),
1969 'reply' => ts('Reply'),
1970 'optout' => ts('Opt-Out'),
1971 'resubscribe' => ts('Resubscribe'),
1972 'unsubscribe' => ts('Unsubscribe'),
1973 );
1974 foreach (array_keys($components) as $type) {
1975 $query[] = "SELECT {$t['component']}.name as name,
1976 '$type' as type,
1977 {$t['component']}.id as id
1978 FROM {$t['component']}
1979 INNER JOIN {$t['mailing']}
1980 ON {$t['mailing']}.{$type}_id =
1981 {$t['component']}.id
1982 WHERE {$t['mailing']}.id = $mailing_id";
1983 }
1984 $q = '(' . implode(') UNION (', $query) . ')';
1985 $mailing->query($q);
1986
1987 $report['component'] = array();
1988 while ($mailing->fetch()) {
1989 $report['component'][] = array(
1990 'type' => $components[$mailing->type],
1991 'name' => $mailing->name,
1992 'link' => CRM_Utils_System::url('civicrm/mailing/component',
1993 "reset=1&action=update&id={$mailing->id}"
1994 ),
1995 );
1996 }
1997
1998 /* Get the recipient group info */
1999
2000 $mailing->query("
2001 SELECT {$t['mailing_group']}.group_type as group_type,
2002 {$t['group']}.id as group_id,
2003 {$t['group']}.title as group_title,
2004 {$t['group']}.is_hidden as group_hidden,
2005 {$t['mailing']}.id as mailing_id,
2006 {$t['mailing']}.name as mailing_name
2007 FROM {$t['mailing_group']}
2008 LEFT JOIN {$t['group']}
2009 ON {$t['mailing_group']}.entity_id = {$t['group']}.id
2010 AND {$t['mailing_group']}.entity_table =
2011 '{$t['group']}'
2012 LEFT JOIN {$t['mailing']}
2013 ON {$t['mailing_group']}.entity_id =
2014 {$t['mailing']}.id
2015 AND {$t['mailing_group']}.entity_table =
2016 '{$t['mailing']}'
2017
2018 WHERE {$t['mailing_group']}.mailing_id = $mailing_id
2019 ");
2020
2021 $report['group'] = array('include' => array(), 'exclude' => array(), 'base' => array());
2022 while ($mailing->fetch()) {
2023 $row = array();
2024 if (isset($mailing->group_id)) {
2025 $row['id'] = $mailing->group_id;
2026 $row['name'] = $mailing->group_title;
2027 $row['link'] = CRM_Utils_System::url('civicrm/group/search',
2028 "reset=1&force=1&context=smog&gid={$row['id']}"
2029 );
2030 }
2031 else {
2032 $row['id'] = $mailing->mailing_id;
2033 $row['name'] = $mailing->mailing_name;
2034 $row['mailing'] = TRUE;
2035 $row['link'] = CRM_Utils_System::url('civicrm/mailing/report',
2036 "mid={$row['id']}"
2037 );
2038 }
2039
2040 /* Rename hidden groups */
2041
2042 if ($mailing->group_hidden == 1) {
2043 $row['name'] = "Search Results";
2044 }
2045
2046 if ($mailing->group_type == 'Include') {
2047 $report['group']['include'][] = $row;
2048 }
2049 elseif ($mailing->group_type == 'Base') {
2050 $report['group']['base'][] = $row;
2051 }
2052 else {
2053 $report['group']['exclude'][] = $row;
2054 }
2055 }
2056
2057 /* Get the event totals, grouped by job (retries) */
2058
2059 $mailing->query("
2060 SELECT {$t['job']}.*,
2061 COUNT(DISTINCT {$t['queue']}.id) as queue,
2062 COUNT(DISTINCT {$t['delivered']}.id) as delivered,
2063 COUNT(DISTINCT {$t['reply']}.id) as reply,
2064 COUNT(DISTINCT {$t['forward']}.id) as forward,
2065 COUNT(DISTINCT {$t['bounce']}.id) as bounce,
2066 COUNT(DISTINCT {$t['urlopen']}.id) as url,
2067 COUNT(DISTINCT {$t['spool']}.id) as spool
2068 FROM {$t['job']}
2069 LEFT JOIN {$t['queue']}
2070 ON {$t['queue']}.job_id = {$t['job']}.id
2071 LEFT JOIN {$t['reply']}
2072 ON {$t['reply']}.event_queue_id = {$t['queue']}.id
2073 LEFT JOIN {$t['forward']}
2074 ON {$t['forward']}.event_queue_id = {$t['queue']}.id
2075 LEFT JOIN {$t['bounce']}
2076 ON {$t['bounce']}.event_queue_id = {$t['queue']}.id
2077 LEFT JOIN {$t['delivered']}
2078 ON {$t['delivered']}.event_queue_id = {$t['queue']}.id
2079 AND {$t['bounce']}.id IS null
2080 LEFT JOIN {$t['urlopen']}
2081 ON {$t['urlopen']}.event_queue_id = {$t['queue']}.id
2082 LEFT JOIN {$t['spool']}
2083 ON {$t['spool']}.job_id = {$t['job']}.id
2084 WHERE {$t['job']}.mailing_id = $mailing_id
2085 AND {$t['job']}.is_test = 0
2086 GROUP BY {$t['job']}.id");
2087
2088 $report['jobs'] = array();
2089 $report['event_totals'] = array();
2090 $elements = array(
2091 'queue',
2092 'delivered',
2093 'url',
2094 'forward',
2095 'reply',
2096 'unsubscribe',
2097 'optout',
2098 'opened',
2099 'total_opened',
2100 'bounce',
2101 'spool',
2102 );
2103
2104 // initialize various counters
2105 foreach ($elements as $field) {
2106 $report['event_totals'][$field] = 0;
2107 }
2108
2109 while ($mailing->fetch()) {
2110 $row = array();
2111 foreach ($elements as $field) {
2112 if (isset($mailing->$field)) {
2113 $row[$field] = $mailing->$field;
2114 $report['event_totals'][$field] += $mailing->$field;
2115 }
2116 }
2117
2118 // compute open total separately to discount duplicates
2119 // CRM-1258
2120 $row['opened'] = CRM_Mailing_Event_BAO_Opened::getTotalCount($mailing_id, $mailing->id, TRUE);
2121 $report['event_totals']['opened'] += $row['opened'];
2122 $row['total_opened'] = CRM_Mailing_Event_BAO_Opened::getTotalCount($mailing_id, $mailing->id);
2123 $report['event_totals']['total_opened'] += $row['total_opened'];
2124
2125 // compute unsub total separately to discount duplicates
2126 // CRM-1783
2127 $row['unsubscribe'] = CRM_Mailing_Event_BAO_Unsubscribe::getTotalCount($mailing_id, $mailing->id, TRUE, TRUE);
2128 $report['event_totals']['unsubscribe'] += $row['unsubscribe'];
2129
2130 $row['optout'] = CRM_Mailing_Event_BAO_Unsubscribe::getTotalCount($mailing_id, $mailing->id, TRUE, FALSE);
2131 $report['event_totals']['optout'] += $row['optout'];
2132
2133 foreach (array_keys(CRM_Mailing_BAO_MailingJob::fields()) as $field) {
2134 $row[$field] = $mailing->$field;
2135 }
2136
2137 if ($mailing->queue) {
2138 $row['delivered_rate'] = (100.0 * $mailing->delivered) / $mailing->queue;
2139 $row['bounce_rate'] = (100.0 * $mailing->bounce) / $mailing->queue;
2140 $row['unsubscribe_rate'] = (100.0 * $row['unsubscribe']) / $mailing->queue;
2141 $row['optout_rate'] = (100.0 * $row['optout']) / $mailing->queue;
2142 }
2143 else {
2144 $row['delivered_rate'] = 0;
2145 $row['bounce_rate'] = 0;
2146 $row['unsubscribe_rate'] = 0;
2147 $row['optout_rate'] = 0;
2148 }
2149
2150 $row['links'] = array(
2151 'clicks' => CRM_Utils_System::url(
2152 'civicrm/mailing/report/event',
2153 "reset=1&event=click&mid=$mailing_id&jid={$mailing->id}"
2154 ),
2155 'queue' => CRM_Utils_System::url(
2156 'civicrm/mailing/report/event',
2157 "reset=1&event=queue&mid=$mailing_id&jid={$mailing->id}"
2158 ),
2159 'delivered' => CRM_Utils_System::url(
2160 'civicrm/mailing/report/event',
2161 "reset=1&event=delivered&mid=$mailing_id&jid={$mailing->id}"
2162 ),
2163 'bounce' => CRM_Utils_System::url(
2164 'civicrm/mailing/report/event',
2165 "reset=1&event=bounce&mid=$mailing_id&jid={$mailing->id}"
2166 ),
2167 'unsubscribe' => CRM_Utils_System::url(
2168 'civicrm/mailing/report/event',
2169 "reset=1&event=unsubscribe&mid=$mailing_id&jid={$mailing->id}"
2170 ),
2171 'forward' => CRM_Utils_System::url(
2172 'civicrm/mailing/report/event',
2173 "reset=1&event=forward&mid=$mailing_id&jid={$mailing->id}"
2174 ),
2175 'reply' => CRM_Utils_System::url(
2176 'civicrm/mailing/report/event',
2177 "reset=1&event=reply&mid=$mailing_id&jid={$mailing->id}"
2178 ),
2179 'opened' => CRM_Utils_System::url(
2180 'civicrm/mailing/report/event',
2181 "reset=1&event=opened&mid=$mailing_id&jid={$mailing->id}"
2182 ),
2183 );
2184
2185 foreach (array(
2186 'scheduled_date',
2187 'start_date',
2188 'end_date',
2189 ) as $key) {
2190 $row[$key] = CRM_Utils_Date::customFormat($row[$key]);
2191 }
2192 $report['jobs'][] = $row;
2193 }
2194
2195 $newTableSize = CRM_Mailing_BAO_Recipients::mailingSize($mailing_id);
2196
2197 // we need to do this for backward compatibility, since old mailings did not
2198 // use the mailing_recipients table
2199 if ($newTableSize > 0) {
2200 $report['event_totals']['queue'] = $newTableSize;
2201 }
2202 else {
2203 $report['event_totals']['queue'] = self::getRecipientsCount($mailing_id, $mailing_id);
2204 }
2205
2206 if (!empty($report['event_totals']['queue'])) {
2207 $report['event_totals']['delivered_rate'] = (100.0 * $report['event_totals']['delivered']) / $report['event_totals']['queue'];
2208 $report['event_totals']['bounce_rate'] = (100.0 * $report['event_totals']['bounce']) / $report['event_totals']['queue'];
2209 $report['event_totals']['unsubscribe_rate'] = (100.0 * $report['event_totals']['unsubscribe']) / $report['event_totals']['queue'];
2210 $report['event_totals']['optout_rate'] = (100.0 * $report['event_totals']['optout']) / $report['event_totals']['queue'];
2211 }
2212 else {
2213 $report['event_totals']['delivered_rate'] = 0;
2214 $report['event_totals']['bounce_rate'] = 0;
2215 $report['event_totals']['unsubscribe_rate'] = 0;
2216 $report['event_totals']['optout_rate'] = 0;
2217 }
2218
2219 /* Get the click-through totals, grouped by URL */
2220
2221 $mailing->query("
2222 SELECT {$t['url']}.url,
2223 {$t['url']}.id,
2224 COUNT({$t['urlopen']}.id) as clicks,
2225 COUNT(DISTINCT {$t['queue']}.id) as unique_clicks
2226 FROM {$t['url']}
2227 LEFT JOIN {$t['urlopen']}
2228 ON {$t['urlopen']}.trackable_url_id = {$t['url']}.id
2229 LEFT JOIN {$t['queue']}
2230 ON {$t['urlopen']}.event_queue_id = {$t['queue']}.id
2231 LEFT JOIN {$t['job']}
2232 ON {$t['queue']}.job_id = {$t['job']}.id
2233 WHERE {$t['url']}.mailing_id = $mailing_id
2234 AND {$t['job']}.is_test = 0
2235 GROUP BY {$t['url']}.id
2236 ORDER BY unique_clicks DESC");
2237
2238 $report['click_through'] = array();
2239
2240 while ($mailing->fetch()) {
2241 $report['click_through'][] = array(
2242 'url' => $mailing->url,
2243 'link' => CRM_Utils_System::url(
2244 'civicrm/mailing/report/event',
2245 "reset=1&event=click&mid=$mailing_id&uid={$mailing->id}"
2246 ),
2247 'link_unique' => CRM_Utils_System::url(
2248 'civicrm/mailing/report/event',
2249 "reset=1&event=click&mid=$mailing_id&uid={$mailing->id}&distinct=1"
2250 ),
2251 'clicks' => $mailing->clicks,
2252 'unique' => $mailing->unique_clicks,
2253 'rate' => CRM_Utils_Array::value('delivered', $report['event_totals']) ? (100.0 * $mailing->unique_clicks) / $report['event_totals']['delivered'] : 0,
2254 'report' => CRM_Report_Utils_Report::getNextUrl('mailing/clicks', "reset=1&mailing_id_value={$mailing_id}&url_value={$mailing->url}", FALSE, TRUE),
2255 );
2256 }
2257
2258 $report['event_totals']['links'] = array(
2259 'clicks' => CRM_Utils_System::url(
2260 'civicrm/mailing/report/event',
2261 "reset=1&event=click&mid=$mailing_id"
2262 ),
2263 'clicks_unique' => CRM_Utils_System::url(
2264 'civicrm/mailing/report/event',
2265 "reset=1&event=click&mid=$mailing_id&distinct=1"
2266 ),
2267 'queue' => CRM_Utils_System::url(
2268 'civicrm/mailing/report/event',
2269 "reset=1&event=queue&mid=$mailing_id"
2270 ),
2271 'delivered' => CRM_Utils_System::url(
2272 'civicrm/mailing/report/event',
2273 "reset=1&event=delivered&mid=$mailing_id"
2274 ),
2275 'bounce' => CRM_Utils_System::url(
2276 'civicrm/mailing/report/event',
2277 "reset=1&event=bounce&mid=$mailing_id"
2278 ),
2279 'unsubscribe' => CRM_Utils_System::url(
2280 'civicrm/mailing/report/event',
2281 "reset=1&event=unsubscribe&mid=$mailing_id"
2282 ),
2283 'optout' => CRM_Utils_System::url(
2284 'civicrm/mailing/report/event',
2285 "reset=1&event=optout&mid=$mailing_id"
2286 ),
2287 'forward' => CRM_Utils_System::url(
2288 'civicrm/mailing/report/event',
2289 "reset=1&event=forward&mid=$mailing_id"
2290 ),
2291 'reply' => CRM_Utils_System::url(
2292 'civicrm/mailing/report/event',
2293 "reset=1&event=reply&mid=$mailing_id"
2294 ),
2295 'opened' => CRM_Utils_System::url(
2296 'civicrm/mailing/report/event',
2297 "reset=1&event=opened&mid=$mailing_id"
2298 ),
2299 );
2300
2301 $actionLinks = array(CRM_Core_Action::VIEW => array('name' => ts('Report')));
2302 if (CRM_Core_Permission::check('view all contacts')) {
2303 $actionLinks[CRM_Core_Action::ADVANCED] = array(
2304 'name' => ts('Advanced Search'),
2305 'url' => 'civicrm/contact/search/advanced',
2306 );
2307 }
2308 $action = array_sum(array_keys($actionLinks));
2309
2310 $report['event_totals']['actionlinks'] = array();
2311 foreach (array(
2312 'clicks',
2313 'clicks_unique',
2314 'queue',
2315 'delivered',
2316 'bounce',
2317 'unsubscribe',
2318 'forward',
2319 'reply',
2320 'opened',
2321 'optout',
2322 ) as $key) {
2323 $url = 'mailing/detail';
2324 $reportFilter = "reset=1&mailing_id_value={$mailing_id}";
2325 $searchFilter = "force=1&mailing_id=%%mid%%";
2326 switch ($key) {
2327 case 'delivered':
2328 $reportFilter .= "&delivery_status_value=successful";
2329 $searchFilter .= "&mailing_delivery_status=Y";
2330 break;
2331
2332 case 'bounce':
2333 $url = "mailing/bounce";
2334 $searchFilter .= "&mailing_delivery_status=N";
2335 break;
2336
2337 case 'forward':
2338 $reportFilter .= "&is_forwarded_value=1";
2339 $searchFilter .= "&mailing_forward=1";
2340 break;
2341
2342 case 'reply':
2343 $reportFilter .= "&is_replied_value=1";
2344 $searchFilter .= "&mailing_reply_status=Y";
2345 break;
2346
2347 case 'unsubscribe':
2348 $reportFilter .= "&is_unsubscribed_value=1";
2349 $searchFilter .= "&mailing_unsubscribe=1";
2350 break;
2351
2352 case 'optout':
2353 $reportFilter .= "&is_optout_value=1";
2354 $searchFilter .= "&mailing_optout=1";
2355 break;
2356
2357 case 'opened':
2358 $url = "mailing/opened";
2359 $searchFilter .= "&mailing_open_status=Y";
2360 break;
2361
2362 case 'clicks':
2363 case 'clicks_unique':
2364 $url = "mailing/clicks";
2365 $searchFilter .= "&mailing_click_status=Y";
2366 break;
2367 }
2368 $actionLinks[CRM_Core_Action::VIEW]['url'] = CRM_Report_Utils_Report::getNextUrl($url, $reportFilter, FALSE, TRUE);
2369 if (array_key_exists(CRM_Core_Action::ADVANCED, $actionLinks)) {
2370 $actionLinks[CRM_Core_Action::ADVANCED]['qs'] = $searchFilter;
2371 }
2372 $report['event_totals']['actionlinks'][$key] = CRM_Core_Action::formLink(
2373 $actionLinks,
2374 $action,
2375 array('mid' => $mailing_id),
2376 ts('more'),
2377 FALSE,
2378 'mailing.report.action',
2379 'Mailing',
2380 $mailing_id
2381 );
2382 }
2383
2384 return $report;
2385 }
2386
2387 /**
2388 * Get the count of mailings.
2389 *
2390 * @param
2391 *
2392 * @return int
2393 * Count
2394 */
2395 public function getCount() {
2396 $this->selectAdd();
2397 $this->selectAdd('COUNT(id) as count');
2398
2399 $session = CRM_Core_Session::singleton();
2400 $this->find(TRUE);
2401
2402 return $this->count;
2403 }
2404
2405 /**
2406 * @param int $id
2407 *
2408 * @throws Exception
2409 */
2410 public static function checkPermission($id) {
2411 if (!$id) {
2412 return;
2413 }
2414
2415 $mailingIDs = self::mailingACLIDs();
2416 if ($mailingIDs === TRUE) {
2417 return;
2418 }
2419
2420 if (!in_array($id, $mailingIDs)) {
2421 CRM_Core_Error::fatal(ts('You do not have permission to access this mailing report'));
2422 }
2423 }
2424
2425 /**
2426 * @param null $alias
2427 *
2428 * @return string
2429 */
2430 public static function mailingACL($alias = NULL) {
2431 $mailingACL = " ( 0 ) ";
2432
2433 $mailingIDs = self::mailingACLIDs();
2434 if ($mailingIDs === TRUE) {
2435 return " ( 1 ) ";
2436 }
2437
2438 if (!empty($mailingIDs)) {
2439 $mailingIDs = implode(',', $mailingIDs);
2440 $tableName = !$alias ? self::getTableName() : $alias;
2441 $mailingACL = " $tableName.id IN ( $mailingIDs ) ";
2442 }
2443 return $mailingACL;
2444 }
2445
2446 /**
2447 * Returns all the mailings that this user can access. This is dependent on
2448 * all the groups that the user has access to.
2449 * However since most civi installs dont use ACL's we special case the condition
2450 * where the user has access to ALL groups, and hence ALL mailings and return a
2451 * value of TRUE (to avoid the downstream where clause with a list of mailing list IDs
2452 *
2453 * @return bool|array
2454 * TRUE if the user has access to all mailings, else array of mailing IDs (possibly empty).
2455 */
2456 public static function mailingACLIDs() {
2457 // CRM-11633
2458 // optimize common case where admin has access
2459 // to all mailings
2460 if (
2461 CRM_Core_Permission::check('view all contacts') ||
2462 CRM_Core_Permission::check('edit all contacts')
2463 ) {
2464 return TRUE;
2465 }
2466
2467 $mailingIDs = array();
2468
2469 // get all the groups that this user can access
2470 // if they dont have universal access
2471 $groupNames = civicrm_api3('Group', 'get', array(
2472 'is_active' => 1,
2473 'check_permissions' => TRUE,
2474 'return' => array('title', 'id'),
2475 'options' => array('limit' => 0),
2476 ));
2477 foreach ($groupNames['values'] as $group) {
2478 $groups[$group['id']] = $group['title'];
2479 }
2480 if (!empty($groups)) {
2481 $groupIDs = implode(',', array_keys($groups));
2482 $domain_id = CRM_Core_Config::domainID();
2483
2484 // get all the mailings that are in this subset of groups
2485 $query = "
2486 SELECT DISTINCT( m.id ) as id
2487 FROM civicrm_mailing m
2488 LEFT JOIN civicrm_mailing_group g ON g.mailing_id = m.id
2489 WHERE ( ( g.entity_table like 'civicrm_group%' AND g.entity_id IN ( $groupIDs ) )
2490 OR ( g.entity_table IS NULL AND g.entity_id IS NULL AND m.domain_id = $domain_id ) )
2491 ";
2492 $dao = CRM_Core_DAO::executeQuery($query);
2493
2494 $mailingIDs = array();
2495 while ($dao->fetch()) {
2496 $mailingIDs[] = $dao->id;
2497 }
2498 //CRM-18181 Get all mailings that use the mailings found earlier as receipients
2499 if (!empty($mailingIDs)) {
2500 $mailings = implode(',', $mailingIDs);
2501 $mailingQuery = "
2502 SELECT DISTINCT ( m.id ) as id
2503 FROM civicrm_mailing m
2504 LEFT JOIN civicrm_mailing_group g ON g.mailing_id = m.id
2505 WHERE g.entity_table like 'civicrm_mailing%' AND g.entity_id IN ($mailings)";
2506 $mailingDao = CRM_Core_DAO::executeQuery($mailingQuery);
2507 while ($mailingDao->fetch()) {
2508 $mailingIDs[] = $mailingDao->id;
2509 }
2510 }
2511 }
2512
2513 return $mailingIDs;
2514 }
2515
2516 /**
2517 * Get the rows for a browse operation.
2518 *
2519 * @param int $offset
2520 * The row number to start from.
2521 * @param int $rowCount
2522 * The nmber of rows to return.
2523 * @param string $sort
2524 * The sql string that describes the sort order.
2525 *
2526 * @param null $additionalClause
2527 * @param array $additionalParams
2528 *
2529 * @return array
2530 * The rows
2531 */
2532 public function &getRows($offset, $rowCount, $sort, $additionalClause = NULL, $additionalParams = NULL) {
2533 $mailing = self::getTableName();
2534 $job = CRM_Mailing_BAO_MailingJob::getTableName();
2535 $group = CRM_Mailing_DAO_MailingGroup::getTableName();
2536 $session = CRM_Core_Session::singleton();
2537
2538 $mailingACL = self::mailingACL();
2539
2540 //get all campaigns.
2541 $allCampaigns = CRM_Campaign_BAO_Campaign::getCampaigns(NULL, NULL, FALSE, FALSE, FALSE, TRUE);
2542 $select = array(
2543 "$mailing.id", "$mailing.name", "$job.status",
2544 "$mailing.approval_status_id", "createdContact.sort_name as created_by", "scheduledContact.sort_name as scheduled_by",
2545 "$mailing.created_id as created_id", "$mailing.scheduled_id as scheduled_id", "$mailing.is_archived as archived",
2546 "$mailing.created_date as created_date", "campaign_id", "$mailing.sms_provider_id as sms_provider_id",
2547 "$mailing.language",
2548 );
2549
2550 // we only care about parent jobs, since that holds all the info on
2551 // the mailing
2552 $selectClause = implode(', ', $select);
2553 $groupFromSelect = CRM_Contact_BAO_Query::getGroupByFromSelectColumns($select, "$mailing.id");
2554 $query = "
2555 SELECT {$selectClause},
2556 MIN($job.scheduled_date) as scheduled_date,
2557 MIN($job.start_date) as start_date,
2558 MAX($job.end_date) as end_date
2559 FROM $mailing
2560 LEFT JOIN $job ON ( $job.mailing_id = $mailing.id AND $job.is_test = 0 AND $job.parent_id IS NULL )
2561 LEFT JOIN civicrm_contact createdContact ON ( civicrm_mailing.created_id = createdContact.id )
2562 LEFT JOIN civicrm_contact scheduledContact ON ( civicrm_mailing.scheduled_id = scheduledContact.id )
2563 WHERE $mailingACL $additionalClause";
2564
2565 if (!empty($groupFromSelect)) {
2566 $query .= $groupFromSelect;
2567 }
2568
2569 if ($sort) {
2570 $orderBy = trim($sort->orderBy());
2571 if (!empty($orderBy)) {
2572 $query .= " ORDER BY $orderBy";
2573 }
2574 }
2575
2576 if ($rowCount) {
2577 $offset = CRM_Utils_Type::escape($offset, 'Int');
2578 $rowCount = CRM_Utils_Type::escape($rowCount, 'Int');
2579
2580 $query .= " LIMIT $offset, $rowCount ";
2581 }
2582
2583 if (!$additionalParams) {
2584 $additionalParams = array();
2585 }
2586
2587 $dao = CRM_Core_DAO::executeQuery($query, $additionalParams);
2588
2589 $rows = array();
2590 while ($dao->fetch()) {
2591 $rows[] = array(
2592 'id' => $dao->id,
2593 'name' => $dao->name,
2594 'status' => $dao->status ? $dao->status : 'Not scheduled',
2595 'created_date' => CRM_Utils_Date::customFormat($dao->created_date),
2596 'scheduled' => CRM_Utils_Date::customFormat($dao->scheduled_date),
2597 'scheduled_iso' => $dao->scheduled_date,
2598 'start' => CRM_Utils_Date::customFormat($dao->start_date),
2599 'end' => CRM_Utils_Date::customFormat($dao->end_date),
2600 'created_by' => $dao->created_by,
2601 'scheduled_by' => $dao->scheduled_by,
2602 'created_id' => $dao->created_id,
2603 'scheduled_id' => $dao->scheduled_id,
2604 'archived' => $dao->archived,
2605 'approval_status_id' => $dao->approval_status_id,
2606 'campaign_id' => $dao->campaign_id,
2607 'campaign' => empty($dao->campaign_id) ? NULL : $allCampaigns[$dao->campaign_id],
2608 'sms_provider_id' => $dao->sms_provider_id,
2609 'language' => $dao->language,
2610 );
2611 }
2612 return $rows;
2613 }
2614
2615 /**
2616 * Show detail Mailing report.
2617 *
2618 * @param int $id
2619 *
2620 * @return string
2621 */
2622 public static function showEmailDetails($id) {
2623 return CRM_Utils_System::url('civicrm/mailing/report', "mid=$id");
2624 }
2625
2626 /**
2627 * Delete Mails and all its associated records.
2628 *
2629 * @param int $id
2630 * Id of the mail to delete.
2631 *
2632 * @return void
2633 */
2634 public static function del($id) {
2635 if (empty($id)) {
2636 CRM_Core_Error::fatal();
2637 }
2638
2639 CRM_Utils_Hook::pre('delete', 'Mailing', $id, CRM_Core_DAO::$_nullArray);
2640
2641 // delete all file attachments
2642 CRM_Core_BAO_File::deleteEntityFile('civicrm_mailing',
2643 $id
2644 );
2645
2646 $dao = new CRM_Mailing_DAO_Mailing();
2647 $dao->id = $id;
2648 $dao->delete();
2649
2650 CRM_Core_Session::setStatus(ts('Selected mailing has been deleted.'), ts('Deleted'), 'success');
2651
2652 CRM_Utils_Hook::post('delete', 'Mailing', $id, $dao);
2653 }
2654
2655 /**
2656 * Delete Jobss and all its associated records
2657 * related to test Mailings
2658 *
2659 * @param int $id
2660 * Id of the Job to delete.
2661 *
2662 * @return void
2663 */
2664 public static function delJob($id) {
2665 if (empty($id)) {
2666 CRM_Core_Error::fatal();
2667 }
2668
2669 $dao = new CRM_Mailing_BAO_MailingJob();
2670 $dao->id = $id;
2671 $dao->delete();
2672 }
2673
2674 /**
2675 * @return array
2676 */
2677 public function getReturnProperties() {
2678 $tokens = &$this->getTokens();
2679
2680 $properties = array();
2681 if (isset($tokens['html']) &&
2682 isset($tokens['html']['contact'])
2683 ) {
2684 $properties = array_merge($properties, $tokens['html']['contact']);
2685 }
2686
2687 if (isset($tokens['text']) &&
2688 isset($tokens['text']['contact'])
2689 ) {
2690 $properties = array_merge($properties, $tokens['text']['contact']);
2691 }
2692
2693 if (isset($tokens['subject']) &&
2694 isset($tokens['subject']['contact'])
2695 ) {
2696 $properties = array_merge($properties, $tokens['subject']['contact']);
2697 }
2698
2699 $returnProperties = array();
2700 $returnProperties['display_name'] = $returnProperties['contact_id'] = $returnProperties['preferred_mail_format'] = $returnProperties['hash'] = 1;
2701
2702 foreach ($properties as $p) {
2703 $returnProperties[$p] = 1;
2704 }
2705
2706 return $returnProperties;
2707 }
2708
2709 /**
2710 * Build the compose mail form.
2711 *
2712 * @param CRM_Core_Form $form
2713 *
2714 * @return void
2715 */
2716 public static function commonCompose(&$form) {
2717 //get the tokens.
2718 $tokens = array();
2719
2720 if (method_exists($form, 'listTokens')) {
2721 $tokens = array_merge($form->listTokens(), $tokens);
2722 }
2723
2724 //sorted in ascending order tokens by ignoring word case
2725 $form->assign('tokens', CRM_Utils_Token::formatTokensForDisplay($tokens));
2726
2727 $templates = array();
2728
2729 $textFields = array('text_message' => ts('HTML Format'), 'sms_text_message' => ts('SMS Message'));
2730 $modePrefixes = array('Mail' => NULL, 'SMS' => 'SMS');
2731
2732 $className = CRM_Utils_System::getClassName($form);
2733
2734 if ($className != 'CRM_SMS_Form_Upload' && $className != 'CRM_Contact_Form_Task_SMS' &&
2735 $className != 'CRM_Contact_Form_Task_SMS'
2736 ) {
2737 $form->add('wysiwyg', 'html_message',
2738 strstr($className, 'PDF') ? ts('Document Body') : ts('HTML Format'),
2739 array(
2740 'cols' => '80',
2741 'rows' => '8',
2742 'onkeyup' => "return verify(this)",
2743 )
2744 );
2745
2746 if ($className != 'CRM_Admin_Form_ScheduleReminders') {
2747 unset($modePrefixes['SMS']);
2748 }
2749 }
2750 else {
2751 unset($textFields['text_message']);
2752 unset($modePrefixes['Mail']);
2753 }
2754
2755 //insert message Text by selecting "Select Template option"
2756 foreach ($textFields as $id => $label) {
2757 $prefix = NULL;
2758 if ($id == 'sms_text_message') {
2759 $prefix = "SMS";
2760 $form->assign('max_sms_length', CRM_SMS_Provider::MAX_SMS_CHAR);
2761 }
2762 $form->add('textarea', $id, $label,
2763 array(
2764 'cols' => '80',
2765 'rows' => '8',
2766 'onkeyup' => "return verify(this, '{$prefix}')",
2767 )
2768 );
2769 }
2770
2771 foreach ($modePrefixes as $prefix) {
2772 if ($prefix == 'SMS') {
2773 $templates[$prefix] = CRM_Core_BAO_MessageTemplate::getMessageTemplates(FALSE, TRUE);
2774 }
2775 else {
2776 $templates[$prefix] = CRM_Core_BAO_MessageTemplate::getMessageTemplates(FALSE);
2777 }
2778 if (!empty($templates[$prefix])) {
2779 $form->assign('templates', TRUE);
2780
2781 $form->add('select', "{$prefix}template", ts('Use Template'),
2782 array('' => ts('- select -')) + $templates[$prefix], FALSE,
2783 array('onChange' => "selectValue( this.value, '{$prefix}');")
2784 );
2785 }
2786 $form->add('checkbox', "{$prefix}updateTemplate", ts('Update Template'), NULL);
2787
2788 $form->add('checkbox', "{$prefix}saveTemplate", ts('Save As New Template'), NULL, FALSE,
2789 array('onclick' => "showSaveDetails(this, '{$prefix}');")
2790 );
2791 $form->add('text', "{$prefix}saveTemplateName", ts('Template Title'));
2792 }
2793
2794 // I'm not sure this is ever called.
2795 $action = CRM_Utils_Request::retrieve('action', 'String', $form, FALSE);
2796 if ((CRM_Utils_System::getClassName($form) == 'CRM_Contact_Form_Task_PDF') &&
2797 $action == CRM_Core_Action::VIEW
2798 ) {
2799 $form->freeze('html_message');
2800 }
2801 }
2802
2803 /**
2804 * Get the search based mailing Ids.
2805 *
2806 * @return array
2807 * , searched base mailing ids.
2808 */
2809 public function searchMailingIDs() {
2810 $group = CRM_Mailing_DAO_MailingGroup::getTableName();
2811 $mailing = self::getTableName();
2812
2813 $query = "
2814 SELECT $mailing.id as mailing_id
2815 FROM $mailing, $group
2816 WHERE $group.mailing_id = $mailing.id
2817 AND $group.group_type = 'Base'";
2818
2819 $searchDAO = CRM_Core_DAO::executeQuery($query);
2820 $mailingIDs = array();
2821 while ($searchDAO->fetch()) {
2822 $mailingIDs[] = $searchDAO->mailing_id;
2823 }
2824
2825 return $mailingIDs;
2826 }
2827
2828 /**
2829 * Get the content/components of mailing based on mailing Id
2830 *
2831 * @param array $report
2832 * of mailing report.
2833 *
2834 * @param $form
2835 * Reference of this.
2836 *
2837 * @param bool $isSMS
2838 *
2839 * @return array
2840 * array content/component.
2841 */
2842 public static function getMailingContent(&$report, &$form, $isSMS = FALSE) {
2843 $htmlHeader = $textHeader = NULL;
2844 $htmlFooter = $textFooter = NULL;
2845
2846 if (!$isSMS) {
2847 if ($report['mailing']['header_id']) {
2848 $header = new CRM_Mailing_BAO_Component();
2849 $header->id = $report['mailing']['header_id'];
2850 $header->find(TRUE);
2851 $htmlHeader = $header->body_html;
2852 $textHeader = $header->body_text;
2853 }
2854
2855 if ($report['mailing']['footer_id']) {
2856 $footer = new CRM_Mailing_BAO_Component();
2857 $footer->id = $report['mailing']['footer_id'];
2858 $footer->find(TRUE);
2859 $htmlFooter = $footer->body_html;
2860 $textFooter = $footer->body_text;
2861 }
2862 }
2863
2864 $mailingKey = $form->_mailing_id;
2865 if (!$isSMS) {
2866 if ($hash = CRM_Mailing_BAO_Mailing::getMailingHash($mailingKey)) {
2867 $mailingKey = $hash;
2868 }
2869 }
2870
2871 if (!empty($report['mailing']['body_text'])) {
2872 $url = CRM_Utils_System::url('civicrm/mailing/view', 'reset=1&text=1&id=' . $mailingKey);
2873 $form->assign('textViewURL', $url);
2874 }
2875
2876 if (!$isSMS) {
2877 if (!empty($report['mailing']['body_html'])) {
2878 $url = CRM_Utils_System::url('civicrm/mailing/view', 'reset=1&id=' . $mailingKey);
2879 $form->assign('htmlViewURL', $url);
2880 }
2881 }
2882
2883 if (!$isSMS) {
2884 $report['mailing']['attachment'] = CRM_Core_BAO_File::attachmentInfo('civicrm_mailing', $form->_mailing_id);
2885 }
2886 return $report;
2887 }
2888
2889 /**
2890 * @param int $jobID
2891 *
2892 * @return mixed
2893 */
2894 public static function overrideVerp($jobID) {
2895 static $_cache = array();
2896
2897 if (!isset($_cache[$jobID])) {
2898 $query = "
2899 SELECT override_verp
2900 FROM civicrm_mailing
2901 INNER JOIN civicrm_mailing_job ON civicrm_mailing.id = civicrm_mailing_job.mailing_id
2902 WHERE civicrm_mailing_job.id = %1
2903 ";
2904 $params = array(1 => array($jobID, 'Integer'));
2905 $_cache[$jobID] = CRM_Core_DAO::singleValueQuery($query, $params);
2906 }
2907 return $_cache[$jobID];
2908 }
2909
2910 /**
2911 * @param null $mode
2912 *
2913 * @return bool
2914 * @throws Exception
2915 */
2916 public static function processQueue($mode = NULL) {
2917 $config = CRM_Core_Config::singleton();
2918
2919 if ($mode == NULL && CRM_Core_BAO_MailSettings::defaultDomain() == "EXAMPLE.ORG") {
2920 throw new CRM_Core_Exception(ts('The <a href="%1">default mailbox</a> has not been configured. You will find <a href="%2">more info in the online system administrator guide</a>', array(
2921 1 => CRM_Utils_System::url('civicrm/admin/mailSettings', 'reset=1'),
2922 2 => "https://docs.civicrm.org/sysadmin/en/latest/setup/civimail/",
2923 )));
2924 }
2925
2926 // check if we are enforcing number of parallel cron jobs
2927 // CRM-8460
2928 $gotCronLock = FALSE;
2929
2930 $mailerJobsMax = Civi::settings()->get('mailerJobsMax');
2931 if (is_numeric($mailerJobsMax) && $mailerJobsMax > 0) {
2932 $lockArray = range(1, $mailerJobsMax);
2933
2934 // Shuffle the array to improve chances of quickly finding an open thread
2935 shuffle($lockArray);
2936
2937 // Check if we are using global locks
2938 foreach ($lockArray as $lockID) {
2939 $cronLock = Civi::lockManager()->acquire("worker.mailing.send.{$lockID}");
2940 if ($cronLock->isAcquired()) {
2941 $gotCronLock = TRUE;
2942 break;
2943 }
2944 }
2945
2946 // Exit here since we have enough mailing processes running
2947 if (!$gotCronLock) {
2948 CRM_Core_Error::debug_log_message('Returning early, since the maximum number of mailing processes are running');
2949 return TRUE;
2950 }
2951
2952 if (getenv('CIVICRM_CRON_HOLD')) {
2953 // In testing, we may need to simulate some slow activities.
2954 sleep(getenv('CIVICRM_CRON_HOLD'));
2955 }
2956 }
2957
2958 // Split up the parent jobs into multiple child jobs
2959 $mailerJobSize = Civi::settings()->get('mailerJobSize');
2960 CRM_Mailing_BAO_MailingJob::runJobs_pre($mailerJobSize, $mode);
2961 CRM_Mailing_BAO_MailingJob::runJobs(NULL, $mode);
2962 CRM_Mailing_BAO_MailingJob::runJobs_post($mode);
2963
2964 // Release the global lock if we do have one
2965 if ($gotCronLock) {
2966 $cronLock->release();
2967 }
2968
2969 return TRUE;
2970 }
2971
2972 /**
2973 * @param int $mailingID
2974 */
2975 private static function addMultipleEmails($mailingID) {
2976 $sql = "
2977 INSERT INTO civicrm_mailing_recipients
2978 (mailing_id, email_id, contact_id)
2979 SELECT %1, e.id, e.contact_id FROM civicrm_email e
2980 WHERE e.on_hold = 0
2981 AND e.is_bulkmail = 1
2982 AND e.contact_id IN
2983 ( SELECT contact_id FROM civicrm_mailing_recipients mr WHERE mailing_id = %1 )
2984 AND e.id NOT IN ( SELECT email_id FROM civicrm_mailing_recipients mr WHERE mailing_id = %1 )
2985 ";
2986 $params = array(1 => array($mailingID, 'Integer'));
2987
2988 $dao = CRM_Core_DAO::executeQuery($sql, $params);
2989 }
2990
2991 /**
2992 * @param bool $isSMS
2993 *
2994 * @return mixed
2995 */
2996 public static function getMailingsList($isSMS = FALSE) {
2997 static $list = array();
2998 $where = " WHERE ";
2999 if (!$isSMS) {
3000 $where .= " civicrm_mailing.sms_provider_id IS NULL ";
3001 }
3002 else {
3003 $where .= " civicrm_mailing.sms_provider_id IS NOT NULL ";
3004 }
3005
3006 if (empty($list)) {
3007 $query = "
3008 SELECT civicrm_mailing.id, civicrm_mailing.name, civicrm_mailing_job.end_date
3009 FROM civicrm_mailing
3010 INNER JOIN civicrm_mailing_job ON civicrm_mailing.id = civicrm_mailing_job.mailing_id {$where}
3011 ORDER BY civicrm_mailing.name";
3012 $mailing = CRM_Core_DAO::executeQuery($query);
3013
3014 while ($mailing->fetch()) {
3015 $list[$mailing->id] = "{$mailing->name} :: {$mailing->end_date}";
3016 }
3017 }
3018
3019 return $list;
3020 }
3021
3022 /**
3023 * @param int $mid
3024 *
3025 * @return null|string
3026 */
3027 public static function hiddenMailingGroup($mid) {
3028 $sql = "
3029 SELECT g.id
3030 FROM civicrm_mailing m
3031 INNER JOIN civicrm_mailing_group mg ON mg.mailing_id = m.id
3032 INNER JOIN civicrm_group g ON mg.entity_id = g.id AND mg.entity_table = 'civicrm_group'
3033 WHERE g.is_hidden = 1
3034 AND mg.group_type = 'Include'
3035 AND m.id = %1
3036 ";
3037 $params = array(1 => array($mid, 'Integer'));
3038 return CRM_Core_DAO::singleValueQuery($sql, $params);
3039 }
3040
3041 /**
3042 * wrapper for ajax activity selector.
3043 *
3044 * @param array $params
3045 * Associated array for params record id.
3046 *
3047 * @return array
3048 * associated array of contact activities
3049 */
3050 public static function getContactMailingSelector(&$params) {
3051 // format the params
3052 $params['offset'] = ($params['page'] - 1) * $params['rp'];
3053 $params['rowCount'] = $params['rp'];
3054 $params['sort'] = CRM_Utils_Array::value('sortBy', $params);
3055 $params['caseId'] = NULL;
3056
3057 // get contact mailings
3058 $mailings = CRM_Mailing_BAO_Mailing::getContactMailings($params);
3059
3060 // add total
3061 $params['total'] = CRM_Mailing_BAO_Mailing::getContactMailingsCount($params);
3062
3063 //CRM-12814
3064 if (!empty($mailings)) {
3065 $openCounts = CRM_Mailing_Event_BAO_Opened::getMailingContactCount(array_keys($mailings), $params['contact_id']);
3066 $clickCounts = CRM_Mailing_Event_BAO_TrackableURLOpen::getMailingContactCount(array_keys($mailings), $params['contact_id']);
3067 }
3068
3069 // format params and add links
3070 $contactMailings = array();
3071 foreach ($mailings as $mailingId => $values) {
3072 $mailing = array();
3073 $mailing['subject'] = $values['subject'];
3074 $mailing['creator_name'] = CRM_Utils_System::href(
3075 $values['creator_name'],
3076 'civicrm/contact/view',
3077 "reset=1&cid={$values['creator_id']}");
3078 $mailing['recipients'] = CRM_Utils_System::href(ts('(recipients)'), 'civicrm/mailing/report/event',
3079 "mid={$values['mailing_id']}&reset=1&cid={$params['contact_id']}&event=queue&context=mailing");
3080 $mailing['start_date'] = CRM_Utils_Date::customFormat($values['start_date']);
3081 //CRM-12814
3082 $mailing['openstats'] = "Opens: " .
3083 CRM_Utils_Array::value($values['mailing_id'], $openCounts, 0) .
3084 "<br />Clicks: " .
3085 CRM_Utils_Array::value($values['mailing_id'], $clickCounts, 0);
3086
3087 $actionLinks = array(
3088 CRM_Core_Action::VIEW => array(
3089 'name' => ts('View'),
3090 'url' => 'civicrm/mailing/view',
3091 'qs' => "reset=1&id=%%mkey%%",
3092 'title' => ts('View Mailing'),
3093 'class' => 'crm-popup',
3094 ),
3095 CRM_Core_Action::BROWSE => array(
3096 'name' => ts('Mailing Report'),
3097 'url' => 'civicrm/mailing/report',
3098 'qs' => "mid=%%mid%%&reset=1&cid=%%cid%%&context=mailing",
3099 'title' => ts('View Mailing Report'),
3100 ),
3101 );
3102
3103 $mailingKey = $values['mailing_id'];
3104 if ($hash = CRM_Mailing_BAO_Mailing::getMailingHash($mailingKey)) {
3105 $mailingKey = $hash;
3106 }
3107
3108 $mailing['links'] = CRM_Core_Action::formLink(
3109 $actionLinks,
3110 NULL,
3111 array(
3112 'mid' => $values['mailing_id'],
3113 'cid' => $params['contact_id'],
3114 'mkey' => $mailingKey,
3115 ),
3116 ts('more'),
3117 FALSE,
3118 'mailing.contact.action',
3119 'Mailing',
3120 $values['mailing_id']
3121 );
3122
3123 array_push($contactMailings, $mailing);
3124 }
3125
3126 $contactMailingsDT = array();
3127 $contactMailingsDT['data'] = $contactMailings;
3128 $contactMailingsDT['recordsTotal'] = $params['total'];
3129 $contactMailingsDT['recordsFiltered'] = $params['total'];
3130
3131 return $contactMailingsDT;
3132 }
3133
3134 /**
3135 * Retrieve contact mailing.
3136 *
3137 * @param array $params
3138 *
3139 * @return array
3140 * Array of mailings for a contact
3141 *
3142 */
3143 static public function getContactMailings(&$params) {
3144 $params['version'] = 3;
3145 $params['offset'] = ($params['page'] - 1) * $params['rp'];
3146 $params['limit'] = $params['rp'];
3147 $params['sort'] = CRM_Utils_Array::value('sortBy', $params);
3148
3149 $result = civicrm_api('MailingContact', 'get', $params);
3150 return $result['values'];
3151 }
3152
3153 /**
3154 * Retrieve contact mailing count.
3155 *
3156 * @param array $params
3157 *
3158 * @return int
3159 * count of mailings for a contact
3160 *
3161 */
3162 static public function getContactMailingsCount(&$params) {
3163 $params['version'] = 3;
3164 return civicrm_api('MailingContact', 'getcount', $params);
3165 }
3166
3167 /**
3168 * Get a list of permissions required for CRUD'ing each field
3169 * (when workflow is enabled).
3170 *
3171 * @return array
3172 * Array (string $fieldName => string $permName)
3173 */
3174 public static function getWorkflowFieldPerms() {
3175 $fieldNames = array_keys(CRM_Mailing_DAO_Mailing::fields());
3176 $fieldPerms = array();
3177 foreach ($fieldNames as $fieldName) {
3178 if ($fieldName == 'id') {
3179 $fieldPerms[$fieldName] = array(
3180 array('access CiviMail', 'schedule mailings', 'approve mailings', 'create mailings'), // OR
3181 );
3182 }
3183 elseif (in_array($fieldName, array('scheduled_date', 'scheduled_id'))) {
3184 $fieldPerms[$fieldName] = array(
3185 array('access CiviMail', 'schedule mailings'), // OR
3186 );
3187 }
3188 elseif (in_array($fieldName, array('approval_date', 'approver_id', 'approval_status_id', 'approval_note'))) {
3189 $fieldPerms[$fieldName] = array(
3190 array('access CiviMail', 'approve mailings'), // OR
3191 );
3192 }
3193 else {
3194 $fieldPerms[$fieldName] = array(
3195 array('access CiviMail', 'create mailings'), // OR
3196 );
3197 }
3198 }
3199 return $fieldPerms;
3200 }
3201
3202 /**
3203 * White-list of possible values for the entity_table field.
3204 *
3205 * @return array
3206 */
3207 public static function mailingGroupEntityTables() {
3208 return array(
3209 CRM_Contact_BAO_Group::getTableName() => 'Group',
3210 CRM_Mailing_BAO_Mailing::getTableName() => 'Mailing',
3211 );
3212 }
3213
3214 /**
3215 * Get the public view url.
3216 *
3217 * @param int $id
3218 * @param bool $absolute
3219 *
3220 * @return string
3221 */
3222 public static function getPublicViewUrl($id, $absolute = TRUE) {
3223 if ((civicrm_api3('Mailing', 'getvalue', array('id' => $id, 'return' => 'visibility'))) === 'Public Pages') {
3224 return CRM_Utils_System::url('civicrm/mailing/view', array('id' => $id), $absolute, NULL, TRUE, TRUE);
3225 }
3226 }
3227
3228 /**
3229 * Get a list of template types which can be used as `civicrm_mailing.template_type`.
3230 *
3231 * @return array
3232 * A list of template-types, keyed numerically. Each defines:
3233 * - name: string, a short symbolic name
3234 * - editorUrl: string, Angular template name
3235 *
3236 * Ex: $templateTypes[0] === array('name' => 'mosaico', 'editorUrl' => '~/crmMosaico/editor.html').
3237 */
3238 public static function getTemplateTypes() {
3239 if (!isset(Civi::$statics[__CLASS__]['templateTypes'])) {
3240 $types = array();
3241 $types[] = array(
3242 'name' => 'traditional',
3243 'editorUrl' => CRM_Mailing_Info::workflowEnabled() ? '~/crmMailing/EditMailingCtrl/workflow.html' : '~/crmMailing/EditMailingCtrl/2step.html',
3244 'weight' => 0,
3245 );
3246
3247 CRM_Utils_Hook::mailingTemplateTypes($types);
3248
3249 $defaults = array('weight' => 0);
3250 foreach (array_keys($types) as $typeName) {
3251 $types[$typeName] = array_merge($defaults, $types[$typeName]);
3252 }
3253 usort($types, function ($a, $b) {
3254 if ($a['weight'] === $b['weight']) {
3255 return 0;
3256 }
3257 return $a['weight'] < $b['weight'] ? -1 : 1;
3258 });
3259
3260 Civi::$statics[__CLASS__]['templateTypes'] = $types;
3261 }
3262
3263 return Civi::$statics[__CLASS__]['templateTypes'];
3264 }
3265
3266 /**
3267 * Get a list of template types.
3268 *
3269 * @return array
3270 * Array(string $name => string $label).
3271 */
3272 public static function getTemplateTypeNames() {
3273 $r = array();
3274 foreach (self::getTemplateTypes() as $type) {
3275 $r[$type['name']] = $type['name'];
3276 }
3277 return $r;
3278 }
3279
3280 }