eb8f1933d9402694ca005ab6680cc766ea4cf82d
[civicrm-core.git] / CRM / Event / BAO / Event.php
1 <?php
2 /*
3 +--------------------------------------------------------------------+
4 | CiviCRM version 4.7 |
5 +--------------------------------------------------------------------+
6 | Copyright CiviCRM LLC (c) 2004-2015 |
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-2015
32 */
33 class CRM_Event_BAO_Event extends CRM_Event_DAO_Event {
34
35 /**
36 * Class constructor.
37 */
38 public function __construct() {
39 parent::__construct();
40 }
41
42 /**
43 * Fetch object based on array of properties.
44 *
45 * @param array $params
46 * (reference ) an assoc array of name/value pairs.
47 * @param array $defaults
48 * (reference ) an assoc array to hold the flattened values.
49 *
50 * @return CRM_Event_DAO_Event
51 */
52 public static function retrieve(&$params, &$defaults) {
53 $event = new CRM_Event_DAO_Event();
54 $event->copyValues($params);
55 if ($event->find(TRUE)) {
56 CRM_Core_DAO::storeValues($event, $defaults);
57 return $event;
58 }
59 return NULL;
60 }
61
62 /**
63 * Update the is_active flag in the db.
64 *
65 * @param int $id
66 * Id of the database record.
67 * @param bool $is_active
68 * Value we want to set the is_active field.
69 *
70 * @return Object
71 * DAO object on success, null otherwise
72 */
73 public static function setIsActive($id, $is_active) {
74 return CRM_Core_DAO::setFieldValue('CRM_Event_DAO_Event', $id, 'is_active', $is_active);
75 }
76
77 /**
78 * Add the event.
79 *
80 * @param array $params
81 * Reference array contains the values submitted by the form.
82 *
83 * @return CRM_Event_DAO_Event
84 */
85 public static function add(&$params) {
86 CRM_Utils_System::flushCache();
87 $financialTypeId = NULL;
88 if (!empty($params['id'])) {
89 CRM_Utils_Hook::pre('edit', 'Event', $params['id'], $params);
90 if (empty($params['skipFinancialType'])) {
91 $financialTypeId = CRM_Core_DAO::getFieldValue('CRM_Event_DAO_Event', $params['id'], 'financial_type_id');
92 }
93 }
94 else {
95 CRM_Utils_Hook::pre('create', 'Event', NULL, $params);
96 }
97
98 $event = new CRM_Event_DAO_Event();
99
100 $event->copyValues($params);
101 $result = $event->save();
102
103 if (!empty($params['id'])) {
104 CRM_Utils_Hook::post('edit', 'Event', $event->id, $event);
105 }
106 else {
107 CRM_Utils_Hook::post('create', 'Event', $event->id, $event);
108 }
109 if ($financialTypeId && !empty($params['financial_type_id']) && $financialTypeId != $params['financial_type_id']) {
110 CRM_Price_BAO_PriceFieldValue::updateFinancialType($params['id'], 'civicrm_event', $params['financial_type_id']);
111 }
112 return $result;
113 }
114
115 /**
116 * Create the event.
117 *
118 * @param array $params
119 * Reference array contains the values submitted by the form.
120 *
121 * @return object
122 */
123 public static function create(&$params) {
124 $transaction = new CRM_Core_Transaction();
125 if (empty($params['is_template'])) {
126 $params['is_template'] = 0;
127 }
128 // check if new event, if so set the created_id (if not set)
129 // and always set created_date to now
130 if (empty($params['id'])) {
131 if (empty($params['created_id'])) {
132 $session = CRM_Core_Session::singleton();
133 $params['created_id'] = $session->get('userID');
134 }
135 $params['created_date'] = date('YmdHis');
136 }
137
138 $event = self::add($params);
139 CRM_Price_BAO_PriceSet::setPriceSets($params, $event, 'event');
140 if (is_a($event, 'CRM_Core_Error')) {
141 CRM_Core_DAO::transaction('ROLLBACK');
142 return $event;
143 }
144
145 $session = CRM_Core_Session::singleton();
146 $contactId = $session->get('userID');
147 if (!$contactId) {
148 $contactId = CRM_Utils_Array::value('contact_id', $params);
149 }
150
151 // Log the information on successful add/edit of Event
152 $logParams = array(
153 'entity_table' => 'civicrm_event',
154 'entity_id' => $event->id,
155 'modified_id' => $contactId,
156 'modified_date' => date('Ymd'),
157 );
158
159 CRM_Core_BAO_Log::add($logParams);
160
161 if (!empty($params['custom']) &&
162 is_array($params['custom'])
163 ) {
164 CRM_Core_BAO_CustomValueTable::store($params['custom'], 'civicrm_event', $event->id);
165 }
166
167 $transaction->commit();
168
169 return $event;
170 }
171
172 /**
173 * Delete the event.
174 *
175 * @param int $id
176 * Event id.
177 *
178 * @return mixed|null
179 */
180 public static function del($id) {
181 if (!$id) {
182 return NULL;
183 }
184
185 CRM_Utils_Hook::pre('delete', 'Event', $id, CRM_Core_DAO::$_nullArray);
186
187 $extends = array('event');
188 $groupTree = CRM_Core_BAO_CustomGroup::getGroupDetail(NULL, NULL, $extends);
189 foreach ($groupTree as $values) {
190 $query = "DELETE FROM " . $values['table_name'] . " WHERE entity_id = " . $id;
191
192 $params = array(
193 1 => array($values['table_name'], 'string'),
194 2 => array($id, 'integer'),
195 );
196
197 CRM_Core_DAO::executeQuery($query, CRM_Core_DAO::$_nullArray);
198 }
199
200 // price set cleanup, CRM-5527
201 CRM_Price_BAO_PriceSet::removeFrom('civicrm_event', $id);
202
203 $event = new CRM_Event_DAO_Event();
204 $event->id = $id;
205
206 if ($event->find(TRUE)) {
207 $locBlockId = $event->loc_block_id;
208 $result = $event->delete();
209
210 if (!is_null($locBlockId)) {
211 self::deleteEventLocBlock($locBlockId, $id);
212 }
213
214 CRM_Utils_Hook::post('delete', 'Event', $id, $event);
215 return $result;
216 }
217
218 return NULL;
219 }
220
221 /**
222 * Delete the location block associated with an event.
223 *
224 * Function checks that it is not being used by any other event.
225 *
226 * @param int $locBlockId
227 * Location block id to be deleted.
228 * @param int $eventId
229 * Event with which loc block is associated.
230 */
231 public static function deleteEventLocBlock($locBlockId, $eventId = NULL) {
232 $query = "SELECT count(ce.id) FROM civicrm_event ce WHERE ce.loc_block_id = $locBlockId";
233
234 if ($eventId) {
235 $query .= " AND ce.id != $eventId;";
236 }
237
238 $locCount = CRM_Core_DAO::singleValueQuery($query);
239
240 if ($locCount == 0) {
241 CRM_Core_BAO_Location::deleteLocBlock($locBlockId);
242 }
243 }
244
245 /**
246 * Get current/future Events.
247 *
248 * @param int $all
249 * 0 returns current and future events.
250 * 1 if events all are required
251 * 2 returns events since 3 months ago
252 * @param int|array $id single int event id or array of multiple event ids to return
253 * @param bool $isActive
254 * true if you need only active events.
255 * @param bool $checkPermission
256 * true if you need to check permission else false.
257 * @param bool $titleOnly
258 * true if you need only title not appended with start date
259 *
260 * @return array
261 */
262 public static function getEvents(
263 $all = 0,
264 $id = NULL,
265 $isActive = TRUE,
266 $checkPermission = TRUE,
267 $titleOnly = FALSE
268 ) {
269 $query = "
270 SELECT `id`, `title`, `start_date`
271 FROM `civicrm_event`
272 WHERE ( civicrm_event.is_template IS NULL OR civicrm_event.is_template = 0 )";
273
274 if (!empty($id)) {
275 $op = is_array($id) ? 'IN' : '=';
276 $where = CRM_Contact_BAO_Query::buildClause('id', $op, $id);
277 $query .= " AND {$where}";
278 }
279 elseif ($all == 0) {
280 // find only events ending in the future
281 $endDate = date('YmdHis');
282 $query .= "
283 AND ( `end_date` >= {$endDate} OR
284 (
285 ( end_date IS NULL OR end_date = '' ) AND start_date >= {$endDate}
286 )
287 )";
288 }
289 elseif ($all == 2) {
290 // find only events starting in the last 3 months
291 $startDate = date('YmdHis', strtotime('3 months ago'));
292 $query .= " AND ( `start_date` >= {$startDate} OR start_date IS NULL )";
293 }
294 if ($isActive) {
295 $query .= " AND civicrm_event.is_active = 1";
296 }
297
298 $query .= " ORDER BY title asc";
299 $events = array();
300
301 $dao = CRM_Core_DAO::executeQuery($query);
302 while ($dao->fetch()) {
303 if ((!$checkPermission ||
304 CRM_Event_BAO_Event::checkPermission($dao->id)
305 ) &&
306 $dao->title
307 ) {
308 $events[$dao->id] = $dao->title;
309 if (!$titleOnly) {
310 $events[$dao->id] .= ' - ' . CRM_Utils_Date::customFormat($dao->start_date);
311 }
312 }
313 }
314
315 return $events;
316 }
317
318 /**
319 * Get events Summary.
320 *
321 * @return array
322 * Array of event summary values
323 */
324 public static function getEventSummary() {
325 $eventSummary = $eventIds = array();
326 $config = CRM_Core_Config::singleton();
327
328 // get permission and include them here
329 // does not scale, but rearranging code for now
330 // FIXME in a future release
331 $permissions = CRM_Event_BAO_Event::checkPermission();
332 $validEventIDs = '';
333 if (empty($permissions[CRM_Core_Permission::VIEW])) {
334 $eventSummary['total_events'] = 0;
335 return $eventSummary;
336 }
337 else {
338 $validEventIDs = " AND civicrm_event.id IN ( " . implode(',', array_values($permissions[CRM_Core_Permission::VIEW])) . " ) ";
339 }
340
341 // We're fetching recent and upcoming events (where start date is 7 days ago OR later)
342 $query = "
343 SELECT count(id) as total_events
344 FROM civicrm_event
345 WHERE civicrm_event.is_active = 1 AND
346 ( civicrm_event.is_template IS NULL OR civicrm_event.is_template = 0) AND
347 civicrm_event.start_date >= DATE_SUB( NOW(), INTERVAL 7 day )
348 $validEventIDs";
349
350 $dao = CRM_Core_DAO::executeQuery($query);
351
352 if ($dao->fetch()) {
353 $eventSummary['total_events'] = $dao->total_events;
354 }
355
356 if (empty($eventSummary) ||
357 $dao->total_events == 0
358 ) {
359 return $eventSummary;
360 }
361
362 //get the participant status type values.
363 $cpstObject = new CRM_Event_DAO_ParticipantStatusType();
364 $cpst = $cpstObject->getTableName();
365 $query = "SELECT id, name, label, class FROM $cpst";
366 $status = CRM_Core_DAO::executeQuery($query);
367 $statusValues = array();
368 while ($status->fetch()) {
369 $statusValues[$status->id]['id'] = $status->id;
370 $statusValues[$status->id]['name'] = $status->name;
371 $statusValues[$status->id]['label'] = $status->label;
372 $statusValues[$status->id]['class'] = $status->class;
373 }
374
375 // Get the Id of Option Group for Event Types
376 $optionGroupDAO = new CRM_Core_DAO_OptionGroup();
377 $optionGroupDAO->name = 'event_type';
378 $optionGroupId = NULL;
379 if ($optionGroupDAO->find(TRUE)) {
380 $optionGroupId = $optionGroupDAO->id;
381 }
382 // Get the event summary display preferences
383 $show_max_events = CRM_Core_BAO_Setting::getItem(CRM_Core_BAO_Setting::EVENT_PREFERENCES_NAME,
384 'show_events'
385 );
386 // default to 10 if no option is set
387 if (is_null($show_max_events)) {
388 $show_max_events = 10;
389 }
390 // show all events if show_events is set to a negative value
391 if ($show_max_events >= 0) {
392 $event_summary_limit = "LIMIT 0, $show_max_events";
393 }
394 else {
395 $event_summary_limit = "";
396 }
397
398 $query = "
399 SELECT civicrm_event.id as id, civicrm_event.title as event_title, civicrm_event.is_public as is_public,
400 civicrm_event.max_participants as max_participants, civicrm_event.start_date as start_date,
401 civicrm_event.end_date as end_date, civicrm_event.is_online_registration, civicrm_event.is_monetary, civicrm_event.is_show_location,civicrm_event.is_map as is_map, civicrm_option_value.label as event_type, civicrm_tell_friend.is_active as is_friend_active,
402 civicrm_event.slot_label_id,
403 civicrm_event.summary as summary,
404 civicrm_pcp_block.id as is_pcp_enabled,
405 civicrm_recurring_entity.parent_id as is_repeating_event
406 FROM civicrm_event
407 LEFT JOIN civicrm_option_value ON (
408 civicrm_event.event_type_id = civicrm_option_value.value AND
409 civicrm_option_value.option_group_id = %1 )
410 LEFT JOIN civicrm_tell_friend ON ( civicrm_tell_friend.entity_id = civicrm_event.id AND civicrm_tell_friend.entity_table = 'civicrm_event' )
411 LEFT JOIN civicrm_pcp_block ON ( civicrm_pcp_block.entity_id = civicrm_event.id AND civicrm_pcp_block.entity_table = 'civicrm_event')
412 LEFT JOIN civicrm_recurring_entity ON ( civicrm_event.id = civicrm_recurring_entity.entity_id AND civicrm_recurring_entity.entity_table = 'civicrm_event' )
413 WHERE civicrm_event.is_active = 1 AND
414 ( civicrm_event.is_template IS NULL OR civicrm_event.is_template = 0) AND
415 civicrm_event.start_date >= DATE_SUB( NOW(), INTERVAL 7 day )
416 $validEventIDs
417 GROUP BY civicrm_event.id
418 ORDER BY civicrm_event.start_date ASC
419 $event_summary_limit
420 ";
421 $eventParticipant = array();
422
423 $properties = array(
424 'id' => 'id',
425 'eventTitle' => 'event_title',
426 'isPublic' => 'is_public',
427 'maxParticipants' => 'max_participants',
428 'startDate' => 'start_date',
429 'endDate' => 'end_date',
430 'eventType' => 'event_type',
431 'isMap' => 'is_map',
432 'participants' => 'participants',
433 'notCountedDueToRole' => 'notCountedDueToRole',
434 'notCountedDueToStatus' => 'notCountedDueToStatus',
435 'notCountedParticipants' => 'notCountedParticipants',
436 );
437
438 $params = array(1 => array($optionGroupId, 'Integer'));
439 $mapping = CRM_Utils_Array::first(CRM_Core_BAO_ActionSchedule::getMappings(array(
440 'id' => CRM_Event_ActionMapping::EVENT_NAME_MAPPING_ID,
441 )));
442 $dao = CRM_Core_DAO::executeQuery($query, $params);
443 while ($dao->fetch()) {
444 foreach ($properties as $property => $name) {
445 $set = NULL;
446 switch ($name) {
447 case 'is_public':
448 if ($dao->$name) {
449 $set = 'Yes';
450 }
451 else {
452 $set = 'No';
453 }
454 $eventSummary['events'][$dao->id][$property] = $set;
455 break;
456
457 case 'is_map':
458 if ($dao->$name && $config->mapAPIKey) {
459 $values = array();
460 $ids = array();
461 $params = array('entity_id' => $dao->id, 'entity_table' => 'civicrm_event');
462 $values['location'] = CRM_Core_BAO_Location::getValues($params, TRUE);
463 if (is_numeric(CRM_Utils_Array::value('geo_code_1', $values['location']['address'][1])) ||
464 (
465 !empty($values['location']['address'][1]['city']) &&
466 !empty($values['location']['address'][1]['state_province_id'])
467 )
468 ) {
469 $set = CRM_Utils_System::url('civicrm/contact/map/event', "reset=1&eid={$dao->id}");
470 }
471 }
472
473 $eventSummary['events'][$dao->id][$property] = $set;
474 if (is_array($permissions[CRM_Core_Permission::EDIT])
475 && in_array($dao->id, $permissions[CRM_Core_Permission::EDIT])) {
476 $eventSummary['events'][$dao->id]['configure'] = CRM_Utils_System::url('civicrm/admin/event', "action=update&id=$dao->id&reset=1");
477 }
478 break;
479
480 case 'end_date':
481 case 'start_date':
482 $eventSummary['events'][$dao->id][$property] = CRM_Utils_Date::customFormat($dao->$name,
483 NULL, array('d')
484 );
485 break;
486
487 case 'participants':
488 case 'notCountedDueToRole':
489 case 'notCountedDueToStatus':
490 case 'notCountedParticipants':
491 $set = NULL;
492 $propertyCnt = 0;
493 if ($name == 'participants') {
494 $propertyCnt = self::getParticipantCount($dao->id);
495 if ($propertyCnt) {
496 $set = CRM_Utils_System::url('civicrm/event/search',
497 "reset=1&force=1&event=$dao->id&status=true&role=true"
498 );
499 }
500 }
501 elseif ($name == 'notCountedParticipants') {
502 $propertyCnt = self::getParticipantCount($dao->id, TRUE, FALSE, TRUE, FALSE);
503 if ($propertyCnt) {
504 // FIXME : selector fail to search w/ OR operator.
505 // $set = CRM_Utils_System::url( 'civicrm/event/search',
506 // "reset=1&force=1&event=$dao->id&status=false&role=false" );
507 }
508 }
509 elseif ($name == 'notCountedDueToStatus') {
510 $propertyCnt = self::getParticipantCount($dao->id, TRUE, FALSE, FALSE, FALSE);
511 if ($propertyCnt) {
512 $set = CRM_Utils_System::url('civicrm/event/search',
513 "reset=1&force=1&event=$dao->id&status=false"
514 );
515 }
516 }
517 else {
518 $propertyCnt = self::getParticipantCount($dao->id, FALSE, FALSE, TRUE, FALSE);
519 if ($propertyCnt) {
520 $set = CRM_Utils_System::url('civicrm/event/search',
521 "reset=1&force=1&event=$dao->id&role=false"
522 );
523 }
524 }
525
526 $eventSummary['events'][$dao->id][$property] = $propertyCnt;
527 $eventSummary['events'][$dao->id][$name . '_url'] = $set;
528 break;
529
530 default:
531 $eventSummary['events'][$dao->id][$property] = $dao->$name;
532 break;
533 }
534 }
535
536 // prepare the area for per-status participant counts
537 $statusClasses = array('Positive', 'Pending', 'Waiting', 'Negative');
538 $eventSummary['events'][$dao->id]['statuses'] = array_fill_keys($statusClasses, array());
539
540 $eventSummary['events'][$dao->id]['friend'] = $dao->is_friend_active;
541 $eventSummary['events'][$dao->id]['is_monetary'] = $dao->is_monetary;
542 $eventSummary['events'][$dao->id]['is_online_registration'] = $dao->is_online_registration;
543 $eventSummary['events'][$dao->id]['is_show_location'] = $dao->is_show_location;
544 $eventSummary['events'][$dao->id]['is_subevent'] = $dao->slot_label_id;
545 $eventSummary['events'][$dao->id]['is_pcp_enabled'] = $dao->is_pcp_enabled;
546 $eventSummary['events'][$dao->id]['reminder'] = CRM_Core_BAO_ActionSchedule::isConfigured($dao->id, $mapping->getId());
547 $eventSummary['events'][$dao->id]['is_repeating_event'] = $dao->is_repeating_event;
548
549 $statusTypes = CRM_Event_PseudoConstant::participantStatus();
550 foreach ($statusValues as $statusId => $statusValue) {
551 if (!array_key_exists($statusId, $statusTypes)) {
552 continue;
553 }
554 $class = $statusValue['class'];
555 $statusCount = self::eventTotalSeats($dao->id, "( participant.status_id = {$statusId} )");
556 if ($statusCount) {
557 $urlString = "reset=1&force=1&event={$dao->id}&status=$statusId";
558 $statusInfo = array(
559 'url' => CRM_Utils_System::url('civicrm/event/search', $urlString),
560 'name' => $statusValue['name'],
561 'label' => $statusValue['label'],
562 'count' => $statusCount,
563 );
564 $eventSummary['events'][$dao->id]['statuses'][$class][] = $statusInfo;
565 }
566 }
567 }
568
569 $countedRoles = CRM_Event_PseudoConstant::participantRole(NULL, 'filter = 1');
570 $nonCountedRoles = CRM_Event_PseudoConstant::participantRole(NULL, '( filter = 0 OR filter IS NULL )');
571 $countedStatus = CRM_Event_PseudoConstant::participantStatus(NULL, 'is_counted = 1');
572 $nonCountedStatus = CRM_Event_PseudoConstant::participantStatus(NULL, '( is_counted = 0 OR is_counted IS NULL )');
573
574 $countedStatusANDRoles = array_merge($countedStatus, $countedRoles);
575 $nonCountedStatusANDRoles = array_merge($nonCountedStatus, $nonCountedRoles);
576
577 $eventSummary['nonCountedRoles'] = implode('/', array_values($nonCountedRoles));
578 $eventSummary['nonCountedStatus'] = implode('/', array_values($nonCountedStatus));
579 $eventSummary['countedStatusANDRoles'] = implode('/', array_values($countedStatusANDRoles));
580 $eventSummary['nonCountedStatusANDRoles'] = implode('/', array_values($nonCountedStatusANDRoles));
581
582 return $eventSummary;
583 }
584
585 /**
586 * Get participant count.
587 *
588 * @param int $eventId
589 * @param bool $considerStatus consider status for participant count.
590 * Consider status for participant count.
591 * @param bool $status counted participant.
592 * Consider counted participant.
593 * @param bool $considerRole consider role for participant count.
594 * Consider role for participant count.
595 * @param bool $role consider counted( is filter role) participant.
596 * Consider counted( is filter role) participant.
597 *
598 * @return array
599 * array with count of participants for each event based on status/role
600 */
601 public static function getParticipantCount(
602 $eventId,
603 $considerStatus = TRUE,
604 $status = TRUE,
605 $considerRole = TRUE,
606 $role = TRUE
607 ) {
608
609 // consider both role and status for counted participants, CRM-4924.
610 $operator = " AND ";
611 // not counted participant.
612 if ($considerStatus && $considerRole && !$status && !$role) {
613 $operator = " OR ";
614 }
615 $clause = array();
616 if ($considerStatus) {
617 $statusTypes = CRM_Event_PseudoConstant::participantStatus(NULL, 'is_counted = 1');
618 $statusClause = 'NOT IN';
619 if ($status) {
620 $statusClause = 'IN';
621 }
622 $status = implode(',', array_keys($statusTypes));
623 if (empty($status)) {
624 $status = 0;
625 }
626 $clause[] = "participant.status_id {$statusClause} ( {$status} ) ";
627 }
628
629 if ($considerRole) {
630 $roleTypes = CRM_Event_PseudoConstant::participantRole(NULL, 'filter = 1');
631 $roleClause = 'NOT IN';
632 if ($role) {
633 $roleClause = 'IN';
634 }
635 if (array_keys($roleTypes)) {
636 $roles = '"' . implode("','", array_keys($roleTypes)) . '"';
637 }
638 else {
639 $roles = 0;
640 }
641 $clause[] = "participant.role_id {$roleClause} ( $roles )";
642 }
643
644 $sqlClause = '';
645 if (!empty($clause)) {
646 $sqlClause = ' ( ' . implode($operator, $clause) . ' )';
647 }
648
649 return self::eventTotalSeats($eventId, $sqlClause);
650 }
651
652 /**
653 * Get the information to map a event.
654 *
655 * @param int $id
656 * For which we want map info.
657 *
658 * @return null|string
659 * title of the event
660 */
661 public static function &getMapInfo(&$id) {
662
663 $sql = "
664 SELECT
665 civicrm_event.id AS event_id,
666 civicrm_event.title AS display_name,
667 civicrm_address.street_address AS street_address,
668 civicrm_address.city AS city,
669 civicrm_address.postal_code AS postal_code,
670 civicrm_address.postal_code_suffix AS postal_code_suffix,
671 civicrm_address.geo_code_1 AS latitude,
672 civicrm_address.geo_code_2 AS longitude,
673 civicrm_state_province.abbreviation AS state,
674 civicrm_country.name AS country,
675 civicrm_location_type.name AS location_type
676 FROM
677 civicrm_event
678 LEFT JOIN civicrm_loc_block ON ( civicrm_event.loc_block_id = civicrm_loc_block.id )
679 LEFT JOIN civicrm_address ON ( civicrm_loc_block.address_id = civicrm_address.id )
680 LEFT JOIN civicrm_state_province ON ( civicrm_address.state_province_id = civicrm_state_province.id )
681 LEFT JOIN civicrm_country ON civicrm_address.country_id = civicrm_country.id
682 LEFT JOIN civicrm_location_type ON ( civicrm_location_type.id = civicrm_address.location_type_id )
683 WHERE civicrm_address.geo_code_1 IS NOT NULL
684 AND civicrm_address.geo_code_2 IS NOT NULL
685 AND civicrm_event.id = " . CRM_Utils_Type::escape($id, 'Integer');
686
687 $dao = new CRM_Core_DAO();
688 $dao->query($sql);
689
690 $locations = array();
691
692 $config = CRM_Core_Config::singleton();
693
694 while ($dao->fetch()) {
695
696 $location = array();
697 $location['displayName'] = addslashes($dao->display_name);
698 $location['lat'] = $dao->latitude;
699 $location['marker_class'] = 'Event';
700 $location['lng'] = $dao->longitude;
701
702 $params = array('entity_id' => $id, 'entity_table' => 'civicrm_event');
703 $addressValues = CRM_Core_BAO_Location::getValues($params, TRUE);
704 $location['address'] = str_replace(array(
705 "\r",
706 "\n",
707 ), '', addslashes(nl2br($addressValues['address'][1]['display_text'])));
708
709 $location['url'] = CRM_Utils_System::url('civicrm/event/register', 'reset=1&id=' . $dao->event_id);
710 $location['location_type'] = $dao->location_type;
711 $eventImage = '<img src="' . $config->resourceBase . 'i/contact_org.gif" alt="Organization " height="20" width="15" />';
712 $location['image'] = $eventImage;
713 $location['displayAddress'] = str_replace('<br />', ', ', $location['address']);
714 $locations[] = $location;
715 }
716 return $locations;
717 }
718
719 /**
720 * Get the complete information for one or more events.
721 *
722 * @param date $start
723 * Get events with start date >= this date.
724 * @param int $type Get events on the a specific event type (by event_type_id).
725 * Get events on the a specific event type (by event_type_id).
726 * @param int $eventId Return a single event - by event id.
727 * Return a single event - by event id.
728 * @param date $end
729 * Also get events with end date >= this date.
730 * @param bool $onlyPublic Include public events only, default TRUE.
731 * Include public events only, default TRUE.
732 *
733 * @return array
734 * array of all the events that are searched
735 */
736 public static function &getCompleteInfo(
737 $start = NULL,
738 $type = NULL,
739 $eventId = NULL,
740 $end = NULL,
741 $onlyPublic = TRUE
742 ) {
743 $publicCondition = NULL;
744 if ($onlyPublic) {
745 $publicCondition = " AND civicrm_event.is_public = 1";
746 }
747
748 $dateCondition = '';
749 // if start and end date are NOT passed, return all events with start_date OR end_date >= today CRM-5133
750 if ($start) {
751 // get events with start_date >= requested start
752 $startDate = CRM_Utils_Type::escape($start, 'Date');
753 $dateCondition .= " AND ( civicrm_event.start_date >= {$startDate} )";
754 }
755
756 if ($end) {
757 // also get events with end_date <= requested end
758 $endDate = CRM_Utils_Type::escape($end, 'Date');
759 $dateCondition .= " AND ( civicrm_event.end_date <= '{$endDate}' ) ";
760 }
761
762 // CRM-9421 and CRM-8620 Default mode for ical/rss feeds. No start or end filter passed.
763 // Need to exclude old events with only start date
764 // and not exclude events in progress (start <= today and end >= today). DGG
765 if (empty($start) && empty($end)) {
766 // get events with end date >= today, not sure of this logic
767 // but keeping this for backward compatibility as per issue CRM-5133
768 $today = date("Y-m-d G:i:s");
769 $dateCondition .= " AND ( civicrm_event.end_date >= '{$today}' OR civicrm_event.start_date >= '{$today}' ) ";
770 }
771
772 if ($type) {
773 $typeCondition = " AND civicrm_event.event_type_id = " . CRM_Utils_Type::escape($type, 'Integer');
774 }
775
776 // Get the Id of Option Group for Event Types
777 $optionGroupDAO = new CRM_Core_DAO_OptionGroup();
778 $optionGroupDAO->name = 'event_type';
779 $optionGroupId = NULL;
780 if ($optionGroupDAO->find(TRUE)) {
781 $optionGroupId = $optionGroupDAO->id;
782 }
783
784 $query = "
785 SELECT
786 civicrm_event.id as event_id,
787 civicrm_email.email as email,
788 civicrm_event.title as title,
789 civicrm_event.summary as summary,
790 civicrm_event.start_date as start,
791 civicrm_event.end_date as end,
792 civicrm_event.description as description,
793 civicrm_event.is_show_location as is_show_location,
794 civicrm_event.is_online_registration as is_online_registration,
795 civicrm_event.registration_link_text as registration_link_text,
796 civicrm_event.registration_start_date as registration_start_date,
797 civicrm_event.registration_end_date as registration_end_date,
798 civicrm_option_value.label as event_type,
799 civicrm_address.name as address_name,
800 civicrm_address.street_address as street_address,
801 civicrm_address.supplemental_address_1 as supplemental_address_1,
802 civicrm_address.supplemental_address_2 as supplemental_address_2,
803 civicrm_address.city as city,
804 civicrm_address.postal_code as postal_code,
805 civicrm_address.postal_code_suffix as postal_code_suffix,
806 civicrm_state_province.abbreviation as state,
807 civicrm_country.name AS country
808 FROM civicrm_event
809 LEFT JOIN civicrm_loc_block ON civicrm_event.loc_block_id = civicrm_loc_block.id
810 LEFT JOIN civicrm_address ON civicrm_loc_block.address_id = civicrm_address.id
811 LEFT JOIN civicrm_state_province ON civicrm_address.state_province_id = civicrm_state_province.id
812 LEFT JOIN civicrm_country ON civicrm_address.country_id = civicrm_country.id
813 LEFT JOIN civicrm_email ON civicrm_loc_block.email_id = civicrm_email.id
814 LEFT JOIN civicrm_option_value ON (
815 civicrm_event.event_type_id = civicrm_option_value.value AND
816 civicrm_option_value.option_group_id = %1 )
817 WHERE civicrm_event.is_active = 1
818 AND (is_template = 0 OR is_template IS NULL)
819 {$publicCondition}
820 {$dateCondition}";
821
822 if (isset($typeCondition)) {
823 $query .= $typeCondition;
824 }
825
826 if (isset($eventId)) {
827 $query .= " AND civicrm_event.id =$eventId ";
828 }
829 $query .= " ORDER BY civicrm_event.start_date ASC";
830
831 $params = array(1 => array($optionGroupId, 'Integer'));
832 $dao = CRM_Core_DAO::executeQuery($query, $params);
833 $all = array();
834 $config = CRM_Core_Config::singleton();
835
836 $baseURL = parse_url($config->userFrameworkBaseURL);
837 $url = "@" . $baseURL['host'];
838 if (!empty($baseURL['path'])) {
839 $url .= substr($baseURL['path'], 0, -1);
840 }
841
842 // check 'view event info' permission
843 //@todo - per CRM-14626 we have resolved that 'view event info' means 'view ALL event info'
844 // and passing in the specific permission here will short-circuit the evaluation of permission to
845 // see specific events (doesn't seem relevant to this call
846 // however, since this function is accessed only by a convoluted call from a joomla block function
847 // it seems safer not to touch here. Suggestion is that CRM_Core_Permission::check(array or relevant permissions) would
848 // be clearer & safer here
849 $permissions = CRM_Core_Permission::event(CRM_Core_Permission::VIEW);
850
851 // check if we're in shopping cart mode for events
852 $enable_cart = CRM_Core_BAO_Setting::getItem(CRM_Core_BAO_Setting::EVENT_PREFERENCES_NAME,
853 'enable_cart'
854 );
855 if ($enable_cart) {
856 }
857 while ($dao->fetch()) {
858 if (!empty($permissions) && in_array($dao->event_id, $permissions)) {
859 $info = array();
860 $info['uid'] = "CiviCRM_EventID_{$dao->event_id}_" . md5($config->userFrameworkBaseURL) . $url;
861
862 $info['title'] = $dao->title;
863 $info['event_id'] = $dao->event_id;
864 $info['summary'] = $dao->summary;
865 $info['description'] = $dao->description;
866 $info['start_date'] = $dao->start;
867 $info['end_date'] = $dao->end;
868 $info['contact_email'] = $dao->email;
869 $info['event_type'] = $dao->event_type;
870 $info['is_show_location'] = $dao->is_show_location;
871 $info['is_online_registration'] = $dao->is_online_registration;
872 $info['registration_link_text'] = $dao->registration_link_text;
873 $info['registration_start_date'] = $dao->registration_start_date;
874 $info['registration_end_date'] = $dao->registration_end_date;
875
876 $address = '';
877
878 $addrFields = array(
879 'address_name' => $dao->address_name,
880 'street_address' => $dao->street_address,
881 'supplemental_address_1' => $dao->supplemental_address_1,
882 'supplemental_address_2' => $dao->supplemental_address_2,
883 'city' => $dao->city,
884 'state_province' => $dao->state,
885 'postal_code' => $dao->postal_code,
886 'postal_code_suffix' => $dao->postal_code_suffix,
887 'country' => $dao->country,
888 'county' => NULL,
889 );
890
891 CRM_Utils_String::append($address, ', ',
892 CRM_Utils_Address::format($addrFields)
893 );
894 $info['location'] = $address;
895 $info['url'] = CRM_Utils_System::url('civicrm/event/info', 'reset=1&id=' . $dao->event_id, TRUE, NULL, FALSE);
896
897 if ($enable_cart) {
898 $reg = CRM_Event_Cart_BAO_EventInCart::get_registration_link($dao->event_id);
899 $info['registration_link'] = CRM_Utils_System::url($reg['path'], $reg['query'], TRUE);
900 $info['registration_link_text'] = $reg['label'];
901 }
902
903 $all[] = $info;
904 }
905 }
906
907 return $all;
908 }
909
910 /**
911 * Make a copy of a Event.
912 *
913 * Include all the fields in the event Wizard.
914 *
915 * @param int $id
916 * The event id to copy.
917 * boolean $afterCreate call to copy after the create function
918 * @param null $newEvent
919 * @param bool $afterCreate
920 *
921 * @return CRM_Event_DAO_Event
922 */
923 public static function copy($id, $newEvent = NULL, $afterCreate = FALSE) {
924
925 $eventValues = array();
926
927 //get the require event values.
928 $eventParams = array('id' => $id);
929 $returnProperties = array(
930 'loc_block_id',
931 'is_show_location',
932 'default_fee_id',
933 'default_discount_fee_id',
934 'is_template',
935 );
936
937 CRM_Core_DAO::commonRetrieve('CRM_Event_DAO_Event', $eventParams, $eventValues, $returnProperties);
938
939 // since the location is sharable, lets use the same loc_block_id.
940 $locBlockId = CRM_Utils_Array::value('loc_block_id', $eventValues);
941
942 $fieldsFix = ($afterCreate) ? array() : array('prefix' => array('title' => ts('Copy of') . ' '));
943 if (empty($eventValues['is_show_location'])) {
944 $fieldsFix['prefix']['is_show_location'] = 0;
945 }
946
947 if ($newEvent && is_a($newEvent, 'CRM_Event_DAO_Event')) {
948 $copyEvent = $newEvent;
949 }
950
951 if (!isset($copyEvent)) {
952 $copyEvent = &CRM_Core_DAO::copyGeneric('CRM_Event_DAO_Event',
953 array('id' => $id),
954 array(
955 'loc_block_id' =>
956 ($locBlockId) ? $locBlockId : NULL,
957 ),
958 $fieldsFix
959 );
960 }
961 CRM_Price_BAO_PriceSet::copyPriceSet('civicrm_event', $id, $copyEvent->id);
962 $copyUF = &CRM_Core_DAO::copyGeneric('CRM_Core_DAO_UFJoin',
963 array(
964 'entity_id' => $id,
965 'entity_table' => 'civicrm_event',
966 ),
967 array('entity_id' => $copyEvent->id)
968 );
969
970 $copyTellFriend = &CRM_Core_DAO::copyGeneric('CRM_Friend_DAO_Friend',
971 array(
972 'entity_id' => $id,
973 'entity_table' => 'civicrm_event',
974 ),
975 array('entity_id' => $copyEvent->id)
976 );
977
978 $copyPCP = &CRM_Core_DAO::copyGeneric('CRM_PCP_DAO_PCPBlock',
979 array(
980 'entity_id' => $id,
981 'entity_table' => 'civicrm_event',
982 ),
983 array('entity_id' => $copyEvent->id),
984 array('replace' => array('target_entity_id' => $copyEvent->id))
985 );
986
987 $oldMapping = CRM_Utils_Array::first(CRM_Core_BAO_ActionSchedule::getMappings(array(
988 'id' => ($eventValues['is_template'] ? CRM_Event_ActionMapping::EVENT_TPL_MAPPING_ID : CRM_Event_ActionMapping::EVENT_NAME_MAPPING_ID),
989 )));
990 $copyMapping = CRM_Utils_Array::first(CRM_Core_BAO_ActionSchedule::getMappings(array(
991 'id' => ($copyEvent->is_template == 1 ? CRM_Event_ActionMapping::EVENT_TPL_MAPPING_ID : CRM_Event_ActionMapping::EVENT_NAME_MAPPING_ID),
992 )));
993 $copyReminder = &CRM_Core_DAO::copyGeneric('CRM_Core_DAO_ActionSchedule',
994 array('entity_value' => $id, 'mapping_id' => $oldMapping->getId()),
995 array('entity_value' => $copyEvent->id, 'mapping_id' => $copyMapping->getId())
996 );
997
998 if (!$afterCreate) {
999 //copy custom data
1000 $extends = array('event');
1001 $groupTree = CRM_Core_BAO_CustomGroup::getGroupDetail(NULL, NULL, $extends);
1002 if ($groupTree) {
1003 foreach ($groupTree as $groupID => $group) {
1004 $table[$groupTree[$groupID]['table_name']] = array('entity_id');
1005 foreach ($group['fields'] as $fieldID => $field) {
1006 $table[$groupTree[$groupID]['table_name']][] = $groupTree[$groupID]['fields'][$fieldID]['column_name'];
1007 }
1008 }
1009
1010 foreach ($table as $tableName => $tableColumns) {
1011 $insert = 'INSERT INTO ' . $tableName . ' (' . implode(', ', $tableColumns) . ') ';
1012 $tableColumns[0] = $copyEvent->id;
1013 $select = 'SELECT ' . implode(', ', $tableColumns);
1014 $from = ' FROM ' . $tableName;
1015 $where = " WHERE {$tableName}.entity_id = {$id}";
1016 $query = $insert . $select . $from . $where;
1017 $dao = CRM_Core_DAO::executeQuery($query, CRM_Core_DAO::$_nullArray);
1018 }
1019 }
1020 }
1021 $copyEvent->save();
1022
1023 CRM_Utils_System::flushCache();
1024 if (!$afterCreate) {
1025 CRM_Utils_Hook::copy('Event', $copyEvent);
1026 }
1027 return $copyEvent;
1028 }
1029
1030 /**
1031 * This is sometimes called in a loop (during event search).
1032 *
1033 * We cache the values to prevent repeated calls to the db.
1034 *
1035 * @param int $id
1036 *
1037 * @return bool
1038 */
1039 public static function isMonetary($id) {
1040 static $isMonetary = array();
1041 if (!array_key_exists($id, $isMonetary)) {
1042 $isMonetary[$id] = CRM_Core_DAO::getFieldValue('CRM_Event_DAO_Event',
1043 $id,
1044 'is_monetary'
1045 );
1046 }
1047 return $isMonetary[$id];
1048 }
1049
1050 /**
1051 * This is sometimes called in a loop (during event search).
1052 *
1053 * We cache the values to prevent repeated calls to the db.
1054 *
1055 * @param int $id
1056 *
1057 * @return bool
1058 */
1059 public static function usesPriceSet($id) {
1060 static $usesPriceSet = array();
1061 if (!array_key_exists($id, $usesPriceSet)) {
1062 $usesPriceSet[$id] = CRM_Price_BAO_PriceSet::getFor('civicrm_event', $id);
1063 }
1064 return $usesPriceSet[$id];
1065 }
1066
1067 /**
1068 * Send e-mails.
1069 *
1070 * @param int $contactID
1071 * @param array $values
1072 * @param int $participantId
1073 * @param bool $isTest
1074 * @param bool $returnMessageText
1075 */
1076 public static function sendMail($contactID, &$values, $participantId, $isTest = FALSE, $returnMessageText = FALSE) {
1077
1078 $template = CRM_Core_Smarty::singleton();
1079 $gIds = array(
1080 'custom_pre_id' => $values['custom_pre_id'],
1081 'custom_post_id' => $values['custom_post_id'],
1082 );
1083
1084 //get the params submitted by participant.
1085 $participantParams = CRM_Utils_Array::value($participantId, $values['params'], array());
1086
1087 if (!$returnMessageText) {
1088 //send notification email if field values are set (CRM-1941)
1089 foreach ($gIds as $key => $gIdValues) {
1090 if ($gIdValues) {
1091 if (!is_array($gIdValues)) {
1092 $gIdValues = array($gIdValues);
1093 }
1094
1095 foreach ($gIdValues as $gId) {
1096 $email = CRM_Core_DAO::getFieldValue('CRM_Core_DAO_UFGroup', $gId, 'notify');
1097 if ($email) {
1098 //get values of corresponding profile fields for notification
1099 list($profileValues) = self::buildCustomDisplay($gId,
1100 NULL,
1101 $contactID,
1102 $template,
1103 $participantId,
1104 $isTest,
1105 TRUE,
1106 $participantParams
1107 );
1108 list($profileValues) = $profileValues;
1109 $val = array(
1110 'id' => $gId,
1111 'values' => $profileValues,
1112 'email' => $email,
1113 );
1114 CRM_Core_BAO_UFGroup::commonSendMail($contactID, $val);
1115 }
1116 }
1117 }
1118 }
1119 }
1120
1121 if ($values['event']['is_email_confirm'] || $returnMessageText) {
1122 list($displayName, $email) = CRM_Contact_BAO_Contact_Location::getEmailDetails($contactID);
1123
1124 //send email only when email is present
1125 if (isset($email) || $returnMessageText) {
1126 $preProfileID = CRM_Utils_Array::value('custom_pre_id', $values);
1127 $postProfileID = CRM_Utils_Array::value('custom_post_id', $values);
1128
1129 if (!empty($values['params']['additionalParticipant'])) {
1130 $preProfileID = CRM_Utils_Array::value('additional_custom_pre_id', $values, $preProfileID);
1131 $postProfileID = CRM_Utils_Array::value('additional_custom_post_id', $values, $postProfileID);
1132 }
1133
1134 self::buildCustomDisplay($preProfileID,
1135 'customPre',
1136 $contactID,
1137 $template,
1138 $participantId,
1139 $isTest,
1140 NULL,
1141 $participantParams
1142 );
1143
1144 self::buildCustomDisplay($postProfileID,
1145 'customPost',
1146 $contactID,
1147 $template,
1148 $participantId,
1149 $isTest,
1150 NULL,
1151 $participantParams
1152 );
1153
1154 $sessions = CRM_Event_Cart_BAO_Conference::get_participant_sessions($participantId);
1155
1156 $tplParams = array_merge($values, $participantParams, array(
1157 'email' => $email,
1158 'confirm_email_text' => CRM_Utils_Array::value('confirm_email_text', $values['event']),
1159 'isShowLocation' => CRM_Utils_Array::value('is_show_location', $values['event']),
1160 // The concept of contributeMode is deprecated.
1161 'contributeMode' => CRM_Utils_Array::value('contributeMode', $template->_tpl_vars),
1162 'participantID' => $participantId,
1163 'conference_sessions' => $sessions,
1164 'credit_card_number' =>
1165 CRM_Utils_System::mungeCreditCard(
1166 CRM_Utils_Array::value('credit_card_number', $participantParams)),
1167 'credit_card_exp_date' =>
1168 CRM_Utils_Date::mysqlToIso(
1169 CRM_Utils_Date::format(
1170 CRM_Utils_Array::value('credit_card_exp_date', $participantParams))),
1171 ));
1172
1173 // CRM-13890 : NOTE wait list condition need to be given so that
1174 // wait list message is shown properly in email i.e. WRT online event registration template
1175 if (empty($tplParams['participant_status']) && empty($values['params']['isOnWaitlist'])) {
1176 $statusId = CRM_Core_DAO::getFieldValue('CRM_Event_DAO_Participant', $participantId, 'status_id', 'id', TRUE);
1177 $tplParams['participant_status'] = CRM_Event_PseudoConstant::participantStatus($statusId, NULL, 'label');
1178 }
1179 //CRM-15754 - if participant_status contains status ID
1180 elseif (!empty($tplParams['participant_status']) && CRM_Utils_Rule::integer($tplParams['participant_status'])) {
1181 $tplParams['participant_status'] = CRM_Event_PseudoConstant::participantStatus($tplParams['participant_status'], NULL, 'label');
1182 }
1183
1184 $sendTemplateParams = array(
1185 'groupName' => 'msg_tpl_workflow_event',
1186 'valueName' => 'event_online_receipt',
1187 'contactId' => $contactID,
1188 'isTest' => $isTest,
1189 'tplParams' => $tplParams,
1190 'PDFFilename' => ts('confirmation') . '.pdf',
1191 );
1192
1193 // address required during receipt processing (pdf and email receipt)
1194 if ($displayAddress = CRM_Utils_Array::value('address', $values)) {
1195 $sendTemplateParams['tplParams']['address'] = $displayAddress;
1196 // The concept of contributeMode is deprecated.
1197 $sendTemplateParams['tplParams']['contributeMode'] = NULL;
1198 }
1199
1200 // set lineItem details
1201 if ($lineItem = CRM_Utils_Array::value('lineItem', $values)) {
1202 // check if additional participant, if so filter only to relevant ones
1203 // CRM-9902
1204 if (!empty($values['params']['additionalParticipant'])) {
1205 $ownLineItems = array();
1206 foreach ($lineItem as $liKey => $liValue) {
1207 $firstElement = array_pop($liValue);
1208 if ($firstElement['entity_id'] == $participantId) {
1209 $ownLineItems[0] = $lineItem[$liKey];
1210 break;
1211 }
1212 }
1213 if (!empty($ownLineItems)) {
1214 $sendTemplateParams['tplParams']['lineItem'] = $ownLineItems;
1215 }
1216 }
1217 else {
1218 $sendTemplateParams['tplParams']['lineItem'] = $lineItem;
1219 }
1220 }
1221
1222 if ($returnMessageText) {
1223 list($sent, $subject, $message, $html) = CRM_Core_BAO_MessageTemplate::sendTemplate($sendTemplateParams);
1224 return array(
1225 'subject' => $subject,
1226 'body' => $message,
1227 'to' => $displayName,
1228 'html' => $html,
1229 );
1230 }
1231 else {
1232 $sendTemplateParams['from'] = CRM_Utils_Array::value('confirm_from_name', $values['event']) . " <" . CRM_Utils_Array::value('confirm_from_email', $values['event']) . ">";
1233 $sendTemplateParams['toName'] = $displayName;
1234 $sendTemplateParams['toEmail'] = $email;
1235 $sendTemplateParams['autoSubmitted'] = TRUE;
1236 $sendTemplateParams['cc'] = CRM_Utils_Array::value('cc_confirm',
1237 $values['event']
1238 );
1239 $sendTemplateParams['bcc'] = CRM_Utils_Array::value('bcc_confirm',
1240 $values['event']
1241 );
1242 // append invoice pdf to email
1243 $template = CRM_Core_Smarty::singleton();
1244 $taxAmt = $template->get_template_vars('totalTaxAmount');
1245 $prefixValue = CRM_Core_BAO_Setting::getItem(CRM_Core_BAO_Setting::CONTRIBUTE_PREFERENCES_NAME, 'contribution_invoice_settings');
1246 $invoicing = CRM_Utils_Array::value('invoicing', $prefixValue);
1247 if (isset($invoicing) && isset($prefixValue['is_email_pdf']) && !empty($values['contributionId'])) {
1248 $sendTemplateParams['isEmailPdf'] = TRUE;
1249 $sendTemplateParams['contributionId'] = $values['contributionId'];
1250 }
1251 CRM_Core_BAO_MessageTemplate::sendTemplate($sendTemplateParams);
1252 }
1253 }
1254 }
1255 }
1256
1257 /**
1258 * Add the custom fields OR array of participant's profile info.
1259 *
1260 * @param int $id
1261 * @param string $name
1262 * @param int $cid
1263 * @param string $template
1264 * @param int $participantId
1265 * @param bool $isTest
1266 * @param bool $isCustomProfile
1267 * @param array $participantParams
1268 *
1269 * @return array|null
1270 */
1271 public static function buildCustomDisplay(
1272 $id,
1273 $name,
1274 $cid,
1275 &$template,
1276 $participantId,
1277 $isTest,
1278 $isCustomProfile = FALSE,
1279 $participantParams = array()
1280 ) {
1281 if (!$id) {
1282 return array(NULL, NULL);
1283 }
1284
1285 if (!is_array($id)) {
1286 $id = CRM_Utils_Type::escape($id, 'Positive');
1287 $profileIds = array($id);
1288 }
1289 else {
1290 $profileIds = $id;
1291 }
1292
1293 $val = $groupTitles = NULL;
1294 foreach ($profileIds as $gid) {
1295 if (CRM_Core_BAO_UFGroup::filterUFGroups($gid, $cid)) {
1296 $values = array();
1297 $fields = CRM_Core_BAO_UFGroup::getFields($gid, FALSE, CRM_Core_Action::VIEW,
1298 NULL, NULL, FALSE, NULL,
1299 FALSE, NULL, CRM_Core_Permission::CREATE,
1300 'field_name', TRUE
1301 );
1302
1303 //this condition is added, since same contact can have multiple event registrations..
1304 $params = array(array('participant_id', '=', $participantId, 0, 0));
1305
1306 //add participant id
1307 $fields['participant_id'] = array(
1308 'name' => 'participant_id',
1309 'title' => ts('Participant ID'),
1310 );
1311 //check whether its a text drive
1312 if ($isTest) {
1313 $params[] = array('participant_test', '=', 1, 0, 0);
1314 }
1315
1316 //display campaign on thankyou page.
1317 if (array_key_exists('participant_campaign_id', $fields)) {
1318 if ($participantId) {
1319 $campaignId = CRM_Core_DAO::getFieldValue('CRM_Event_DAO_Participant',
1320 $participantId,
1321 'campaign_id'
1322 );
1323 $campaigns = CRM_Campaign_BAO_Campaign::getCampaigns($campaignId);
1324 $values[$fields['participant_campaign_id']['title']] = CRM_Utils_Array::value($campaignId,
1325 $campaigns
1326 );
1327 }
1328 unset($fields['participant_campaign_id']);
1329 }
1330
1331 $groupTitle = NULL;
1332 foreach ($fields as $k => $v) {
1333 if (!$groupTitle) {
1334 $groupTitle = $v['groupTitle'];
1335 }
1336 // suppress all file fields from display
1337 if (
1338 CRM_Utils_Array::value('data_type', $v, '') == 'File' ||
1339 CRM_Utils_Array::value('name', $v, '') == 'image_URL' ||
1340 CRM_Utils_Array::value('field_type', $v) == 'Formatting'
1341 ) {
1342 unset($fields[$k]);
1343 }
1344 }
1345
1346 if ($groupTitle) {
1347 $groupTitles[] = $groupTitle;
1348 }
1349 //display profile groups those are subscribed by participant.
1350 if (($groups = CRM_Utils_Array::value('group', $participantParams)) &&
1351 is_array($groups)
1352 ) {
1353 $grpIds = array();
1354 foreach ($groups as $grpId => $isSelected) {
1355 if ($isSelected) {
1356 $grpIds[] = $grpId;
1357 }
1358 }
1359 if (!empty($grpIds)) {
1360 //get the group titles.
1361 $grpTitles = array();
1362 $query = 'SELECT title FROM civicrm_group where id IN ( ' . implode(',', $grpIds) . ' )';
1363 $grp = CRM_Core_DAO::executeQuery($query);
1364 while ($grp->fetch()) {
1365 $grpTitles[] = $grp->title;
1366 }
1367 if (!empty($grpTitles) &&
1368 CRM_Utils_Array::value('title', CRM_Utils_Array::value('group', $fields))
1369 ) {
1370 $values[$fields['group']['title']] = implode(', ', $grpTitles);
1371 }
1372 unset($fields['group']);
1373 }
1374 }
1375
1376 CRM_Core_BAO_UFGroup::getValues($cid, $fields, $values, FALSE, $params);
1377
1378 if (isset($fields['participant_status_id']['title']) &&
1379 isset($values[$fields['participant_status_id']['title']]) &&
1380 is_numeric($values[$fields['participant_status_id']['title']])
1381 ) {
1382 $status = array();
1383 $status = CRM_Event_PseudoConstant::participantStatus();
1384 $values[$fields['participant_status_id']['title']] = $status[$values[$fields['participant_status_id']['title']]];
1385 }
1386
1387 if (isset($fields['participant_role_id']['title']) &&
1388 isset($values[$fields['participant_role_id']['title']]) &&
1389 is_numeric($values[$fields['participant_role_id']['title']])
1390 ) {
1391 $roles = array();
1392 $roles = CRM_Event_PseudoConstant::participantRole();
1393 $values[$fields['participant_role_id']['title']] = $roles[$values[$fields['participant_role_id']['title']]];
1394 }
1395
1396 if (isset($fields['participant_register_date']['title']) &&
1397 isset($values[$fields['participant_register_date']['title']])
1398 ) {
1399 $values[$fields['participant_register_date']['title']] = CRM_Utils_Date::customFormat($values[$fields['participant_register_date']['title']]);
1400 }
1401
1402 //handle fee_level for price set
1403 if (isset($fields['participant_fee_level']['title']) &&
1404 isset($values[$fields['participant_fee_level']['title']])
1405 ) {
1406 $feeLevel = explode(CRM_Core_DAO::VALUE_SEPARATOR,
1407 $values[$fields['participant_fee_level']['title']]
1408 );
1409 foreach ($feeLevel as $key => $value) {
1410 if (!$value) {
1411 unset($feeLevel[$key]);
1412 }
1413 }
1414 $values[$fields['participant_fee_level']['title']] = implode(',', $feeLevel);
1415 }
1416
1417 unset($values[$fields['participant_id']['title']]);
1418
1419 $val[] = $values;
1420 }
1421 }
1422
1423 if (count($val)) {
1424 $template->assign($name, $val);
1425 }
1426
1427 if (count($groupTitles)) {
1428 $template->assign($name . '_grouptitle', $groupTitles);
1429 }
1430
1431 //return if we only require array of participant's info.
1432 if ($isCustomProfile) {
1433 if (count($val)) {
1434 return array($val, $groupTitles);
1435 }
1436 else {
1437 return NULL;
1438 }
1439 }
1440 }
1441
1442 /**
1443 * Build the array for display the profile fields.
1444 *
1445 * @param array $params
1446 * Key value.
1447 * @param int $gid
1448 * Profile Id.
1449 * @param array $groupTitle
1450 * Profile Group Title.
1451 * @param array $values
1452 * Formatted array of key value.
1453 *
1454 * @param array $profileFields
1455 */
1456 public static function displayProfile(&$params, $gid, &$groupTitle, &$values, &$profileFields = array()) {
1457 if ($gid) {
1458 $config = CRM_Core_Config::singleton();
1459 $session = CRM_Core_Session::singleton();
1460 $contactID = $session->get('userID');
1461 if ($contactID) {
1462 if (CRM_Core_BAO_UFGroup::filterUFGroups($gid, $contactID)) {
1463 $fields = CRM_Core_BAO_UFGroup::getFields($gid, FALSE, CRM_Core_Action::VIEW);
1464 }
1465 }
1466 else {
1467 $fields = CRM_Core_BAO_UFGroup::getFields($gid, FALSE, CRM_Core_Action::ADD);
1468 }
1469
1470 foreach ($fields as $v) {
1471 if (!empty($v['groupTitle'])) {
1472 $groupTitle['groupTitle'] = $v['groupTitle'];
1473 break;
1474 }
1475 }
1476 $customVal = '';
1477 $imProviders = CRM_Core_PseudoConstant::get('CRM_Core_DAO_IM', 'provider_id');
1478 //start of code to set the default values
1479 foreach ($fields as $name => $field) {
1480 $skip = FALSE;
1481 // skip fields that should not be displayed separately
1482 if ($field['skipDisplay']) {
1483 continue;
1484 }
1485
1486 $index = $field['title'];
1487 if ($name === 'organization_name') {
1488 $values[$index] = $params[$name];
1489 }
1490
1491 if ('state_province' == substr($name, 0, 14)) {
1492 if ($params[$name]) {
1493 $values[$index] = CRM_Core_PseudoConstant::stateProvince($params[$name]);
1494 }
1495 else {
1496 $values[$index] = '';
1497 }
1498 }
1499 elseif ('date' == substr($name, -4)) {
1500 $values[$index] = CRM_Utils_Date::customFormat(CRM_Utils_Date::processDate($params[$name]),
1501 $config->dateformatFull);
1502 }
1503 elseif ('country' == substr($name, 0, 7)) {
1504 if ($params[$name]) {
1505 $values[$index] = CRM_Core_PseudoConstant::country($params[$name]);
1506 }
1507 else {
1508 $values[$index] = '';
1509 }
1510 }
1511 elseif ('county' == substr($name, 0, 6)) {
1512 if ($params[$name]) {
1513 $values[$index] = CRM_Core_PseudoConstant::county($params[$name]);
1514 }
1515 else {
1516 $values[$index] = '';
1517 }
1518 }
1519 elseif (in_array(substr($name, 0, -3), array('gender', 'prefix', 'suffix', 'communication_style'))) {
1520 $values[$index] = CRM_Core_PseudoConstant::getLabel('CRM_Contact_DAO_Contact', $name, $params[$name]);
1521 }
1522 elseif (in_array($name, array(
1523 'addressee',
1524 'email_greeting',
1525 'postal_greeting',
1526 ))) {
1527 $filterCondition = array('greeting_type' => $name);
1528 $greeting = CRM_Core_PseudoConstant::greeting($filterCondition);
1529 $values[$index] = $greeting[$params[$name]];
1530 }
1531 elseif ($name === 'preferred_communication_method') {
1532 $communicationFields = CRM_Core_PseudoConstant::get('CRM_Contact_DAO_Contact', 'preferred_communication_method');
1533 $compref = array();
1534 $pref = $params[$name];
1535 if (is_array($pref)) {
1536 foreach ($pref as $k => $v) {
1537 if ($v) {
1538 $compref[] = $communicationFields[$k];
1539 }
1540 }
1541 }
1542 $values[$index] = implode(',', $compref);
1543 }
1544 elseif ($name == 'contact_sub_type') {
1545 $values[$index] = implode(', ', $params[$name]);
1546 }
1547 elseif ($name == 'group') {
1548 $groups = CRM_Contact_BAO_GroupContact::getGroupList();
1549 $title = array();
1550 foreach ($params[$name] as $gId => $dontCare) {
1551 if ($dontCare) {
1552 $title[] = $groups[$gId];
1553 }
1554 }
1555 $values[$index] = implode(', ', $title);
1556 }
1557 elseif ($name == 'tag') {
1558 $entityTags = $params[$name];
1559 $allTags = CRM_Core_PseudoConstant::get('CRM_Core_DAO_EntityTag', 'tag_id', array('onlyActive' => FALSE));
1560 $title = array();
1561 if (is_array($entityTags)) {
1562 foreach ($entityTags as $tagId => $dontCare) {
1563 $title[] = $allTags[$tagId];
1564 }
1565 }
1566 $values[$index] = implode(', ', $title);
1567 }
1568 elseif ('participant_role_id' == $name OR
1569 'participant_role' == $name
1570 ) {
1571 $roles = CRM_Event_PseudoConstant::participantRole();
1572 $values[$index] = $roles[$params[$name]];
1573 }
1574 elseif ('participant_status_id' == $name OR
1575 'participant_status' == $name
1576 ) {
1577 $status = CRM_Event_PseudoConstant::participantStatus();
1578 $values[$index] = $status[$params[$name]];
1579 }
1580 elseif (substr($name, -11) == 'campaign_id') {
1581 $campaigns = CRM_Campaign_BAO_Campaign::getCampaigns($params[$name]);
1582 $values[$index] = CRM_Utils_Array::value($params[$name], $campaigns);
1583 }
1584 elseif (strpos($name, '-') !== FALSE) {
1585 list($fieldName, $id) = CRM_Utils_System::explode('-', $name, 2);
1586 $detailName = str_replace(' ', '_', $name);
1587 if (in_array($fieldName, array(
1588 'state_province',
1589 'country',
1590 'county',
1591 ))) {
1592 $values[$index] = $params[$detailName];
1593 $idx = $detailName . '_id';
1594 $values[$index] = $params[$idx];
1595 }
1596 elseif ($fieldName == 'im') {
1597 $providerName = NULL;
1598 if ($providerId = $detailName . '-provider_id') {
1599 $providerName = CRM_Utils_Array::value($params[$providerId], $imProviders);
1600 }
1601 if ($providerName) {
1602 $values[$index] = $params[$detailName] . " (" . $providerName . ")";
1603 }
1604 else {
1605 $values[$index] = $params[$detailName];
1606 }
1607 }
1608 elseif ($fieldName == 'phone') {
1609 $phoneExtField = str_replace('phone', 'phone_ext', $detailName);
1610 if (isset($params[$phoneExtField])) {
1611 $values[$index] = $params[$detailName] . " (" . $params[$phoneExtField] . ")";
1612 }
1613 else {
1614 $values[$index] = $params[$detailName];
1615 }
1616 }
1617 else {
1618 $values[$index] = $params[$detailName];
1619 }
1620 }
1621 else {
1622 if (substr($name, 0, 7) === 'do_not_' or substr($name, 0, 3) === 'is_') {
1623 if ($params[$name]) {
1624 $values[$index] = '[ x ]';
1625 }
1626 }
1627 else {
1628 if ($cfID = CRM_Core_BAO_CustomField::getKeyID($name)) {
1629 $query = "
1630 SELECT html_type, data_type
1631 FROM civicrm_custom_field
1632 WHERE id = $cfID
1633 ";
1634 $dao = CRM_Core_DAO::executeQuery($query);
1635 $dao->fetch();
1636 $htmlType = $dao->html_type;
1637
1638 if ($htmlType == 'File') {
1639 $values[$index] = $params[$index];
1640 }
1641 else {
1642 if ($dao->data_type == 'Int' ||
1643 $dao->data_type == 'Boolean'
1644 ) {
1645 $v = $params[$name];
1646 if (!CRM_Utils_System::isNull($v)) {
1647 $customVal = (int) $v;
1648 }
1649 }
1650 elseif ($dao->data_type == 'Float') {
1651 $customVal = (float ) ($params[$name]);
1652 }
1653 elseif ($dao->data_type == 'Date') {
1654 //@todo note the currently we are using default date time formatting. Since you can select/set
1655 // different date and time format specific to custom field we should consider fixing this
1656 // sometime in the future
1657 $customVal = $displayValue = CRM_Utils_Date::customFormat(
1658 CRM_Utils_Date::processDate($params[$name]), $config->dateformatFull);
1659
1660 if (!empty($params[$name . '_time'])) {
1661 $customVal = $displayValue = CRM_Utils_Date::customFormat(
1662 CRM_Utils_Date::processDate($params[$name], $params[$name . '_time']),
1663 $config->dateformatDatetime);
1664 }
1665 $skip = TRUE;
1666 }
1667 else {
1668 $customVal = $params[$name];
1669 }
1670 //take the custom field options
1671 $returnProperties = array($name => 1);
1672 $query = new CRM_Contact_BAO_Query($params, $returnProperties, $fields);
1673 $options = &$query->_options;
1674 if (!$skip) {
1675 $displayValue = CRM_Core_BAO_CustomField::getDisplayValue($customVal, $cfID, $options);
1676 }
1677 //Hack since we dont have function to check empty.
1678 //FIXME in 2.3 using crmIsEmptyArray()
1679 $customValue = TRUE;
1680 if (is_array($customVal) && is_array($displayValue)) {
1681 $customValue = array_diff($customVal, $displayValue);
1682 }
1683 //use difference of arrays
1684 if (empty($customValue) || !$customValue) {
1685 $values[$index] = '';
1686 }
1687 else {
1688 $values[$index] = $displayValue;
1689 }
1690 }
1691 }
1692 elseif ($name == 'home_URL' &&
1693 !empty($params[$name])
1694 ) {
1695 $url = CRM_Utils_System::fixURL($params[$name]);
1696 $values[$index] = "<a href=\"$url\">{$params[$name]}</a>";
1697 }
1698 elseif (in_array($name, array(
1699 'birth_date',
1700 'deceased_date',
1701 'participant_register_date',
1702 ))) {
1703 $values[$index] = CRM_Utils_Date::customFormat(CRM_Utils_Date::format($params[$name]));
1704 }
1705 else {
1706 $values[$index] = CRM_Utils_Array::value($name, $params);
1707 }
1708 }
1709 }
1710 $profileFields[$name] = $field;
1711 }
1712 }
1713 }
1714
1715 /**
1716 * Build the array for Additional participant's information array of primary and additional Ids.
1717 *
1718 * @param int $participantId
1719 * Id of Primary participant.
1720 * @param array $values
1721 * Key/value event info.
1722 * @param int $contactId
1723 * Contact id of Primary participant.
1724 * @param bool $isTest
1725 * Whether test or live transaction.
1726 * @param bool $isIdsArray
1727 * To return an array of Ids.
1728 *
1729 * @param bool $skipCancel
1730 *
1731 * @return array
1732 * array of Additional participant's info OR array of Ids.
1733 */
1734 public static function buildCustomProfile(
1735 $participantId,
1736 $values,
1737 $contactId = NULL,
1738 $isTest = FALSE,
1739 $isIdsArray = FALSE,
1740 $skipCancel = TRUE
1741 ) {
1742
1743 $customProfile = $additionalIDs = array();
1744 if (!$participantId) {
1745 CRM_Core_Error::fatal(ts('Cannot find participant ID'));
1746 }
1747
1748 //set Ids of Primary Participant also.
1749 if ($isIdsArray && $contactId) {
1750 $additionalIDs[$participantId] = $contactId;
1751 }
1752
1753 //hack to skip cancelled participants, CRM-4320
1754 $where = "participant.registered_by_id={$participantId}";
1755 if ($skipCancel) {
1756 $cancelStatusId = 0;
1757 $negativeStatuses = CRM_Event_PseudoConstant::participantStatus(NULL, "class = 'Negative'");
1758 $cancelStatusId = array_search('Cancelled', $negativeStatuses);
1759 $where .= " AND participant.status_id != {$cancelStatusId}";
1760 }
1761 $query = "
1762 SELECT participant.id, participant.contact_id
1763 FROM civicrm_participant participant
1764 WHERE {$where}";
1765
1766 $dao = CRM_Core_DAO::executeQuery($query);
1767 while ($dao->fetch()) {
1768 $additionalIDs[$dao->id] = $dao->contact_id;
1769 }
1770
1771 //return if only array is required.
1772 if ($isIdsArray && $contactId) {
1773 return $additionalIDs;
1774 }
1775
1776 $preProfileID = CRM_Utils_Array::value('additional_custom_pre_id', $values);
1777 $postProfileID = CRM_Utils_Array::value('additional_custom_post_id', $values);
1778 //else build array of Additional participant's information.
1779 if (count($additionalIDs)) {
1780 if ($preProfileID || $postProfileID) {
1781 $template = CRM_Core_Smarty::singleton();
1782
1783 $isCustomProfile = TRUE;
1784 $i = 1;
1785 $title = $groupTitles = array();
1786 foreach ($additionalIDs as $pId => $cId) {
1787 //get the params submitted by participant.
1788 $participantParams = CRM_Utils_Array::value($pId, $values['params'], array());
1789
1790 list($profilePre, $groupTitles) = self::buildCustomDisplay($preProfileID,
1791 'additionalCustomPre',
1792 $cId,
1793 $template,
1794 $pId,
1795 $isTest,
1796 $isCustomProfile,
1797 $participantParams
1798 );
1799
1800 if ($profilePre) {
1801 $profile = $profilePre;
1802 // $customProfile[$i] = array_merge( $groupTitles, $customProfile[$i] );
1803 if ($i === 1) {
1804 $title = $groupTitles;
1805 }
1806 }
1807
1808 list($profilePost, $groupTitles) = self::buildCustomDisplay($postProfileID,
1809 'additionalCustomPost',
1810 $cId,
1811 $template,
1812 $pId,
1813 $isTest,
1814 $isCustomProfile,
1815 $participantParams
1816 );
1817
1818 if ($profilePost) {
1819 if (isset($profilePre)) {
1820 $profile = array_merge($profilePre, $profilePost);
1821 if ($i === 1) {
1822 $title = array_merge($title, $groupTitles);
1823 }
1824 }
1825 else {
1826 $profile = $profilePost;
1827 if ($i === 1) {
1828 $title = $groupTitles;
1829 }
1830 }
1831 }
1832 $profiles[] = $profile;
1833 $i++;
1834 }
1835 $customProfile['title'] = $title;
1836 $customProfile['profile'] = $profiles;
1837 }
1838 }
1839
1840 return $customProfile;
1841 }
1842
1843 /* Function to retrieve all events those having location block set.
1844 *
1845 * @return array
1846 * array of all events.
1847 */
1848 /**
1849 * @return array
1850 */
1851 public static function getLocationEvents() {
1852 $events = array();
1853
1854 $query = "
1855 SELECT CONCAT_WS(' :: ' , ca.name, ca.street_address, ca.city, sp.name, ca.supplemental_address_1, ca.supplemental_address_2) title, ce.loc_block_id
1856 FROM civicrm_event ce
1857 INNER JOIN civicrm_loc_block lb ON ce.loc_block_id = lb.id
1858 INNER JOIN civicrm_address ca ON lb.address_id = ca.id
1859 LEFT JOIN civicrm_state_province sp ON ca.state_province_id = sp.id
1860 ORDER BY sp.name, ca.city, ca.street_address ASC
1861 ";
1862
1863 $dao = CRM_Core_DAO::executeQuery($query);
1864 while ($dao->fetch()) {
1865 $events[$dao->loc_block_id] = $dao->title;
1866 }
1867
1868 return $events;
1869 }
1870
1871 /**
1872 * @param int $locBlockId
1873 *
1874 * @return int|null|string
1875 */
1876 public static function countEventsUsingLocBlockId($locBlockId) {
1877 if (!$locBlockId) {
1878 return 0;
1879 }
1880
1881 $locBlockId = CRM_Utils_Type::escape($locBlockId, 'Integer');
1882
1883 $query = "
1884 SELECT count(*) FROM civicrm_event ce
1885 WHERE ce.loc_block_id = $locBlockId";
1886
1887 return CRM_Core_DAO::singleValueQuery($query);
1888 }
1889
1890 /**
1891 * Check if event registration is valid according to permissions AND Dates.
1892 *
1893 * @param array $values
1894 * @param int $eventID
1895 * @return bool
1896 */
1897 public static function validRegistrationRequest($values, $eventID) {
1898 // check that the user has permission to register for this event
1899 $hasPermission = CRM_Core_Permission::event(CRM_Core_Permission::EDIT,
1900 $eventID, 'register for events'
1901 );
1902
1903 return $hasPermission && self::validRegistrationDate($values);
1904 }
1905
1906 /**
1907 * @param $values
1908 *
1909 * @return bool
1910 */
1911 public static function validRegistrationDate(&$values) {
1912 // make sure that we are between registration start date and registration end date
1913 $startDate = CRM_Utils_Date::unixTime(CRM_Utils_Array::value('registration_start_date', $values));
1914 $endDate = CRM_Utils_Date::unixTime(CRM_Utils_Array::value('registration_end_date', $values));
1915 $eventEnd = CRM_Utils_Date::unixTime(CRM_Utils_Array::value('end_date', $values));
1916 $now = time();
1917 $validDate = TRUE;
1918 if ($startDate && $startDate >= $now) {
1919 $validDate = FALSE;
1920 }
1921 if ($endDate && $endDate < $now && $eventEnd && $eventEnd < $now) {
1922 $validDate = FALSE;
1923 }
1924
1925 return $validDate;
1926 }
1927
1928 /* Function to Show - Hide the Registration Link.
1929 *
1930 * @param array $values
1931 * Key/value event info.
1932 * @return boolean
1933 * true if allow registration otherwise false
1934 */
1935 /**
1936 * @param $values
1937 *
1938 * @return bool
1939 */
1940 public static function showHideRegistrationLink($values) {
1941
1942 $session = CRM_Core_Session::singleton();
1943 $contactID = $session->get('userID');
1944 $alreadyRegistered = FALSE;
1945
1946 if ($contactID) {
1947 $params = array('contact_id' => $contactID);
1948
1949 if ($eventId = CRM_Utils_Array::value('id', $values['event'])) {
1950 $params['event_id'] = $eventId;
1951 }
1952 if ($roleId = CRM_Utils_Array::value('default_role_id', $values['event'])) {
1953 $params['role_id'] = $roleId;
1954 }
1955 $alreadyRegistered = self::checkRegistration($params);
1956 }
1957
1958 if (!empty($values['event']['allow_same_participant_emails']) ||
1959 !$alreadyRegistered
1960 ) {
1961 return TRUE;
1962 }
1963 return FALSE;
1964 }
1965
1966 /* Function to check if given contact is already registered.
1967 *
1968 * @param array $params
1969 * Key/value participant info.
1970 * @return boolean
1971 */
1972 /**
1973 * @param array $params
1974 *
1975 * @return bool
1976 */
1977 public static function checkRegistration($params) {
1978 $alreadyRegistered = FALSE;
1979 if (empty($params['contact_id'])) {
1980 return $alreadyRegistered;
1981 }
1982
1983 $statusTypes = CRM_Event_PseudoConstant::participantStatus(NULL, 'is_counted = 1');
1984
1985 $participant = new CRM_Event_DAO_Participant();
1986 $participant->copyValues($params);
1987
1988 $participant->is_test = CRM_Utils_Array::value('is_test', $params, 0);
1989 $participant->selectAdd();
1990 $participant->selectAdd('status_id');
1991 if ($participant->find(TRUE) && array_key_exists($participant->status_id, $statusTypes)) {
1992 $alreadyRegistered = TRUE;
1993 }
1994
1995 return $alreadyRegistered;
1996 }
1997
1998 /**
1999 * Make sure that the user has permission to access this event.
2000 *
2001 * @param int $eventId
2002 * @param int $type
2003 *
2004 * @return string
2005 * the permission that the user has (or null)
2006 */
2007 public static function checkPermission($eventId = NULL, $type = CRM_Core_Permission::VIEW) {
2008 static $permissions = NULL;
2009
2010 if (empty($permissions)) {
2011 $allEvents = CRM_Event_PseudoConstant::event(NULL, TRUE);
2012 $createdEvents = array();
2013
2014 $session = CRM_Core_Session::singleton();
2015 if ($userID = $session->get('userID')) {
2016 $createdEvents = array_keys(CRM_Event_PseudoConstant::event(NULL, TRUE, "created_id={$userID}"));
2017 }
2018
2019 // Note: for a multisite setup, a user with edit all events, can edit all events
2020 // including those from other sites
2021 if (CRM_Core_Permission::check('edit all events')) {
2022 $permissions[CRM_Core_Permission::EDIT] = array_keys($allEvents);
2023 }
2024 else {
2025 $permissions[CRM_Core_Permission::EDIT] = CRM_ACL_API::group(CRM_Core_Permission::EDIT, NULL, 'civicrm_event', $allEvents, $createdEvents);
2026 }
2027
2028 if (CRM_Core_Permission::check('edit all events')) {
2029 $permissions[CRM_Core_Permission::VIEW] = array_keys($allEvents);
2030 }
2031 else {
2032 if (CRM_Core_Permission::check('access CiviEvent') &&
2033 CRM_Core_Permission::check('view event participants')
2034 ) {
2035 // use case: allow "view all events" but NOT "edit all events"
2036 // so for a normal site allow users with these two permissions to view all events AND
2037 // at the same time also allow any hook to override if needed.
2038 $createdEvents = array_keys($allEvents);
2039 }
2040 $permissions[CRM_Core_Permission::VIEW] = CRM_ACL_API::group(CRM_Core_Permission::VIEW, NULL, 'civicrm_event', $allEvents, $createdEvents);
2041 }
2042
2043 $permissions[CRM_Core_Permission::DELETE] = array();
2044 if (CRM_Core_Permission::check('delete in CiviEvent')) {
2045 // Note: we want to restrict the scope of delete permission to
2046 // events that are editable/viewable (usecase multisite).
2047 // We can remove array_intersect once we have ACL support for delete functionality.
2048 $permissions[CRM_Core_Permission::DELETE] = array_intersect($permissions[CRM_Core_Permission::EDIT],
2049 $permissions[CRM_Core_Permission::VIEW]
2050 );
2051 }
2052 }
2053
2054 if ($eventId) {
2055 return in_array($eventId, $permissions[$type]) ? TRUE : FALSE;
2056 }
2057
2058 return $permissions;
2059 }
2060
2061 /**
2062 * Build From Email as the combination of all the email ids of the logged in user,
2063 * the domain email id and the email id configured for the event
2064 *
2065 * @param int $eventId
2066 * The id of the event.
2067 *
2068 * @return array
2069 * an array of email ids
2070 */
2071 public static function getFromEmailIds($eventId = NULL) {
2072 $fromEmailValues['from_email_id'] = CRM_Core_BAO_Email::getFromEmail();
2073
2074 if ($eventId) {
2075 // add the email id configured for the event
2076 $params = array('id' => $eventId);
2077 $returnProperties = array('confirm_from_name', 'confirm_from_email', 'cc_confirm', 'bcc_confirm');
2078 $eventEmail = array();
2079
2080 CRM_Core_DAO::commonRetrieve('CRM_Event_DAO_Event', $params, $eventEmail, $returnProperties);
2081 if (!empty($eventEmail['confirm_from_name']) && !empty($eventEmail['confirm_from_email'])) {
2082 $eventEmailId = "{$eventEmail['confirm_from_name']} <{$eventEmail['confirm_from_email']}>";
2083
2084 $fromEmailValues['from_email_id'][$eventEmailId] = htmlspecialchars($eventEmailId);
2085 $fromEmailId = array(
2086 'cc' => CRM_Utils_Array::value('cc_confirm', $eventEmail),
2087 'bcc' => CRM_Utils_Array::value('bcc_confirm', $eventEmail),
2088 );
2089 $fromEmailValues = array_merge($fromEmailValues, $fromEmailId);
2090 }
2091 }
2092
2093 return $fromEmailValues;
2094 }
2095
2096 /**
2097 * Calculate event total seats occupied.
2098 *
2099 * @param int $eventId
2100 * Event id.
2101 * @param sting $extraWhereClause
2102 * Extra filter on participants.
2103 *
2104 * @return int
2105 * event total seats w/ given criteria.
2106 */
2107 public static function eventTotalSeats($eventId, $extraWhereClause = NULL) {
2108 if (empty($eventId)) {
2109 return 0;
2110 }
2111
2112 $extraWhereClause = trim($extraWhereClause);
2113 if (!empty($extraWhereClause)) {
2114 $extraWhereClause = " AND ( {$extraWhereClause} )";
2115 }
2116
2117 //event seats calculation :
2118 //1. consider event seat as a single when participant does not have line item.
2119 //2. consider event seat as a single when participant has line items but does not
2120 // have count for corresponding price field value ( ie price field value does not carry any seat )
2121 //3. consider event seat as a sum of all seats from line items in case price field value carries count.
2122
2123 $query = "
2124 SELECT IF ( SUM( value.count*lineItem.qty ),
2125 SUM( value.count*lineItem.qty ) +
2126 COUNT( DISTINCT participant.id ) -
2127 COUNT( DISTINCT IF ( value.count, participant.id, NULL ) ),
2128 COUNT( DISTINCT participant.id ) )
2129 FROM civicrm_participant participant
2130 INNER JOIN civicrm_contact contact ON ( contact.id = participant.contact_id AND contact.is_deleted = 0 )
2131 INNER JOIN civicrm_event event ON ( event.id = participant.event_id )
2132 LEFT JOIN civicrm_line_item lineItem ON ( lineItem.entity_id = participant.id
2133 AND lineItem.entity_table = 'civicrm_participant' )
2134 LEFT JOIN civicrm_price_field_value value ON ( value.id = lineItem.price_field_value_id AND value.count )
2135 WHERE ( participant.event_id = %1 )
2136 AND participant.is_test = 0
2137 {$extraWhereClause}
2138 GROUP BY participant.event_id";
2139
2140 return (int) CRM_Core_DAO::singleValueQuery($query, array(1 => array($eventId, 'Positive')));
2141 }
2142
2143 /**
2144 * Retrieve event template default values to be set.
2145 * as default values for current new event.
2146 *
2147 * @param int $templateId
2148 * Event template id.
2149 *
2150 * @return array
2151 * Array of custom data defaults.
2152 */
2153 public static function getTemplateDefaultValues($templateId) {
2154 $defaults = array();
2155 if (!$templateId) {
2156 return $defaults;
2157 }
2158
2159 $templateParams = array('id' => $templateId);
2160 CRM_Event_BAO_Event::retrieve($templateParams, $defaults);
2161 $fieldsToExclude = array(
2162 'id',
2163 'default_fee_id',
2164 'default_discount_fee_id',
2165 'created_date',
2166 'created_id',
2167 'is_template',
2168 'template_title',
2169 );
2170 $defaults = array_diff_key($defaults, array_flip($fieldsToExclude));
2171 return $defaults;
2172 }
2173
2174 /**
2175 * @param int $event_id
2176 *
2177 * @return object
2178 */
2179 public static function get_sub_events($event_id) {
2180 $params = array('parent_event_id' => $event_id);
2181 $defaults = array();
2182 return CRM_Event_BAO_Event::retrieve($params, $defaults);
2183 }
2184
2185 /**
2186 * Update the Campaign Id of all the participants of the given event.
2187 *
2188 * @param int $eventID
2189 * Event id.
2190 * @param int $eventCampaignID
2191 * Campaign id of that event.
2192 */
2193 public static function updateParticipantCampaignID($eventID, $eventCampaignID) {
2194 $params = array();
2195 $params[1] = array($eventID, 'Integer');
2196
2197 if (empty($eventCampaignID)) {
2198 $query = "UPDATE civicrm_participant SET campaign_id = NULL WHERE event_id = %1";
2199 }
2200 else {
2201 $query = "UPDATE civicrm_participant SET campaign_id = %2 WHERE event_id = %1";
2202 $params[2] = array($eventCampaignID, 'Integer');
2203 }
2204 CRM_Core_DAO::executeQuery($query, $params);
2205 }
2206
2207 /**
2208 * Get options for a given field.
2209 * @see CRM_Core_DAO::buildOptions
2210 *
2211 * @param string $fieldName
2212 * @param string $context : @see CRM_Core_DAO::buildOptionsContext
2213 * @param array $props : whatever is known about this dao object
2214 *
2215 * @return array|bool
2216 */
2217 public static function buildOptions($fieldName, $context = NULL, $props = array()) {
2218 $params = array();
2219 // Special logic for fields whose options depend on context or properties
2220 switch ($fieldName) {
2221 case 'financial_type_id':
2222 // Fixme - this is going to ignore context, better to get conditions, add params, and call PseudoConstant::get
2223 return CRM_Financial_BAO_FinancialType::getIncomeFinancialType();
2224
2225 break;
2226 }
2227 return CRM_Core_PseudoConstant::get(__CLASS__, $fieldName, $params, $context);
2228 }
2229
2230 }