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