Merge pull request #8175 from yashodha/CRM-18438
[civicrm-core.git] / CRM / Contribute / BAO / Contribution.php
CommitLineData
6a488035 1<?php
6a488035
TO
2/*
3 +--------------------------------------------------------------------+
7e9e8871 4 | CiviCRM version 4.7 |
6a488035 5 +--------------------------------------------------------------------+
fa938177 6 | Copyright CiviCRM LLC (c) 2004-2016 |
6a488035
TO
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 +--------------------------------------------------------------------+
d25dd0ee 26 */
6a488035
TO
27
28/**
29 *
30 * @package CRM
fa938177 31 * @copyright CiviCRM LLC (c) 2004-2016
6a488035
TO
32 */
33class CRM_Contribute_BAO_Contribution extends CRM_Contribute_DAO_Contribution {
34
35 /**
100fef9d 36 * Static field for all the contribution information that we can potentially import
6a488035
TO
37 *
38 * @var array
6a488035
TO
39 */
40 static $_importableFields = NULL;
41
42 /**
100fef9d 43 * Static field for all the contribution information that we can potentially export
6a488035
TO
44 *
45 * @var array
6a488035
TO
46 */
47 static $_exportableFields = NULL;
48
49 /**
100fef9d 50 * Field for all the objects related to this contribution
6a488035
TO
51 * @var array of objects (e.g membership object, participant object)
52 */
53 public $_relatedObjects = array();
54
55 /**
100fef9d 56 * Field for the component - either 'event' (participant) or 'contribute'
6a488035
TO
57 * (any item related to a contribution page e.g. membership, pledge, contribution)
58 * This is used for composing messages because they have dependency on the
59 * contribution_page or event page - although over time we may eliminate that
60 *
61 * @var string component or event
62 */
63 public $_component = NULL;
64
0be43473
EM
65 /**
66 * Possibly obsolete variable.
67 *
68 * If you use it please explain why it is set in the create function here.
69 *
70 * @var string
71 */
72 public $trxn_result_code;
73
186c9c17 74 /**
fe482240 75 * Class constructor.
186c9c17 76 */
00be9182 77 public function __construct() {
6a488035
TO
78 parent::__construct();
79 }
80
81 /**
fe482240 82 * Takes an associative array and creates a contribution object.
6a488035
TO
83 *
84 * the function extract all the params it needs to initialize the create a
85 * contribution object. the params array could contain additional unused name/value
86 * pairs
87 *
014c4014
TO
88 * @param array $params
89 * (reference ) an assoc array of name/value pairs.
90 * @param array $ids
91 * The array that holds all the db ids.
6a488035 92 *
bed98343 93 * @return CRM_Contribute_BAO_Contribution|void
6a488035 94 */
00be9182 95 public static function add(&$params, $ids = array()) {
6a488035 96 if (empty($params)) {
bed98343 97 return NULL;
6a488035 98 }
504a78f6 99 //per http://wiki.civicrm.org/confluence/display/CRM/Database+layer we are moving away from $ids array
100 $contributionID = CRM_Utils_Array::value('contribution', $ids, CRM_Utils_Array::value('id', $params));
6a488035 101 $duplicates = array();
504a78f6 102 if (self::checkDuplicate($params, $duplicates, $contributionID)) {
6a488035
TO
103 $error = CRM_Core_Error::singleton();
104 $d = implode(', ', $duplicates);
105 $error->push(CRM_Core_Error::DUPLICATE_CONTRIBUTION,
106 'Fatal',
107 array($d),
108 "Duplicate error - existing contribution record(s) have a matching Transaction ID or Invoice ID. Contribution record ID(s) are: $d"
109 );
110 return $error;
111 }
112
113 // first clean up all the money fields
114 $moneyFields = array(
115 'total_amount',
116 'net_amount',
117 'fee_amount',
118 'non_deductible_amount',
119 );
ae06c851 120
6a488035 121 //if priceset is used, no need to cleanup money
a7488080 122 if (!empty($params['skipCleanMoney'])) {
6a488035
TO
123 unset($moneyFields[0]);
124 }
125
126 foreach ($moneyFields as $field) {
127 if (isset($params[$field])) {
128 $params[$field] = CRM_Utils_Rule::cleanMoney($params[$field]);
129 }
130 }
48ea0708 131
16e268ad 132 //set defaults in create mode
133 if (!$contributionID) {
134 CRM_Core_DAO::setCreateDefaults($params, self::getDefaults());
135 }
136
b929cdb4 137 $contributionStatus = CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name');
4add5adb
GC
138 //if contribution is created with cancelled or refunded status, add credit note id
139 if (!empty($params['contribution_status_id'])) {
52da5b1e 140 // @todo - should we include Chargeback? If so use self::isContributionStatusNegative($params['contribution_status_id'])
4add5adb 141 if (($params['contribution_status_id'] == array_search('Refunded', $contributionStatus)
16e268ad 142 || $params['contribution_status_id'] == array_search('Cancelled', $contributionStatus))
4add5adb 143 ) {
8d20d89c 144 if (empty($params['creditnote_id']) || $params['creditnote_id'] == "null") {
4add5adb
GC
145 $params['creditnote_id'] = self::createCreditNoteId();
146 }
147 }
148 }
76c28c8d
DG
149 else {
150 // Since the fee amount is expecting this (later on) ensure it is always set.
151 // It would only not be set for an update where it is unchanged.
16e268ad 152 $params['contribution_status_id'] = civicrm_api3('Contribution', 'getvalue', array('id' => $contributionID, 'return' => 'contribution_status_id'));
76c28c8d 153 }
4add5adb 154
080a561b 155 self::calculateMissingAmountParams($params, $contributionID);
6a488035 156
a7488080 157 if (!empty($params['payment_instrument_id'])) {
6a488035
TO
158 $paymentInstruments = CRM_Contribute_PseudoConstant::paymentInstrument('name');
159 if ($params['payment_instrument_id'] != array_search('Check', $paymentInstruments)) {
160 $params['check_number'] = 'null';
161 }
162 }
163
5e494d5c 164 $setPrevContribution = TRUE;
f8325309 165 // CRM-13964 partial payment
5e494d5c
PJ
166 if (!empty($params['partial_payment_total']) && !empty($params['partial_amount_pay'])) {
167 $partialAmtTotal = $params['partial_payment_total'];
168 $partialAmtPay = $params['partial_amount_pay'];
169 $params['total_amount'] = $partialAmtTotal;
170 if ($partialAmtPay < $partialAmtTotal) {
ede1935f 171 $params['contribution_status_id'] = CRM_Core_OptionGroup::getValue('contribution_status', 'Partially paid', 'name');
5e494d5c
PJ
172 $params['is_pay_later'] = 0;
173 $setPrevContribution = FALSE;
f8325309
PJ
174 }
175 }
19393e51
PN
176 if ($contributionID && $setPrevContribution) {
177 $params['prevContribution'] = self::getValues(array('id' => $contributionID), CRM_Core_DAO::$_nullArray, CRM_Core_DAO::$_nullArray);
178 }
ede1935f 179
504a78f6 180 if ($contributionID) {
181 CRM_Utils_Hook::pre('edit', 'Contribution', $contributionID, $params);
6a488035
TO
182 }
183 else {
184 CRM_Utils_Hook::pre('create', 'Contribution', NULL, $params);
185 }
6a488035
TO
186 $contribution = new CRM_Contribute_BAO_Contribution();
187 $contribution->copyValues($params);
188
504a78f6 189 $contribution->id = $contributionID;
6a488035 190
10cd9458 191 if (empty($contribution->id)) {
192 // (only) on 'create', make sure that a valid currency is set (CRM-16845)
193 if (!CRM_Utils_Rule::currencyCode($contribution->currency)) {
4e92d4f4 194 $contribution->currency = CRM_Core_Config::singleton()->defaultCurrency;
10cd9458 195 }
6a488035
TO
196 }
197
6a488035
TO
198 $result = $contribution->save();
199
200 // Add financial_trxn details as part of fix for CRM-4724
201 $contribution->trxn_result_code = CRM_Utils_Array::value('trxn_result_code', $params);
202 $contribution->payment_processor = CRM_Utils_Array::value('payment_processor', $params);
203
204 //add Account details
205 $params['contribution'] = $contribution;
0aaf8fe9 206 self::recordFinancialAccounts($params);
6a488035 207
91259407 208 if (self::isUpdateToRecurringContribution($params)) {
209 CRM_Contribute_BAO_ContributionRecur::updateOnNewPayment(
d4009c22 210 (!empty($params['contribution_recur_id']) ? $params['contribution_recur_id'] : $params['prevContribution']->contribution_recur_id),
91259407 211 $contributionStatus[$params['contribution_status_id']]
212 );
213 }
214
6a488035
TO
215 // reset the group contact cache for this group
216 CRM_Contact_BAO_GroupContactCache::remove();
217
504a78f6 218 if ($contributionID) {
6a488035
TO
219 CRM_Utils_Hook::post('edit', 'Contribution', $contribution->id, $contribution);
220 }
221 else {
222 CRM_Utils_Hook::post('create', 'Contribution', $contribution->id, $contribution);
223 }
224
225 return $result;
226 }
227
91259407 228 /**
229 * Is this contribution updating an existing recurring contribution.
230 *
231 * We need to upd the status of the linked recurring contribution if we have a new payment against it, or the initial
232 * pending payment is being confirmed (or failing).
233 *
234 * @param array $params
235 *
236 * @return bool
237 */
238 public static function isUpdateToRecurringContribution($params) {
239 if (!empty($params['contribution_recur_id']) && empty($params['id'])) {
240 return TRUE;
241 }
242 if (empty($params['prevContribution']) || empty($params['contribution_status_id'])) {
243 return FALSE;
244 }
245 if (empty($params['contribution_recur_id']) && empty($params['prevContribution']->contribution_recur_id)) {
246 return FALSE;
247 }
248 $contributionStatus = CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name');
249 if ($params['prevContribution']->contribution_status_id == array_search('Pending', $contributionStatus)) {
250 return TRUE;
251 }
252 return FALSE;
253 }
254
44a2db2b 255 /**
fe482240 256 * Get defaults for new entity.
44a2db2b
EM
257 * @return array
258 */
00be9182 259 public static function getDefaults() {
44a2db2b
EM
260 return array(
261 'payment_instrument_id' => key(CRM_Core_OptionGroup::values('payment_instrument',
262 FALSE, FALSE, FALSE, 'AND is_default = 1')
263 ),
264 'contribution_status_id' => CRM_Core_OptionGroup::getValue('contribution_status', 'Completed', 'name'),
265 );
44a2db2b
EM
266 }
267
6a488035 268 /**
9a7e53b0 269 * Fetch the object and store the values in the values array.
6a488035 270 *
014c4014
TO
271 * @param array $params
272 * Input parameters to find object.
273 * @param array $values
274 * Output values of the object.
275 * @param array $ids
276 * The array that holds all the db ids.
6a488035 277 *
a380f4a0
EM
278 * @return CRM_Contribute_BAO_Contribution|null
279 * The found object or null
6a488035 280 */
0816949d 281 public static function getValues($params, &$values, &$ids) {
6a488035
TO
282 if (empty($params)) {
283 return NULL;
284 }
285 $contribution = new CRM_Contribute_BAO_Contribution();
286
287 $contribution->copyValues($params);
288
289 if ($contribution->find(TRUE)) {
290 $ids['contribution'] = $contribution->id;
291
292 CRM_Core_DAO::storeValues($contribution, $values);
293
294 return $contribution;
295 }
7e5524d4
TO
296 $null = NULL; // return by reference
297 return $null;
6a488035
TO
298 }
299
99cdd94d 300 /**
301 * Get the values and resolve the most common mappings.
302 *
303 * Since contribution status is resolved in almost every function that calls getValues it makes
304 * sense to have an extra function to resolve it rather than repeat the code.
305 *
306 * Think carefully before adding more mappings to be resolved as there could be performance implications
307 * if this function starts to be called from more iterative functions.
308 *
309 * @param array $params
310 * Input parameters to find object.
311 *
312 * @return array
313 * Array of the found contribution.
314 * @throws CRM_Core_Exception
315 */
316 public static function getValuesWithMappings($params) {
317 $values = $ids = array();
318 $contribution = self::getValues($params, $values, $ids);
319 if (is_null($contribution)) {
320 throw new CRM_Core_Exception('No contribution found');
321 }
322 $values['contribution_status'] = CRM_Core_PseudoConstant::getName('CRM_Contribute_BAO_Contribution', 'contribution_status_id', $values['contribution_status_id']);
323 return $values;
324 }
325
44a2db2b 326 /**
0be43473 327 * Calculate net_amount & fee_amount if they are not set.
44a2db2b 328 *
0be43473
EM
329 * Net amount should be total - fee.
330 * This should only be called for new contributions.
331 *
332 * @param array $params
333 * Params for a new contribution before they are saved.
080a561b 334 * @param int|null $contributionID
335 * Contribution ID if we are dealing with an update.
336 *
337 * @throws \CiviCRM_API3_Exception
44a2db2b 338 */
080a561b 339 public static function calculateMissingAmountParams(&$params, $contributionID) {
340 if (!$contributionID && !isset($params['fee_amount'])) {
44a2db2b
EM
341 if (isset($params['total_amount']) && isset($params['net_amount'])) {
342 $params['fee_amount'] = $params['total_amount'] - $params['net_amount'];
343 }
344 else {
345 $params['fee_amount'] = 0;
346 }
347 }
348 if (!isset($params['net_amount'])) {
080a561b 349 if (!$contributionID) {
350 $params['net_amount'] = $params['total_amount'] - $params['fee_amount'];
351 }
352 else {
353 if (isset($params['fee_amount']) || isset($params['total_amount'])) {
354 // We have an existing contribution and fee_amount or total_amount has been passed in but not net_amount.
355 // net_amount may need adjusting.
356 $contribution = civicrm_api3('Contribution', 'getsingle', array(
357 'id' => $contributionID,
358 'return' => array('total_amount', 'net_amount'),
359 ));
360 $totalAmount = isset($params['total_amount']) ? $params['total_amount'] : CRM_Utils_Array::value('total_amount', $contribution);
361 $feeAmount = isset($params['fee_amount']) ? $params['fee_amount'] : CRM_Utils_Array::value('fee_amount', $contribution);
362 $params['net_amount'] = $totalAmount - $feeAmount;
363 }
364 }
44a2db2b
EM
365 }
366 }
367
0816949d
EM
368 /**
369 * @param $params
370 * @param $billingLocationTypeID
371 *
372 * @return array
373 */
374 protected static function getBillingAddressParams($params, $billingLocationTypeID) {
375 $hasBillingField = FALSE;
376 $billingFields = array(
377 'street_address',
378 'city',
379 'state_province_id',
380 'postal_code',
381 'country_id',
382 );
383
384 //build address array
385 $addressParams = array();
386 $addressParams['location_type_id'] = $billingLocationTypeID;
387 $addressParams['is_billing'] = 1;
388
389 $billingFirstName = CRM_Utils_Array::value('billing_first_name', $params);
390 $billingMiddleName = CRM_Utils_Array::value('billing_middle_name', $params);
391 $billingLastName = CRM_Utils_Array::value('billing_last_name', $params);
392 $addressParams['address_name'] = "{$billingFirstName}" . CRM_Core_DAO::VALUE_SEPARATOR . "{$billingMiddleName}" . CRM_Core_DAO::VALUE_SEPARATOR . "{$billingLastName}";
393
394 foreach ($billingFields as $value) {
395 $addressParams[$value] = CRM_Utils_Array::value("billing_{$value}-{$billingLocationTypeID}", $params);
396 if (!empty($addressParams[$value])) {
397 $hasBillingField = TRUE;
398 }
399 }
400 return array($hasBillingField, $addressParams);
401 }
402
403 /**
404 * Get address params ready to be passed to the payment processor.
405 *
406 * We need address params in a couple of formats. For the payment processor we wan state_province_id-5.
407 * To create an address we need state_province_id.
408 *
409 * @param array $params
410 * @param int $billingLocationTypeID
411 *
412 * @return array
413 */
414 public static function getPaymentProcessorReadyAddressParams($params, $billingLocationTypeID) {
415 list($hasBillingField, $addressParams) = self::getBillingAddressParams($params, $billingLocationTypeID);
416 foreach ($addressParams as $name => $field) {
417 if (substr($name, 0, 8) == 'billing_') {
418 $addressParams[substr($name, 9)] = $addressParams[$field];
419 }
420 }
421 return array($hasBillingField, $addressParams);
422 }
423
2243fe93
EM
424 /**
425 * Get the number of terms for this contribution for a given membership type
426 * based on querying the line item table and relevant price field values
427 * Note that any one contribution should only be able to have one line item relating to a particular membership
428 * type
a284891b 429 *
2243fe93
EM
430 * @param int $membershipTypeID
431 *
a284891b
EM
432 * @param int $contributionID
433 *
2243fe93
EM
434 * @return int
435 */
a284891b 436 public function getNumTermsByContributionAndMembershipType($membershipTypeID, $contributionID) {
f2b2a3ff 437 $numTerms = CRM_Core_DAO::singleValueQuery("
2243fe93
EM
438 SELECT membership_num_terms FROM civicrm_line_item li
439 LEFT JOIN civicrm_price_field_value v ON li.price_field_value_id = v.id
29347f3d 440 WHERE contribution_id = %1 AND membership_type_id = %2",
f2b2a3ff 441 array(1 => array($contributionID, 'Integer'), 2 => array($membershipTypeID, 'Integer'))
2243fe93
EM
442 );
443 // default of 1 is precautionary
444 return empty($numTerms) ? 1 : $numTerms;
445 }
446
6a488035 447 /**
fe482240 448 * Takes an associative array and creates a contribution object.
6a488035 449 *
014c4014
TO
450 * @param array $params
451 * (reference ) an assoc array of name/value pairs.
452 * @param array $ids
453 * The array that holds all the db ids.
6a488035 454 *
16b10e64 455 * @return CRM_Contribute_BAO_Contribution
6a488035 456 */
00be9182 457 public static function create(&$params, $ids = array()) {
6a488035
TO
458 $dateFields = array('receive_date', 'cancel_date', 'receipt_date', 'thankyou_date');
459 foreach ($dateFields as $df) {
460 if (isset($params[$df])) {
461 $params[$df] = CRM_Utils_Date::isoToMysql($params[$df]);
462 }
463 }
464
4add5adb
GC
465 //if contribution is created with cancelled or refunded status, add credit note id
466 if (!empty($params['contribution_status_id'])) {
467 $contributionStatus = CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name');
468
469 if (($params['contribution_status_id'] == array_search('Refunded', $contributionStatus)
470 || $params['contribution_status_id'] == array_search('Cancelled', $contributionStatus))
471 ) {
8d20d89c 472 if (empty($params['creditnote_id']) || $params['creditnote_id'] == "null") {
4add5adb
GC
473 $params['creditnote_id'] = self::createCreditNoteId();
474 }
475 }
476 }
477
6a488035
TO
478 $transaction = new CRM_Core_Transaction();
479
6a488035
TO
480 $contribution = self::add($params, $ids);
481
482 if (is_a($contribution, 'CRM_Core_Error')) {
483 $transaction->rollback();
484 return $contribution;
485 }
486
487 $params['contribution_id'] = $contribution->id;
488
a7488080 489 if (!empty($params['custom']) &&
6a488035
TO
490 is_array($params['custom'])
491 ) {
492 CRM_Core_BAO_CustomValueTable::store($params['custom'], 'civicrm_contribution', $contribution->id);
493 }
494
495 $session = CRM_Core_Session::singleton();
496
a7488080 497 if (!empty($params['note'])) {
6a488035
TO
498 $noteParams = array(
499 'entity_table' => 'civicrm_contribution',
500 'note' => $params['note'],
501 'entity_id' => $contribution->id,
502 'contact_id' => $session->get('userID'),
503 'modified_date' => date('Ymd'),
504 );
505 if (!$noteParams['contact_id']) {
506 $noteParams['contact_id'] = $params['contact_id'];
507 }
504a78f6 508 CRM_Core_BAO_Note::add($noteParams);
6a488035
TO
509 }
510
511 // make entry in batch entity batch table
a7488080 512 if (!empty($params['batch_id'])) {
6a488035
TO
513 // in some update cases we need to get extra fields - ie an update that doesn't pass in all these params
514 $titleFields = array(
515 'contact_id',
516 'total_amount',
517 'currency',
518 'financial_type_id',
519 );
d37ade2e 520 $retrieveRequired = 0;
6a488035 521 foreach ($titleFields as $titleField) {
f2b2a3ff 522 if (!isset($contribution->$titleField)) {
d37ade2e 523 $retrieveRequired = 1;
6a488035
TO
524 break;
525 }
526 }
d37ade2e 527 if ($retrieveRequired == 1) {
2cfc0f58 528 $contribution->find(TRUE);
6a488035
TO
529 }
530 }
531
7a13735b 532 CRM_Contribute_BAO_ContributionSoft::processSoftContribution($params, $contribution);
2cfc0f58 533
6a488035
TO
534 $transaction->commit();
535
464ff9cc
EM
536 // check if activity record exist for this contribution, if
537 // not add activity
538 $activity = new CRM_Activity_DAO_Activity();
539 $activity->source_record_id = $contribution->id;
540 $activity->activity_type_id = CRM_Core_OptionGroup::getValue('activity_type',
541 'Contribution',
542 'name'
543 );
544 if (!$activity->find(TRUE)) {
b7d5a0e4 545 if (empty($contribution->contact_id)) {
546 $contribution->find(TRUE);
547 }
464ff9cc
EM
548 CRM_Activity_BAO_Activity::addActivity($contribution, 'Offline');
549 }
550 else {
551 // CRM-13237 : if activity record found, update it with campaign id of contribution
552 CRM_Core_DAO::setFieldValue('CRM_Activity_BAO_Activity', $activity->id, 'campaign_id', $contribution->campaign_id);
553 }
554
6a488035 555 // do not add to recent items for import, CRM-4399
a7488080 556 if (empty($params['skipRecentView'])) {
6a488035
TO
557 $url = CRM_Utils_System::url('civicrm/contact/view/contribution',
558 "action=view&reset=1&id={$contribution->id}&cid={$contribution->contact_id}&context=home"
559 );
560 // in some update cases we need to get extra fields - ie an update that doesn't pass in all these params
561 $titleFields = array(
562 'contact_id',
563 'total_amount',
564 'currency',
565 'financial_type_id',
566 );
d37ade2e 567 $retrieveRequired = 0;
6a488035 568 foreach ($titleFields as $titleField) {
f2b2a3ff 569 if (!isset($contribution->$titleField)) {
d37ade2e 570 $retrieveRequired = 1;
6a488035
TO
571 break;
572 }
573 }
f2b2a3ff 574 if ($retrieveRequired == 1) {
2cfc0f58 575 $contribution->find(TRUE);
6a488035
TO
576 }
577 $contributionTypes = CRM_Contribute_PseudoConstant::financialType();
578 $title = CRM_Contact_BAO_Contact::displayName($contribution->contact_id) . ' - (' . CRM_Utils_Money::format($contribution->total_amount, $contribution->currency) . ' ' . ' - ' . $contributionTypes[$contribution->financial_type_id] . ')';
579
580 $recentOther = array();
581 if (CRM_Core_Permission::checkActionPermission('CiviContribute', CRM_Core_Action::UPDATE)) {
582 $recentOther['editUrl'] = CRM_Utils_System::url('civicrm/contact/view/contribution',
583 "action=update&reset=1&id={$contribution->id}&cid={$contribution->contact_id}&context=home"
584 );
585 }
586
587 if (CRM_Core_Permission::checkActionPermission('CiviContribute', CRM_Core_Action::DELETE)) {
588 $recentOther['deleteUrl'] = CRM_Utils_System::url('civicrm/contact/view/contribution',
589 "action=delete&reset=1&id={$contribution->id}&cid={$contribution->contact_id}&context=home"
590 );
591 }
592
593 // add the recently created Contribution
594 CRM_Utils_Recent::add($title,
595 $url,
596 $contribution->id,
597 'Contribution',
598 $contribution->contact_id,
599 NULL,
600 $recentOther
601 );
602 }
603
604 return $contribution;
605 }
606
607 /**
608 * Get the values for pseudoconstants for name->value and reverse.
609 *
014c4014
TO
610 * @param array $defaults
611 * (reference) the default values, some of which need to be resolved.
612 * @param bool $reverse
613 * True if we want to resolve the values in the reverse direction (value -> name).
6a488035 614 */
00be9182 615 public static function resolveDefaults(&$defaults, $reverse = FALSE) {
6a488035
TO
616 self::lookupValue($defaults, 'financial_type', CRM_Contribute_PseudoConstant::financialType(), $reverse);
617 self::lookupValue($defaults, 'payment_instrument', CRM_Contribute_PseudoConstant::paymentInstrument(), $reverse);
618 self::lookupValue($defaults, 'contribution_status', CRM_Contribute_PseudoConstant::contributionStatus(), $reverse);
619 self::lookupValue($defaults, 'pcp', CRM_Contribute_PseudoConstant::pcPage(), $reverse);
620 }
621
622 /**
74ab7ba8 623 * Convert associative array names to values and vice-versa.
6a488035
TO
624 *
625 * This function is used by both the web form layer and the api. Note that
626 * the api needs the name => value conversion, also the view layer typically
627 * requires value => name conversion
74ab7ba8
EM
628 *
629 * @param array $defaults
630 * @param string $property
631 * @param array $lookup
632 * @param bool $reverse
633 *
634 * @return bool
6a488035 635 */
00be9182 636 public static function lookupValue(&$defaults, $property, &$lookup, $reverse) {
6a488035
TO
637 $id = $property . '_id';
638
639 $src = $reverse ? $property : $id;
640 $dst = $reverse ? $id : $property;
641
642 if (!array_key_exists($src, $defaults)) {
643 return FALSE;
644 }
645
646 $look = $reverse ? array_flip($lookup) : $lookup;
647
648 if (is_array($look)) {
649 if (!array_key_exists($defaults[$src], $look)) {
650 return FALSE;
651 }
652 }
653 $defaults[$dst] = $look[$defaults[$src]];
654 return TRUE;
655 }
656
657 /**
fe482240
EM
658 * Retrieve DB object based on input parameters.
659 *
660 * It also stores all the retrieved values in the default array.
6a488035 661 *
014c4014
TO
662 * @param array $params
663 * (reference ) an assoc array of name/value pairs.
664 * @param array $defaults
665 * (reference ) an assoc array to hold the name / value pairs.
6a488035 666 * in a hierarchical manner
014c4014
TO
667 * @param array $ids
668 * (reference) the array that holds all the db ids.
6a488035 669 *
16b10e64 670 * @return CRM_Contribute_BAO_Contribution
6a488035 671 */
00be9182 672 public static function retrieve(&$params, &$defaults, &$ids) {
6a488035
TO
673 $contribution = CRM_Contribute_BAO_Contribution::getValues($params, $defaults, $ids);
674 return $contribution;
675 }
676
677 /**
fe482240 678 * Combine all the importable fields from the lower levels object.
6a488035
TO
679 *
680 * The ordering is important, since currently we do not have a weight
681 * scheme. Adding weight is super important and should be done in the
682 * next week or so, before this can be called complete.
683 *
8efea814
EM
684 * @param string $contactType
685 * @param bool $status
686 *
a6c01b45
CW
687 * @return array
688 * array of importable Fields
6a488035 689 */
00be9182 690 public static function &importableFields($contactType = 'Individual', $status = TRUE) {
6a488035
TO
691 if (!self::$_importableFields) {
692 if (!self::$_importableFields) {
693 self::$_importableFields = array();
694 }
695
696 if (!$status) {
697 $fields = array('' => array('title' => ts('- do not import -')));
698 }
699 else {
700 $fields = array('' => array('title' => ts('- Contribution Fields -')));
701 }
702
703 $note = CRM_Core_DAO_Note::import();
704 $tmpFields = CRM_Contribute_DAO_Contribution::import();
705 unset($tmpFields['option_value']);
706 $optionFields = CRM_Core_OptionValue::getFields($mode = 'contribute');
c2585c5b 707 $contactFields = CRM_Contact_BAO_Contact::importableFields($contactType, NULL);
6a488035
TO
708
709 // Using new Dedupe rule.
710 $ruleParams = array(
c2585c5b 711 'contact_type' => $contactType,
f2b2a3ff 712 'used' => 'Unsupervised',
6a488035
TO
713 );
714 $fieldsArray = CRM_Dedupe_BAO_Rule::dedupeRuleFields($ruleParams);
c2585c5b 715 $tmpContactField = array();
6a488035
TO
716 if (is_array($fieldsArray)) {
717 foreach ($fieldsArray as $value) {
718 //skip if there is no dupe rule
719 if ($value == 'none') {
720 continue;
721 }
722 $customFieldId = CRM_Core_DAO::getFieldValue('CRM_Core_DAO_CustomField',
723 $value,
724 'id',
725 'column_name'
726 );
727 $value = $customFieldId ? 'custom_' . $customFieldId : $value;
c2585c5b 728 $tmpContactField[trim($value)] = $contactFields[trim($value)];
6a488035 729 if (!$status) {
c2585c5b 730 $title = $tmpContactField[trim($value)]['title'] . ' ' . ts('(match to contact)');
6a488035
TO
731 }
732 else {
c2585c5b 733 $title = $tmpContactField[trim($value)]['title'];
6a488035 734 }
c2585c5b 735 $tmpContactField[trim($value)]['title'] = $title;
6a488035
TO
736 }
737 }
738
c2585c5b 739 $tmpContactField['external_identifier'] = $contactFields['external_identifier'];
740 $tmpContactField['external_identifier']['title'] = $contactFields['external_identifier']['title'] . ' ' . ts('(match to contact)');
6a488035 741 $tmpFields['contribution_contact_id']['title'] = $tmpFields['contribution_contact_id']['title'] . ' ' . ts('(match to contact)');
c2585c5b 742 $fields = array_merge($fields, $tmpContactField);
6a488035
TO
743 $fields = array_merge($fields, $tmpFields);
744 $fields = array_merge($fields, $note);
745 $fields = array_merge($fields, $optionFields);
746 $fields = array_merge($fields, CRM_Financial_DAO_FinancialType::export());
747 $fields = array_merge($fields, CRM_Core_BAO_CustomField::getFieldsForImport('Contribution'));
748 self::$_importableFields = $fields;
749 }
750 return self::$_importableFields;
751 }
752
186c9c17 753 /**
e9ff5391 754 * Combine all the exportable fields from the lower level objects.
755 *
756 * @param bool $checkPermission
757 *
186c9c17 758 * @return array
e9ff5391 759 * array of exportable Fields
186c9c17 760 */
5837835b 761 public static function &exportableFields($checkPermission = TRUE) {
6a488035
TO
762 if (!self::$_exportableFields) {
763 if (!self::$_exportableFields) {
764 self::$_exportableFields = array();
765 }
766
f2b2a3ff
TO
767 $impFields = CRM_Contribute_DAO_Contribution::export();
768 $expFieldProduct = CRM_Contribute_DAO_Product::export();
769 $expFieldsContrib = CRM_Contribute_DAO_ContributionProduct::export();
770 $typeField = CRM_Financial_DAO_FinancialType::export();
771 $financialAccount = CRM_Financial_DAO_FinancialAccount::export();
772 $optionField = CRM_Core_OptionValue::getFields($mode = 'contribute');
6a488035
TO
773 $contributionStatus = array(
774 'contribution_status' => array(
775 'title' => ts('Contribution Status'),
776 'name' => 'contribution_status',
21dfd5f5
TO
777 'data_type' => CRM_Utils_Type::T_STRING,
778 ),
f2b2a3ff 779 );
6a488035 780
3c151c70 781 $contributionPage = array(
782 'contribution_page' => array(
783 'title' => ts('Contribution Page'),
784 'name' => 'contribution_page',
785 'where' => 'civicrm_contribution_page.title',
a130e045 786 'data_type' => CRM_Utils_Type::T_STRING,
bed98343 787 ),
a130e045 788 );
3c151c70 789
6a488035 790 $contributionNote = array(
a130e045
DG
791 'contribution_note' => array(
792 'title' => ts('Contribution Note'),
793 'name' => 'contribution_note',
794 'data_type' => CRM_Utils_Type::T_TEXT,
795 ),
6a488035
TO
796 );
797
798 $contributionRecurId = array(
9d72cede 799 'contribution_recur_id' => array(
6a488035
TO
800 'title' => ts('Recurring Contributions ID'),
801 'name' => 'contribution_recur_id',
802 'where' => 'civicrm_contribution.contribution_recur_id',
21dfd5f5
TO
803 'data_type' => CRM_Utils_Type::T_INT,
804 ),
f2b2a3ff 805 );
6a488035
TO
806
807 $extraFields = array(
82a43d71 808 'contribution_batch' => array(
21dfd5f5
TO
809 'title' => ts('Batch Name'),
810 ),
6a488035
TO
811 );
812
124b978e
WA
813 // CRM-17787
814 $campaignTitle = array(
815 'contribution_campaign_title' => array(
816 'title' => ts('Campaign Title'),
817 'name' => 'campaign_title',
818 'where' => 'civicrm_campaign.title',
819 'data_type' => CRM_Utils_Type::T_STRING,
820 ),
821 );
81ec6180
DS
822 $softCreditFields = array(
823 'contribution_soft_credit_name' => array(
824 'name' => 'contribution_soft_credit_name',
825 'title' => 'Soft Credit For',
826 'where' => 'civicrm_contact_d.display_name',
21dfd5f5 827 'data_type' => CRM_Utils_Type::T_STRING,
81ec6180
DS
828 ),
829 'contribution_soft_credit_amount' => array(
830 'name' => 'contribution_soft_credit_amount',
831 'title' => 'Soft Credit Amount',
832 'where' => 'civicrm_contribution_soft.amount',
21dfd5f5 833 'data_type' => CRM_Utils_Type::T_MONEY,
81ec6180
DS
834 ),
835 'contribution_soft_credit_type' => array(
836 'name' => 'contribution_soft_credit_type',
837 'title' => 'Soft Credit Type',
838 'where' => 'contribution_softcredit_type.label',
21dfd5f5 839 'data_type' => CRM_Utils_Type::T_STRING,
81ec6180
DS
840 ),
841 'contribution_soft_credit_contribution_id' => array(
842 'name' => 'contribution_soft_credit_contribution_id',
843 'title' => 'Soft Credit For Contribution ID',
844 'where' => 'civicrm_contribution_soft.contribution_id',
21dfd5f5 845 'data_type' => CRM_Utils_Type::T_INT,
81ec6180 846 ),
5850d2e9 847 'contribution_soft_credit_contact_id' => array(
848 'name' => 'contribution_soft_credit_contact_id',
849 'title' => 'Soft Credit For Contact ID',
9a74243e 850 'where' => 'civicrm_contact_d.id',
5850d2e9 851 'data_type' => CRM_Utils_Type::T_INT,
852 ),
81ec6180
DS
853 );
854
6ffab5b7
WA
855 // CRM-16713 - contribution search by Premiums on 'Find Contribution' form.
856 $premiums = array(
857 'contribution_product_id' => array(
858 'title' => ts('Premium'),
859 'name' => 'contribution_product_id',
860 'where' => 'civicrm_product.id',
861 'data_type' => CRM_Utils_Type::T_INT,
862 ),
863 );
864
3c151c70 865 $fields = array_merge($impFields, $typeField, $contributionStatus, $contributionPage, $optionField, $expFieldProduct,
124b978e 866 $expFieldsContrib, $contributionNote, $contributionRecurId, $extraFields, $softCreditFields, $financialAccount, $premiums, $campaignTitle,
5837835b 867 CRM_Core_BAO_CustomField::getFieldsForImport('Contribution', FALSE, FALSE, FALSE, $checkPermission)
6a488035
TO
868 );
869
870 self::$_exportableFields = $fields;
871 }
872
873 return self::$_exportableFields;
874 }
875
186c9c17
EM
876 /**
877 * @param null $status
878 * @param null $startDate
879 * @param null $endDate
880 *
881 * @return array|null
882 */
00be9182 883 public static function getTotalAmountAndCount($status = NULL, $startDate = NULL, $endDate = NULL) {
6a488035
TO
884 $where = array();
885 switch ($status) {
886 case 'Valid':
887 $where[] = 'contribution_status_id = 1';
888 break;
889
890 case 'Cancelled':
891 $where[] = 'contribution_status_id = 3';
892 break;
893 }
894
895 if ($startDate) {
896 $where[] = "receive_date >= '" . CRM_Utils_Type::escape($startDate, 'Timestamp') . "'";
897 }
898 if ($endDate) {
899 $where[] = "receive_date <= '" . CRM_Utils_Type::escape($endDate, 'Timestamp') . "'";
900 }
40c655aa 901 CRM_Financial_BAO_FinancialType::getAvailableFinancialTypes($financialTypes);
54d8de6b 902 if ($financialTypes) {
40c655aa
E
903 $where[] = "c.financial_type_id IN (" . implode(',', array_keys($financialTypes)) . ")";
904 $where[] = "i.financial_type_id IN (" . implode(',', array_keys($financialTypes)) . ")";
905 }
54d8de6b
E
906 else {
907 $where[] = "c.financial_type_id IN (0)";
908 }
6a488035
TO
909
910 $whereCond = implode(' AND ', $where);
911
912 $query = "
913 SELECT sum( total_amount ) as total_amount,
54d8de6b 914 count( c.id ) as total_count,
6a488035 915 currency
54d8de6b
E
916 FROM civicrm_contribution c
917INNER JOIN civicrm_contact contact ON ( contact.id = c.contact_id )
918LEFT JOIN civicrm_line_item i ON ( i.contribution_id = c.id AND i.entity_table = 'civicrm_contribution' )
6a488035
TO
919 WHERE $whereCond
920 AND ( is_test = 0 OR is_test IS NULL )
921 AND contact.is_deleted = 0
922 GROUP BY currency
923";
924
9d2678f4 925 $dao = CRM_Core_DAO::executeQuery($query);
6a488035 926 $amount = array();
f2b2a3ff 927 $count = 0;
6a488035
TO
928 while ($dao->fetch()) {
929 $count += $dao->total_count;
930 $amount[] = CRM_Utils_Money::format($dao->total_amount, $dao->currency);
931 }
932 if ($count) {
f2b2a3ff
TO
933 return array(
934 'amount' => implode(', ', $amount),
6a488035
TO
935 'count' => $count,
936 );
937 }
938 return NULL;
939 }
940
941 /**
fe482240 942 * Delete the indirect records associated with this contribution first.
6a488035 943 *
100fef9d 944 * @param int $id
8efea814 945 *
72b3a70c
CW
946 * @return mixed|null
947 * $results no of deleted Contribution on success, false otherwise
6a488035 948 */
00be9182 949 public static function deleteContribution($id) {
6a488035
TO
950 CRM_Utils_Hook::pre('delete', 'Contribution', $id, CRM_Core_DAO::$_nullArray);
951
952 $transaction = new CRM_Core_Transaction();
953
954 $results = NULL;
955 //delete activity record
956 $params = array(
957 'source_record_id' => $id,
958 // activity type id for contribution
959 'activity_type_id' => 6,
960 );
961
962 CRM_Activity_BAO_Activity::deleteActivity($params);
963
964 //delete billing address if exists for this contribution.
965 self::deleteAddress($id);
966
967 //update pledge and pledge payment, CRM-3961
968 CRM_Pledge_BAO_PledgePayment::resetPledgePayment($id);
969
970 // remove entry from civicrm_price_set_entity, CRM-5095
9da8dc8c 971 if (CRM_Price_BAO_PriceSet::getFor('civicrm_contribution', $id)) {
972 CRM_Price_BAO_PriceSet::removeFrom('civicrm_contribution', $id);
6a488035
TO
973 }
974 // cleanup line items.
975 $participantId = CRM_Core_DAO::getFieldValue('CRM_Event_DAO_ParticipantPayment', $id, 'participant_id', 'contribution_id');
976
de1c25e1
PN
977 // delete any related entity_financial_trxn, financial_trxn and financial_item records.
978 CRM_Core_BAO_FinancialTrxn::deleteFinancialTrxn($id);
6a488035
TO
979
980 if ($participantId) {
981 CRM_Price_BAO_LineItem::deleteLineItems($participantId, 'civicrm_participant');
982 }
983 else {
984 CRM_Price_BAO_LineItem::deleteLineItems($id, 'civicrm_contribution');
985 }
986
987 //delete note.
988 $note = CRM_Core_BAO_Note::getNote($id, 'civicrm_contribution');
989 $noteId = key($note);
990 if ($noteId) {
991 CRM_Core_BAO_Note::del($noteId, FALSE);
992 }
993
994 $dao = new CRM_Contribute_DAO_Contribution();
995 $dao->id = $id;
996
997 $results = $dao->delete();
998
999 $transaction->commit();
1000
1001 CRM_Utils_Hook::post('delete', 'Contribution', $dao->id, $dao);
1002
1003 // delete the recently created Contribution
1004 $contributionRecent = array(
1005 'id' => $id,
1006 'type' => 'Contribution',
1007 );
1008 CRM_Utils_Recent::del($contributionRecent);
1009
1010 return $results;
1011 }
1012
7758bd2b
EM
1013 /**
1014 * React to a financial transaction (payment) failure.
1015 *
1016 * Prior to CRM-16417 these were simply removed from the database but it has been agreed that seeing attempted
1017 * payments is important for forensic and outreach reasons.
1018 *
06d062ce 1019 * @param int $contributionID
ad37ac8e 1020 * @param int $contactID
06d062ce 1021 * @param string $message
ad37ac8e 1022 *
1023 * @throws \CiviCRM_API3_Exception
7758bd2b 1024 */
06d062ce
EM
1025 public static function failPayment($contributionID, $contactID, $message) {
1026 civicrm_api3('activity', 'create', array(
1027 'activity_type_id' => 'Failed Payment',
1028 'details' => $message,
1029 'subject' => ts('Payment failed at payment processor'),
1030 'source_record_id' => $contributionID,
1031 'source_contact_id' => CRM_Core_Session::getLoggedInContactID() ? CRM_Core_Session::getLoggedInContactID() :
1032 $contactID,
1033 ));
7758bd2b
EM
1034 }
1035
6a488035 1036 /**
fe482240 1037 * Check if there is a contribution with the same trxn_id or invoice_id.
6a488035 1038 *
014c4014
TO
1039 * @param array $input
1040 * An assoc array of name/value pairs.
1041 * @param array $duplicates
16b10e64 1042 * (reference) store ids of duplicate contribs.
100fef9d 1043 * @param int $id
6a488035 1044 *
a130e045 1045 * @return bool
a6c01b45 1046 * true if duplicate, false otherwise
6a488035 1047 */
00be9182 1048 public static function checkDuplicate($input, &$duplicates, $id = NULL) {
6a488035
TO
1049 if (!$id) {
1050 $id = CRM_Utils_Array::value('id', $input);
1051 }
1052 $trxn_id = CRM_Utils_Array::value('trxn_id', $input);
1053 $invoice_id = CRM_Utils_Array::value('invoice_id', $input);
1054
1055 $clause = array();
1056 $input = array();
1057
1058 if ($trxn_id) {
1059 $clause[] = "trxn_id = %1";
1060 $input[1] = array($trxn_id, 'String');
1061 }
1062
1063 if ($invoice_id) {
1064 $clause[] = "invoice_id = %2";
1065 $input[2] = array($invoice_id, 'String');
1066 }
1067
1068 if (empty($clause)) {
1069 return FALSE;
1070 }
1071
1072 $clause = implode(' OR ', $clause);
1073 if ($id) {
1074 $clause = "( $clause ) AND id != %3";
1075 $input[3] = array($id, 'Integer');
1076 }
1077
f2b2a3ff
TO
1078 $query = "SELECT id FROM civicrm_contribution WHERE $clause";
1079 $dao = CRM_Core_DAO::executeQuery($query, $input);
6a488035
TO
1080 $result = FALSE;
1081 while ($dao->fetch()) {
1082 $duplicates[] = $dao->id;
1083 $result = TRUE;
1084 }
1085 return $result;
1086 }
1087
1088 /**
fe482240 1089 * Takes an associative array and creates a contribution_product object.
6a488035
TO
1090 *
1091 * the function extract all the params it needs to initialize the create a
1092 * contribution_product object. the params array could contain additional unused name/value
1093 * pairs
1094 *
014c4014 1095 * @param array $params
16b10e64 1096 * (reference) an assoc array of name/value pairs.
6a488035 1097 *
16b10e64 1098 * @return CRM_Contribute_DAO_ContributionProduct
6a488035 1099 */
00be9182 1100 public static function addPremium(&$params) {
6a488035
TO
1101 $contributionProduct = new CRM_Contribute_DAO_ContributionProduct();
1102 $contributionProduct->copyValues($params);
1103 return $contributionProduct->save();
1104 }
1105
1106 /**
fe482240 1107 * Get list of contribution fields for profile.
6a488035
TO
1108 * For now we only allow custom contribution fields to be in
1109 * profile
1110 *
014c4014
TO
1111 * @param bool $addExtraFields
1112 * True if special fields needs to be added.
6a488035 1113 *
a6c01b45
CW
1114 * @return array
1115 * the list of contribution fields
6a488035 1116 */
00be9182 1117 public static function getContributionFields($addExtraFields = TRUE) {
6a488035
TO
1118 $contributionFields = CRM_Contribute_DAO_Contribution::export();
1119 $contributionFields = array_merge($contributionFields, CRM_Core_OptionValue::getFields($mode = 'contribute'));
1120
1121 if ($addExtraFields) {
1122 $contributionFields = array_merge($contributionFields, self::getSpecialContributionFields());
1123 }
1124
1125 $contributionFields = array_merge($contributionFields, CRM_Financial_DAO_FinancialType::export());
1126
1127 foreach ($contributionFields as $key => $var) {
1128 if ($key == 'contribution_contact_id') {
1129 continue;
1130 }
1131 elseif ($key == 'contribution_campaign_id') {
1132 $var['title'] = ts('Campaign');
1133 }
1134 $fields[$key] = $var;
1135 }
1136
1137 $fields = array_merge($fields, CRM_Core_BAO_CustomField::getFieldsForImport('Contribution'));
1138 return $fields;
1139 }
1140
1141 /**
74ab7ba8 1142 * Add extra fields specific to contribution.
6a488035 1143 */
00be9182 1144 public static function getSpecialContributionFields() {
6a488035 1145 $extraFields = array(
81ec6180
DS
1146 'contribution_soft_credit_name' => array(
1147 'name' => 'contribution_soft_credit_name',
6a488035
TO
1148 'title' => 'Soft Credit Name',
1149 'headerPattern' => '/^soft_credit_name$/i',
1150 'where' => 'civicrm_contact_d.display_name',
1151 ),
81ec6180
DS
1152 'contribution_soft_credit_email' => array(
1153 'name' => 'contribution_soft_credit_email',
6a488035
TO
1154 'title' => 'Soft Credit Email',
1155 'headerPattern' => '/^soft_credit_email$/i',
1156 'where' => 'soft_email.email',
1157 ),
81ec6180
DS
1158 'contribution_soft_credit_phone' => array(
1159 'name' => 'contribution_soft_credit_phone',
6a488035
TO
1160 'title' => 'Soft Credit Phone',
1161 'headerPattern' => '/^soft_credit_phone$/i',
1162 'where' => 'soft_phone.phone',
1163 ),
81ec6180
DS
1164 'contribution_soft_credit_contact_id' => array(
1165 'name' => 'contribution_soft_credit_contact_id',
6a488035
TO
1166 'title' => 'Soft Credit Contact ID',
1167 'headerPattern' => '/^soft_credit_contact_id$/i',
1168 'where' => 'civicrm_contribution_soft.contact_id',
1169 ),
03ad81ae
AH
1170 'contribution_pcp_title' => array(
1171 'name' => 'contribution_pcp_title',
1172 'title' => 'Personal Campaign Page Title',
1173 'headerPattern' => '/^contribution_pcp_title$/i',
1174 'where' => 'contribution_pcp.title',
1175 ),
6a488035
TO
1176 );
1177
1178 return $extraFields;
1179 }
1180
186c9c17 1181 /**
100fef9d 1182 * @param int $pageID
186c9c17
EM
1183 *
1184 * @return array
1185 */
00be9182 1186 public static function getCurrentandGoalAmount($pageID) {
6a488035
TO
1187 $query = "
1188SELECT p.goal_amount as goal, sum( c.total_amount ) as total
1189 FROM civicrm_contribution_page p,
1190 civicrm_contribution c
1191 WHERE p.id = c.contribution_page_id
1192 AND p.id = %1
1193 AND c.cancel_date is null
1194GROUP BY p.id
1195";
1196
1197 $config = CRM_Core_Config::singleton();
1198 $params = array(1 => array($pageID, 'Integer'));
f2b2a3ff 1199 $dao = CRM_Core_DAO::executeQuery($query, $params);
6a488035
TO
1200
1201 if ($dao->fetch()) {
1202 return array($dao->goal, $dao->total);
1203 }
1204 else {
1205 return array(NULL, NULL);
1206 }
1207 }
1208
6a488035 1209 /**
fe482240 1210 * Get list of contribution In Honor of contact Ids.
6a488035 1211 *
014c4014
TO
1212 * @param int $honorId
1213 * In Honor of Contact ID.
6a488035 1214 *
72b3a70c
CW
1215 * @return array
1216 * list of contribution fields
6a488035 1217 */
00be9182 1218 public static function getHonorContacts($honorId) {
6a488035 1219 $params = array();
8381af80 1220 $honorDAO = new CRM_Contribute_DAO_ContributionSoft();
1221 $honorDAO->contact_id = $honorId;
6a488035
TO
1222 $honorDAO->find();
1223
6a488035
TO
1224 $type = CRM_Contribute_PseudoConstant::financialType();
1225
1226 while ($honorDAO->fetch()) {
8381af80 1227 $contributionDAO = new CRM_Contribute_DAO_Contribution();
1228 $contributionDAO->id = $honorDAO->contribution_id;
1229
1230 if ($contributionDAO->find(TRUE)) {
43321dd5 1231 $params[$contributionDAO->id]['honor_type'] = CRM_Core_PseudoConstant::getLabel('CRM_Contribute_BAO_ContributionSoft', 'soft_credit_type_id', $honorDAO->soft_credit_type_id);
8381af80 1232 $params[$contributionDAO->id]['honorId'] = $contributionDAO->contact_id;
1233 $params[$contributionDAO->id]['display_name'] = CRM_Core_DAO::getFieldValue('CRM_Contact_DAO_Contact', $contributionDAO->contact_id, 'display_name');
1234 $params[$contributionDAO->id]['type'] = $type[$contributionDAO->financial_type_id];
1235 $params[$contributionDAO->id]['type_id'] = $contributionDAO->financial_type_id;
1236 $params[$contributionDAO->id]['amount'] = CRM_Utils_Money::format($contributionDAO->total_amount, $contributionDAO->currency);
1237 $params[$contributionDAO->id]['source'] = $contributionDAO->source;
1238 $params[$contributionDAO->id]['receive_date'] = $contributionDAO->receive_date;
1239 $params[$contributionDAO->id]['contribution_status'] = CRM_Contribute_PseudoConstant::contributionStatus($contributionDAO->contribution_status_id);
1240 }
6a488035
TO
1241 }
1242
1243 return $params;
1244 }
1245
1246 /**
fe482240 1247 * Get the sort name of a contact for a particular contribution.
6a488035 1248 *
014c4014
TO
1249 * @param int $id
1250 * Id of the contribution.
6a488035 1251 *
72b3a70c
CW
1252 * @return null|string
1253 * sort name of the contact if found
6a488035 1254 */
00be9182 1255 public static function sortName($id) {
6a488035
TO
1256 $id = CRM_Utils_Type::escape($id, 'Integer');
1257
1258 $query = "
1259SELECT civicrm_contact.sort_name
1260FROM civicrm_contribution, civicrm_contact
1261WHERE civicrm_contribution.contact_id = civicrm_contact.id
1262 AND civicrm_contribution.id = {$id}
1263";
9d2678f4 1264 return CRM_Core_DAO::singleValueQuery($query);
6a488035
TO
1265 }
1266
186c9c17 1267 /**
100fef9d 1268 * @param int $contactID
186c9c17
EM
1269 *
1270 * @return array
1271 */
00be9182 1272 public static function annual($contactID) {
6a488035
TO
1273 if (is_array($contactID)) {
1274 $contactIDs = implode(',', $contactID);
1275 }
1276 else {
1277 $contactIDs = $contactID;
1278 }
1279
1280 $config = CRM_Core_Config::singleton();
1281 $startDate = $endDate = NULL;
1282
1283 $currentMonth = date('m');
1284 $currentDay = date('d');
1285 if ((int ) $config->fiscalYearStart['M'] > $currentMonth ||
1286 ((int ) $config->fiscalYearStart['M'] == $currentMonth &&
1287 (int ) $config->fiscalYearStart['d'] > $currentDay
1288 )
1289 ) {
1290 $year = date('Y') - 1;
1291 }
1292 else {
1293 $year = date('Y');
1294 }
1295 $nextYear = $year + 1;
1296
1297 if ($config->fiscalYearStart) {
4f25b5f5
TO
1298 $newFiscalYearStart = $config->fiscalYearStart;
1299 if ($newFiscalYearStart['M'] < 10) {
1300 $newFiscalYearStart['M'] = '0' . $newFiscalYearStart['M'];
6a488035 1301 }
4f25b5f5
TO
1302 if ($newFiscalYearStart['d'] < 10) {
1303 $newFiscalYearStart['d'] = '0' . $newFiscalYearStart['d'];
6a488035 1304 }
4f25b5f5 1305 $config->fiscalYearStart = $newFiscalYearStart;
6a488035
TO
1306 $monthDay = $config->fiscalYearStart['M'] . $config->fiscalYearStart['d'];
1307 }
1308 else {
1309 $monthDay = '0101';
1310 }
1311 $startDate = "$year$monthDay";
1312 $endDate = "$nextYear$monthDay";
48069ca1 1313 CRM_Financial_BAO_FinancialType::getAvailableFinancialTypes($financialTypes);
40c655aa 1314 $additionalWhere = " AND b.financial_type_id IN (0)";
fb260b73 1315 $liWhere = " AND i.financial_type_id IN (0)";
7fb041e3 1316 if (!empty($financialTypes)) {
40c655aa
E
1317 $additionalWhere = " AND b.financial_type_id IN (" . implode(',', array_keys($financialTypes)) . ") AND i.id IS NULL";
1318 $liWhere = " AND i.financial_type_id NOT IN (" . implode(',', array_keys($financialTypes)) . ")";
7fb041e3 1319 }
6a488035
TO
1320 $query = "
1321 SELECT count(*) as count,
1322 sum(total_amount) as amount,
1323 avg(total_amount) as average,
1324 currency
1325 FROM civicrm_contribution b
b880a5ce 1326 LEFT JOIN civicrm_line_item i ON i.contribution_id = b.id AND i.entity_table = 'civicrm_contribution' $liWhere
6a488035
TO
1327 WHERE b.contact_id IN ( $contactIDs )
1328 AND b.contribution_status_id = 1
1329 AND b.is_test = 0
1330 AND b.receive_date >= $startDate
1331 AND b.receive_date < $endDate
ad37ac8e 1332 $additionalWhere
6a488035
TO
1333 GROUP BY currency
1334 ";
f2b2a3ff
TO
1335 $dao = CRM_Core_DAO::executeQuery($query, CRM_Core_DAO::$_nullArray);
1336 $count = 0;
6a488035
TO
1337 $amount = $average = array();
1338 while ($dao->fetch()) {
1339 if ($dao->count > 0 && $dao->amount > 0) {
1340 $count += $dao->count;
1341 $amount[] = CRM_Utils_Money::format($dao->amount, $dao->currency);
1342 $average[] = CRM_Utils_Money::format($dao->average, $dao->currency);
1343 }
1344 }
1345 if ($count > 0) {
1346 return array(
1347 $count,
1348 implode(',&nbsp;', $amount),
1349 implode(',&nbsp;', $average),
1350 );
1351 }
1352 return array(0, 0, 0);
1353 }
1354
1355 /**
1356 * Check if there is a contribution with the params passed in.
a380f4a0 1357 *
6a488035
TO
1358 * Used for trxn_id,invoice_id and contribution_id
1359 *
014c4014
TO
1360 * @param array $params
1361 * An assoc array of name/value pairs.
6a488035 1362 *
a6c01b45
CW
1363 * @return array
1364 * contribution id if success else NULL
6a488035 1365 */
00be9182 1366 public static function checkDuplicateIds($params) {
6a488035
TO
1367 $dao = new CRM_Contribute_DAO_Contribution();
1368
1369 $clause = array();
1370 $input = array();
1371 foreach ($params as $k => $v) {
1372 if ($v) {
1373 $clause[] = "$k = '$v'";
1374 }
1375 }
1376 $clause = implode(' AND ', $clause);
f2b2a3ff
TO
1377 $query = "SELECT id FROM civicrm_contribution WHERE $clause";
1378 $dao = CRM_Core_DAO::executeQuery($query, $input);
6a488035
TO
1379
1380 while ($dao->fetch()) {
1381 $result = $dao->id;
1382 return $result;
1383 }
1384 return NULL;
1385 }
1386
1387 /**
fe482240 1388 * Get the contribution details for component export.
6a488035 1389 *
014c4014
TO
1390 * @param int $exportMode
1391 * Export mode.
1392 * @param string $componentIds
1393 * Component ids.
6a488035 1394 *
a6c01b45
CW
1395 * @return array
1396 * associated array
6a488035 1397 */
00be9182 1398 public static function getContributionDetails($exportMode, $componentIds) {
6a488035
TO
1399 $paymentDetails = array();
1400 $componentClause = ' IN ( ' . implode(',', $componentIds) . ' ) ';
1401
1402 if ($exportMode == CRM_Export_Form_Select::EVENT_EXPORT) {
1403 $componentSelect = " civicrm_participant_payment.participant_id id";
1404 $additionalClause = "
1405INNER JOIN civicrm_participant_payment ON (civicrm_contribution.id = civicrm_participant_payment.contribution_id
1406AND civicrm_participant_payment.participant_id {$componentClause} )
1407";
1408 }
1409 elseif ($exportMode == CRM_Export_Form_Select::MEMBER_EXPORT) {
1410 $componentSelect = " civicrm_membership_payment.membership_id id";
1411 $additionalClause = "
1412INNER JOIN civicrm_membership_payment ON (civicrm_contribution.id = civicrm_membership_payment.contribution_id
1413AND civicrm_membership_payment.membership_id {$componentClause} )
1414";
1415 }
1416 elseif ($exportMode == CRM_Export_Form_Select::PLEDGE_EXPORT) {
1417 $componentSelect = " civicrm_pledge_payment.id id";
1418 $additionalClause = "
1419INNER JOIN civicrm_pledge_payment ON (civicrm_contribution.id = civicrm_pledge_payment.contribution_id
1420AND civicrm_pledge_payment.pledge_id {$componentClause} )
1421";
1422 }
1423
1424 $query = " SELECT total_amount, contribution_status.name as status_id, contribution_status.label as status, payment_instrument.name as payment_instrument, receive_date,
1425 trxn_id, {$componentSelect}
1426FROM civicrm_contribution
1427LEFT JOIN civicrm_option_group option_group_payment_instrument ON ( option_group_payment_instrument.name = 'payment_instrument')
1428LEFT JOIN civicrm_option_value payment_instrument ON (civicrm_contribution.payment_instrument_id = payment_instrument.value
1429 AND option_group_payment_instrument.id = payment_instrument.option_group_id )
1430LEFT JOIN civicrm_option_group option_group_contribution_status ON (option_group_contribution_status.name = 'contribution_status')
1431LEFT JOIN civicrm_option_value contribution_status ON (civicrm_contribution.contribution_status_id = contribution_status.value
1432 AND option_group_contribution_status.id = contribution_status.option_group_id )
1433{$additionalClause}
1434";
1435
c7940124 1436 $dao = CRM_Core_DAO::executeQuery($query);
6a488035
TO
1437
1438 while ($dao->fetch()) {
1439 $paymentDetails[$dao->id] = array(
1440 'total_amount' => $dao->total_amount,
1441 'contribution_status' => $dao->status,
1442 'receive_date' => $dao->receive_date,
1443 'pay_instru' => $dao->payment_instrument,
1444 'trxn_id' => $dao->trxn_id,
1445 );
1446 }
1447
1448 return $paymentDetails;
1449 }
1450
1451 /**
c490a46a 1452 * Create address associated with contribution record.
6a488035 1453 *
4914efff
EM
1454 * As long as there is one or more billing field in the parameters we will create the address.
1455 *
1456 * (historically the decision to create or not was based on the payment 'type' but these lines are greyer than once
1457 * thought).
1458 *
014c4014 1459 * @param array $params
c490a46a 1460 * @param int $billingLocationTypeID
fd31fa4c 1461 *
72b3a70c
CW
1462 * @return int
1463 * address id
6a488035 1464 */
4914efff 1465 public static function createAddress($params, $billingLocationTypeID) {
0816949d 1466 list($hasBillingField, $addressParams) = self::getBillingAddressParams($params, $billingLocationTypeID);
4914efff
EM
1467 if ($hasBillingField) {
1468 $address = CRM_Core_BAO_Address::add($addressParams, FALSE);
739a8336 1469 return $address->id;
6a488035 1470 }
739a8336 1471 return NULL;
6a488035 1472
6a488035
TO
1473 }
1474
6a488035 1475 /**
fe482240 1476 * Delete billing address record related contribution.
6a488035 1477 *
c490a46a
CW
1478 * @param int $contributionId
1479 * @param int $contactId
6a488035 1480 */
00be9182 1481 public static function deleteAddress($contributionId = NULL, $contactId = NULL) {
6a488035
TO
1482 $clauses = array();
1483 $contactJoin = NULL;
1484
1485 if ($contributionId) {
1486 $clauses[] = "cc.id = {$contributionId}";
1487 }
1488
1489 if ($contactId) {
1490 $clauses[] = "cco.id = {$contactId}";
1491 $contactJoin = "INNER JOIN civicrm_contact cco ON cc.contact_id = cco.id";
1492 }
1493
1494 if (empty($clauses)) {
1495 CRM_Core_Error::fatal();
1496 }
1497
1498 $condition = implode(' OR ', $clauses);
1499
1500 $query = "
1501SELECT ca.id
1502FROM civicrm_address ca
1503INNER JOIN civicrm_contribution cc ON cc.address_id = ca.id
1504 $contactJoin
1505WHERE $condition
1506";
1507 $dao = CRM_Core_DAO::executeQuery($query);
1508
1509 while ($dao->fetch()) {
1510 $params = array('id' => $dao->id);
1511 CRM_Core_BAO_Block::blockDelete('Address', $params);
1512 }
1513 }
1514
1515 /**
1516 * This function check online pending contribution associated w/
1517 * Online Event Registration or Online Membership signup.
1518 *
014c4014
TO
1519 * @param int $componentId
1520 * Participant/membership id.
1521 * @param string $componentName
1522 * Event/Membership.
6a488035 1523 *
16b10e64
CW
1524 * @return int
1525 * pending contribution id.
6a488035 1526 */
00be9182 1527 public static function checkOnlinePendingContribution($componentId, $componentName) {
6a488035
TO
1528 $contributionId = NULL;
1529 if (!$componentId ||
1530 !in_array($componentName, array('Event', 'Membership'))
1531 ) {
1532 return $contributionId;
1533 }
1534
1535 if ($componentName == 'Event') {
f2b2a3ff 1536 $idName = 'participant_id';
6a488035 1537 $componentTable = 'civicrm_participant';
f2b2a3ff
TO
1538 $paymentTable = 'civicrm_participant_payment';
1539 $source = ts('Online Event Registration');
6a488035
TO
1540 }
1541
1542 if ($componentName == 'Membership') {
f2b2a3ff 1543 $idName = 'membership_id';
6a488035 1544 $componentTable = 'civicrm_membership';
f2b2a3ff
TO
1545 $paymentTable = 'civicrm_membership_payment';
1546 $source = ts('Online Contribution');
6a488035
TO
1547 }
1548
1549 $pendingStatusId = array_search('Pending', CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name'));
1550
1551 $query = "
1552 SELECT component.id as {$idName},
1553 componentPayment.contribution_id as contribution_id,
1554 contribution.source source,
1555 contribution.contribution_status_id as contribution_status_id,
1556 contribution.is_pay_later as is_pay_later
1557 FROM $componentTable component
1558LEFT JOIN $paymentTable componentPayment ON ( componentPayment.{$idName} = component.id )
1559LEFT JOIN civicrm_contribution contribution ON ( componentPayment.contribution_id = contribution.id )
1560 WHERE component.id = {$componentId}";
1561
1562 $dao = CRM_Core_DAO::executeQuery($query);
1563
1564 while ($dao->fetch()) {
1565 if ($dao->contribution_id &&
1566 $dao->is_pay_later &&
1567 $dao->contribution_status_id == $pendingStatusId &&
1568 strpos($dao->source, $source) !== FALSE
1569 ) {
1570 $contributionId = $dao->contribution_id;
1571 $dao->free();
1572 }
1573 }
1574
1575 return $contributionId;
1576 }
1577
1578 /**
16b10e64 1579 * Update contribution as well as related objects.
74ab7ba8 1580 *
f8c94f00 1581 * This function by-passes hooks - to address this - don't use this function.
1582 *
1f7c01e4 1583 * @deprecated
1584 *
1585 * Use api contribute.completetransaction
1586 * For failures use failPayment (preferably exposing by api in the process).
1587 *
74ab7ba8
EM
1588 * @param array $params
1589 * @param bool $processContributionObject
1590 *
1591 * @return array
1592 * @throws \Exception
6a488035 1593 */
00be9182 1594 public static function transitionComponents($params, $processContributionObject = FALSE) {
6a488035
TO
1595 // get minimum required values.
1596 $contactId = CRM_Utils_Array::value('contact_id', $params);
1597 $componentId = CRM_Utils_Array::value('component_id', $params);
1598 $componentName = CRM_Utils_Array::value('componentName', $params);
1599 $contributionId = CRM_Utils_Array::value('contribution_id', $params);
1600 $contributionStatusId = CRM_Utils_Array::value('contribution_status_id', $params);
1601
1602 // if we already processed contribution object pass previous status id.
1603 $previousContriStatusId = CRM_Utils_Array::value('previous_contribution_status_id', $params);
1604
1605 $updateResult = array();
1606
1607 $contributionStatuses = CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name');
1608
1609 // we process only ( Completed, Cancelled, or Failed ) contributions.
1610 if (!$contributionId ||
f2b2a3ff
TO
1611 !in_array($contributionStatusId, array(
1612 array_search('Completed', $contributionStatuses),
1613 array_search('Cancelled', $contributionStatuses),
1614 array_search('Failed', $contributionStatuses),
1615 ))
6a488035
TO
1616 ) {
1617 return $updateResult;
1618 }
1619
1620 if (!$componentName || !$componentId) {
1621 // get the related component details.
1622 $componentDetails = self::getComponentDetails($contributionId);
1623 }
1624 else {
1625 $componentDetails['contact_id'] = $contactId;
1626 $componentDetails['component'] = $componentName;
1627
1628 if ($componentName == 'event') {
1629 $componentDetails['participant'] = $componentId;
1630 }
1631 else {
1632 $componentDetails['membership'] = $componentId;
1633 }
1634 }
1635
a7488080 1636 if (!empty($componentDetails['contact_id'])) {
6a488035
TO
1637 $componentDetails['contact_id'] = CRM_Core_DAO::getFieldValue('CRM_Contribute_DAO_Contribution',
1638 $contributionId,
1639 'contact_id'
1640 );
1641 }
1642
1643 // do check for required ids.
8cc574cf 1644 if (empty($componentDetails['membership']) && empty($componentDetails['participant']) && empty($componentDetails['pledge_payment']) || empty($componentDetails['contact_id'])) {
6a488035
TO
1645 return $updateResult;
1646 }
1647
1648 //now we are ready w/ required ids, start processing.
1649
1650 $baseIPN = new CRM_Core_Payment_BaseIPN();
1651
1652 $input = $ids = $objects = array();
1653
1654 $input['component'] = CRM_Utils_Array::value('component', $componentDetails);
1655 $ids['contribution'] = $contributionId;
1656 $ids['contact'] = CRM_Utils_Array::value('contact_id', $componentDetails);
1657 $ids['membership'] = CRM_Utils_Array::value('membership', $componentDetails);
1658 $ids['participant'] = CRM_Utils_Array::value('participant', $componentDetails);
1659 $ids['event'] = CRM_Utils_Array::value('event', $componentDetails);
1660 $ids['pledge_payment'] = CRM_Utils_Array::value('pledge_payment', $componentDetails);
1661 $ids['contributionRecur'] = NULL;
1662 $ids['contributionPage'] = NULL;
1663
1664 if (!$baseIPN->validateData($input, $ids, $objects, FALSE)) {
1665 CRM_Core_Error::fatal();
1666 }
1667
f2b2a3ff
TO
1668 $memberships = &$objects['membership'];
1669 $participant = &$objects['participant'];
6a488035 1670 $pledgePayment = &$objects['pledge_payment'];
f2b2a3ff 1671 $contribution = &$objects['contribution'];
6a488035
TO
1672
1673 if ($pledgePayment) {
1674 $pledgePaymentIDs = array();
1675 foreach ($pledgePayment as $key => $object) {
1676 $pledgePaymentIDs[] = $object->id;
1677 }
1678 $pledgeID = $pledgePayment[0]->pledge_id;
1679 }
1680
6a488035
TO
1681 $membershipStatuses = CRM_Member_PseudoConstant::membershipStatus();
1682
1683 if ($participant) {
1684 $participantStatuses = CRM_Event_PseudoConstant::participantStatus();
1685 $oldStatus = CRM_Core_DAO::getFieldValue('CRM_Event_DAO_Participant',
1686 $participant->id,
1687 'status_id'
1688 );
1689 }
1690 // we might want to process contribution object.
1691 $processContribution = FALSE;
1692 if ($contributionStatusId == array_search('Cancelled', $contributionStatuses)) {
1693 if (is_array($memberships)) {
1694 foreach ($memberships as $membership) {
1695 if ($membership) {
1696 $membership->status_id = array_search('Cancelled', $membershipStatuses);
1697 $membership->save();
1698
1699 $updateResult['updatedComponents']['CiviMember'] = $membership->status_id;
1700 if ($processContributionObject) {
1701 $processContribution = TRUE;
1702 }
1703 }
1704 }
1705 }
1706
1707 if ($participant) {
1708 $updatedStatusId = array_search('Cancelled', $participantStatuses);
1709 CRM_Event_BAO_Participant::updateParticipantStatus($participant->id, $oldStatus, $updatedStatusId, TRUE);
1710
1711 $updateResult['updatedComponents']['CiviEvent'] = $updatedStatusId;
1712 if ($processContributionObject) {
1713 $processContribution = TRUE;
1714 }
1715 }
1716
1717 if ($pledgePayment) {
1718 CRM_Pledge_BAO_PledgePayment::updatePledgePaymentStatus($pledgeID, $pledgePaymentIDs, $contributionStatusId);
1719
1720 $updateResult['updatedComponents']['CiviPledge'] = $contributionStatusId;
1721 if ($processContributionObject) {
1722 $processContribution = TRUE;
1723 }
1724 }
1725 }
1726 elseif ($contributionStatusId == array_search('Failed', $contributionStatuses)) {
1727 if (is_array($memberships)) {
1728 foreach ($memberships as $membership) {
1729 if ($membership) {
1730 $membership->status_id = array_search('Expired', $membershipStatuses);
1731 $membership->save();
1732
1733 $updateResult['updatedComponents']['CiviMember'] = $membership->status_id;
1734 if ($processContributionObject) {
1735 $processContribution = TRUE;
1736 }
1737 }
1738 }
1739 }
1740 if ($participant) {
1741 $updatedStatusId = array_search('Cancelled', $participantStatuses);
1742 CRM_Event_BAO_Participant::updateParticipantStatus($participant->id, $oldStatus, $updatedStatusId, TRUE);
1743
1744 $updateResult['updatedComponents']['CiviEvent'] = $updatedStatusId;
1745 if ($processContributionObject) {
1746 $processContribution = TRUE;
1747 }
1748 }
1749
1750 if ($pledgePayment) {
1751 CRM_Pledge_BAO_PledgePayment::updatePledgePaymentStatus($pledgeID, $pledgePaymentIDs, $contributionStatusId);
1752
1753 $updateResult['updatedComponents']['CiviPledge'] = $contributionStatusId;
1754 if ($processContributionObject) {
1755 $processContribution = TRUE;
1756 }
1757 }
1758 }
1759 elseif ($contributionStatusId == array_search('Completed', $contributionStatuses)) {
1760
1761 // only pending contribution related object processed.
1762 if ($previousContriStatusId &&
1763 ($previousContriStatusId != array_search('Pending', $contributionStatuses))
1764 ) {
1765 // this is case when we already processed contribution object.
1766 return $updateResult;
1767 }
1768 elseif (!$previousContriStatusId &&
1769 $contribution->contribution_status_id != array_search('Pending', $contributionStatuses)
1770 ) {
1771 // this is case when we are going to process contribution object later.
1772 return $updateResult;
1773 }
1774
1775 if (is_array($memberships)) {
1776 foreach ($memberships as $membership) {
1777 if ($membership) {
1778 $format = '%Y%m%d';
1779
1780 //CRM-4523
1781 $currentMembership = CRM_Member_BAO_Membership::getContactMembership($membership->contact_id,
1782 $membership->membership_type_id,
1783 $membership->is_test, $membership->id
1784 );
1785
1786 // CRM-8141 update the membership type with the value recorded in log when membership created/renewed
1787 // this picks up membership type changes during renewals
1788 $sql = "
1789 SELECT membership_type_id
1790 FROM civicrm_membership_log
1791 WHERE membership_id=$membership->id
1792 ORDER BY id DESC
1793 LIMIT 1;";
a130e045 1794 $dao = new CRM_Core_DAO();
6a488035
TO
1795 $dao->query($sql);
1796 if ($dao->fetch()) {
1797 if (!empty($dao->membership_type_id)) {
1798 $membership->membership_type_id = $dao->membership_type_id;
1799 $membership->save();
1800 }
1801 }
1802 // else fall back to using current membership type
1803 $dao->free();
1804
9c09f5b7
AH
1805 // Figure out number of terms
1806 $numterms = 1;
1807 $lineitems = CRM_Price_BAO_LineItem::getLineItems($contributionId, 'contribution');
1808 foreach ($lineitems as $lineitem) {
1809 if ($membership->membership_type_id == CRM_Utils_Array::value('membership_type_id', $lineitem)) {
1810 $numterms = CRM_Utils_Array::value('membership_num_terms', $lineitem);
2d77a516 1811
9c09f5b7
AH
1812 // in case membership_num_terms comes through as null or zero
1813 $numterms = $numterms >= 1 ? $numterms : 1;
1814 break;
1815 }
1816 }
1817
e8c64fab 1818 // CRM-15735-to update the membership status as per the contribution receive date
35874a67 1819 $joinDate = NULL;
e8c64fab 1820 if (!empty($params['receive_date'])) {
35874a67 1821 $joinDate = $params['receive_date'];
e8c64fab 1822 $status = CRM_Member_BAO_MembershipStatus::getMembershipStatusByDate($membership->start_date,
1823 $membership->end_date,
1824 $membership->join_date,
1825 $params['receive_date'],
1826 FALSE,
1827 $membership->membership_type_id,
1828 (array) $membership
1829 );
1830 $membership->status_id = CRM_Utils_Array::value('id', $status, $membership->status_id);
1831 $membership->save();
1832 }
1833
6a488035 1834 if ($currentMembership) {
9c09f5b7
AH
1835 CRM_Member_BAO_Membership::fixMembershipStatusBeforeRenew($currentMembership, NULL);
1836 $dates = CRM_Member_BAO_MembershipType::getRenewalDatesForMembershipType($membership->id, NULL, NULL, $numterms);
6a488035
TO
1837 $dates['join_date'] = CRM_Utils_Date::customFormat($currentMembership['join_date'], $format);
1838 }
1839 else {
35874a67 1840 $dates = CRM_Member_BAO_MembershipType::getDatesForMembershipType($membership->membership_type_id, $joinDate, NULL, NULL, $numterms);
6a488035
TO
1841 }
1842
1843 //get the status for membership.
1844 $calcStatus = CRM_Member_BAO_MembershipStatus::getMembershipStatusByDate($dates['start_date'],
1845 $dates['end_date'],
1846 $dates['join_date'],
1847 'today',
5f11bbcc
EM
1848 TRUE,
1849 $membership->membership_type_id,
1850 (array) $membership
6a488035
TO
1851 );
1852
c2585c5b 1853 $formattedParams = array(
6a488035
TO
1854 'status_id' => CRM_Utils_Array::value('id', $calcStatus,
1855 array_search('Current', $membershipStatuses)
1856 ),
1857 'join_date' => CRM_Utils_Date::customFormat($dates['join_date'], $format),
1858 'start_date' => CRM_Utils_Date::customFormat($dates['start_date'], $format),
1859 'end_date' => CRM_Utils_Date::customFormat($dates['end_date'], $format),
1860 );
1861
c2585c5b 1862 CRM_Utils_Hook::pre('edit', 'Membership', $membership->id, $formattedParams);
6a488035 1863
c2585c5b 1864 $membership->copyValues($formattedParams);
6a488035
TO
1865 $membership->save();
1866
1867 //updating the membership log
1868 $membershipLog = array();
c2585c5b 1869 $membershipLog = $formattedParams;
f2b2a3ff
TO
1870 $logStartDate = CRM_Utils_Date::customFormat(CRM_Utils_Array::value('log_start_date', $dates), $format);
1871 $logStartDate = ($logStartDate) ? CRM_Utils_Date::isoToMysql($logStartDate) : $formattedParams['start_date'];
6a488035
TO
1872
1873 $membershipLog['start_date'] = $logStartDate;
1874 $membershipLog['membership_id'] = $membership->id;
1875 $membershipLog['modified_id'] = $membership->contact_id;
1876 $membershipLog['modified_date'] = date('Ymd');
1877 $membershipLog['membership_type_id'] = $membership->membership_type_id;
1878
1879 CRM_Member_BAO_MembershipLog::add($membershipLog, CRM_Core_DAO::$_nullArray);
1880
1881 //update related Memberships.
c2585c5b 1882 CRM_Member_BAO_Membership::updateRelatedMemberships($membership->id, $formattedParams);
6a488035
TO
1883
1884 $updateResult['membership_end_date'] = CRM_Utils_Date::customFormat($dates['end_date'],
1885 '%B %E%f, %Y'
1886 );
1887 $updateResult['updatedComponents']['CiviMember'] = $membership->status_id;
1888 if ($processContributionObject) {
1889 $processContribution = TRUE;
1890 }
1891
1892 CRM_Utils_Hook::post('edit', 'Membership', $membership->id, $membership);
1893 }
1894 }
1895 }
1896
1897 if ($participant) {
1898 $updatedStatusId = array_search('Registered', $participantStatuses);
1899 CRM_Event_BAO_Participant::updateParticipantStatus($participant->id, $oldStatus, $updatedStatusId, TRUE);
1900
1901 $updateResult['updatedComponents']['CiviEvent'] = $updatedStatusId;
1902 if ($processContributionObject) {
1903 $processContribution = TRUE;
1904 }
1905 }
1906
1907 if ($pledgePayment) {
1908 CRM_Pledge_BAO_PledgePayment::updatePledgePaymentStatus($pledgeID, $pledgePaymentIDs, $contributionStatusId);
1909
1910 $updateResult['updatedComponents']['CiviPledge'] = $contributionStatusId;
1911 if ($processContributionObject) {
1912 $processContribution = TRUE;
1913 }
1914 }
1915 }
1916
1917 // process contribution object.
1918 if ($processContribution) {
1919 $contributionParams = array();
1920 $fields = array(
f2b2a3ff
TO
1921 'contact_id',
1922 'total_amount',
1923 'receive_date',
1924 'is_test',
1925 'campaign_id',
1926 'payment_instrument_id',
1927 'trxn_id',
1928 'invoice_id',
1929 'financial_type_id',
1930 'contribution_status_id',
1931 'non_deductible_amount',
1932 'receipt_date',
1933 'check_number',
6a488035
TO
1934 );
1935 foreach ($fields as $field) {
a7488080 1936 if (empty($params[$field])) {
6a488035
TO
1937 continue;
1938 }
1939 $contributionParams[$field] = $params[$field];
1940 }
1941
1942 $ids = array('contribution' => $contributionId);
1943 $contribution = CRM_Contribute_BAO_Contribution::create($contributionParams, $ids);
1944 }
1945
1946 return $updateResult;
1947 }
1948
1949 /**
16b10e64 1950 * Returns all contribution related object ids.
7a9ab499
EM
1951 *
1952 * @param $contributionId
1953 *
1954 * @return array
6a488035 1955 */
291ca04f 1956 public static function getComponentDetails($contributionId) {
6a488035
TO
1957 $componentDetails = $pledgePayment = array();
1958 if (!$contributionId) {
1959 return $componentDetails;
1960 }
1961
1962 $query = "
1963 SELECT c.id as contribution_id,
1964 c.contact_id as contact_id,
d97c96dc 1965 c.contribution_recur_id,
6a488035
TO
1966 mp.membership_id as membership_id,
1967 m.membership_type_id as membership_type_id,
1968 pp.participant_id as participant_id,
1969 p.event_id as event_id,
1970 pgp.id as pledge_payment_id
1971 FROM civicrm_contribution c
1972 LEFT JOIN civicrm_membership_payment mp ON mp.contribution_id = c.id
1973 LEFT JOIN civicrm_participant_payment pp ON pp.contribution_id = c.id
1974 LEFT JOIN civicrm_participant p ON pp.participant_id = p.id
1975 LEFT JOIN civicrm_membership m ON m.id = mp.membership_id
1976 LEFT JOIN civicrm_pledge_payment pgp ON pgp.contribution_id = c.id
1977 WHERE c.id = $contributionId";
1978
1979 $dao = CRM_Core_DAO::executeQuery($query);
1980 $componentDetails = array();
1981
1982 while ($dao->fetch()) {
1983 $componentDetails['component'] = $dao->participant_id ? 'event' : 'contribute';
1984 $componentDetails['contact_id'] = $dao->contact_id;
1985 if ($dao->event_id) {
1986 $componentDetails['event'] = $dao->event_id;
1987 }
1988 if ($dao->participant_id) {
1989 $componentDetails['participant'] = $dao->participant_id;
1990 }
1991 if ($dao->membership_id) {
1992 if (!isset($componentDetails['membership'])) {
1993 $componentDetails['membership'] = $componentDetails['membership_type'] = array();
1994 }
1995 $componentDetails['membership'][] = $dao->membership_id;
1996 $componentDetails['membership_type'][] = $dao->membership_type_id;
1997 }
1998 if ($dao->pledge_payment_id) {
1999 $pledgePayment[] = $dao->pledge_payment_id;
2000 }
d97c96dc
EM
2001 if ($dao->contribution_recur_id) {
2002 $componentDetails['contributionRecur'] = $dao->contribution_recur_id;
2003 }
6a488035
TO
2004 }
2005
2006 if ($pledgePayment) {
2007 $componentDetails['pledge_payment'] = $pledgePayment;
2008 }
2009
2010 return $componentDetails;
2011 }
2012
186c9c17 2013 /**
100fef9d 2014 * @param int $contactId
186c9c17
EM
2015 * @param bool $includeSoftCredit
2016 *
2017 * @return null|string
2018 */
00be9182 2019 public static function contributionCount($contactId, $includeSoftCredit = TRUE) {
6a488035
TO
2020 if (!$contactId) {
2021 return 0;
2022 }
d3426391 2023 CRM_Financial_BAO_FinancialType::getAvailableFinancialTypes($financialTypes);
7fb041e3 2024 $additionalWhere = " AND contribution.financial_type_id IN (0)";
9cec2e9f 2025 $liWhere = " AND i.financial_type_id IN (0)";
7fb041e3 2026 if (!empty($financialTypes)) {
40c655aa
E
2027 $additionalWhere = " AND contribution.financial_type_id IN (" . implode(',', array_keys($financialTypes)) . ")";
2028 $liWhere = " AND i.financial_type_id NOT IN (" . implode(',', array_keys($financialTypes)) . ")";
7fb041e3 2029 }
bbde790f
RN
2030 $contactContributionsSQL = "
2031 SELECT contribution.id AS id
2032 FROM civicrm_contribution contribution
ad37ac8e 2033 LEFT JOIN civicrm_line_item i ON i.contribution_id = contribution.id AND i.entity_table = 'civicrm_contribution' $liWhere
2034 WHERE contribution.is_test = 0 AND contribution.contact_id = {$contactId}
2035 $additionalWhere
9cec2e9f 2036 AND i.id IS NULL";
bbde790f 2037
bbde790f
RN
2038 $contactSoftCreditContributionsSQL = "
2039 SELECT contribution.id
2040 FROM civicrm_contribution contribution INNER JOIN civicrm_contribution_soft softContribution
2041 ON ( contribution.id = softContribution.contribution_id )
2042 WHERE contribution.is_test = 0 AND softContribution.contact_id = {$contactId} ";
2043 $query = "SELECT count( x.id ) count FROM ( ";
2044 $query .= $contactContributionsSQL;
2045
6a488035 2046 if ($includeSoftCredit) {
bbde790f
RN
2047 $query .= " UNION ";
2048 $query .= $contactSoftCreditContributionsSQL;
6a488035 2049 }
bbde790f 2050
bbde790f 2051 $query .= ") x";
6a488035
TO
2052
2053 return CRM_Core_DAO::singleValueQuery($query);
2054 }
2055
b3b7f4c5 2056 /**
2057 * Repeat a transaction as part of a recurring series.
2058 *
2059 * Only call this via the api as it is being refactored. The intention is that the repeatTransaction function
2060 * (possibly living on the ContributionRecur BAO) would be called first to create a pending contribution with a
2061 * subsequent call to the contribution.completetransaction api.
2062 *
2063 * The completeTransaction functionality has historically been overloaded to both complete and repeat payments.
2064 *
2065 * @param CRM_Contribute_BAO_Contribution $contribution
2066 * @param array $input
2067 * @param array $contributionParams
2068 *
2069 * @return array
2070 */
2071 protected static function repeatTransaction(&$contribution, &$input, $contributionParams) {
2072 if (!empty($contribution->id)) {
2073 return FALSE;
2074 }
2075 if (empty($contribution->id)) {
2076 // Unclear why this would only be set for repeats.
2077 if (!empty($input['amount'])) {
2078 $contribution->total_amount = $contributionParams['total_amount'] = $input['amount'];
2079 }
467fe956 2080 $templateContribution = CRM_Contribute_BAO_ContributionRecur::getTemplateContribution($contributionParams['contribution_recur_id']);
c02c17df 2081 if (!empty($contributionParams['contribution_recur_id'])) {
2082 $recurringContribution = civicrm_api3('ContributionRecur', 'getsingle', array(
2083 'id' => $contributionParams['contribution_recur_id'],
2084 ));
2085 if (!empty($recurringContribution['campaign_id'])) {
2086 // CRM-17718 the campaign id on the contribution recur record should get precedence.
2087 $contributionParams['campaign_id'] = $recurringContribution['campaign_id'];
2088 }
7f4ef731 2089 if (!empty($recurringContribution['financial_type_id'])) {
2090 // CRM-17718 the campaign id on the contribution recur record should get precedence.
2091 $contributionParams['financial_type_id'] = $recurringContribution['financial_type_id'];
2092 }
c02c17df 2093 }
b3b7f4c5 2094 $contributionParams['skipLineItem'] = TRUE;
f8c94f00 2095 $contributionParams['status_id'] = 'Pending';
3c49d90c 2096 if (isset($contributionParams['financial_type_id'])) {
2097 // Give precedence to passed in type.
2098 $contribution->financial_type_id = $contributionParams['financial_type_id'];
2099 }
2100 else {
2101 $contributionParams['financial_type_id'] = $templateContribution['financial_type_id'];
2102 }
b3b7f4c5 2103 $contributionParams['contact_id'] = $templateContribution['contact_id'];
f8c94f00 2104 $contributionParams['source'] = empty($templateContribution['source']) ? ts('Recurring contribution') : $templateContribution['source'];
b3b7f4c5 2105 $createContribution = civicrm_api3('Contribution', 'create', $contributionParams);
2106 $contribution->id = $createContribution['id'];
2107 $input['line_item'] = CRM_Contribute_BAO_ContributionRecur::addRecurLineItems($contribution->contribution_recur_id, $contribution);
f8c94f00 2108 CRM_Contribute_BAO_ContributionRecur::copyCustomValues($contributionParams['contribution_recur_id'], $contribution->id);
b3b7f4c5 2109 return TRUE;
2110 }
2111 }
2112
6a488035 2113 /**
fe482240 2114 * Get individual id for onbehalf contribution.
6a488035 2115 *
014c4014
TO
2116 * @param int $contributionId
2117 * Contribution id.
2118 * @param int $contributorId
2119 * Contributor id.
6a488035 2120 *
a6c01b45
CW
2121 * @return array
2122 * containing organization id and individual id
6a488035 2123 */
00be9182 2124 public static function getOnbehalfIds($contributionId, $contributorId = NULL) {
6a488035
TO
2125
2126 $ids = array();
2127
2128 if (!$contributionId) {
2129 return $ids;
2130 }
2131
2132 // fetch contributor id if null
2133 if (!$contributorId) {
2134 $contributorId = CRM_Core_DAO::getFieldValue('CRM_Contribute_DAO_Contribution',
2135 $contributionId, 'contact_id'
2136 );
2137 }
2138
2139 $activityTypeIds = CRM_Core_PseudoConstant::activityType(TRUE, FALSE, FALSE, 'name');
2140 $activityTypeId = array_search('Contribution', $activityTypeIds);
2141
2142 if ($activityTypeId && $contributorId) {
2143 $activityQuery = "
2d77a516
DL
2144SELECT civicrm_activity_contact.contact_id
2145 FROM civicrm_activity_contact
2146INNER JOIN civicrm_activity ON civicrm_activity_contact.activity_id = civicrm_activity.id
2147 WHERE civicrm_activity.activity_type_id = %1
2148 AND civicrm_activity.source_record_id = %2
2149 AND civicrm_activity_contact.record_type_id = %3
2150";
6a488035 2151
e7e657f0 2152 $activityContacts = CRM_Core_OptionGroup::values('activity_contacts', FALSE, FALSE, FALSE, NULL, 'name');
2d77a516
DL
2153 $sourceID = CRM_Utils_Array::key('Activity Source', $activityContacts);
2154
2155 $params = array(
2156 1 => array($activityTypeId, 'Integer'),
6a488035 2157 2 => array($contributionId, 'Integer'),
2d77a516 2158 3 => array($sourceID, 'Integer'),
6a488035
TO
2159 );
2160
2161 $sourceContactId = CRM_Core_DAO::singleValueQuery($activityQuery, $params);
2162
2163 // for on behalf contribution source is individual and contributor is organization
2164 if ($sourceContactId && $sourceContactId != $contributorId) {
2165 $relationshipTypeIds = CRM_Core_PseudoConstant::relationshipType('name');
2166 // get rel type id for employee of relation
2167 foreach ($relationshipTypeIds as $id => $typeVals) {
2168 if ($typeVals['name_a_b'] == 'Employee of') {
2169 $relationshipTypeId = $id;
2170 break;
2171 }
2172 }
2173
2174 $rel = new CRM_Contact_DAO_Relationship();
2175 $rel->relationship_type_id = $relationshipTypeId;
2176 $rel->contact_id_a = $sourceContactId;
2177 $rel->contact_id_b = $contributorId;
2178 if ($rel->find(TRUE)) {
2179 $ids['individual_id'] = $rel->contact_id_a;
2180 $ids['organization_id'] = $rel->contact_id_b;
2181 }
2182 }
2183 }
2184
2185 return $ids;
2186 }
2187
2188 /**
2189 * @return array
6a488035 2190 */
00be9182 2191 public static function getContributionDates() {
f2b2a3ff 2192 $config = CRM_Core_Config::singleton();
6a488035 2193 $currentMonth = date('m');
f2b2a3ff 2194 $currentDay = date('d');
6a488035
TO
2195 if ((int ) $config->fiscalYearStart['M'] > $currentMonth ||
2196 ((int ) $config->fiscalYearStart['M'] == $currentMonth &&
2197 (int ) $config->fiscalYearStart['d'] > $currentDay
2198 )
2199 ) {
2200 $year = date('Y') - 1;
2201 }
2202 else {
2203 $year = date('Y');
2204 }
f2b2a3ff 2205 $year = array('Y' => $year);
6a488035
TO
2206 $yearDate = $config->fiscalYearStart;
2207 $yearDate = array_merge($year, $yearDate);
2208 $yearDate = CRM_Utils_Date::format($yearDate);
2209
2210 $monthDate = date('Ym') . '01';
2211
2212 $now = date('Ymd');
2213
2214 return array(
2215 'now' => $now,
2216 'yearDate' => $yearDate,
2217 'monthDate' => $monthDate,
2218 );
2219 }
2220
16b10e64 2221 /**
fe482240 2222 * Load objects relations to contribution object.
6a488035
TO
2223 * Objects are stored in the $_relatedObjects property
2224 * In the first instance we are just moving functionality from BASEIpn -
16b10e64
CW
2225 * @see http://issues.civicrm.org/jira/browse/CRM-9996
2226 *
2227 * Note that the unit test for the BaseIPN class tests this function
6a488035 2228 *
014c4014
TO
2229 * @param array $input
2230 * Input as delivered from Payment Processor.
2231 * @param array $ids
2232 * Ids as Loaded by Payment Processor.
014c4014
TO
2233 * @param bool $loadAll
2234 * Load all related objects - even where id not passed in? (allows API to call this).
186c9c17
EM
2235 *
2236 * @return bool
2237 * @throws Exception
2238 */
276e3ec6 2239 public function loadRelatedObjects(&$input, &$ids, $loadAll = FALSE) {
f2b2a3ff
TO
2240 if ($loadAll) {
2241 $ids = array_merge($this->getComponentDetails($this->id), $ids);
2242 if (empty($ids['contact']) && isset($this->contact_id)) {
6a488035
TO
2243 $ids['contact'] = $this->contact_id;
2244 }
2245 }
2246 if (empty($this->_component)) {
f2b2a3ff 2247 if (!empty($ids['event'])) {
6a488035
TO
2248 $this->_component = 'event';
2249 }
2250 else {
2251 $this->_component = strtolower(CRM_Utils_Array::value('component', $input, 'contribute'));
2252 }
2253 }
474ebab9 2254
2b57dd9f 2255 // If the object is not fully populated then make sure it is - this is a more about legacy paths & cautious
2256 // refactoring than anything else, and has unit test coverage.
2257 if (empty($this->financial_type_id)) {
2258 $this->find(TRUE);
2259 }
2260
474ebab9 2261 $paymentProcessorID = CRM_Utils_Array::value('payment_processor_id', $input, CRM_Utils_Array::value(
2262 'paymentProcessor',
2263 $ids
2264 ));
2265
2266 if (!$paymentProcessorID && $this->contribution_page_id) {
2267 $paymentProcessorID = CRM_Core_DAO::getFieldValue('CRM_Contribute_DAO_ContributionPage',
2268 $this->contribution_page_id,
2269 'payment_processor'
2270 );
ef6ae9af 2271 if ($paymentProcessorID) {
2272 $intentionalEnotice = $CRM16923AnUnreliableMethodHasBeenUserToDeterminePaymentProcessorFromContributionPage;
2273 }
474ebab9 2274 }
2275
2b57dd9f 2276 $ids['contributionType'] = $this->financial_type_id;
2277 $ids['financialType'] = $this->financial_type_id;
2278
2279 $entities = array(
2280 'contact' => 'CRM_Contact_BAO_Contact',
2281 'contributionRecur' => 'CRM_Contribute_BAO_ContributionRecur',
2282 'contributionType' => 'CRM_Financial_BAO_FinancialType',
2283 'financialType' => 'CRM_Financial_BAO_FinancialType',
2284 );
2285 foreach ($entities as $entity => $bao) {
2286 if (!empty($ids[$entity])) {
2287 $this->_relatedObjects[$entity] = new $bao();
2288 $this->_relatedObjects[$entity]->id = $ids[$entity];
2289 if (!$this->_relatedObjects[$entity]->find(TRUE)) {
2290 throw new CRM_Core_Exception($entity . ' could not be loaded');
2291 }
474ebab9 2292 }
474ebab9 2293 }
2294
2b57dd9f 2295 if (!empty($ids['contributionRecur']) && !$paymentProcessorID) {
2296 $paymentProcessorID = $this->_relatedObjects['contributionRecur']->payment_processor_id;
6a488035 2297 }
6a488035 2298
474ebab9 2299 if (!empty($ids['pledge_payment'])) {
2300 foreach ($ids['pledge_payment'] as $key => $paymentID) {
2301 if (empty($paymentID)) {
2302 continue;
2303 }
2304 $payment = new CRM_Pledge_BAO_PledgePayment();
2305 $payment->id = $paymentID;
2306 if (!$payment->find(TRUE)) {
2307 throw new Exception("Could not find pledge payment record: " . $paymentID);
2308 }
2309 $this->_relatedObjects['pledge_payment'][] = $payment;
2310 }
2311 }
2312
4ae9c8ac 2313 $this->loadRelatedMembershipObjects($ids);
aadcdd50 2314
2315 if ($this->_component != 'contribute') {
6a488035
TO
2316 // we are in event mode
2317 // make sure event exists and is valid
2318 $event = new CRM_Event_BAO_Event();
2319 $event->id = $ids['event'];
2320 if ($ids['event'] &&
2321 !$event->find(TRUE)
2322 ) {
2323 throw new Exception("Could not find event: " . $ids['event']);
2324 }
2325
2326 $this->_relatedObjects['event'] = &$event;
2327
2328 $participant = new CRM_Event_BAO_Participant();
2329 $participant->id = $ids['participant'];
2330 if ($ids['participant'] &&
2331 !$participant->find(TRUE)
2332 ) {
2333 throw new Exception("Could not find participant: " . $ids['participant']);
2334 }
2335 $participant->register_date = CRM_Utils_Date::isoToMysql($participant->register_date);
2336
2337 $this->_relatedObjects['participant'] = &$participant;
2338
474ebab9 2339 // get the payment processor id from event - this is inaccurate see CRM-16923
2340 // in future we should look at throwing an exception here rather than an dubious guess.
6a488035
TO
2341 if (!$paymentProcessorID) {
2342 $paymentProcessorID = $this->_relatedObjects['event']->payment_processor;
ef6ae9af 2343 if ($paymentProcessorID) {
2344 $intentionalEnotice = $CRM16923AnUnreliableMethodHasBeenUserToDeterminePaymentProcessorFromEvent;
2345 }
6a488035
TO
2346 }
2347 }
2348
6a488035
TO
2349 if ($paymentProcessorID) {
2350 $paymentProcessor = CRM_Financial_BAO_PaymentProcessor::getPayment($paymentProcessorID,
2351 $this->is_test ? 'test' : 'live'
2352 );
2353 $ids['paymentProcessor'] = $paymentProcessorID;
d6944518 2354 $this->_relatedObjects['paymentProcessor'] = $paymentProcessor;
6a488035 2355 }
5bfb071e 2356 return TRUE;
6a488035
TO
2357 }
2358
16b10e64 2359 /**
6a488035
TO
2360 * Create array of message information - ie. return html version, txt version, to field
2361 *
014c4014
TO
2362 * @param array $input
2363 * Incoming information.
16b10e64 2364 * - is_recur - should this be treated as recurring (not sure why you wouldn't
6a488035
TO
2365 * just check presence of recur object but maintaining legacy approach
2366 * to be careful)
014c4014
TO
2367 * @param array $ids
2368 * IDs of related objects.
2369 * @param array $values
2370 * Any values that may have already been compiled by calling process.
6a488035 2371 * This is augmented by values 'gathered' by gatherMessageValues
16b10e64 2372 * @param bool $recur
014c4014
TO
2373 * @param bool $returnMessageText
2374 * Distinguishes between whether to send message or return.
6a488035
TO
2375 * message text. We are working towards this function ALWAYS returning message text & calling
2376 * function doing emails / pdfs with it
16b10e64 2377 *
a6c01b45
CW
2378 * @return array
2379 * messages
186c9c17
EM
2380 * @throws Exception
2381 */
00be9182 2382 public function composeMessageArray(&$input, &$ids, &$values, $recur = FALSE, $returnMessageText = TRUE) {
4ff927bc 2383 $this->loadRelatedObjects($input, $ids);
2384
6a488035
TO
2385 if (empty($this->_component)) {
2386 $this->_component = CRM_Utils_Array::value('component', $input);
2387 }
2388
2389 //not really sure what params might be passed in but lets merge em into values
2390 $values = array_merge($this->_gatherMessageValues($input, $values, $ids), $values);
d9924163
E
2391 if (!empty($input['receipt_date'])) {
2392 $values['receipt_date'] = $input['receipt_date'];
2393 }
2394
6a488035
TO
2395 $template = CRM_Core_Smarty::singleton();
2396 $this->_assignMessageVariablesToTemplate($values, $input, $template, $recur, $returnMessageText);
2397 //what does recur 'mean here - to do with payment processor return functionality but
2398 // what is the importance
2399 if ($recur && !empty($this->_relatedObjects['paymentProcessor'])) {
35cd38f5 2400 $paymentObject = Civi\Payment\System::singleton()->getByProcessor($this->_relatedObjects['paymentProcessor']);
6a488035
TO
2401
2402 $entityID = $entity = NULL;
2403 if (isset($ids['contribution'])) {
2404 $entity = 'contribution';
2405 $entityID = $ids['contribution'];
2406 }
dccb668e
EM
2407 if (!empty($ids['membership'])) {
2408 //not sure whether is is possible for this not to be an array - load related contacts loads an array but this code was expecting a string
2409 // the addition of the casting is in case it could get here & be a string. Added in 4.6 - maybe remove later? This AuthorizeNetIPN & PaypalIPN tests hit this
2410 // line having loaded an array
2411 $ids['membership'] = (array) $ids['membership'];
6a488035 2412 $entity = 'membership';
dccb668e 2413 $entityID = $ids['membership'][0];
6a488035
TO
2414 }
2415
3e473c0b 2416 $template->assign('cancelSubscriptionUrl', $paymentObject->subscriptionURL($entityID, $entity, 'cancel'));
66df7769 2417 $template->assign('updateSubscriptionBillingUrl', $paymentObject->subscriptionURL($entityID, $entity, 'billing'));
2418 $template->assign('updateSubscriptionUrl', $paymentObject->subscriptionURL($entityID, $entity, 'update'));
6a488035
TO
2419
2420 if ($this->_relatedObjects['paymentProcessor']['billing_mode'] & CRM_Core_Payment::BILLING_MODE_FORM) {
2421 //direct mode showing billing block, so use directIPN for temporary
2422 $template->assign('contributeMode', 'directIPN');
2423 }
2424 }
2425 // todo remove strtolower - check consistency
2426 if (strtolower($this->_component) == 'event') {
66df7769 2427 $eventParams = array('id' => $this->_relatedObjects['participant']->event_id);
2428 $values['event'] = array();
2429
2430 CRM_Event_BAO_Event::retrieve($eventParams, $values['event']);
2431
2432 //get location details
2433 $locationParams = array('entity_id' => $this->_relatedObjects['participant']->event_id, 'entity_table' => 'civicrm_event');
2434 $values['location'] = CRM_Core_BAO_Location::getValues($locationParams);
2435
2436 $ufJoinParams = array(
2437 'entity_table' => 'civicrm_event',
2438 'entity_id' => $ids['event'],
2439 'module' => 'CiviEvent',
2440 );
2441
2442 list($custom_pre_id,
2443 $custom_post_ids
2444 ) = CRM_Core_BAO_UFJoin::getUFGroupIds($ufJoinParams);
2445
2446 $values['custom_pre_id'] = $custom_pre_id;
2447 $values['custom_post_id'] = $custom_post_ids;
ec5b3633 2448 //for tasks 'Change Participant Status' and 'Update multiple Contributions' case
66df7769 2449 //and cases involving status updation through ipn
2450 // whatever that means!
95e5776c 2451 // total_amount appears to be the preferred input param & it is unclear why we support amount here
2452 // perhaps we should throw an e-notice if amount is set & force total_amount?
2453 if (!empty($input['amount'])) {
2454 $values['totalAmount'] = $input['amount'];
2455 }
66df7769 2456
2457 if ($values['event']['is_email_confirm']) {
2458 $values['is_email_receipt'] = 1;
2459 }
b7bef093 2460
2b65b515 2461 if (!empty($ids['contribution'])) {
2462 $values['contributionId'] = $ids['contribution'];
2463 }
b7bef093 2464
6a488035
TO
2465 return CRM_Event_BAO_Event::sendMail($ids['contact'], $values,
2466 $this->_relatedObjects['participant']->id, $this->is_test, $returnMessageText
2467 );
2468 }
2469 else {
2470 $values['contribution_id'] = $this->id;
a7488080 2471 if (!empty($ids['related_contact'])) {
6a488035
TO
2472 $values['related_contact'] = $ids['related_contact'];
2473 if (isset($ids['onbehalf_dupe_alert'])) {
2474 $values['onbehalf_dupe_alert'] = $ids['onbehalf_dupe_alert'];
2475 }
2476 $entityBlock = array(
2477 'contact_id' => $ids['contact'],
2478 'location_type_id' => CRM_Core_DAO::getFieldValue('CRM_Core_DAO_LocationType',
2479 'Home', 'id', 'name'
2480 ),
2481 );
2482 $address = CRM_Core_BAO_Address::getValues($entityBlock);
2483 $template->assign('onBehalfAddress', $address[$entityBlock['location_type_id']]['display']);
2484 }
2485 $isTest = FALSE;
2486 if ($this->is_test) {
2487 $isTest = TRUE;
2488 }
2489 if (!empty($this->_relatedObjects['membership'])) {
2490 foreach ($this->_relatedObjects['membership'] as $membership) {
2491 if ($membership->id) {
85dea18b 2492 $values['isMembership'] = TRUE;
858f7096 2493 $values['membership_assign'] = TRUE;
6a488035
TO
2494
2495 // need to set the membership values here
6a488035
TO
2496 $template->assign('membership_name',
2497 CRM_Member_PseudoConstant::membershipType($membership->membership_type_id)
2498 );
2499 $template->assign('mem_start_date', $membership->start_date);
2500 $template->assign('mem_join_date', $membership->join_date);
2501 $template->assign('mem_end_date', $membership->end_date);
2502 $membership_status = CRM_Member_PseudoConstant::membershipStatus($membership->status_id, NULL, 'label');
2503 $template->assign('mem_status', $membership_status);
2504 if ($membership_status == 'Pending' && $membership->is_pay_later == 1) {
c2358f41 2505 $values['is_pay_later'] = 1;
6a488035
TO
2506 }
2507
2508 // if separate payment there are two contributions recorded and the
2509 // admin will need to send a receipt for each of them separately.
2510 // we dont link the two in the db (but can potentially infer it if needed)
2511 $template->assign('is_separate_payment', 0);
2512
2513 if ($recur && $paymentObject) {
3e473c0b 2514 $url = $paymentObject->subscriptionURL($membership->id, 'membership', 'cancel');
6a488035
TO
2515 $template->assign('cancelSubscriptionUrl', $url);
2516 $url = $paymentObject->subscriptionURL($membership->id, 'membership', 'billing');
2517 $template->assign('updateSubscriptionBillingUrl', $url);
2518 $url = $paymentObject->subscriptionURL($entityID, $entity, 'update');
2519 $template->assign('updateSubscriptionUrl', $url);
2520 }
2521
2522 $result = CRM_Contribute_BAO_ContributionPage::sendMail($ids['contact'], $values, $isTest, $returnMessageText);
2523
2524 return $result;
2525 // otherwise if its about sending emails, continue sending without return, as we
2526 // don't want to exit the loop.
2527 }
2528 }
2529 }
2530 else {
2531 return CRM_Contribute_BAO_ContributionPage::sendMail($ids['contact'], $values, $isTest, $returnMessageText);
2532 }
2533 }
2534 }
2535
16b10e64 2536 /**
6a488035
TO
2537 * Gather values for contribution mail - this function has been created
2538 * as part of CRM-9996 refactoring as a step towards simplifying the composeMessage function
2539 * Values related to the contribution in question are gathered
2540 *
014c4014
TO
2541 * @param array $input
2542 * Input into function (probably from payment processor).
16b10e64 2543 * @param array $values
014c4014 2544 * @param array $ids
16b10e64 2545 * The set of ids related to the input.
6a488035 2546 *
a6c01b45 2547 * @return array
186c9c17 2548 */
00be9182 2549 public function _gatherMessageValues($input, &$values, $ids = array()) {
6a488035
TO
2550 // set display address of contributor
2551 if ($this->address_id) {
f2b2a3ff
TO
2552 $addressParams = array('id' => $this->address_id);
2553 $addressDetails = CRM_Core_BAO_Address::getValues($addressParams, FALSE, 'id');
2554 $addressDetails = array_values($addressDetails);
6a488035 2555 }
2b221bad
TM
2556 // Else we assign the billing address of the contribution contact.
2557 else {
2558 $addressParams = array('contact_id' => $this->contact_id, 'is_billing' => 1);
2a0df9d9 2559 $addressDetails = (array) CRM_Core_BAO_Address::getValues($addressParams);
2560 $addressDetails = array_values($addressDetails);
2b221bad 2561 }
2a0df9d9 2562
2563 if (!empty($addressDetails[0]['display'])) {
2564 $values['address'] = $addressDetails[0]['display'];
2565 }
2566
6a488035 2567 if ($this->_component == 'contribute') {
a49aa7dd
TM
2568 //get soft contributions
2569 $softContributions = CRM_Contribute_BAO_ContributionSoft::getSoftContribution($this->id, TRUE);
2570 if (!empty($softContributions)) {
2571 $values['softContributions'] = $softContributions['soft_credit'];
2572 }
6a488035
TO
2573 if (isset($this->contribution_page_id)) {
2574 CRM_Contribute_BAO_ContributionPage::setValues(
2575 $this->contribution_page_id,
2576 $values
2577 );
2578 if ($this->contribution_page_id) {
2579 // CRM-8254 - override default currency if applicable
2580 $config = CRM_Core_Config::singleton();
2581 $config->defaultCurrency = CRM_Utils_Array::value(
2582 'currency',
2583 $values,
2584 $config->defaultCurrency
2585 );
2586 }
2587 }
2588 // no contribution page -probably back office
2589 else {
2590 // Handle re-print receipt for offline contributions (call from PDF.php - no contribution_page_id)
2591 $values['is_email_receipt'] = 1;
2592 $values['title'] = 'Contribution';
2593 }
2594 // set lineItem for contribution
2595 if ($this->id) {
2596 $lineItem = CRM_Price_BAO_LineItem::getLineItems($this->id, 'contribution', 1);
2597 if (!empty($lineItem)) {
f2b2a3ff 2598 $itemId = key($lineItem);
6a488035 2599 foreach ($lineItem as &$eachItem) {
a886fe5d 2600 if (is_array($this->_relatedObjects['membership']) && array_key_exists($eachItem['membership_type_id'], $this->_relatedObjects['membership'])) {
6a488035
TO
2601 $eachItem['join_date'] = CRM_Utils_Date::customFormat($this->_relatedObjects['membership'][$eachItem['membership_type_id']]->join_date);
2602 $eachItem['start_date'] = CRM_Utils_Date::customFormat($this->_relatedObjects['membership'][$eachItem['membership_type_id']]->start_date);
2603 $eachItem['end_date'] = CRM_Utils_Date::customFormat($this->_relatedObjects['membership'][$eachItem['membership_type_id']]->end_date);
2604 }
2605 }
2606 $values['lineItem'][0] = $lineItem;
f2b2a3ff
TO
2607 $values['priceSetID'] = CRM_Core_DAO::getFieldValue('CRM_Price_DAO_PriceField', $lineItem[$itemId]['price_field_id'], 'price_set_id');
2608 }
6a488035
TO
2609 }
2610
2611 $relatedContact = CRM_Contribute_BAO_Contribution::getOnbehalfIds(
2612 $this->id,
2613 $this->contact_id
2614 );
2615 // if this is onbehalf of contribution then set related contact
a7488080 2616 if (!empty($relatedContact['individual_id'])) {
6a488035
TO
2617 $values['related_contact'] = $ids['related_contact'] = $relatedContact['individual_id'];
2618 }
2619 }
2620 else {
2621 // event
2622 $eventParams = array(
2623 'id' => $this->_relatedObjects['event']->id,
2624 );
2625 $values['event'] = array();
2626
2627 CRM_Event_BAO_Event::retrieve($eventParams, $values['event']);
7089d2d8
TM
2628 // add custom fields for event
2629 $eventGroupTree = CRM_Core_BAO_CustomGroup::getTree('Event', $this->_relatedObjects['event'], $this->_relatedObjects['event']->id);
2630
2631 $eventCustomGroup = array();
2632 foreach ($eventGroupTree as $key => $group) {
2633 if ($key === 'info') {
2634 continue;
2635 }
2636
2637 foreach ($group['fields'] as $k => $customField) {
2638 $groupLabel = $group['title'];
2639 if (!empty($customField['customValue'])) {
2640 foreach ($customField['customValue'] as $customFieldValues) {
2641 $eventCustomGroup[$groupLabel][$customField['label']] = CRM_Utils_Array::value('data', $customFieldValues);
2642 }
2643 }
2644 }
2645 }
2646 $values['event']['customGroup'] = $eventCustomGroup;
2647
2648 //get participant details
2649 $participantParams = array(
2650 'id' => $this->_relatedObjects['participant']->id,
2651 );
2652
2653 $values['participant'] = array();
2654
2655 CRM_Event_BAO_Participant::getValues($participantParams, $values['participant'], $participantIds);
2656 // add custom fields for event
2657 $participantGroupTree = CRM_Core_BAO_CustomGroup::getTree('Participant', $this->_relatedObjects['participant'], $this->_relatedObjects['participant']->id);
2658 $participantCustomGroup = array();
2659 foreach ($participantGroupTree as $key => $group) {
2660 if ($key === 'info') {
2661 continue;
2662 }
2663
2664 foreach ($group['fields'] as $k => $customField) {
2665 $groupLabel = $group['title'];
2666 if (!empty($customField['customValue'])) {
2667 foreach ($customField['customValue'] as $customFieldValues) {
2668 $participantCustomGroup[$groupLabel][$customField['label']] = CRM_Utils_Array::value('data', $customFieldValues);
2669 }
2670 }
2671 }
2672 }
2673 $values['participant']['customGroup'] = $participantCustomGroup;
6a488035
TO
2674
2675 //get location details
2676 $locationParams = array(
2677 'entity_id' => $this->_relatedObjects['event']->id,
2678 'entity_table' => 'civicrm_event',
2679 );
2680 $values['location'] = CRM_Core_BAO_Location::getValues($locationParams);
2681
2682 $ufJoinParams = array(
2683 'entity_table' => 'civicrm_event',
f2b2a3ff
TO
2684 'entity_id' => $ids['event'],
2685 'module' => 'CiviEvent',
6a488035
TO
2686 );
2687
2688 list($custom_pre_id,
f2b2a3ff
TO
2689 $custom_post_ids
2690 ) = CRM_Core_BAO_UFJoin::getUFGroupIds($ufJoinParams);
6a488035
TO
2691
2692 $values['custom_pre_id'] = $custom_pre_id;
2693 $values['custom_post_id'] = $custom_post_ids;
2694
2695 // set lineItem for event contribution
2696 if ($this->id) {
2697 $participantIds = CRM_Event_BAO_Participant::getParticipantIds($this->id);
2698 if (!empty($participantIds)) {
2699 foreach ($participantIds as $pIDs) {
2700 $lineItem = CRM_Price_BAO_LineItem::getLineItems($pIDs);
2701 if (!CRM_Utils_System::isNull($lineItem)) {
2702 $values['lineItem'][] = $lineItem;
2703 }
2704 }
2705 }
2706 }
2707 }
2708
7089d2d8
TM
2709 $groupTree = CRM_Core_BAO_CustomGroup::getTree('Contribution', $this, $this->id);
2710
2711 $customGroup = array();
2712 foreach ($groupTree as $key => $group) {
2713 if ($key === 'info') {
2714 continue;
2715 }
2716
2717 foreach ($group['fields'] as $k => $customField) {
2718 $groupLabel = $group['title'];
2719 if (!empty($customField['customValue'])) {
2720 foreach ($customField['customValue'] as $customFieldValues) {
2721 $customGroup[$groupLabel][$customField['label']] = CRM_Utils_Array::value('data', $customFieldValues);
2722 }
2723 }
2724 }
2725 }
2726 $values['customGroup'] = $customGroup;
2727
6a488035
TO
2728 return $values;
2729 }
2730
2731 /**
9daadfce 2732 * Assign message variables to template but try to break the habit.
2733 *
2734 * In order to get away from leaky variables it is better to ensure variables are set in values and assign them
2735 * from the send function. Otherwise smarty variables can leak if this is called more than once - e.g. processing
2736 * multiple recurring payments for processors like IATS that use tokens.
2737 *
6a488035
TO
2738 * Apply variables for message to smarty template - this function is part of analysing what is in the huge
2739 * function & breaking it down into manageable chunks. Eventually it will be refactored into something else
9daadfce 2740 * Note we send directly from this function in some cases because it is only partly refactored.
2741 *
2742 * Don't call this function directly as the signature will change.
02af3683
EM
2743 *
2744 * @param $values
2745 * @param $input
5a4f6742 2746 * @param CRM_Core_SMARTY $template
02af3683
EM
2747 * @param bool $recur
2748 * @param bool $returnMessageText
2749 *
2750 * @return mixed
6a488035 2751 */
f2b2a3ff 2752 public function _assignMessageVariablesToTemplate(&$values, $input, &$template, $recur = FALSE, $returnMessageText = TRUE) {
6a488035
TO
2753 $template->assign('first_name', $this->_relatedObjects['contact']->first_name);
2754 $template->assign('last_name', $this->_relatedObjects['contact']->last_name);
2755 $template->assign('displayName', $this->_relatedObjects['contact']->display_name);
2756 if (!empty($values['lineItem']) && !empty($this->_relatedObjects['membership'])) {
557e8899 2757 $values['useForMember'] = TRUE;
6a488035 2758 }
02af3683 2759 //assign honor information to receipt message
8af73472 2760 $softRecord = CRM_Contribute_BAO_ContributionSoft::getSoftContribution($this->id);
6a488035 2761
8af73472 2762 if (isset($softRecord['soft_credit'])) {
7305d3e6 2763 //if id of contribution page is present
2764 if (!empty($values['id'])) {
2765 $values['honor'] = array(
2766 'honor_profile_values' => array(),
2767 'honor_profile_id' => CRM_Core_DAO::getFieldValue('CRM_Core_DAO_UFJoin', $values['id'], 'uf_group_id', 'entity_id'),
2768 'honor_id' => $softRecord['soft_credit'][1]['contact_id'],
2769 );
2770 $softCreditTypes = CRM_Core_OptionGroup::values('soft_credit_type');
6a488035 2771
f2b2a3ff 2772 $template->assign('soft_credit_type', $softRecord['soft_credit'][1]['soft_credit_type_label']);
7305d3e6 2773 $template->assign('honor_block_is_active', CRM_Core_DAO::getFieldValue('CRM_Core_DAO_UFJoin', $values['id'], 'is_active', 'entity_id'));
2774 }
2775 else {
2776 //offline contribution
2777 $softCreditTypes = $softCredits = array();
2778 foreach ($softRecord['soft_credit'] as $key => $softCredit) {
2779 $softCreditTypes[$key] = $softCredit['soft_credit_type_label'];
2780 $softCredits[$key] = array(
2781 'Name' => $softCredit['contact_name'],
21dfd5f5 2782 'Amount' => CRM_Utils_Money::format($softCredit['amount'], $softCredit['currency']),
7305d3e6 2783 );
2784 }
2785 $template->assign('softCreditTypes', $softCreditTypes);
2786 $template->assign('softCredits', $softCredits);
2787 }
6a488035
TO
2788 }
2789
2790 $dao = new CRM_Contribute_DAO_ContributionProduct();
2791 $dao->contribution_id = $this->id;
2792 if ($dao->find(TRUE)) {
2793 $premiumId = $dao->product_id;
2794 $template->assign('option', $dao->product_option);
2795
2796 $productDAO = new CRM_Contribute_DAO_Product();
2797 $productDAO->id = $premiumId;
2798 $productDAO->find(TRUE);
2799 $template->assign('selectPremium', TRUE);
2800 $template->assign('product_name', $productDAO->name);
2801 $template->assign('price', $productDAO->price);
2802 $template->assign('sku', $productDAO->sku);
2803 }
f2b2a3ff 2804 $template->assign('title', CRM_Utils_Array::value('title', $values));
858f7096 2805 $values['amount'] = CRM_Utils_Array::value('total_amount', $input, (CRM_Utils_Array::value('amount', $input)), NULL);
2806 if (!$values['amount'] && isset($this->total_amount)) {
2807 $values['amount'] = $this->total_amount;
6a488035 2808 }
858f7096 2809
6a488035
TO
2810 // add the new contribution values
2811 if (strtolower($this->_component) == 'contribute') {
2812 //PCP Info
2813 $softDAO = new CRM_Contribute_DAO_ContributionSoft();
2814 $softDAO->contribution_id = $this->id;
2815 if ($softDAO->find(TRUE)) {
2816 $template->assign('pcpBlock', TRUE);
2817 $template->assign('pcp_display_in_roll', $softDAO->pcp_display_in_roll);
2818 $template->assign('pcp_roll_nickname', $softDAO->pcp_roll_nickname);
2819 $template->assign('pcp_personal_note', $softDAO->pcp_personal_note);
2820
2821 //assign the pcp page title for email subject
2822 $pcpDAO = new CRM_PCP_DAO_PCP();
2823 $pcpDAO->id = $softDAO->pcp_id;
2824 if ($pcpDAO->find(TRUE)) {
2825 $template->assign('title', $pcpDAO->title);
2826 }
2827 }
2828 }
2829
2830 if ($this->financial_type_id) {
2831 $values['financial_type_id'] = $this->financial_type_id;
2832 }
2833
6a488035
TO
2834 $template->assign('trxn_id', $this->trxn_id);
2835 $template->assign('receive_date',
5bab7daf 2836 CRM_Utils_Date::processDate($this->receive_date)
6a488035 2837 );
76e8d9c4 2838 $values['receipt_date'] = (empty($this->receipt_date) ? NULL : $this->receipt_date);
6a488035
TO
2839 $template->assign('contributeMode', 'notify');
2840 $template->assign('action', $this->is_test ? 1024 : 1);
2841 $template->assign('receipt_text',
2842 CRM_Utils_Array::value('receipt_text',
2843 $values
2844 )
2845 );
2846 $template->assign('is_monetary', 1);
2847 $template->assign('is_recur', (bool) $recur);
2848 $template->assign('currency', $this->currency);
2849 $template->assign('address', CRM_Utils_Address::format($input));
7089d2d8
TM
2850 if (!empty($values['customGroup'])) {
2851 $template->assign('customGroup', $values['customGroup']);
2852 }
a49aa7dd
TM
2853 if (!empty($values['softContributions'])) {
2854 $template->assign('softContributions', $values['softContributions']);
2855 }
6a488035
TO
2856 if ($this->_component == 'event') {
2857 $template->assign('title', $values['event']['title']);
2858 $participantRoles = CRM_Event_PseudoConstant::participantRole();
2859 $viewRoles = array();
2860 foreach (explode(CRM_Core_DAO::VALUE_SEPARATOR, $this->_relatedObjects['participant']->role_id) as $k => $v) {
2861 $viewRoles[] = $participantRoles[$v];
2862 }
2863 $values['event']['participant_role'] = implode(', ', $viewRoles);
2864 $template->assign('event', $values['event']);
7089d2d8 2865 $template->assign('participant', $values['participant']);
6a488035
TO
2866 $template->assign('location', $values['location']);
2867 $template->assign('customPre', $values['custom_pre_id']);
2868 $template->assign('customPost', $values['custom_post_id']);
2869
2870 $isTest = FALSE;
2871 if ($this->_relatedObjects['participant']->is_test) {
2872 $isTest = TRUE;
2873 }
2874
2875 $values['params'] = array();
2876 //to get email of primary participant.
2877 $primaryEmail = CRM_Core_DAO::getFieldValue('CRM_Core_DAO_Email', $this->_relatedObjects['participant']->contact_id, 'email', 'contact_id');
f2b2a3ff
TO
2878 $primaryAmount[] = array(
2879 'label' => $this->_relatedObjects['participant']->fee_level . ' - ' . $primaryEmail,
21dfd5f5 2880 'amount' => $this->_relatedObjects['participant']->fee_amount,
f2b2a3ff 2881 );
6a488035
TO
2882 //build an array of cId/pId of participants
2883 $additionalIDs = CRM_Event_BAO_Event::buildCustomProfile($this->_relatedObjects['participant']->id, NULL, $this->_relatedObjects['contact']->id, $isTest, TRUE);
2884 unset($additionalIDs[$this->_relatedObjects['participant']->id]);
2885 //send receipt to additional participant if exists
2886 if (count($additionalIDs)) {
2887 $template->assign('isPrimary', 0);
2888 $template->assign('customProfile', NULL);
2889 //set additionalParticipant true
2890 $values['params']['additionalParticipant'] = TRUE;
2891 foreach ($additionalIDs as $pId => $cId) {
2892 $amount = array();
2893 //to change the status pending to completed
2894 $additional = new CRM_Event_DAO_Participant();
2895 $additional->id = $pId;
2896 $additional->contact_id = $cId;
2897 $additional->find(TRUE);
2898 $additional->register_date = $this->_relatedObjects['participant']->register_date;
2899 $additional->status_id = 1;
2900 $additionalParticipantInfo = CRM_Core_DAO::getFieldValue('CRM_Core_DAO_Email', $additional->contact_id, 'email', 'contact_id');
2901 //if additional participant dont have email
2902 //use display name.
2903 if (!$additionalParticipantInfo) {
2904 $additionalParticipantInfo = CRM_Contact_BAO_Contact::displayName($additional->contact_id);
2905 }
2906 $amount[0] = array('label' => $additional->fee_level, 'amount' => $additional->fee_amount);
f2b2a3ff
TO
2907 $primaryAmount[] = array(
2908 'label' => $additional->fee_level . ' - ' . $additionalParticipantInfo,
21dfd5f5 2909 'amount' => $additional->fee_amount,
f2b2a3ff 2910 );
6a488035
TO
2911 $additional->save();
2912 $additional->free();
2913 $template->assign('amount', $amount);
2914 CRM_Event_BAO_Event::sendMail($cId, $values, $pId, $isTest, $returnMessageText);
2915 }
2916 }
2917
2918 //build an array of custom profile and assigning it to template
2919 $customProfile = CRM_Event_BAO_Event::buildCustomProfile($this->_relatedObjects['participant']->id, $values, NULL, $isTest);
2920
2921 if (count($customProfile)) {
2922 $template->assign('customProfile', $customProfile);
2923 }
2924
2925 // for primary contact
2926 $values['params']['additionalParticipant'] = FALSE;
2927 $template->assign('isPrimary', 1);
2928 $template->assign('amount', $primaryAmount);
2929 $template->assign('register_date', CRM_Utils_Date::isoToMysql($this->_relatedObjects['participant']->register_date));
2930 if ($this->payment_instrument_id) {
2931 $paymentInstrument = CRM_Contribute_PseudoConstant::paymentInstrument();
2932 $template->assign('paidBy', $paymentInstrument[$this->payment_instrument_id]);
2933 }
2934 // carry paylater, since we did not created billing,
2935 // so need to pull email from primary location, CRM-4395
2936 $values['params']['is_pay_later'] = $this->_relatedObjects['participant']->is_pay_later;
2937 }
2938 return $template;
2939 }
2940
2941 /**
100fef9d 2942 * Check whether payment processor supports
6a488035
TO
2943 * cancellation of contribution subscription
2944 *
014c4014
TO
2945 * @param int $contributionId
2946 * Contribution id.
6a488035 2947 *
77b97be7
EM
2948 * @param bool $isNotCancelled
2949 *
a130e045 2950 * @return bool
6a488035 2951 */
00be9182 2952 public static function isCancelSubscriptionSupported($contributionId, $isNotCancelled = TRUE) {
6a488035
TO
2953 $cacheKeyString = "$contributionId";
2954 $cacheKeyString .= $isNotCancelled ? '_1' : '_0';
2955
2956 static $supportsCancel = array();
2957
2958 if (!array_key_exists($cacheKeyString, $supportsCancel)) {
2959 $supportsCancel[$cacheKeyString] = FALSE;
2960 $isCancelled = FALSE;
2961
2962 if ($isNotCancelled) {
2963 $isCancelled = self::isSubscriptionCancelled($contributionId);
2964 }
2965
2966 $paymentObject = CRM_Financial_BAO_PaymentProcessor::getProcessorForEntity($contributionId, 'contribute', 'obj');
2967 if (!empty($paymentObject)) {
1524a007 2968 $supportsCancel[$cacheKeyString] = $paymentObject->supports('cancelRecurring') && !$isCancelled;
6a488035
TO
2969 }
2970 }
2971 return $supportsCancel[$cacheKeyString];
2972 }
2973
2974 /**
fe482240 2975 * Check whether subscription is already cancelled.
6a488035 2976 *
014c4014
TO
2977 * @param int $contributionId
2978 * Contribution id.
6a488035 2979 *
a6c01b45
CW
2980 * @return string
2981 * contribution status
6a488035 2982 */
00be9182 2983 public static function isSubscriptionCancelled($contributionId) {
6a488035
TO
2984 $sql = "
2985 SELECT cr.contribution_status_id
2986 FROM civicrm_contribution_recur cr
2987 LEFT JOIN civicrm_contribution con ON ( cr.id = con.contribution_recur_id )
2988 WHERE con.id = %1 LIMIT 1";
f2b2a3ff 2989 $params = array(1 => array($contributionId, 'Integer'));
6a488035 2990 $statusId = CRM_Core_DAO::singleValueQuery($sql, $params);
f2b2a3ff 2991 $status = CRM_Contribute_PseudoConstant::contributionStatus($statusId);
6a488035
TO
2992 if ($status == 'Cancelled') {
2993 return TRUE;
2994 }
2995 return FALSE;
2996 }
2997
2998 /**
fe482240 2999 * Create all financial accounts entry.
6a488035 3000 *
014c4014
TO
3001 * @param array $params
3002 * Contribution object, line item array and params for trxn.
6a488035 3003 *
6a488035 3004 *
02af3683 3005 * @param array $financialTrxnValues
77b97be7
EM
3006 *
3007 * @return null|object
6a488035 3008 */
00be9182 3009 public static function recordFinancialAccounts(&$params, $financialTrxnValues = NULL) {
cb579c66 3010 $skipRecords = $update = $return = $isRelatedId = FALSE;
02af3683 3011
d37ade2e 3012 $additionalParticipantId = array();
6a488035 3013 $contributionStatuses = CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name');
10fd773f 3014 $contributionStatus = empty($params['contribution_status_id']) ? NULL : $contributionStatuses[$params['contribution_status_id']];
6a488035
TO
3015
3016 if (CRM_Utils_Array::value('contribution_mode', $params) == 'participant') {
3017 $entityId = $params['participant_id'];
3018 $entityTable = 'civicrm_participant';
d37ade2e 3019 $additionalParticipantId = CRM_Event_BAO_Participant::getAdditionalParticipantIds($entityId);
6a488035 3020 }
8aa7457a
EM
3021 elseif (!empty($params['membership_id'])) {
3022 //so far $params['membership_id'] should only be set coming in from membershipBAO::create so the situation where multiple memberships
3023 // are created off one contribution should be handled elsewhere
3024 $entityId = $params['membership_id'];
3025 $entityTable = 'civicrm_membership';
3026 }
6a488035
TO
3027 else {
3028 $entityId = $params['contribution']->id;
3029 $entityTable = 'civicrm_contribution';
3030 }
4d34aefa 3031
cb579c66
PN
3032 if (CRM_Utils_Array::value('contribution_mode', $params) == 'membership') {
3033 $isRelatedId = TRUE;
3034 }
85dea18b 3035
464bb009 3036 $entityID[] = $entityId;
d37ade2e 3037 if (!empty($additionalParticipantId)) {
3038 $entityID += $additionalParticipantId;
464bb009 3039 }
4d34aefa 3040 // prevContribution appears to mean - original contribution object- ie copy of contribution from before the update started that is being updated
a7488080 3041 if (empty($params['prevContribution'])) {
6a488035
TO
3042 $entityID = NULL;
3043 }
e005ab6b
PN
3044 else {
3045 $update = TRUE;
3046 }
4d34aefa 3047
f8325309
PJ
3048 $statusId = $params['contribution']->contribution_status_id;
3049 // CRM-13964 partial payment
4e92d4f4 3050 if ($contributionStatus == 'Partially paid'
f2b2a3ff
TO
3051 && !empty($params['partial_payment_total']) && !empty($params['partial_amount_pay'])
3052 ) {
ede1935f
PJ
3053 $partialAmtPay = $params['partial_amount_pay'];
3054 $partialAmtTotal = $params['partial_payment_total'];
3055
0f602e3f
PJ
3056 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Accounts Receivable Account is' "));
3057 $fromFinancialAccountId = CRM_Contribute_PseudoConstant::financialAccountType($params['financial_type_id'], $relationTypeId);
f8325309 3058 $statusId = CRM_Core_OptionGroup::getValue('contribution_status', 'Completed', 'name');
ede1935f 3059 $params['total_amount'] = $partialAmtPay;
0f602e3f 3060
ede1935f 3061 $balanceTrxnInfo = CRM_Core_BAO_FinancialTrxn::getBalanceTrxnAmt($params['contribution']->id, $params['financial_type_id']);
0f602e3f 3062 if (empty($balanceTrxnInfo['trxn_id'])) {
ede1935f
PJ
3063 // create new balance transaction record
3064 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Accounts Receivable Account is' "));
3065 $toFinancialAccount = CRM_Contribute_PseudoConstant::financialAccountType($params['financial_type_id'], $relationTypeId);
3066
0f602e3f 3067 $balanceTrxnParams['total_amount'] = $partialAmtTotal;
ede1935f
PJ
3068 $balanceTrxnParams['to_financial_account_id'] = $toFinancialAccount;
3069 $balanceTrxnParams['contribution_id'] = $params['contribution']->id;
2d8ae159 3070 $balanceTrxnParams['trxn_date'] = !empty($params['contribution']->receive_date) ? $params['contribution']->receive_date : date('YmdHis');
ede1935f
PJ
3071 $balanceTrxnParams['fee_amount'] = CRM_Utils_Array::value('fee_amount', $params);
3072 $balanceTrxnParams['net_amount'] = CRM_Utils_Array::value('net_amount', $params);
3073 $balanceTrxnParams['currency'] = $params['contribution']->currency;
3074 $balanceTrxnParams['trxn_id'] = $params['contribution']->trxn_id;
3075 $balanceTrxnParams['status_id'] = $statusId;
3076 $balanceTrxnParams['payment_instrument_id'] = $params['contribution']->payment_instrument_id;
3077 $balanceTrxnParams['check_number'] = CRM_Utils_Array::value('check_number', $params);
a246714d
PN
3078 if (!empty($balanceTrxnParams['from_financial_account_id']) &&
3079 ($statusId == array_search('Completed', $contributionStatuses) || $statusId == array_search('Partially paid', $contributionStatuses))
3080 ) {
3081 $balanceTrxnParams['is_payment'] = 1;
3082 }
a7488080 3083 if (!empty($params['payment_processor'])) {
ede1935f
PJ
3084 $balanceTrxnParams['payment_processor_id'] = $params['payment_processor'];
3085 }
14b74ca6 3086 $financialTxn = CRM_Core_BAO_FinancialTrxn::create($balanceTrxnParams);
ede1935f 3087 }
f8325309
PJ
3088 }
3089
6a488035 3090 // build line item array if its not set in $params
a7488080 3091 if (empty($params['line_item']) || $additionalParticipantId) {
cb579c66 3092 CRM_Price_BAO_LineItem::getLineItemArray($params, $entityID, str_replace('civicrm_', '', $entityTable), $isRelatedId);
6a488035
TO
3093 }
3094
4e92d4f4 3095 if ($contributionStatus != 'Failed' &&
3096 !($contributionStatus == 'Pending' && !$params['contribution']->is_pay_later)
f2b2a3ff 3097 ) {
6a488035 3098 $skipRecords = TRUE;
f2b2a3ff 3099 $pendingStatus = array(
4e92d4f4 3100 'Pending',
3101 'In Progress',
f2b2a3ff 3102 );
4e92d4f4 3103 if (in_array($contributionStatus, $pendingStatus)) {
bf2cf926 3104 $params['to_financial_account_id'] = CRM_Financial_BAO_FinancialAccount::getFinancialAccountForFinancialTypeByRelationship(
3105 $params['financial_type_id'],
3106 'Accounts Receivable Account is'
3107 );
6a488035 3108 }
a7488080 3109 elseif (!empty($params['payment_processor'])) {
6a488035
TO
3110 $params['to_financial_account_id'] = CRM_Financial_BAO_FinancialTypeAccount::getFinancialAccount($params['payment_processor'], 'civicrm_payment_processor', 'financial_account_id');
3111 }
a7488080 3112 elseif (!empty($params['payment_instrument_id'])) {
6a488035
TO
3113 $params['to_financial_account_id'] = CRM_Financial_BAO_FinancialTypeAccount::getInstrumentFinancialAccount($params['payment_instrument_id']);
3114 }
3115 else {
ac7514c2
PN
3116 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('financial_account_type', NULL, " AND v.name LIKE 'Asset' "));
3117 $queryParams = array(1 => array($relationTypeId, 'Integer'));
3118 $params['to_financial_account_id'] = CRM_Core_DAO::singleValueQuery("SELECT id FROM civicrm_financial_account WHERE is_default = 1 AND financial_account_type_id = %1", $queryParams);
6a488035
TO
3119 }
3120
3121 $totalAmount = CRM_Utils_Array::value('total_amount', $params);
8cc574cf 3122 if (!isset($totalAmount) && !empty($params['prevContribution'])) {
6a488035
TO
3123 $totalAmount = $params['total_amount'] = $params['prevContribution']->total_amount;
3124 }
f8325309 3125
6a488035
TO
3126 //build financial transaction params
3127 $trxnParams = array(
3128 'contribution_id' => $params['contribution']->id,
3129 'to_financial_account_id' => $params['to_financial_account_id'],
2d8ae159 3130 'trxn_date' => !empty($params['contribution']->receive_date) ? $params['contribution']->receive_date : date('YmdHis'),
6a488035
TO
3131 'total_amount' => $totalAmount,
3132 'fee_amount' => CRM_Utils_Array::value('fee_amount', $params),
60a2aeee 3133 'net_amount' => CRM_Utils_Array::value('net_amount', $params, $totalAmount),
6a488035
TO
3134 'currency' => $params['contribution']->currency,
3135 'trxn_id' => $params['contribution']->trxn_id,
f8325309 3136 'status_id' => $statusId,
12921438 3137 'payment_instrument_id' => $params['contribution']->payment_instrument_id,
6a488035
TO
3138 'check_number' => CRM_Utils_Array::value('check_number', $params),
3139 );
52da5b1e 3140 if ($contributionStatus == 'Refunded' || $contributionStatus == 'Chargeback') {
10fd773f 3141 $trxnParams['trxn_date'] = !empty($params['contribution']->cancel_date) ? $params['contribution']->cancel_date : date('YmdHis');
797d4c52 3142 if (isset($params['refund_trxn_id'])) {
3143 // CRM-17751 allow a separate trxn_id for the refund to be passed in via api & form.
3144 $trxnParams['trxn_id'] = $params['refund_trxn_id'];
3145 }
10fd773f 3146 }
a246714d 3147 //CRM-16259, set is_payment flag for non pending status
0170d873 3148 if (!in_array($contributionStatus, $pendingStatus)) {
a246714d
PN
3149 $trxnParams['is_payment'] = 1;
3150 }
a7488080 3151 if (!empty($params['payment_processor'])) {
8ef12e64 3152 $trxnParams['payment_processor_id'] = $params['payment_processor'];
6a488035 3153 }
0f602e3f
PJ
3154
3155 if (isset($fromFinancialAccountId)) {
3156 $trxnParams['from_financial_account_id'] = $fromFinancialAccountId;
3157 }
3158
3159 // consider external values passed for recording transaction entry
02af3683
EM
3160 if (!empty($financialTrxnValues)) {
3161 $trxnParams = array_merge($trxnParams, $financialTrxnValues);
0f602e3f
PJ
3162 }
3163
6a488035
TO
3164 $params['trxnParams'] = $trxnParams;
3165
a7488080 3166 if (!empty($params['prevContribution'])) {
99cdd94d 3167 $updated = FALSE;
404f77c9
PN
3168 $params['trxnParams']['total_amount'] = $trxnParams['total_amount'] = $params['total_amount'] = $params['prevContribution']->total_amount;
3169 $params['trxnParams']['fee_amount'] = $params['prevContribution']->fee_amount;
3170 $params['trxnParams']['net_amount'] = $params['prevContribution']->net_amount;
797d4c52 3171 if (!isset($params['trxnParams']['trxn_id'])) {
3172 // Actually I have no idea why we are overwriting any values from the previous contribution.
3173 // (filling makes sense to me). However, only protecting this value as I really really know we
3174 // don't want this one overwritten.
3175 // CRM-17751.
3176 $params['trxnParams']['trxn_id'] = $params['prevContribution']->trxn_id;
3177 }
404f77c9 3178 $params['trxnParams']['status_id'] = $params['prevContribution']->contribution_status_id;
48ea0708 3179
182228d5 3180 if (!(($params['prevContribution']->contribution_status_id == array_search('Pending', $contributionStatuses)
f2b2a3ff
TO
3181 || $params['prevContribution']->contribution_status_id == array_search('In Progress', $contributionStatuses))
3182 && $params['contribution']->contribution_status_id == array_search('Completed', $contributionStatuses))
3183 ) {
182228d5
PN
3184 $params['trxnParams']['payment_instrument_id'] = $params['prevContribution']->payment_instrument_id;
3185 $params['trxnParams']['check_number'] = $params['prevContribution']->check_number;
3186 }
85dea18b 3187
404f77c9 3188 //if financial type is changed
a7488080 3189 if (!empty($params['financial_type_id']) &&
f2b2a3ff
TO
3190 $params['contribution']->financial_type_id != $params['prevContribution']->financial_type_id
3191 ) {
404f77c9
PN
3192 $incomeTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Income Account is' "));
3193 $oldFinancialAccount = CRM_Contribute_PseudoConstant::financialAccountType($params['prevContribution']->financial_type_id, $incomeTypeId);
3194 $newFinancialAccount = CRM_Contribute_PseudoConstant::financialAccountType($params['financial_type_id'], $incomeTypeId);
3195 if ($oldFinancialAccount != $newFinancialAccount) {
3196 $params['total_amount'] = 0;
b81ee58c 3197 if (in_array($params['contribution']->contribution_status_id, $pendingStatus)) {
404f77c9
PN
3198 $params['trxnParams']['to_financial_account_id'] = CRM_Contribute_PseudoConstant::financialAccountType(
3199 $params['prevContribution']->financial_type_id, $relationTypeId);
3200 }
3201 else {
3202 $lastFinancialTrxnId = CRM_Core_BAO_FinancialTrxn::getFinancialTrxnId($params['prevContribution']->id, 'DESC');
a7488080 3203 if (!empty($lastFinancialTrxnId['financialTrxnId'])) {
404f77c9
PN
3204 $params['trxnParams']['to_financial_account_id'] = CRM_Core_DAO::getFieldValue('CRM_Financial_DAO_FinancialTrxn', $lastFinancialTrxnId['financialTrxnId'], 'to_financial_account_id');
3205 }
3206 }
3207 self::updateFinancialAccounts($params, 'changeFinancialType');
3208 /* $params['trxnParams']['to_financial_account_id'] = $trxnParams['to_financial_account_id']; */
3209 $params['financial_account_id'] = $newFinancialAccount;
3210 $params['total_amount'] = $params['trxnParams']['total_amount'] = $trxnParams['total_amount'];
3211 self::updateFinancialAccounts($params);
3212 $params['trxnParams']['to_financial_account_id'] = $trxnParams['to_financial_account_id'];
99cdd94d 3213 $updated = TRUE;
404f77c9 3214 }
6a488035 3215 }
48ea0708 3216
6a488035 3217 //Update contribution status
404f77c9 3218 $params['trxnParams']['status_id'] = $params['contribution']->contribution_status_id;
797d4c52 3219 if (!isset($params['refund_trxn_id'])) {
3220 // CRM-17751 This has previously been deliberately set. No explanation as to why one variant
3221 // gets preference over another so I am only 'protecting' a very specific tested flow
3222 // and letting natural justice take care of the rest.
3223 $params['trxnParams']['trxn_id'] = $params['contribution']->trxn_id;
3224 }
a7488080 3225 if (!empty($params['contribution_status_id']) &&
f2b2a3ff
TO
3226 $params['prevContribution']->contribution_status_id != $params['contribution']->contribution_status_id
3227 ) {
6a488035
TO
3228 //Update Financial Records
3229 self::updateFinancialAccounts($params, 'changedStatus');
99cdd94d 3230 $updated = TRUE;
6a488035
TO
3231 }
3232
3233 // change Payment Instrument for a Completed contribution
3234 // first handle special case when contribution is changed from Pending to Completed status when initial payment
3235 // instrument is null and now new payment instrument is added along with the payment
404f77c9
PN
3236 $params['trxnParams']['payment_instrument_id'] = $params['contribution']->payment_instrument_id;
3237 $params['trxnParams']['check_number'] = CRM_Utils_Array::value('check_number', $params);
6a488035 3238 if (array_key_exists('payment_instrument_id', $params)) {
f2b2a3ff 3239 $params['trxnParams']['total_amount'] = -$trxnParams['total_amount'];
6a488035 3240 if (CRM_Utils_System::isNull($params['prevContribution']->payment_instrument_id) &&
f2b2a3ff
TO
3241 !CRM_Utils_System::isNull($params['contribution']->payment_instrument_id)
3242 ) {
6a488035
TO
3243 //check if status is changed from Pending to Completed
3244 // do not update payment instrument changes for Pending to Completed
3245 if (!($params['contribution']->contribution_status_id == array_search('Completed', $contributionStatuses) &&
f2b2a3ff
TO
3246 in_array($params['prevContribution']->contribution_status_id, $pendingStatus))
3247 ) {
6a488035
TO
3248 // for all other statuses create new financial records
3249 self::updateFinancialAccounts($params, 'changePaymentInstrument');
d9814f68
PN
3250 $params['total_amount'] = $params['trxnParams']['total_amount'] = $trxnParams['total_amount'];
3251 self::updateFinancialAccounts($params, 'changePaymentInstrument');
99cdd94d 3252 $updated = TRUE;
6a488035
TO
3253 }
3254 }
4c9b6178 3255 elseif ((!CRM_Utils_System::isNull($params['contribution']->payment_instrument_id) ||
f2b2a3ff
TO
3256 !CRM_Utils_System::isNull($params['prevContribution']->payment_instrument_id)) &&
3257 $params['contribution']->payment_instrument_id != $params['prevContribution']->payment_instrument_id
3258 ) {
6a488035
TO
3259 // for any other payment instrument changes create new financial records
3260 self::updateFinancialAccounts($params, 'changePaymentInstrument');
d9814f68
PN
3261 $params['total_amount'] = $params['trxnParams']['total_amount'] = $trxnParams['total_amount'];
3262 self::updateFinancialAccounts($params, 'changePaymentInstrument');
99cdd94d 3263 $updated = TRUE;
6a488035 3264 }
4c9b6178 3265 elseif (!CRM_Utils_System::isNull($params['contribution']->check_number) &&
f2b2a3ff
TO
3266 $params['contribution']->check_number != $params['prevContribution']->check_number
3267 ) {
6a488035
TO
3268 // another special case when check number is changed, create new financial records
3269 // create financial trxn with negative amount
6a488035
TO
3270 $params['trxnParams']['check_number'] = $params['prevContribution']->check_number;
3271 self::updateFinancialAccounts($params, 'changePaymentInstrument');
3272 // create financial trxn with positive amount
3273 $params['trxnParams']['check_number'] = $params['contribution']->check_number;
3274 $params['total_amount'] = $params['trxnParams']['total_amount'] = $trxnParams['total_amount'];
3275 self::updateFinancialAccounts($params, 'changePaymentInstrument');
99cdd94d 3276 $updated = TRUE;
6a488035
TO
3277 }
3278 }
48ea0708 3279
404f77c9
PN
3280 //if Change contribution amount
3281 $params['trxnParams']['fee_amount'] = CRM_Utils_Array::value('fee_amount', $params);
3282 $params['trxnParams']['net_amount'] = CRM_Utils_Array::value('net_amount', $params);
d9814f68 3283 $params['trxnParams']['total_amount'] = $trxnParams['total_amount'] = $params['total_amount'] = $totalAmount;
404f77c9
PN
3284 $params['trxnParams']['trxn_id'] = $params['contribution']->trxn_id;
3285 if (isset($totalAmount) &&
f2b2a3ff
TO
3286 $totalAmount != $params['prevContribution']->total_amount
3287 ) {
404f77c9
PN
3288 //Update Financial Records
3289 $params['trxnParams']['from_financial_account_id'] = NULL;
404f77c9 3290 self::updateFinancialAccounts($params, 'changedAmount');
99cdd94d 3291 $updated = TRUE;
3292 }
3293
3294 if (!$updated) {
3295 // Looks like we might have a data correction update.
3296 // This would be a case where a transaction id has been entered but it is incorrect &
3297 // the person goes back in & fixes it, as opposed to a new transaction.
3298 // Currently the UI doesn't support multiple refunds against a single transaction & we are only supporting
3299 // the data fix scenario.
3300 // CRM-17751.
3301 if (isset($params['refund_trxn_id'])) {
3302 $refundIDs = CRM_Core_BAO_FinancialTrxn::getRefundTransactionIDs($params['id']);
48714ae7 3303 if (!empty($refundIDs['financialTrxnId']) && $refundIDs['trxn_id'] != $params['refund_trxn_id']) {
99cdd94d 3304 civicrm_api3('FinancialTrxn', 'create', array('id' => $refundIDs['financialTrxnId'], 'trxn_id' => $params['refund_trxn_id']));
3305 }
3306 }
6a488035 3307 }
6a488035
TO
3308 }
3309
3310 if (!$update) {
1c19e0a3
PJ
3311 // records finanical trxn and entity financial trxn
3312 // also make it available as return value
3313 $return = $financialTxn = CRM_Core_BAO_FinancialTrxn::create($trxnParams);
6a488035
TO
3314 $params['entity_id'] = $financialTxn->id;
3315 }
e005ab6b 3316 }
b44e3f84 3317 // record line items and financial items
a7488080 3318 if (empty($params['skipLineItem'])) {
e005ab6b 3319 CRM_Price_BAO_LineItem::processPriceSet($entityId, CRM_Utils_Array::value('line_item', $params), $params['contribution'], $entityTable, $update);
6a488035
TO
3320 }
3321
14b74ca6 3322 // create batch entry if batch_id is passed and
3323 // ensure no batch entry is been made on 'Pending' or 'Failed' contribution, CRM-16611
3324 if (!empty($params['batch_id']) && !empty($financialTxn)) {
6a488035
TO
3325 $entityParams = array(
3326 'batch_id' => $params['batch_id'],
3327 'entity_table' => 'civicrm_financial_trxn',
3328 'entity_id' => $financialTxn->id,
e005ab6b 3329 );
6a488035
TO
3330 CRM_Batch_BAO_Batch::addBatchEntity($entityParams);
3331 }
3332
3333 // when a fee is charged
8cc574cf 3334 if (!empty($params['fee_amount']) && (empty($params['prevContribution']) || $params['contribution']->fee_amount != $params['prevContribution']->fee_amount) && $skipRecords) {
6a488035
TO
3335 CRM_Core_BAO_FinancialTrxn::recordFees($params);
3336 }
3337
a7488080 3338 if (!empty($params['prevContribution']) && $entityTable == 'civicrm_participant'
f2b2a3ff
TO
3339 && $params['prevContribution']->contribution_status_id != $params['contribution']->contribution_status_id
3340 ) {
6a488035
TO
3341 $eventID = CRM_Core_DAO::getFieldValue('CRM_Event_DAO_Participant', $entityId, 'event_id');
3342 $feeLevel[] = str_replace('\ 1', '', $params['prevContribution']->amount_level);
3343 CRM_Event_BAO_Participant::createDiscountTrxn($eventID, $params, $feeLevel);
3344 }
3345 unset($params['line_item']);
bd99f5fe 3346
1c19e0a3 3347 return $return;
6a488035
TO
3348 }
3349
3350 /**
fe482240 3351 * Update all financial accounts entry.
6a488035 3352 *
014c4014
TO
3353 * @param array $params
3354 * Contribution object, line item array and params for trxn.
6a488035 3355 *
014c4014
TO
3356 * @param string $context
3357 * Update scenarios.
6a488035 3358 *
77b97be7
EM
3359 * @param null $skipTrxn
3360 *
6a488035 3361 */
00be9182 3362 public static function updateFinancialAccounts(&$params, $context = NULL, $skipTrxn = NULL) {
6a488035
TO
3363 $itemAmount = $trxnID = NULL;
3364 //get all the statuses
3365 $contributionStatus = CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name');
67d61c72 3366 $previousContributionStatus = CRM_Contribute_PseudoConstant::contributionStatus($params['prevContribution']->contribution_status_id, 'name');
3367 if (($previousContributionStatus == 'Pending'
3368 || $previousContributionStatus == 'In Progress')
b81ee58c 3369 && $params['contribution']->contribution_status_id == array_search('Completed', $contributionStatus)
f2b2a3ff
TO
3370 && $context == 'changePaymentInstrument'
3371 ) {
6a488035
TO
3372 return;
3373 }
8084abdd
PN
3374 if ((($previousContributionStatus == 'Partially paid'
3375 && $params['contribution']->contribution_status_id == array_search('Completed', $contributionStatus))
19f6eba2 3376 || ($previousContributionStatus == 'Pending' && $params['prevContribution']->is_pay_later == TRUE
8084abdd 3377 && $params['contribution']->contribution_status_id == array_search('Partially paid', $contributionStatus)))
827e15a4
E
3378 && $context == 'changedStatus'
3379 ) {
3380 return;
3381 }
6a488035 3382 if ($context == 'changedAmount' || $context == 'changeFinancialType') {
16c30586 3383 $itemAmount = $params['trxnParams']['total_amount'] = $params['trxnParams']['net_amount'] = $params['total_amount'] - $params['prevContribution']->total_amount;
6a488035
TO
3384 }
3385 if ($context == 'changedStatus') {
3386 //get all the statuses
3387 $contributionStatus = CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name');
a7f2802f 3388 $cancelledTaxAmount = 0;
67d61c72 3389 if ($previousContributionStatus == 'Completed'
52da5b1e 3390 && (self::isContributionStatusNegative($params['contribution']->contribution_status_id))
f2b2a3ff
TO
3391 ) {
3392 $params['trxnParams']['total_amount'] = -$params['total_amount'];
a7f2802f 3393 $cancelledTaxAmount = CRM_Utils_Array::value('tax_amount', $params, '0.00');
8d20d89c 3394 if (empty($params['contribution']->creditnote_id) || $params['contribution']->creditnote_id == "null") {
4add5adb
GC
3395 $creditNoteId = self::createCreditNoteId();
3396 CRM_Core_DAO::setFieldValue('CRM_Contribute_DAO_Contribution', $params['contribution']->id, 'creditnote_id', $creditNoteId);
8762d39a 3397 }
6a488035 3398 }
67d61c72 3399 elseif (($previousContributionStatus == 'Pending'
3400 && $params['prevContribution']->is_pay_later) || $previousContributionStatus == 'In Progress'
f2b2a3ff 3401 ) {
6a488035 3402 $financialTypeID = CRM_Utils_Array::value('financial_type_id', $params) ? $params['financial_type_id'] : $params['prevContribution']->financial_type_id;
ec04cb12
GC
3403 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Accounts Receivable Account is' "));
3404 $arAccountId = CRM_Contribute_PseudoConstant::financialAccountType($financialTypeID, $relationTypeId);
3405
6a488035 3406 if ($params['contribution']->contribution_status_id == array_search('Cancelled', $contributionStatus)) {
ec04cb12 3407 $params['trxnParams']['to_financial_account_id'] = $arAccountId;
f2b2a3ff 3408 $params['trxnParams']['total_amount'] = -$params['total_amount'];
8762d39a 3409 if (is_null($params['contribution']->creditnote_id) || $params['contribution']->creditnote_id == "null") {
4add5adb
GC
3410 $creditNoteId = self::createCreditNoteId();
3411 CRM_Core_DAO::setFieldValue('CRM_Contribute_DAO_Contribution', $params['contribution']->id, 'creditnote_id', $creditNoteId);
8762d39a 3412 }
6a488035 3413 }
ec04cb12
GC
3414 else {
3415 $params['trxnParams']['from_financial_account_id'] = $arAccountId;
3416 }
6a488035 3417 }
a7f2802f 3418 $itemAmount = $params['trxnParams']['total_amount'] + $cancelledTaxAmount;
6a488035
TO
3419 }
3420 elseif ($context == 'changePaymentInstrument') {
d9814f68
PN
3421 if ($params['trxnParams']['total_amount'] < 0) {
3422 $lastFinancialTrxnId = CRM_Core_BAO_FinancialTrxn::getFinancialTrxnId($params['prevContribution']->id, 'DESC');
a7488080 3423 if (!empty($lastFinancialTrxnId['financialTrxnId'])) {
d9814f68
PN
3424 $params['trxnParams']['to_financial_account_id'] = CRM_Core_DAO::getFieldValue('CRM_Financial_DAO_FinancialTrxn', $lastFinancialTrxnId['financialTrxnId'], 'to_financial_account_id');
3425 $params['trxnParams']['payment_instrument_id'] = $params['prevContribution']->payment_instrument_id;
48ea0708 3426 }
6a488035
TO
3427 }
3428 else {
d9814f68
PN
3429 $params['trxnParams']['to_financial_account_id'] = $params['to_financial_account_id'];
3430 $params['trxnParams']['payment_instrument_id'] = $params['contribution']->payment_instrument_id;
6a488035
TO
3431 }
3432 }
6a488035
TO
3433
3434 if ($context == 'changedStatus') {
67d61c72 3435 if (($previousContributionStatus == 'Pending'
3436 || $previousContributionStatus == 'In Progress')
f2b2a3ff
TO
3437 && ($params['contribution']->contribution_status_id == array_search('Completed', $contributionStatus))
3438 ) {
3b624e58
EM
3439 if (empty($params['line_item'])) {
3440 //CRM-15296
3441 //@todo - check with Joe regarding this situation - payment processors create pending transactions with no line items
3442 // when creating recurring membership payment - there are 2 lines to comment out in contributonPageTest if fixed
3443 // & this can be removed
3444 return;
3445 }
b34861f3 3446 $trxn = CRM_Core_BAO_FinancialTrxn::create($params['trxnParams']);
3447 $params['entity_id'] = $trxn->id;
3448 $query = "UPDATE civicrm_financial_item SET status_id = %1 WHERE entity_id = %2 and entity_table = 'civicrm_line_item'";
3449 $sql = "SELECT id, amount FROM civicrm_financial_item WHERE entity_id = %1 and entity_table = 'civicrm_line_item'";
3450
3451 $entityParams = array(
3452 'entity_table' => 'civicrm_financial_item',
3453 'financial_trxn_id' => $trxn->id,
3454 );
6a488035
TO
3455 foreach ($params['line_item'] as $fieldId => $fields) {
3456 foreach ($fields as $fieldValueId => $fieldValues) {
3457 $fparams = array(
3458 1 => array(CRM_Core_OptionGroup::getValue('financial_item_status', 'Paid', 'name'), 'Integer'),
3459 2 => array($fieldValues['id'], 'Integer'),
3460 );
6a488035 3461 CRM_Core_DAO::executeQuery($query, $fparams);
464bb009
PN
3462 $fparams = array(
3463 1 => array($fieldValues['id'], 'Integer'),
3464 );
3465 $financialItem = CRM_Core_DAO::executeQuery($sql, $fparams);
3466 while ($financialItem->fetch()) {
3467 $entityParams['entity_id'] = $financialItem->id;
3468 $entityParams['amount'] = $financialItem->amount;
3469 CRM_Financial_BAO_FinancialItem::createEntityTrxn($entityParams);
3470 }
6a488035
TO
3471 }
3472 }
3473 return;
3474 }
3475 }
b34861f3 3476
3477 $trxn = CRM_Core_BAO_FinancialTrxn::create($params['trxnParams']);
3478 $params['entity_id'] = $trxn->id;
6a488035
TO
3479 if ($context != 'changePaymentInstrument') {
3480 $itemParams['entity_table'] = 'civicrm_line_item';
3481 $trxnIds['id'] = $params['entity_id'];
3482 foreach ($params['line_item'] as $fieldId => $fields) {
3483 foreach ($fields as $fieldValueId => $fieldValues) {
3484 $prevParams['entity_id'] = $fieldValues['id'];
bf2cf926 3485 $prevFinancialItem = CRM_Financial_BAO_FinancialItem::retrieve($prevParams, CRM_Core_DAO::$_nullArray);
6a488035
TO
3486
3487 $receiveDate = CRM_Utils_Date::isoToMysql($params['prevContribution']->receive_date);
3488 if ($params['contribution']->receive_date) {
3489 $receiveDate = CRM_Utils_Date::isoToMysql($params['contribution']->receive_date);
3490 }
3491
bf2cf926 3492 $financialAccount = self::getFinancialAccountForStatusChangeTrxn($params, $prevFinancialItem);
6a488035
TO
3493
3494 $currency = $params['prevContribution']->currency;
3495 if ($params['contribution']->currency) {
3496 $currency = $params['contribution']->currency;
3497 }
05e92f54 3498 $diff = 1;
52da5b1e 3499 if ($context == 'changeFinancialType' || self::isContributionStatusNegative($params['contribution']->contribution_status_id)) {
a7f2802f
PN
3500 $diff = -1;
3501 }
a7488080 3502 if (!empty($params['is_quick_config'])) {
6a488035
TO
3503 $amount = $itemAmount;
3504 if (!$amount) {
3505 $amount = $params['total_amount'];
3506 }
3507 }
3508 else {
6a488035
TO
3509 $amount = $diff * $fieldValues['line_total'];
3510 }
3511
3512 $itemParams = array(
3513 'transaction_date' => $receiveDate,
3514 'contact_id' => $params['prevContribution']->contact_id,
3515 'currency' => $currency,
3516 'amount' => $amount,
bf2cf926 3517 'description' => $prevFinancialItem->description,
3518 'status_id' => $prevFinancialItem->status_id,
6a488035
TO
3519 'financial_account_id' => $financialAccount,
3520 'entity_table' => 'civicrm_line_item',
21dfd5f5 3521 'entity_id' => $fieldValues['id'],
6a488035
TO
3522 );
3523 CRM_Financial_BAO_FinancialItem::create($itemParams, NULL, $trxnIds);
c40e1ff4 3524
3525 if ($fieldValues['tax_amount']) {
aaffa79f 3526 $invoiceSettings = Civi::settings()->get('contribution_invoice_settings');
5a18a545 3527 $taxTerm = CRM_Utils_Array::value('tax_term', $invoiceSettings);
c40e1ff4 3528 $itemParams['amount'] = $diff * $fieldValues['tax_amount'];
5a18a545 3529 $itemParams['description'] = $taxTerm;
c40e1ff4 3530 if ($fieldValues['financial_type_id']) {
5a18a545 3531 $itemParams['financial_account_id'] = self::getFinancialAccountId($fieldValues['financial_type_id']);
c40e1ff4 3532 }
3533 CRM_Financial_BAO_FinancialItem::create($itemParams, NULL, $trxnIds);
3534 }
6a488035
TO
3535 }
3536 }
3537 }
423ae5b1 3538 if ($context == 'changeFinancialType') {
6535ff79 3539 $params['skipLineItem'] = FALSE;
423ae5b1
PN
3540 foreach ($params['line_item'] as &$lineItems) {
3541 foreach ($lineItems as &$line) {
3542 $line['financial_type_id'] = $params['financial_type_id'];
3543 }
3544 }
3545 }
6a488035
TO
3546 }
3547
52da5b1e 3548 /**
3549 * Is this contribution status a reversal.
3550 *
3551 * If so we would expect to record a negative value in the financial_trxn table.
3552 *
3553 * @param int $status_id
3554 *
3555 * @return bool
3556 */
3557 public static function isContributionStatusNegative($status_id) {
3558 $reversalStatuses = array('Cancelled', 'Chargeback', 'Refunded');
3559 return in_array(CRM_Contribute_PseudoConstant::contributionStatus($status_id, 'name'), $reversalStatuses);
3560 }
3561
6a488035 3562 /**
fe482240 3563 * Check status validation on update of a contribution.
6a488035 3564 *
014c4014
TO
3565 * @param array $values
3566 * Previous form values before submit.
6a488035 3567 *
014c4014
TO
3568 * @param array $fields
3569 * The input form values.
6a488035 3570 *
014c4014
TO
3571 * @param array $errors
3572 * List of errors.
6a488035 3573 *
77b97be7 3574 * @return bool
6a488035 3575 */
00be9182 3576 public static function checkStatusValidation($values, &$fields, &$errors) {
8cc574cf 3577 if (CRM_Utils_System::isNull($values) && !empty($fields['id'])) {
c71ae314
PN
3578 $values['contribution_status_id'] = CRM_Core_DAO::getFieldValue('CRM_Contribute_DAO_Contribution', $fields['id'], 'contribution_status_id');
3579 if ($values['contribution_status_id'] == $fields['contribution_status_id']) {
3580 return FALSE;
3581 }
3582 }
6a488035
TO
3583 $contributionStatuses = CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name');
3584 $checkStatus = array(
3585 'Cancelled' => array('Completed', 'Refunded'),
52da5b1e 3586 'Completed' => array('Cancelled', 'Refunded', 'Chargeback'),
8084abdd 3587 'Pending' => array('Cancelled', 'Completed', 'Failed', 'Partially paid'),
f73acc78 3588 'In Progress' => array('Cancelled', 'Completed', 'Failed'),
21dfd5f5 3589 'Refunded' => array('Cancelled', 'Completed'),
827e15a4 3590 'Partially paid' => array('Completed'),
6a488035
TO
3591 );
3592
da017017
PN
3593 if (!in_array($contributionStatuses[$fields['contribution_status_id']],
3594 CRM_Utils_Array::value($contributionStatuses[$values['contribution_status_id']], $checkStatus, array()))
3595 ) {
f2b2a3ff 3596 $errors['contribution_status_id'] = ts("Cannot change contribution status from %1 to %2.", array(
353ffa53
TO
3597 1 => $contributionStatuses[$values['contribution_status_id']],
3598 2 => $contributionStatuses[$fields['contribution_status_id']],
3599 ));
6a488035
TO
3600 }
3601 }
c3d24ba7
PN
3602
3603 /**
fe482240 3604 * Delete contribution of contact.
c3d24ba7
PN
3605 *
3606 * CRM-12155
3607 *
014c4014
TO
3608 * @param int $contactId
3609 * Contact id.
c3d24ba7 3610 *
c3d24ba7 3611 */
00be9182 3612 public static function deleteContactContribution($contactId) {
c3d24ba7
PN
3613 $contribution = new CRM_Contribute_DAO_Contribution();
3614 $contribution->contact_id = $contactId;
3615 $contribution->find();
3616 while ($contribution->fetch()) {
3617 self::deleteContribution($contribution->id);
3618 }
3619 }
16c0ec8d
CW
3620
3621 /**
3622 * Get options for a given contribution field.
3623 * @see CRM_Core_DAO::buildOptions
3624 *
014c4014 3625 * @param string $fieldName
bed98343 3626 * @param string $context see CRM_Core_DAO::buildOptionsContext.
3627 * @param array $props whatever is known about this dao object.
77b97be7 3628 *
a130e045 3629 * @return array|bool
16c0ec8d
CW
3630 */
3631 public static function buildOptions($fieldName, $context = NULL, $props = array()) {
3632 $className = __CLASS__;
3633 $params = array();
3634 switch ($fieldName) {
3635 // This field is not part of this object but the api supports it
3636 case 'payment_processor':
3637 $className = 'CRM_Contribute_BAO_ContributionPage';
3638 // Filter results by contribution page
3639 if (!empty($props['contribution_page_id'])) {
03a8c3dc 3640 $page = civicrm_api('contribution_page', 'getsingle', array(
3641 'version' => 3,
21dfd5f5 3642 'id' => ($props['contribution_page_id']),
03a8c3dc 3643 ));
16c0ec8d
CW
3644 $types = (array) CRM_Utils_Array::value('payment_processor', $page, 0);
3645 $params['condition'] = 'id IN (' . implode(',', $types) . ')';
3646 }
33a429d4 3647 break;
ea100cb5 3648
33a429d4
CW
3649 // CRM-13981 This field was combined with soft_credits in 4.5 but the api still supports it
3650 case 'honor_type_id':
3651 $className = 'CRM_Contribute_BAO_ContributionSoft';
3652 $fieldName = 'soft_credit_type_id';
3653 $params['condition'] = "v.name IN ('in_honor_of','in_memory_of')";
3654 break;
16c0ec8d
CW
3655 }
3656 return CRM_Core_PseudoConstant::get($className, $fieldName, $params, $context);
3657 }
03a8c3dc 3658
3b67ab13 3659 /**
fe482240 3660 * Validate financial type.
3b67ab13
PN
3661 *
3662 * CRM-13231
3663 *
014c4014
TO
3664 * @param int $financialTypeId
3665 * Financial Type id.
3b67ab13 3666 *
77b97be7
EM
3667 * @param string $relationName
3668 *
3669 * @return array|bool
3b67ab13 3670 */
00be9182 3671 public static function validateFinancialType($financialTypeId, $relationName = 'Expense Account is') {
3b67ab13
PN
3672 $expenseTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE '{$relationName}' "));
3673 $financialAccount = CRM_Contribute_PseudoConstant::financialAccountType($financialTypeId, $expenseTypeId);
3674
3675 if (!$financialAccount) {
3676 return CRM_Contribute_PseudoConstant::financialType($financialTypeId);
3677 }
3678 return FALSE;
3679 }
16c0ec8d 3680
3d7de127 3681
d424ffde 3682 /**
fe482240 3683 * Function to record additional payment for partial and refund contributions.
3d7de127 3684 *
014c4014 3685 * @param int $contributionId
16b10e64 3686 * is the invoice contribution id (got created after processing participant payment).
d424ffde 3687 * @param array $trxnsData
16b10e64 3688 * to take user provided input of transaction details.
014c4014
TO
3689 * @param string $paymentType
3690 * 'owed' for purpose of recording partial payments, 'refund' for purpose of recording refund payments.
100fef9d 3691 * @param int $participantId
186c9c17
EM
3692 *
3693 * @return null|object
3694 */
ebfaa544 3695 public static function recordAdditionalPayment($contributionId, $trxnsData, $paymentType = 'owed', $participantId = NULL, $updateStatus = TRUE) {
0f602e3f 3696 $statusId = CRM_Core_OptionGroup::getValue('contribution_status', 'Completed', 'name');
e8cf3013
PJ
3697 $getInfoOf['id'] = $contributionId;
3698 $defaults = array();
3699 $contributionDAO = CRM_Contribute_BAO_Contribution::retrieve($getInfoOf, $defaults, CRM_Core_DAO::$_nullArray);
af0fda98
PN
3700 if (!$participantId) {
3701 $participantId = CRM_Core_DAO::getFieldValue('CRM_Event_DAO_ParticipantPayment', $contributionId, 'participant_id');
3702 }
e8cf3013
PJ
3703
3704 if ($paymentType == 'owed') {
3705 // build params for recording financial trxn entry
3706 $params['contribution'] = $contributionDAO;
3707 $params = array_merge($defaults, $params);
3708 $params['skipLineItem'] = TRUE;
3709 $params['partial_payment_total'] = $contributionDAO->total_amount;
3710 $params['partial_amount_pay'] = $trxnsData['total_amount'];
3711 $trxnsData['trxn_date'] = !empty($trxnsData['trxn_date']) ? $trxnsData['trxn_date'] : date('YmdHis');
60a2aeee 3712 $trxnsData['net_amount'] = !empty($trxnsData['net_amount']) ? $trxnsData['net_amount'] : $trxnsData['total_amount'];
e8cf3013
PJ
3713
3714 // record the entry
3715 $financialTrxn = CRM_Contribute_BAO_Contribution::recordFinancialAccounts($params, $trxnsData);
3716 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Accounts Receivable Account is' "));
3717 $toFinancialAccount = CRM_Contribute_PseudoConstant::financialAccountType($contributionDAO->financial_type_id, $relationTypeId);
0f602e3f 3718
e8cf3013 3719 $trxnId = CRM_Core_BAO_FinancialTrxn::getBalanceTrxnAmt($contributionId, $contributionDAO->financial_type_id);
921bca19
DG
3720 if (!empty($trxnId)) {
3721 $trxnId = $trxnId['trxn_id'];
3722 }
3723 elseif (!empty($contributionDAO->payment_instrument_id)) {
3724 $trxnId = CRM_Financial_BAO_FinancialTypeAccount::getInstrumentFinancialAccount($contributionDAO->payment_instrument_id);
3725 }
3726 else {
3727 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('financial_account_type', NULL, " AND v.name LIKE 'Asset' "));
3728 $queryParams = array(1 => array($relationTypeId, 'Integer'));
3729 $trxnId = CRM_Core_DAO::singleValueQuery("SELECT id FROM civicrm_financial_account WHERE is_default = 1 AND financial_account_type_id = %1", $queryParams);
3730 }
0f602e3f 3731
e8cf3013
PJ
3732 // update statuses
3733 // criteria for updates contribution total_amount == financial_trxns of partial_payments
b8adb851 3734 $sql = "SELECT SUM(ft.total_amount) as sum_of_payments, SUM(ft.net_amount) as net_amount_total
0f602e3f 3735FROM civicrm_financial_trxn ft
a695703f
PJ
3736LEFT JOIN civicrm_entity_financial_trxn eft
3737 ON (ft.id = eft.financial_trxn_id)
3738WHERE eft.entity_table = 'civicrm_contribution'
3739 AND eft.entity_id = {$contributionId}
3740 AND ft.to_financial_account_id != {$toFinancialAccount}
3741 AND ft.status_id = {$statusId}
0f602e3f 3742";
b8adb851 3743 $query = CRM_Core_DAO::executeQuery($sql);
3744 $query->fetch();
3745 $sumOfPayments = $query->sum_of_payments;
e8cf3013
PJ
3746
3747 // update statuses
3748 if ($contributionDAO->total_amount == $sumOfPayments) {
921bca19
DG
3749 // update contribution status and
3750 // clean cancel info (if any) if prev. contribution was updated in case of 'Refunded' => 'Completed'
3751 $contributionDAO->contribution_status_id = $statusId;
3752 $contributionDAO->cancel_date = 'null';
3753 $contributionDAO->cancel_reason = NULL;
b8adb851 3754 $netAmount = !empty($trxnsData['net_amount']) ? NULL : $trxnsData['total_amount'];
3755 $contributionDAO->net_amount = $query->net_amount_total + $netAmount;
3756 $contributionDAO->fee_amount = $contributionDAO->total_amount - $contributionDAO->net_amount;
921bca19
DG
3757 $contributionDAO->save();
3758
3759 //Change status of financial record too
3760 $financialTrxn->status_id = $statusId;
3761 $financialTrxn->save();
3762
e8cf3013
PJ
3763 // note : not using the self::add method,
3764 // the reason because it performs 'status change' related code execution for financial records
3765 // which in 'Partial Paid' => 'Completed' is not useful, instead specific financial record updates
3766 // are coded below i.e. just updating financial_item status to 'Paid'
e8cf3013
PJ
3767
3768 if ($participantId) {
3769 // update participant status
e8cf3013 3770 $participantStatuses = CRM_Event_PseudoConstant::participantStatus();
28e4e707
PJ
3771 $ids = CRM_Event_BAO_Participant::getParticipantIds($contributionId);
3772 foreach ($ids as $val) {
3773 $participantUpdate['id'] = $val;
3774 $participantUpdate['status_id'] = array_search('Registered', $participantStatuses);
3775 CRM_Event_BAO_Participant::add($participantUpdate);
3776 }
e8cf3013
PJ
3777 }
3778
3779 // update financial item statuses
3780 $financialItemStatus = CRM_Core_PseudoConstant::get('CRM_Financial_DAO_FinancialItem', 'status_id');
3781 $paidStatus = array_search('Paid', $financialItemStatus);
3782
5684b818 3783 $baseTrxnId = CRM_Core_BAO_FinancialTrxn::getFinancialTrxnId($contributionId);
e8cf3013
PJ
3784 $sqlFinancialItemUpdate = "
3785UPDATE civicrm_financial_item fi
3786 LEFT JOIN civicrm_entity_financial_trxn eft
3787 ON (eft.entity_id = fi.id AND eft.entity_table = 'civicrm_financial_item')
3788SET status_id = {$paidStatus}
5684b818 3789WHERE eft.financial_trxn_id IN ({$trxnId}, {$baseTrxnId['financialTrxnId']})
e8cf3013
PJ
3790";
3791 CRM_Core_DAO::executeQuery($sqlFinancialItemUpdate);
3792 }
3793 }
3794 elseif ($paymentType == 'refund') {
3795 // build params for recording financial trxn entry
3796 $params['contribution'] = $contributionDAO;
3797 $params = array_merge($defaults, $params);
3798 $params['skipLineItem'] = TRUE;
3799 $trxnsData['trxn_date'] = !empty($trxnsData['trxn_date']) ? $trxnsData['trxn_date'] : date('YmdHis');
f2b2a3ff 3800 $trxnsData['total_amount'] = -$trxnsData['total_amount'];
e8cf3013 3801
1010c4e1
PJ
3802 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Accounts Receivable Account is' "));
3803 $trxnsData['from_financial_account_id'] = CRM_Contribute_PseudoConstant::financialAccountType($contributionDAO->financial_type_id, $relationTypeId);
e8cf3013
PJ
3804 $trxnsData['status_id'] = CRM_Core_OptionGroup::getValue('contribution_status', 'Refunded', 'name');
3805 // record the entry
3806 $financialTrxn = CRM_Contribute_BAO_Contribution::recordFinancialAccounts($params, $trxnsData);
3807
aac57c29
PJ
3808 // note : not using the self::add method,
3809 // the reason because it performs 'status change' related code execution for financial records
e8cf3013 3810 // which in 'Pending Refund' => 'Completed' is not useful, instead specific financial record updates
aac57c29 3811 // are coded below i.e. just updating financial_item status to 'Paid'
ebfaa544
PN
3812 if ($updateStatus) {
3813 $contributionDetails = CRM_Core_DAO::setFieldValue('CRM_Contribute_BAO_Contribution', $contributionId, 'contribution_status_id', $statusId);
3814 }
e8cf3013
PJ
3815 // add financial item entry
3816 $financialItemStatus = CRM_Core_PseudoConstant::get('CRM_Financial_DAO_FinancialItem', 'status_id');
4ab71644
E
3817 $lineItems = CRM_Price_BAO_LineItem::getLineItemsByContributionID($contributionDAO->id);
3818 if (!empty($lineItems)) {
3819 foreach ($lineItems as $lineItemId => $lineItemValue) {
3820 $paid = $lineItemValue['line_total'] * ($financialTrxn->total_amount / $contributionDAO->total_amount);
3821 $addFinancialEntry = array(
3822 'transaction_date' => $financialTrxn->trxn_date,
3823 'contact_id' => $contributionDAO->contact_id,
3824 'amount' => round($paid, 2),
3825 'status_id' => array_search('Paid', $financialItemStatus),
3826 'entity_id' => $lineItemId,
3827 'entity_table' => 'civicrm_line_item',
3828 );
3829 $trxnIds['id'] = $financialTrxn->id;
3830 CRM_Financial_BAO_FinancialItem::create($addFinancialEntry, NULL, $trxnIds);
3831 }
615a1e0f 3832 }
0f602e3f
PJ
3833 if ($participantId) {
3834 // update participant status
0f602e3f 3835 $participantStatuses = CRM_Event_PseudoConstant::participantStatus();
28e4e707
PJ
3836 $ids = CRM_Event_BAO_Participant::getParticipantIds($contributionId);
3837 foreach ($ids as $val) {
3838 $participantUpdate['id'] = $val;
3839 $participantUpdate['status_id'] = array_search('Registered', $participantStatuses);
3840 CRM_Event_BAO_Participant::add($participantUpdate);
3841 }
0f602e3f 3842 }
0f602e3f 3843 }
bd99f5fe 3844
e8cf3013 3845 // activity creation
bd99f5fe
PJ
3846 if (!empty($financialTrxn)) {
3847 if ($participantId) {
3848 $inputParams['id'] = $participantId;
3849 $values = array();
3850 $ids = array();
3851 $component = 'event';
3852 $entityObj = CRM_Event_BAO_Participant::getValues($inputParams, $values, $ids);
3853 $entityObj = $entityObj[$participantId];
3854 }
3855 $activityType = ($paymentType == 'refund') ? 'Refund' : 'Payment';
3856
66526669 3857 self::addActivityForPayment($entityObj, $financialTrxn, $activityType, $component, $contributionId);
bd99f5fe
PJ
3858 }
3859 return $financialTrxn;
3860 }
3861
186c9c17
EM
3862 /**
3863 * @param $entityObj
3864 * @param $trxnObj
3865 * @param $activityType
3866 * @param $component
100fef9d 3867 * @param int $contributionId
186c9c17
EM
3868 *
3869 * @throws CRM_Core_Exception
3870 */
00be9182 3871 public static function addActivityForPayment($entityObj, $trxnObj, $activityType, $component, $contributionId) {
bd99f5fe
PJ
3872 if ($component == 'event') {
3873 $date = CRM_Utils_Date::isoToMysql($trxnObj->trxn_date);
3874 $paymentAmount = CRM_Utils_Money::format($trxnObj->total_amount, $trxnObj->currency);
3875 $eventTitle = CRM_Core_DAO::getFieldValue('CRM_Event_BAO_Event', $entityObj->event_id, 'title');
3876 $subject = "{$paymentAmount} - Offline {$activityType} for {$eventTitle}";
3877 $targetCid = $entityObj->contact_id;
66526669
PJ
3878 // source record id would be the contribution id
3879 $srcRecId = $contributionId;
bd99f5fe
PJ
3880 }
3881
3882 // activity params
3883 $activityParams = array(
3884 'source_contact_id' => $targetCid,
3885 'source_record_id' => $srcRecId,
3886 'activity_type_id' => CRM_Core_OptionGroup::getValue('activity_type',
3887 $activityType,
3888 'name'
3889 ),
3890 'subject' => $subject,
3891 'activity_date_time' => $date,
3892 'status_id' => CRM_Core_OptionGroup::getValue('activity_status',
3893 'Completed',
3894 'name'
3895 ),
3896 'skipRecentView' => TRUE,
3897 );
3898
3899 // create activity with target contacts
3900 $session = CRM_Core_Session::singleton();
3901 $id = $session->get('userID');
3902 if ($id) {
3903 $activityParams['source_contact_id'] = $id;
3904 $activityParams['target_contact_id'][] = $targetCid;
3905 }
3906 CRM_Activity_BAO_Activity::create($activityParams);
0f602e3f 3907 }
16c0ec8d 3908
186c9c17 3909 /**
fe482240 3910 * Get list of payments displayed by Contribute_Page_PaymentInfo.
8cf01b22 3911 *
100fef9d 3912 * @param int $id
186c9c17
EM
3913 * @param $component
3914 * @param bool $getTrxnInfo
3915 * @param bool $usingLineTotal
3916 *
3917 * @return mixed
3918 */
00be9182 3919 public static function getPaymentInfo($id, $component, $getTrxnInfo = FALSE, $usingLineTotal = FALSE) {
29c61b58
PJ
3920 if ($component == 'event') {
3921 $entity = 'participant';
e8cf3013 3922 $entityTable = 'civicrm_participant';
29c61b58 3923 $contributionId = CRM_Core_DAO::getFieldValue('CRM_Event_BAO_ParticipantPayment', $id, 'contribution_id', 'participant_id');
ae53df5f
PJ
3924
3925 if (!$contributionId) {
3926 if ($primaryParticipantId = CRM_Core_DAO::getFieldValue('CRM_Event_BAO_Participant', $id, 'registered_by_id')) {
3927 $contributionId = CRM_Core_DAO::getFieldValue('CRM_Event_BAO_ParticipantPayment', $primaryParticipantId, 'contribution_id', 'participant_id');
3928 $id = $primaryParticipantId;
3929 }
22825dfc 3930 if (!$contributionId) {
3931 return;
ae53df5f
PJ
3932 }
3933 }
29c61b58 3934 }
d4c0653f 3935 else {
3936 $contributionId = $id;
3937 $entity = 'contribution';
3938 $entityTable = 'civicrm_contribution';
3939 }
3940
29c61b58 3941 $total = CRM_Core_BAO_FinancialTrxn::getBalanceTrxnAmt($contributionId);
1010c4e1 3942 $baseTrxnId = !empty($total['trxn_id']) ? $total['trxn_id'] : NULL;
5684b818
PJ
3943 $isBalance = NULL;
3944 if ($baseTrxnId) {
3945 $isBalance = TRUE;
3946 }
3947 else {
3948 $baseTrxnId = CRM_Core_BAO_FinancialTrxn::getFinancialTrxnId($contributionId);
3949 $baseTrxnId = $baseTrxnId['financialTrxnId'];
3950 $isBalance = FALSE;
3951 }
18fdfcc3 3952 if (!CRM_Utils_Array::value('total_amount', $total) || $usingLineTotal) {
ae53df5f
PJ
3953 // for additional participants
3954 if ($entityTable == 'civicrm_participant') {
f2b2a3ff
TO
3955 $ids = CRM_Event_BAO_Participant::getParticipantIds($contributionId);
3956 $total = 0;
3957 foreach ($ids as $val) {
3958 $total += CRM_Price_BAO_LineItem::getLineTotal($val, $entityTable);
3959 }
ae53df5f
PJ
3960 }
3961 else {
3962 $total = CRM_Price_BAO_LineItem::getLineTotal($id, $entityTable);
3963 }
bc2eeabb
PJ
3964 }
3965 else {
3966 $baseTrxnId = $total['trxn_id'];
3967 $total = $total['total_amount'];
3968 }
1010c4e1 3969
bc2eeabb 3970 $paymentBalance = CRM_Core_BAO_FinancialTrxn::getPartialPaymentWithType($id, $entity, FALSE, $total);
356579e9 3971 $contributionIsPayLater = CRM_Core_DAO::getFieldValue('CRM_Contribute_DAO_Contribution', $contributionId, 'is_pay_later');
8cf01b22
DG
3972
3973 $feeRelationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Expense Account is' "));
3974 $financialTypeId = CRM_Core_DAO::getFieldValue('CRM_Contribute_DAO_Contribution', $contributionId, 'financial_type_id');
3975 $feeFinancialAccount = CRM_Contribute_PseudoConstant::financialAccountType($financialTypeId, $feeRelationTypeId);
3976
356579e9
PJ
3977 if ($paymentBalance == 0 && $contributionIsPayLater) {
3978 $paymentBalance = $total;
3979 }
3980
29c61b58
PJ
3981 $info['total'] = $total;
3982 $info['paid'] = $total - $paymentBalance;
3983 $info['balance'] = $paymentBalance;
3984 $info['id'] = $id;
3985 $info['component'] = $component;
356579e9 3986 $info['payLater'] = $contributionIsPayLater;
bc2eeabb
PJ
3987 $rows = array();
3988 if ($getTrxnInfo && $baseTrxnId) {
8cf01b22 3989 // Need to exclude fee trxn rows so filter out rows where TO FINANCIAL ACCOUNT is expense account
29c61b58 3990 $sql = "
636b20c5 3991 SELECT GROUP_CONCAT(fa.`name`) as financial_account,
3992 ft.total_amount,
3993 ft.payment_instrument_id,
3994 ft.trxn_date, ft.trxn_id, ft.status_id, ft.check_number
3995
3996 FROM civicrm_contribution con
3997 LEFT JOIN civicrm_entity_financial_trxn eft ON (eft.entity_id = con.id AND eft.entity_table = 'civicrm_contribution')
3998 INNER JOIN civicrm_financial_trxn ft ON ft.id = eft.financial_trxn_id
3999 AND ft.to_financial_account_id != {$feeFinancialAccount}
4000 INNER JOIN civicrm_entity_financial_trxn ef ON (ef.financial_trxn_id = ft.id AND ef.entity_table = 'civicrm_financial_item')
4001 LEFT JOIN civicrm_financial_item fi ON fi.id = ef.entity_id
4002 INNER JOIN civicrm_financial_account fa ON fa.id = fi.financial_account_id
4003
4004 WHERE con.id = {$contributionId}
4005 GROUP BY ft.id
4006 ";
5684b818
PJ
4007
4008 // conditioned WHERE clause
4009 if ($isBalance) {
4010 // if balance trxn exists don't include details of it in transaction info
4011 $sql .= " AND ft.id != {$baseTrxnId} ";
4012 }
29c61b58
PJ
4013 $resultDAO = CRM_Core_DAO::executeQuery($sql);
4014
536b8316 4015 $statuses = CRM_Contribute_PseudoConstant::contributionStatus();
636b20c5 4016
f2b2a3ff 4017 while ($resultDAO->fetch()) {
536b8316
PJ
4018 $paidByLabel = CRM_Core_PseudoConstant::getLabel('CRM_Core_BAO_FinancialTrxn', 'payment_instrument_id', $resultDAO->payment_instrument_id);
4019 $paidByName = CRM_Core_PseudoConstant::getName('CRM_Core_BAO_FinancialTrxn', 'payment_instrument_id', $resultDAO->payment_instrument_id);
4020 $val = array(
29c61b58 4021 'total_amount' => $resultDAO->total_amount,
636b20c5 4022 'financial_type' => $resultDAO->financial_account,
536b8316 4023 'payment_instrument' => $paidByLabel,
29c61b58
PJ
4024 'receive_date' => $resultDAO->trxn_date,
4025 'trxn_id' => $resultDAO->trxn_id,
4026 'status' => $statuses[$resultDAO->status_id],
4027 );
536b8316
PJ
4028 if ($paidByName == 'Check') {
4029 $val['check_number'] = $resultDAO->check_number;
4030 }
4031 $rows[] = $val;
29c61b58
PJ
4032 }
4033 $info['transaction'] = $rows;
4034 }
4035 return $info;
4036 }
5a18a545 4037
4038 /**
100fef9d 4039 * Get financial account id has 'Sales Tax Account is'
5a18a545 4040 * account relationship with financial type
4041 *
100fef9d 4042 * @param int $financialTypeId
5a18a545 4043 *
4044 * @return FinancialAccountId
4045 */
00be9182 4046 public static function getFinancialAccountId($financialTypeId) {
5a18a545 4047 $accountRel = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Sales Tax Account is' "));
4048 $searchParams = array(
4049 'entity_table' => 'civicrm_financial_type',
4050 'entity_id' => $financialTypeId,
4051 'account_relationship' => $accountRel,
4052 );
4053 $result = array();
f2b2a3ff 4054 CRM_Financial_BAO_FinancialTypeAccount::retrieve($searchParams, $result);
5a18a545 4055
f2b2a3ff 4056 return CRM_Utils_Array::value('financial_account_id', $result);
5a18a545 4057 }
b5935203 4058
7a9ab499
EM
4059 /**
4060 * Check tax amount.
4061 *
4062 * @param array $params
4063 * @param bool $isLineItem
4064 *
4065 * @return mixed
4066 */
115fa278 4067 public static function checkTaxAmount($params, $isLineItem = FALSE) {
b5935203 4068 $taxRates = CRM_Core_PseudoConstant::getTaxRates();
4069
7a9ab499 4070 // Update contribution.
b5935203 4071 if (!empty($params['id'])) {
4072 $id = $params['id'];
4073 $values = $ids = array();
4074 $contrbutionParams = array('id' => $id);
4075 $prevContributionValue = CRM_Contribute_BAO_Contribution::getValues($contrbutionParams, $values, $ids);
4076
4077 // To assign pervious finantial type on update of contribution
f2b2a3ff 4078 if (!isset($params['financial_type_id'])) {
b5935203 4079 $params['financial_type_id'] = $prevContributionValue->financial_type_id;
4080 }
4c9b6178 4081 elseif (isset($params['financial_type_id']) && !array_key_exists($params['financial_type_id'], $taxRates)) {
b5935203 4082 // Assisn tax Amount on update of contrbution
4083 if (!empty($prevContributionValue->tax_amount)) {
4084 $params['tax_amount'] = 'null';
4085 CRM_Price_BAO_LineItem::getLineItemArray($params, array($params['id']));
4086 foreach ($params['line_item'] as $setID => $priceField) {
4087 foreach ($priceField as $priceFieldID => $priceFieldValue) {
4088 $params['line_item'][$setID][$priceFieldID]['tax_amount'] = $params['tax_amount'];
4089 }
4090 }
4091 }
4092 }
4093 }
4094
4095 // New Contrbution and update of contribution with tax rate financial type
5525990d 4096 if (isset($params['financial_type_id']) && array_key_exists($params['financial_type_id'], $taxRates) &&
f2b2a3ff
TO
4097 empty($params['skipLineItem']) && !$isLineItem
4098 ) {
4099 $taxRateParams = $taxRates[$params['financial_type_id']];
def7e770 4100 $taxAmount = CRM_Contribute_BAO_Contribution_Utils::calculateTaxAmount(CRM_Utils_Array::value('total_amount', $params), $taxRateParams);
f2b2a3ff 4101 $params['tax_amount'] = round($taxAmount['tax_amount'], 2);
b5935203 4102
f2b2a3ff
TO
4103 // Get Line Item on update of contribution
4104 if (isset($params['id'])) {
4105 CRM_Price_BAO_LineItem::getLineItemArray($params, array($params['id']));
4106 }
4107 else {
4108 CRM_Price_BAO_LineItem::getLineItemArray($params);
4109 }
4110 foreach ($params['line_item'] as $setID => $priceField) {
4111 foreach ($priceField as $priceFieldID => $priceFieldValue) {
4112 $params['line_item'][$setID][$priceFieldID]['tax_amount'] = $params['tax_amount'];
b5935203 4113 }
5525990d 4114 }
def7e770 4115 $params['total_amount'] = CRM_Utils_Array::value('total_amount', $params) + $params['tax_amount'];
f2b2a3ff 4116 }
4c9b6178 4117 elseif (isset($params['api.line_item.create'])) {
5525990d 4118 // Update total amount of contribution using lineItem
b5935203 4119 $taxAmountArray = array();
4120 foreach ($params['api.line_item.create'] as $key => $value) {
4121 if (isset($value['financial_type_id']) && array_key_exists($value['financial_type_id'], $taxRates)) {
f2b2a3ff 4122 $taxRate = $taxRates[$value['financial_type_id']];
5525990d 4123 $taxAmount = CRM_Contribute_BAO_Contribution_Utils::calculateTaxAmount($value['line_total'], $taxRate);
b5935203 4124 $taxAmountArray[] = round($taxAmount['tax_amount'], 2);
4125 }
4126 }
4127 $params['tax_amount'] = array_sum($taxAmountArray);
5525990d 4128 $params['total_amount'] = $params['total_amount'] + $params['tax_amount'];
b5935203 4129 }
4130 else {
4131 // update line item of contrbution
4132 if (isset($params['financial_type_id']) && array_key_exists($params['financial_type_id'], $taxRates) && $isLineItem) {
4133 $taxRate = $taxRates[$params['financial_type_id']];
4134 $taxAmount = CRM_Contribute_BAO_Contribution_Utils::calculateTaxAmount($params['line_total'], $taxRate);
4135 $params['tax_amount'] = round($taxAmount['tax_amount'], 2);
4136 }
4137 }
4138 return $params;
4139 }
96025800 4140
4d47ad17
PN
4141 /**
4142 * Check financial type validation on update of a contribution.
4143 *
4144 * @param Integer $financialTypeId
4145 * Value of latest Financial Type.
4146 *
8499d1ea 4147 * @param Integer $contributionId
4d47ad17
PN
4148 * Contribution Id.
4149 *
4150 * @param array $errors
4151 * List of errors.
4152 *
4153 * @return bool
4154 */
4155 public static function checkFinancialTypeChange($financialTypeId, $contributionId, &$errors) {
4156 if (!empty($financialTypeId)) {
4157 $oldFinancialTypeId = CRM_Core_DAO::getFieldValue('CRM_Contribute_DAO_Contribution', $contributionId, 'financial_type_id');
4158 if ($oldFinancialTypeId == $financialTypeId) {
4159 return FALSE;
4160 }
4161 }
4162 $sql = 'SELECT financial_type_id FROM civicrm_line_item WHERE contribution_id = %1 GROUP BY financial_type_id;';
4163 $params = array(
8499d1ea 4164 '1' => array($contributionId, 'Integer'),
4d47ad17
PN
4165 );
4166 $result = CRM_Core_DAO::executeQuery($sql, $params);
4167 if ($result->N > 1) {
4168 $errors['financial_type_id'] = ts('One or more line items have a different financial type than the contribution. Editing the financial type is not yet supported in this situation.');
4169 }
4170 }
4171
6d0cf504
EM
4172 /**
4173 * Update related pledge payment payments.
4174 *
5e27919e
EM
4175 * This function has been refactored out of the back office contribution form and may
4176 * still overlap with other functions.
4177 *
6d0cf504
EM
4178 * @param string $action
4179 * @param int $pledgePaymentID
4180 * @param int $contributionID
4181 * @param bool $adjustTotalAmount
4182 * @param float $total_amount
4183 * @param float $original_total_amount
4184 * @param int $contribution_status_id
4185 * @param int $original_contribution_status_id
4186 */
5e27919e 4187 public static function updateRelatedPledge(
6d0cf504
EM
4188 $action,
4189 $pledgePaymentID,
4190 $contributionID,
4191 $adjustTotalAmount,
4192 $total_amount,
4193 $original_total_amount,
4194 $contribution_status_id,
4195 $original_contribution_status_id
4196 ) {
8e776a1a
SB
4197 if (!$pledgePaymentID && $action & CRM_Core_Action::ADD && !$contributionID) {
4198 return;
4199 }
4200
6d0cf504
EM
4201 if ($pledgePaymentID) {
4202 //store contribution id in payment record.
4203 CRM_Core_DAO::setFieldValue('CRM_Pledge_DAO_PledgePayment', $pledgePaymentID, 'contribution_id', $contributionID);
4204 }
4205 else {
4206 $pledgePaymentID = CRM_Core_DAO::getFieldValue('CRM_Pledge_DAO_PledgePayment',
4207 $contributionID,
4208 'id',
4209 'contribution_id'
4210 );
4211 }
fcdf24a4 4212
8e776a1a 4213 if (!$pledgePaymentID) {
fcdf24a4
SB
4214 return;
4215 }
6d0cf504
EM
4216 $pledgeID = CRM_Core_DAO::getFieldValue('CRM_Pledge_DAO_PledgePayment',
4217 $contributionID,
4218 'pledge_id',
4219 'contribution_id'
4220 );
4221
4222 $updatePledgePaymentStatus = FALSE;
4223
4224 // If either the status or the amount has changed we update the pledge status.
4225 if ($action & CRM_Core_Action::ADD) {
4226 $updatePledgePaymentStatus = TRUE;
4227 }
4228 elseif ($action & CRM_Core_Action::UPDATE && (($original_contribution_status_id != $contribution_status_id) ||
4229 ($original_total_amount != $total_amount))
4230 ) {
4231 $updatePledgePaymentStatus = TRUE;
4232 }
4233
4234 if ($updatePledgePaymentStatus) {
4235 CRM_Pledge_BAO_PledgePayment::updatePledgePaymentStatus($pledgeID,
4236 array($pledgePaymentID),
4237 $contribution_status_id,
4238 NULL,
4239 $total_amount,
4240 $adjustTotalAmount
4241 );
4242 }
4243 }
456b0145 4244
ae6884ce 4245 /**
4246 * Compute the stats values
4247 *
23ce9a3a 4248 * @param $stat either 'mode' or 'median'
4249 * @param $sql
4250 * @param $alias of civicrm_contribution
ae6884ce 4251 */
4252 public static function computeStats($stat, $sql, $alias = NULL) {
899439b0 4253 $mode = $median = array();
23ce9a3a 4254 switch ($stat) {
ae6884ce 4255 case 'mode':
4256 $modeDAO = CRM_Core_DAO::executeQuery($sql);
4257 while ($modeDAO->fetch()) {
4258 if ($modeDAO->civicrm_contribution_total_amount_count > 1) {
4259 $mode[] = CRM_Utils_Money::format($modeDAO->amount, $modeDAO->currency);
4260 }
4261 else {
4262 $mode[] = 'N/A';
4263 }
4264 }
4265 return $mode;
4266
4267 case 'median':
ae6884ce 4268 $currencies = CRM_Core_OptionGroup::values('currencies_enabled');
4269 foreach ($currencies as $currency => $val) {
e9ec4119 4270 $midValue = 0;
ae6884ce 4271 $where = "AND {$alias}.currency = '{$currency}'";
4272 $rowCount = CRM_Core_DAO::singleValueQuery("SELECT count(*) as count {$sql} {$where}");
4273
4274 $even = FALSE;
4275 $offset = 1;
4276 $medianRow = floor($rowCount / 2);
4277 if ($rowCount % 2 == 0 && !empty($medianRow)) {
4278 $even = TRUE;
4279 $offset++;
4280 $medianRow--;
4281 }
4282
4283 $medianValue = "SELECT {$alias}.total_amount as median
4284 {$sql} {$where}
4285 ORDER BY median LIMIT {$medianRow},{$offset}";
4286 $medianValDAO = CRM_Core_DAO::executeQuery($medianValue);
4287 while ($medianValDAO->fetch()) {
4288 if ($even) {
4289 $midValue = $midValue + $medianValDAO->median;
4290 }
4291 else {
4292 $median[] = CRM_Utils_Money::format($medianValDAO->median, $currency);
4293 }
4294 }
4295 if ($even) {
23ce9a3a 4296 $midValue = $midValue / 2;
ae6884ce 4297 $median[] = CRM_Utils_Money::format($midValue, $currency);
4298 }
4299 }
4300 return $median;
4301
23ce9a3a 4302 default:
ae6884ce 4303 return;
4304 }
4305 }
4306
3c49d90c 4307 /**
4308 * Is there only one line item attached to the contribution.
4309 *
4310 * @param int $id
4311 * Contribution ID.
4312 *
4313 * @return bool
4314 * @throws \CiviCRM_API3_Exception
4315 */
4316 public static function isSingleLineItem($id) {
467fe956 4317 $lineItemCount = civicrm_api3('LineItem', 'getcount', array('contribution_id' => $id));
3c49d90c 4318 return ($lineItemCount == 1);
4319 }
4320
db59bb73
EM
4321 /**
4322 * Complete an order.
4323 *
4324 * Do not call this directly - use the contribution.completetransaction api as this function is being refactored.
4325 *
4326 * Currently overloaded to complete a transaction & repeat a transaction - fix!
4327 *
4328 * Moving it out of the BaseIPN class is just the first step.
4329 *
4330 * @param array $input
4331 * @param array $ids
4332 * @param array $objects
4333 * @param CRM_Core_Transaction $transaction
4334 * @param int $recur
4335 * @param CRM_Contribute_BAO_Contribution $contribution
4336 * @param bool $isRecurring
4b6c8c1e 4337 * Duplication of param needs review. Only used by AuthorizeNetIPN
db59bb73 4338 * @param int $isFirstOrLastRecurringPayment
4b6c8c1e 4339 * Deprecated param only used by AuthorizeNetIPN.
db59bb73 4340 */
59626c7f 4341 public static function completeOrder(&$input, &$ids, $objects, $transaction, $recur, $contribution, $isRecurring, $isFirstOrLastRecurringPayment) {
db59bb73 4342 $primaryContributionID = isset($contribution->id) ? $contribution->id : $objects['first_contribution']->id;
66df7769 4343 // The previous details are used when calculating line items so keep it before any code that 'does something'
4344 if (!empty($contribution->id)) {
4345 $input['prevContribution'] = CRM_Contribute_BAO_Contribution::getValues(array('id' => $contribution->id),
4346 CRM_Core_DAO::$_nullArray, CRM_Core_DAO::$_nullArray);
4347 }
b3b7f4c5 4348 $inputContributionWhiteList = array(
4349 'fee_amount',
4350 'net_amount',
4351 'trxn_id',
4352 'check_number',
4353 'payment_instrument_id',
4354 'is_test',
1c98b2d6 4355 'campaign_id',
12829b5d 4356 'receive_date',
d9924163 4357 'receipt_date',
d5580ed4 4358 'contribution_status_id',
b3b7f4c5 4359 );
3c49d90c 4360 if (self::isSingleLineItem($primaryContributionID)) {
4361 $inputContributionWhiteList[] = 'financial_type_id';
4362 }
b3b7f4c5 4363
7f4ef731 4364 $participant = CRM_Utils_Array::value('participant', $objects);
4365 $memberships = CRM_Utils_Array::value('membership', $objects);
4366 $recurContrib = CRM_Utils_Array::value('contributionRecur', $objects);
294cc627 4367 $recurringContributionID = (empty($recurContrib->id)) ? NULL : $recurContrib->id;
7f4ef731 4368 $event = CRM_Utils_Array::value('event', $objects);
b3b7f4c5 4369
b929cdb4 4370 $completedContributionStatusID = CRM_Core_PseudoConstant::getKey('CRM_Contribute_BAO_Contribution', 'contribution_status_id', 'Completed');
4371
b3b7f4c5 4372 $contributionParams = array_merge(array(
b929cdb4 4373 'contribution_status_id' => $completedContributionStatusID,
7f4ef731 4374 'source' => self::getRecurringContributionDescription($contribution, $event),
b3b7f4c5 4375 ), array_intersect_key($input, array_fill_keys($inputContributionWhiteList, 1)
4376 ));
4377
294cc627 4378 if ($recurringContributionID) {
4379 $contributionParams['contribution_recur_id'] = $recurringContributionID;
b3b7f4c5 4380 }
7f4ef731 4381 $changeDate = CRM_Utils_Array::value('trxn_date', $input, date('YmdHis'));
4382
4383 if (empty($contributionParams['receive_date']) && $changeDate) {
4384 $contributionParams['receive_date'] = $changeDate;
4385 }
4386
f8c94f00 4387 self::repeatTransaction($contribution, $input, $contributionParams);
7f4ef731 4388 $contributionParams['financial_type_id'] = $contribution->financial_type_id;
db59bb73
EM
4389
4390 if (is_numeric($memberships)) {
4391 $memberships = array($objects['membership']);
4392 }
4393
db59bb73
EM
4394 $values = array();
4395 if (isset($input['is_email_receipt'])) {
4396 $values['is_email_receipt'] = $input['is_email_receipt'];
4397 }
b3b7f4c5 4398
db59bb73
EM
4399 if ($input['component'] == 'contribute') {
4400 if ($contribution->contribution_page_id) {
7f4ef731 4401 // Figure out what we gain from this.
db59bb73 4402 CRM_Contribute_BAO_ContributionPage::setValues($contribution->contribution_page_id, $values);
db59bb73 4403 }
294cc627 4404 elseif ($recurContrib && $recurringContributionID) {
db59bb73
EM
4405 $values['amount'] = $recurContrib->amount;
4406 $values['financial_type_id'] = $objects['contributionType']->id;
4407 $values['title'] = $source = ts('Offline Recurring Contribution');
db59bb73
EM
4408 }
4409
294cc627 4410 if ($recurContrib && $recurringContributionID && !isset($input['is_email_receipt'])) {
db59bb73
EM
4411 //CRM-13273 - is_email_receipt setting on recurring contribution should take precedence over contribution page setting
4412 // but CRM-16124 if $input['is_email_receipt'] is set then that should not be overridden.
4413 $values['is_email_receipt'] = $recurContrib->is_email_receipt;
4414 }
4415
db59bb73 4416 if (!empty($memberships)) {
db59bb73
EM
4417 foreach ($memberships as $membershipTypeIdKey => $membership) {
4418 if ($membership) {
4ff927bc 4419 $membershipParams = array(
4420 'id' => $membership->id,
4421 'contact_id' => $membership->contact_id,
4422 'is_test' => $membership->is_test,
4423 'membership_type_id' => $membership->membership_type_id,
4424 );
db59bb73 4425
1f7c01e4 4426 $currentMembership = CRM_Member_BAO_Membership::getContactMembership($membershipParams['contact_id'],
4427 $membershipParams['membership_type_id'],
4428 $membershipParams['is_test'],
4429 $membershipParams['id']
db59bb73
EM
4430 );
4431
4432 // CRM-8141 update the membership type with the value recorded in log when membership created/renewed
4433 // this picks up membership type changes during renewals
4434 $sql = "
4435SELECT membership_type_id
4436FROM civicrm_membership_log
1f7c01e4 4437WHERE membership_id={$membershipParams['id']}
db59bb73
EM
4438ORDER BY id DESC
4439LIMIT 1;";
1f7c01e4 4440 $dao = CRM_Core_DAO::executeQuery($sql);
db59bb73
EM
4441 if ($dao->fetch()) {
4442 if (!empty($dao->membership_type_id)) {
1f7c01e4 4443 $membershipParams['membership_type_id'] = $dao->membership_type_id;
db59bb73 4444 }
db59bb73 4445 }
db59bb73
EM
4446 $dao->free();
4447
4ff927bc 4448 $membershipParams['num_terms'] = $contribution->getNumTermsByContributionAndMembershipType(
4449 $membershipParams['membership_type_id'],
4450 $primaryContributionID
4451 );
4b6c8c1e 4452 $dates = array_fill_keys(array('join_date', 'start_date', 'end_date'), NULL);
db59bb73
EM
4453 if ($currentMembership) {
4454 /*
4455 * Fixed FOR CRM-4433
4456 * In BAO/Membership.php(renewMembership function), we skip the extend membership date and status
4457 * when Contribution mode is notify and membership is for renewal )
4458 */
4459 CRM_Member_BAO_Membership::fixMembershipStatusBeforeRenew($currentMembership, $changeDate);
4460
4461 // @todo - we should pass membership_type_id instead of null here but not
4462 // adding as not sure of testing
1f7c01e4 4463 $dates = CRM_Member_BAO_MembershipType::getRenewalDatesForMembershipType($membershipParams['id'],
4ff927bc 4464 $changeDate, NULL, $membershipParams['num_terms']
db59bb73
EM
4465 );
4466
1f7c01e4 4467 $dates['join_date'] = $currentMembership['join_date'];
db59bb73 4468 }
db59bb73
EM
4469
4470 //get the status for membership.
4471 $calcStatus = CRM_Member_BAO_MembershipStatus::getMembershipStatusByDate($dates['start_date'],
4472 $dates['end_date'],
4473 $dates['join_date'],
4474 'today',
4475 TRUE,
1f7c01e4 4476 $membershipParams['membership_type_id'],
4477 $membershipParams
db59bb73
EM
4478 );
4479
c31bec3d 4480 $membershipParams['status_id'] = CRM_Utils_Array::value('id', $calcStatus, 'New');
db59bb73
EM
4481 //we might be renewing membership,
4482 //so make status override false.
1f7c01e4 4483 $membershipParams['is_override'] = FALSE;
f8d3033b 4484 //CRM-17723 - reset static $relatedContactIds array()
4485 $var = TRUE;
4486 CRM_Member_BAO_Membership::createRelatedMemberships($var, $var, TRUE);
1f7c01e4 4487 civicrm_api3('Membership', 'create', $membershipParams);
db59bb73
EM
4488 }
4489 }
db59bb73
EM
4490 }
4491 }
4492 else {
0bad10e7 4493 if (empty($input['IAmAHorribleNastyBeyondExcusableHackInTheCRMEventFORMTaskClassThatNeedsToBERemoved'])) {
7f4ef731 4494 if ($event->is_email_confirm) {
66df7769 4495 // @todo this should be set by the function that sends the mail after sending.
4496 $contributionParams['receipt_date'] = $changeDate;
4497 }
4498 $participantParams['id'] = $participant->id;
1c98b2d6 4499 $participantParams['status_id'] = 'Registered';
66df7769 4500 civicrm_api3('Participant', 'create', $participantParams);
db59bb73 4501 }
db59bb73
EM
4502 }
4503
b3b7f4c5 4504 $contributionParams['id'] = $contribution->id;
db59bb73 4505
734d2daa 4506 $contributionResult = civicrm_api3('Contribution', 'create', $contributionParams);
db59bb73
EM
4507
4508 // Add new soft credit against current $contribution.
4509 if (CRM_Utils_Array::value('contributionRecur', $objects) && $objects['contributionRecur']->id) {
4510 CRM_Contribute_BAO_ContributionRecur::addrecurSoftCredit($objects['contributionRecur']->id, $contribution->id);
4511 }
4512
db59bb73
EM
4513 $paymentProcessorId = '';
4514 if (isset($objects['paymentProcessor'])) {
4515 if (is_array($objects['paymentProcessor'])) {
4516 $paymentProcessorId = $objects['paymentProcessor']['id'];
4517 }
4518 else {
4519 $paymentProcessorId = $objects['paymentProcessor']->id;
4520 }
4521 }
4522
4523 $contributionStatuses = CRM_Core_PseudoConstant::get('CRM_Contribute_DAO_Contribution', 'contribution_status_id', array(
4524 'labelColumn' => 'name',
4525 'flip' => 1,
4526 ));
4527 if ((empty($input['prevContribution']) && $paymentProcessorId) || (!$input['prevContribution']->is_pay_later && $input['prevContribution']->contribution_status_id == $contributionStatuses['Pending'])) {
4528 $input['payment_processor'] = $paymentProcessorId;
4529 }
db59bb73
EM
4530
4531 if (!empty($contribution->_relatedObjects['participant'])) {
4532 $input['contribution_mode'] = 'participant';
4533 $input['participant_id'] = $contribution->_relatedObjects['participant']->id;
4534 $input['skipLineItem'] = 1;
4535 }
4536 elseif (!empty($contribution->_relatedObjects['membership'])) {
4537 $input['skipLineItem'] = TRUE;
4538 $input['contribution_mode'] = 'membership';
d5580ed4 4539 $contribution->contribution_status_id = $contributionParams['contribution_status_id'];
b34861f3 4540 $contribution->trxn_id = CRM_Utils_Array::value('trxn_id', $input);
4541 $contribution->receive_date = CRM_Utils_Date::isoToMysql($contribution->receive_date);
db59bb73 4542 }
b929cdb4 4543 $input['contribution_status_id'] = $contributionParams['contribution_status_id'];
b34861f3 4544 $input['total_amount'] = $input['amount'];
4545 $input['contribution'] = $contribution;
4546 $input['financial_type_id'] = $contribution->financial_type_id;
db59bb73
EM
4547 //@todo writing a unit test I was unable to create a scenario where this line did not fatal on second
4548 // and subsequent payments. In this case the line items are created at
4549 // CRM_Contribute_BAO_ContributionRecur::addRecurLineItems
4550 // and since the contribution is saved prior to this line there is always a contribution-id,
4551 // however there is never a prevContribution (which appears to mean original contribution not previous
4552 // contribution - or preUpdateContributionObject most accurately)
4553 // so, this is always called & only appears to succeed when prevContribution exists - which appears
4554 // to mean "are we updating an exisitng pending contribution"
4555 //I was able to make the unit test complete as fataling here doesn't prevent
4556 // the contribution being created - but activities would not be created or emails sent
4557
4558 CRM_Contribute_BAO_Contribution::recordFinancialAccounts($input, NULL);
4559
4560 CRM_Core_Error::debug_log_message("Contribution record updated successfully");
4561 $transaction->commit();
4562
294cc627 4563 CRM_Contribute_BAO_ContributionRecur::updateRecurLinkedPledge($contribution->id, $recurringContributionID,
4564 $input['contribution_status_id'], $input['total_amount']);
db59bb73
EM
4565
4566 // create an activity record
4567 if ($input['component'] == 'contribute') {
4568 //CRM-4027
4569 $targetContactID = NULL;
4570 if (!empty($ids['related_contact'])) {
4571 $targetContactID = $contribution->contact_id;
4572 $contribution->contact_id = $ids['related_contact'];
4573 }
4574 CRM_Activity_BAO_Activity::addActivity($contribution, NULL, $targetContactID);
4575 // event
4576 }
4577 else {
4578 CRM_Activity_BAO_Activity::addActivity($participant);
4579 }
4580
4581 // CRM-9132 legacy behaviour was that receipts were sent out in all instances. Still sending
4582 // when array_key 'is_email_receipt doesn't exist in case some instances where is needs setting haven't been set
4583 if (!array_key_exists('is_email_receipt', $values) ||
4584 $values['is_email_receipt'] == 1
4585 ) {
ec7e3954
E
4586 civicrm_api3('Contribution', 'sendconfirmation', array(
4587 'id' => $contribution->id,
4588 'payment_processor_id' => $paymentProcessorId,
4589 ));
db59bb73
EM
4590 CRM_Core_Error::debug_log_message("Receipt sent");
4591 }
4592
4593 CRM_Core_Error::debug_log_message("Success: Database updated");
4594 if ($isRecurring) {
4595 CRM_Contribute_BAO_ContributionRecur::sendRecurringStartOrEndNotification($ids, $recur,
4596 $isFirstOrLastRecurringPayment);
4597 }
734d2daa 4598 return $contributionResult;
db59bb73
EM
4599 }
4600
4601 /**
4602 * Send receipt from contribution.
4603 *
4604 * Do not call this directly - it is being refactored. use contribution.sendmessage api call.
4605 *
4606 * Note that the compose message part has been moved to contribution
4607 * In general LoadObjects is called first to get the objects but the composeMessageArray function now calls it.
4608 *
4609 * @param array $input
4610 * Incoming data from Payment processor.
4611 * @param array $ids
4612 * Related object IDs.
ec7e3954 4613 * @param int $contributionID
db59bb73
EM
4614 * @param array $values
4615 * Values related to objects that have already been loaded.
4616 * @param bool $recur
4617 * Is it part of a recurring contribution.
4618 * @param bool $returnMessageText
4619 * Should text be returned instead of sent. This.
4620 * is because the function is also used to generate pdfs
4621 *
4622 * @return array
ec7e3954
E
4623 * @throws \CRM_Core_Exception
4624 * @throws \CiviCRM_API3_Exception
db59bb73 4625 */
ec7e3954
E
4626 public static function sendMail(&$input, &$ids, $contributionID, &$values, $recur = FALSE,
4627 $returnMessageText = FALSE) {
db59bb73 4628 $input['is_recur'] = $recur;
ec7e3954
E
4629
4630 $contribution = new CRM_Contribute_BAO_Contribution();
4631 $contribution->id = $contributionID;
4632 if (!$contribution->find(TRUE)) {
4633 throw new CRM_Core_Exception('Contribution does not exist');
4634 }
4635 $contribution->loadRelatedObjects($input, $ids, TRUE);
db59bb73
EM
4636 // set receipt from e-mail and name in value
4637 if (!$returnMessageText) {
4638 $session = CRM_Core_Session::singleton();
4639 $userID = $session->get('userID');
4640 if (!empty($userID)) {
4641 list($userName, $userEmail) = CRM_Contact_BAO_Contact_Location::getEmailDetails($userID);
4642 $values['receipt_from_email'] = CRM_Utils_Array::value('receipt_from_email', $input, $userEmail);
4643 $values['receipt_from_name'] = CRM_Utils_Array::value('receipt_from_name', $input, $userName);
4644 }
4645 }
76e8d9c4
E
4646
4647 $return = $contribution->composeMessageArray($input, $ids, $values, $recur, $returnMessageText);
cc7b912f 4648 // Contribution ID should really always be set. But ?
76e8d9c4 4649 if (!$returnMessageText && (!isset($input['receipt_update']) || $input['receipt_update']) && empty($contribution->receipt_date)) {
cc7b912f 4650 civicrm_api3('Contribution', 'create', array('receipt_date' => 'now', 'id' => $contribution->id));
4651 }
76e8d9c4 4652 return $return;
db59bb73
EM
4653 }
4654
1844808f
GC
4655 /**
4656 * Generate credit note id with next avaible number
4657 *
1844808f
GC
4658 * @return string
4659 * Credit Note Id.
4660 */
4add5adb 4661 public static function createCreditNoteId() {
aaffa79f 4662 $prefixValue = Civi::settings()->get('contribution_invoice_settings');
1844808f 4663
8d20d89c 4664 $creditNoteNum = CRM_Core_DAO::singleValueQuery("SELECT count(creditnote_id) as creditnote_number FROM civicrm_contribution");
1844808f
GC
4665 $creditNoteId = NULL;
4666
4667 do {
4668 $creditNoteNum++;
4669 $creditNoteId = CRM_Utils_Array::value('credit_notes_prefix', $prefixValue) . "" . $creditNoteNum;
4670 $result = civicrm_api3('Contribution', 'getcount', array(
4671 'sequential' => 1,
4672 'creditnote_id' => $creditNoteId,
4673 ));
4674 } while ($result > 0);
4675
1844808f
GC
4676 return $creditNoteId;
4677 }
4678
4ae9c8ac 4679 /**
4680 * Load related memberships.
4681 *
4682 * Note that in theory it should be possible to retrieve these from the line_item table
4683 * with the membership_payment table being deprecated. Attempting to do this here causes tests to fail
4684 * as it seems the api is not correctly linking the line items when the contribution is created in the flow
4685 * where the contribution is created in the API, followed by the membership (using the api) followed by the membership
4686 * payment. The membership payment BAO does have code to address this but it doesn't appear to be working.
4687 *
4688 * I don't know if it never worked or broke as a result of https://issues.civicrm.org/jira/browse/CRM-14918.
4689 *
4690 * @param array $ids
4691 *
4692 * @throws Exception
4693 */
4694 public function loadRelatedMembershipObjects(&$ids) {
4695 $query = "
4696 SELECT membership_id
4697 FROM civicrm_membership_payment
4698 WHERE contribution_id = %1 ";
4699 $params = array(1 => array($this->id, 'Integer'));
4700
4701 $dao = CRM_Core_DAO::executeQuery($query, $params);
4702 while ($dao->fetch()) {
4703 if ($dao->membership_id) {
4704 if (!is_array($ids['membership'])) {
4705 $ids['membership'] = array();
4706 }
4707 $ids['membership'][] = $dao->membership_id;
4708 }
4709 }
4710
4711 if (array_key_exists('membership', $ids) && is_array($ids['membership'])) {
4712 foreach ($ids['membership'] as $id) {
4713 if (!empty($id)) {
4714 $membership = new CRM_Member_BAO_Membership();
4715 $membership->id = $id;
4716 if (!$membership->find(TRUE)) {
4717 throw new Exception("Could not find membership record: $id");
4718 }
4719 $membership->join_date = CRM_Utils_Date::isoToMysql($membership->join_date);
4720 $membership->start_date = CRM_Utils_Date::isoToMysql($membership->start_date);
4721 $membership->end_date = CRM_Utils_Date::isoToMysql($membership->end_date);
4722 $this->_relatedObjects['membership'][$membership->membership_type_id] = $membership;
4723 $membership->free();
4724 }
4725 }
4726 }
4727 }
4728
6b18d1bd
PN
4729 /**
4730 * This function is used to record partial payments for contribution
4731 *
4732 * @param array $contribution
4733 *
4734 * @param array $params
4735 *
4736 * @return object
4737 */
4738 public static function recordPartialPayment($contribution, $params) {
4739 $contributionStatuses = CRM_Contribute_PseudoConstant::contributionStatus(NULL, 'name');
4740 $pendingStatus = array(
4741 array_search('Pending', $contributionStatuses),
4742 array_search('In Progress', $contributionStatuses),
4743 );
4744 $statusId = array_search('Completed', $contributionStatuses);
4745 if (in_array(CRM_Utils_Array::value('contribution_status_id', $contribution), $pendingStatus)) {
4746 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Accounts Receivable Account is' "));
4747 $balanceTrxnParams['to_financial_account_id'] = CRM_Contribute_PseudoConstant::financialAccountType($contribution['financial_type_id'], $relationTypeId);
4748 }
4749 elseif (!empty($params['payment_processor'])) {
4750 $balanceTrxnParams['to_financial_account_id'] = CRM_Financial_BAO_FinancialTypeAccount::getFinancialAccount($contribution['payment_processor'], 'civicrm_payment_processor', 'financial_account_id');
4751 }
4752 elseif (!empty($params['payment_instrument_id'])) {
4753 $balanceTrxnParams['to_financial_account_id'] = CRM_Financial_BAO_FinancialTypeAccount::getInstrumentFinancialAccount($contribution['payment_instrument_id']);
4754 }
4755 else {
4756 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('financial_account_type', NULL, " AND v.name LIKE 'Asset' "));
4757 $queryParams = array(1 => array($relationTypeId, 'Integer'));
4758 $balanceTrxnParams['to_financial_account_id'] = CRM_Core_DAO::singleValueQuery("SELECT id FROM civicrm_financial_account WHERE is_default = 1 AND financial_account_type_id = %1", $queryParams);
4759 }
4760 $relationTypeId = key(CRM_Core_PseudoConstant::accountOptionValues('account_relationship', NULL, " AND v.name LIKE 'Accounts Receivable Account is' "));
4761 $fromFinancialAccountId = CRM_Contribute_PseudoConstant::financialAccountType($contribution['financial_type_id'], $relationTypeId);
4762 $balanceTrxnParams['from_financial_account_id'] = $fromFinancialAccountId;
4763 $balanceTrxnParams['total_amount'] = $params['total_amount'];
4764 $balanceTrxnParams['contribution_id'] = $params['contribution_id'];
4765 $balanceTrxnParams['trxn_date'] = !empty($params['contribution_receive_date']) ? $params['contribution_receive_date'] : date('YmdHis');
4766 $balanceTrxnParams['fee_amount'] = CRM_Utils_Array::value('fee_amount', $params);
4767 $balanceTrxnParams['net_amount'] = CRM_Utils_Array::value('total_amount', $params);
4768 $balanceTrxnParams['currency'] = $contribution['currency'];
4769 $balanceTrxnParams['trxn_id'] = CRM_Utils_Array::value('contribution_trxn_id', $params, NULL);
4770 $balanceTrxnParams['status_id'] = $statusId;
4771 $balanceTrxnParams['payment_instrument_id'] = CRM_Utils_Array::value('payment_instrument_id', $params, $contribution['payment_instrument_id']);
4772 $balanceTrxnParams['check_number'] = CRM_Utils_Array::value('check_number', $params);
4773 if ($fromFinancialAccountId != NULL &&
4774 ($statusId == array_search('Completed', $contributionStatuses) || $statusId == array_search('Partially paid', $contributionStatuses))
4775 ) {
4776 $balanceTrxnParams['is_payment'] = 1;
4777 }
4778 if (!empty($params['payment_processor'])) {
4779 $balanceTrxnParams['payment_processor_id'] = $params['payment_processor'];
4780 }
4781 return CRM_Core_BAO_FinancialTrxn::create($balanceTrxnParams);
4782 }
4783
7f4ef731 4784 /**
467fe956 4785 * Get the description (source field) for the recurring contribution.
4786 *
4787 * @param CRM_Contribute_BAO_Contribution $contribution
4788 * @param CRM_Event_DAO_Event|null $event
4789 *
4790 * @return array
4791 * @throws \CiviCRM_API3_Exception
4792 */
7f4ef731 4793 protected static function getRecurringContributionDescription($contribution, $event) {
6046ccbb 4794 if (!empty($contribution->source)) {
7b9947fb
ML
4795 return $contribution->source;
4796 }
4797 elseif (!empty($contribution->contribution_page_id)) {
7f4ef731 4798 $contributionPageTitle = civicrm_api3('ContributionPage', 'getvalue', array(
4799 'id' => $contribution->contribution_page_id,
4800 'return' => 'title',
4801 ));
4802 return ts('Online Contribution') . ': ' . $contributionPageTitle;
4803 }
467fe956 4804 elseif ($event) {
7f4ef731 4805 return ts('Online Event Registration') . ': ' . $event->title;
4806 }
4807 return 'recurring contribution';
4808 }
4809
0618910b
PN
4810 /**
4811 * Function to add payments for contribution
4812 * for Partially Paid status
4813 *
4814 * @param array $lineItems
4815 * @param array $contributions
4816 *
4817 */
4818 public static function addPayments($lineItems, $contributions) {
e4ba8498 4819 // get financial trxn which is a payment
57dcb94e 4820 $ftSql = "SELECT ft.id, ft.total_amount
b34861f3 4821 FROM civicrm_financial_trxn ft
0618910b 4822 INNER JOIN civicrm_entity_financial_trxn eft ON eft.financial_trxn_id = ft.id AND eft.entity_table = 'civicrm_contribution'
57dcb94e 4823 WHERE eft.entity_id = %1 AND ft.is_payment = 1 ORDER BY ft.id DESC LIMIT 1";
69ea45f2 4824 $sql = "SELECT fi.id, li.price_field_value_id
0618910b
PN
4825 FROM civicrm_financial_item fi
4826 INNER JOIN civicrm_line_item li ON li.id = fi.entity_id
4827 WHERE li.contribution_id = %1";
69ea45f2
PN
4828
4829 foreach ($contributions as $k => $contribution) {
4830 if ($contribution->contribution_status_id != CRM_Core_OptionGroup::getValue('contribution_status', 'Partially paid', 'name')) {
4831 continue;
4832 }
57dcb94e 4833 $ftDao = CRM_Core_DAO::executeQuery($ftSql, array(1 => array($contribution->id, 'Integer')));
2a21b19d
E
4834 $ftDao->fetch();
4835 $trxnAmount = $ftDao->total_amount;
4836 $ftId = $ftDao->id;
4837
69ea45f2 4838 // get financial item
0618910b
PN
4839 $dao = CRM_Core_DAO::executeQuery($sql, array(1 => array($contribution->id, 'Integer')));
4840 while ($dao->fetch()) {
4841 $ftIds[$dao->price_field_value_id] = $dao->id;
4842 }
dea99e05
PN
4843
4844 $params = array(
4845 'entity_table' => 'civicrm_financial_item',
4846 'financial_trxn_id' => $ftId,
4847 );
0618910b 4848 foreach ($lineItems as $key => $value) {
57dcb94e 4849 $paid = $value['line_total'] * ($trxnAmount / $contribution->total_amount);
0618910b 4850 // Record Entity Financial Trxn
9b1d8402 4851 $params['amount'] = round($paid, 2);
dea99e05
PN
4852 $params['entity_id'] = $ftIds[$value['price_field_value_id']];
4853
4854 civicrm_api3('EntityFinancialTrxn', 'create', $params);
0618910b
PN
4855 }
4856 }
4857 }
4858
27d9f6c5 4859 /**
1b7fd6d4 4860 * Function use to store line item proportionaly in
27d9f6c5
PN
4861 * in entity financial trxn table
4862 *
4863 * @param array $params
4864 * array of contribution params.
4865 * @param object $trxn
4866 * CRM_Financial_DAO_FinancialTrxn object
4867 * @param array $contribution
4868 *
4869 */
4870 public static function assignProportionalLineItems($params, $trxn, $contribution) {
4871 $lineItems = CRM_Price_BAO_LineItem::getLineItemsByContributionID($params['contribution_id']);
4872 if (!empty($lineItems)) {
4873 // get financial item
4874 $sql = "SELECT fi.id, li.price_field_value_id
4875 FROM civicrm_financial_item fi
fa7a1ebd 4876 INNER JOIN civicrm_line_item li ON li.id = fi.entity_id and fi.entity_table = 'civicrm_line_item'
27d9f6c5
PN
4877 WHERE li.contribution_id = %1";
4878 $dao = CRM_Core_DAO::executeQuery($sql, array(1 => array($params['contribution_id'], 'Integer')));
4879 while ($dao->fetch()) {
4880 $ftIds[$dao->price_field_value_id] = $dao->id;
4881 }
3e00a301
PN
4882 $eftParams = array(
4883 'entity_table' => 'civicrm_financial_item',
4884 'financial_trxn_id' => $trxn->id,
4885 );
27d9f6c5
PN
4886 foreach ($lineItems as $key => $value) {
4887 $paid = $value['line_total'] * ($params['total_amount'] / $contribution['total_amount']);
4888 // Record Entity Financial Trxn
9b1d8402 4889 $eftParams['amount'] = round($paid, 2);
3e00a301
PN
4890 $eftParams['entity_id'] = $ftIds[$value['price_field_value_id']];
4891
4892 civicrm_api3('EntityFinancialTrxn', 'create', $eftParams);
27d9f6c5
PN
4893 }
4894 }
4895 }
4896
5c8b902b 4897 /**
4106ce71 4898 * Function to check line items
5c8b902b
PN
4899 *
4900 * @param array $params
4901 * array of order params.
4902 *
5c8b902b
PN
4903 */
4904 public static function checkLineItems(&$params) {
4905 $totalAmount = CRM_Utils_Array::value('total_amount', $params);
4906 $lineItemAmount = 0;
4907 foreach ($params['line_items'] as &$lineItems) {
4908 foreach ($lineItems['line_item'] as &$item) {
4909 if (empty($item['financial_type_id'])) {
4910 $item['financial_type_id'] = $params['financial_type_id'];
4911 }
4912 $lineItemAmount += $item['line_total'];
4913 }
4914 }
4915 if (!isset($totalAmount)) {
4916 $params['total_amount'] = $lineItemAmount;
4917 }
4918 elseif ($totalAmount != $lineItemAmount) {
af004c04 4919 throw new API_Exception("Line item total doesn't match with total amount.");
5c8b902b 4920 }
5c8b902b
PN
4921 }
4922
bf2cf926 4923 /**
4924 * Get the financial account for the item associated with the new transaction.
4925 *
4926 * @param array $params
4927 * @param CRM_Financial_BAO_FinancialItem $prevFinancialItem
4928 *
4929 * @return int
4930 */
4931 public static function getFinancialAccountForStatusChangeTrxn($params, $prevFinancialItem) {
4932
4933 if (!empty($params['financial_account_id'])) {
4934 return $params['financial_account_id'];
4935 }
4936 $contributionStatus = CRM_Contribute_PseudoConstant::contributionStatus($params['contribution_status_id'], 'name');
4937 $preferredAccountsRelationships = array(
4938 'Refunded' => 'Credit/Contra Revenue Account is',
4939 'Chargeback' => 'Chargeback Account is',
4940 );
4941 if (in_array($contributionStatus, array_keys($preferredAccountsRelationships))) {
4942 $financialTypeID = !empty($params['financial_type_id']) ? $params['financial_type_id'] : $params['prevContribution']->financial_type_id;
4943 return CRM_Financial_BAO_FinancialAccount::getFinancialAccountForFinancialTypeByRelationship(
4944 $financialTypeID,
4945 $preferredAccountsRelationships[$contributionStatus]
4946 );
4947 }
4948 return $prevFinancialItem->financial_account_id;
4949 }
4950
5ce9cbe9 4951}