Merge pull request #1923 from civicrm/4.3
[civicrm-core.git] / sql / GenerateData.php
1 <?php
2 /*
3 +--------------------------------------------------------------------+
4 | CiviCRM version 4.4 |
5 +--------------------------------------------------------------------+
6 | Copyright CiviCRM LLC (c) 2004-2013 |
7 +--------------------------------------------------------------------+
8 | This file is a part of CiviCRM. |
9 | |
10 | CiviCRM is free software; you can copy, modify, and distribute it |
11 | under the terms of the GNU Affero General Public License |
12 | Version 3, 19 November 2007 and the CiviCRM Licensing Exception. |
13 | |
14 | CiviCRM is distributed in the hope that it will be useful, but |
15 | WITHOUT ANY WARRANTY; without even the implied warranty of |
16 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. |
17 | See the GNU Affero General Public License for more details. |
18 | |
19 | You should have received a copy of the GNU Affero General Public |
20 | License and the CiviCRM Licensing Exception along |
21 | with this program; if not, contact CiviCRM LLC |
22 | at info[AT]civicrm[DOT]org. If you have questions about the |
23 | GNU Affero General Public License or the licensing of CiviCRM, |
24 | see the CiviCRM license FAQ at http://civicrm.org/licensing |
25 +--------------------------------------------------------------------+
26 */
27
28 /**
29 *
30 * @package CRM
31 * @copyright CiviCRM LLC (c) 2004-2013
32 * $Id$
33 *
34 */
35
36 /**
37 * This class generates data for the schema located in Contact.sql
38 *
39 * each public method generates data for the concerned table.
40 * so for example the addContactDomain method generates and adds
41 * data to the contact_domain table
42 *
43 * Data generation is a bit tricky since the data generated
44 * randomly in one table could be used as a FKEY in another
45 * table.
46 *
47 * In order to ensure that a randomly generated FKEY matches
48 * a field in the referened table, the field in the referenced
49 * table is always generated linearly.
50 *
51 *
52 *
53 *
54 * Some numbers
55 *
56 * Domain ID's - 1 to NUM_DOMAIN
57 *
58 * Context - 3/domain
59 *
60 * Contact - 1 to NUM_CONTACT
61 * 80% - Individual
62 * 10% - Household
63 * 10% - Organization
64 *
65 * Contact to Domain distribution should be equal.
66 *
67 *
68 * Contact Individual = 1 to 0.8*NUM_CONTACT
69 *
70 * Contact Household = 0.8*NUM_CONTACT to 0.9*NUM_CONTACT
71 *
72 * Contact Organization = 0.9*NUM_CONTACT to NUM_CONTACT
73 *
74 * Assumption is that each household contains 4 individuals
75 *
76 */
77
78 /**
79 *
80 * Note: implication of using of mt_srand(1) in constructor
81 * The data generated will be done in a consistent manner
82 * so as to give the same data during each run (but this
83 * would involve populating the entire db at one go - since
84 * mt_srand(1) is in the constructor, if one needs to be able
85 * to get consistent random numbers then the mt_srand(1) shld
86 * be in each function that adds data to each table.
87 *
88 */
89
90
91 require_once '../civicrm.config.php';
92
93 // autoload
94 require_once 'CRM/Core/ClassLoader.php';
95 CRM_Core_ClassLoader::singleton()->register();
96 class CRM_GCD {
97
98 /**
99 * Constants
100 */
101
102 // Set ADD_TO_DB = FALSE to do a dry run
103 CONST ADD_TO_DB = TRUE;
104
105 CONST DATA_FILENAME = "sample_data.xml";
106 CONST NUM_DOMAIN = 1;
107 CONST NUM_CONTACT = 200;
108 CONST INDIVIDUAL_PERCENT = 80;
109 CONST HOUSEHOLD_PERCENT = 10;
110 CONST ORGANIZATION_PERCENT = 10;
111 CONST NUM_INDIVIDUAL_PER_HOUSEHOLD = 4;
112 CONST NUM_ACTIVITY = 150;
113
114 // Location types from the table crm_location_type
115 CONST HOME = 1;
116 CONST WORK = 2;
117 CONST MAIN = 3;
118 CONST OTHER = 4;
119
120 /**
121 * Class constructor
122 */
123 function __construct() {
124 // initialize all the vars
125 $this->numIndividual = self::INDIVIDUAL_PERCENT * self::NUM_CONTACT / 100;
126 $this->numHousehold = self::HOUSEHOLD_PERCENT * self::NUM_CONTACT / 100;
127 $this->numOrganization = self::ORGANIZATION_PERCENT * self::NUM_CONTACT / 100;
128 $this->numStrictIndividual = $this->numIndividual - ($this->numHousehold * self::NUM_INDIVIDUAL_PER_HOUSEHOLD);
129
130 // Parse data file
131 foreach((array) simplexml_load_file(self::DATA_FILENAME) as $key => $val) {
132 $val = (array) $val;
133 $this->sampleData[$key] = (array) $val['item'];
134 }
135 // Init DB
136 $config = CRM_Core_Config::singleton();
137
138 // Relationship types indexed by name_a_b from the table civicrm_relationship_type
139 $this->relTypes = CRM_Utils_Array::index(array('name_a_b'), CRM_Core_PseudoConstant::relationshipType('name'));
140
141 }
142
143 /**
144 * Public wrapper for calling private "add" functions
145 * Provides user feedback
146 */
147 public function generate($itemName) {
148 echo "Generating $itemName\n";
149 $fn = "add$itemName";
150 $this->$fn();
151 }
152
153 /**
154 * this function creates arrays for the following
155 *
156 * domain id
157 * contact id
158 * contact_location id
159 * contact_contact_location id
160 * contact_email uuid
161 * contact_phone_uuid
162 * contact_instant_message uuid
163 * contact_relationship uuid
164 * contact_task uuid
165 * contact_note uuid
166 */
167 public function initID() {
168 // get the domain and contact id arrays
169 $this->domain = range(1, self::NUM_DOMAIN);
170 shuffle($this->domain);
171
172 // Get first contact id
173 $this->startCid = $cid = CRM_Core_DAO::singleValueQuery("SELECT MAX(id) FROM civicrm_contact");
174 $this->contact = range($cid + 1, $cid + self::NUM_CONTACT);
175 shuffle($this->contact);
176
177 // get the individual, household and organizaton contacts
178 $offset = 0;
179 $this->Individual = array_slice($this->contact, $offset, $this->numIndividual);
180 $offset += $this->numIndividual;
181 $this->Household = array_slice($this->contact, $offset, $this->numHousehold);
182 $offset += $this->numHousehold;
183 $this->Organization = array_slice($this->contact, $offset, $this->numOrganization);
184
185 // get the strict individual contacts (i.e individual contacts not belonging to any household)
186 $this->strictIndividual = array_slice($this->Individual, 0, $this->numStrictIndividual);
187
188 // get the household to individual mapping array
189 $this->householdIndividual = array_slice($this->Individual, $this->numStrictIndividual);
190 $this->householdIndividual = array_chunk($this->householdIndividual, self::NUM_INDIVIDUAL_PER_HOUSEHOLD);
191 $this->householdIndividual = array_combine($this->Household, $this->householdIndividual);
192 }
193
194 /*********************************
195 * private members
196 *********************************/
197
198 // enum's from database
199 private $preferredCommunicationMethod = array('1', '2', '3', '4', '5');
200 private $contactType = array('Individual', 'Household', 'Organization');
201 private $phoneType = array('1', '2', '3', '4');
202
203 // customizable enums (foreign keys)
204 private $prefix = array(
205 // Female
206 1 => array(
207 1 => 'Mrs.',
208 2 => 'Ms.',
209 4 => 'Dr.'
210 ),
211 // Male
212 2 => array(
213 3 => 'Mr.',
214 4 => 'Dr.',
215 )
216 );
217 private $suffix = array(1 => 'Jr.', 2 => 'Sr.', 3 => 'II', 4 => 'III');
218 private $gender = array(1 => 'female', 2 => 'male');
219
220 // store domain id's
221 private $domain = array();
222
223 // store contact id's
224 private $contact = array();
225 private $Individual = array();
226 private $Household = array();
227 private $Organization = array();
228
229 // store which contacts have a location entity
230 // for automatic management of is_primary field
231 private $location = array(
232 'Email' => array(),
233 'Phone' => array(),
234 'Address' => array(),
235 );
236
237 // stores the strict individual id and household id to individual id mapping
238 private $strictIndividual = array();
239 private $householdIndividual = array();
240 private $householdName = array();
241
242 // sample data in xml format
243 private $sampleData = array();
244
245 // private vars
246 private $startCid;
247 private $numIndividual = 0;
248 private $numHousehold = 0;
249 private $numOrganization = 0;
250 private $numStrictIndividual = 0;
251 private $stateMap = array();
252 private $states = array();
253
254 private $groupMembershipStatus = array('Added', 'Removed', 'Pending');
255 private $subscriptionHistoryMethod = array('Admin', 'Email');
256
257 /*********************************
258 * private methods
259 *********************************/
260
261 // get a randomly generated string
262 private function randomString($size = 32) {
263 $string = "";
264
265 // get an ascii code for each character
266 for ($i = 0; $i < $size; $i++) {
267 $random_int = mt_rand(65, 122);
268 if (($random_int < 97) && ($random_int > 90)) {
269 // if ascii code between 90 and 97 substitute with space
270 $random_int = 32;
271 }
272 $random_char = chr($random_int);
273 $string .= $random_char;
274 }
275 return $string;
276 }
277
278 private function randomChar() {
279 return chr(mt_rand(65, 90));
280 }
281
282 /**
283 * Get a random item from the sample data or any other array
284 *
285 * @param $items (array or string) - if string, used as key for sample data, if array, used as data source
286 *
287 * @return mixed (element from array)
288 *
289 * @private
290 */
291 private function randomItem($items) {
292 if (!is_array($items)) {
293 $key = $items;
294 $items = $this->sampleData[$key];
295 }
296 if (!$items) {
297 echo "Error: no items found for '$key'\n";
298 return;
299 }
300 return $items[mt_rand(0, count($items) - 1)];
301 }
302
303 private function randomIndex($items) {
304 return $this->randomItem(array_keys($items));
305 }
306
307 private function randomKeyValue($items) {
308 $key = $this->randomIndex($items);
309 return array($key, $items[$key]);
310 }
311
312 private function probability($chance) {
313 if (mt_rand(0, 100) < ($chance * 100)) {
314 return 1;
315 }
316 return 0;
317 }
318
319 /**
320 * Generate a random date.
321 *
322 * If both $startDate and $endDate are defined generate
323 * date between them.
324 *
325 * If only startDate is specified then date generated is
326 * between startDate + 1 year.
327 *
328 * if only endDate is specified then date generated is
329 * between endDate - 1 year.
330 *
331 * if none are specified - date is between today - 1year
332 * and today
333 *
334 * @param int $startDate Start Date in Unix timestamp
335 * @param int $endDate End Date in Unix timestamp
336 * @access private
337 *
338 * @return string randomly generated date in the format "Ymd"
339 *
340 */
341 private function randomDate($startDate = 0, $endDate = 0) {
342
343 // number of seconds per year
344 $numSecond = 31536000;
345 $dateFormat = "Ymdhis";
346 $today = time();
347
348 // both are defined
349 if ($startDate && $endDate) {
350 return date($dateFormat, mt_rand($startDate, $endDate));
351 }
352
353 // only startDate is defined
354 if ($startDate) {
355 return date($dateFormat, mt_rand($startDate, $startDate + $numSecond));
356 }
357
358 // only endDate is defined
359 if ($startDate) {
360 return date($dateFormat, mt_rand($endDate - $numSecond, $endDate));
361 }
362
363 // none are defined
364 return date($dateFormat, mt_rand($today - $numSecond, $today));
365 }
366
367 /**
368 * Automatically manage the is_primary field by tracking which contacts have each item
369 */
370 private function isPrimary($cid, $type) {
371 if (empty($this->location[$type][$cid])) {
372 $this->location[$type][$cid] = TRUE;
373 return 1;
374 }
375 return 0;
376 }
377
378 /**
379 * Execute a query unless we are doing a dry run
380 * Note: this wrapper should not be used for SELECT queries
381 */
382 private function _query($query, $params = array()) {
383 if (self::ADD_TO_DB) {
384 return CRM_Core_DAO::executeQuery($query, $params);
385 }
386 }
387
388 /**
389 * Call dao insert method unless we are doing a dry run
390 */
391 private function _insert(&$dao) {
392 if (self::ADD_TO_DB) {
393 if (!$dao->insert()) {
394 echo "ERROR INSERT: " . mysql_error() . "\n";
395 print_r($dao);
396 exit(1);
397 }
398 }
399 }
400
401 /**
402 * Call dao update method unless we are doing a dry run
403 */
404 private function _update(&$dao) {
405 if (self::ADD_TO_DB) {
406 if (!$dao->update()) {
407 echo "ERROR UPDATE: " . mysql_error() . "\n";
408 print_r($dao);
409 exit(1);
410 }
411 }
412 }
413
414 /**
415 * Add core DAO object
416 */
417 private function _addDAO($type, $params) {
418 $daoName = "CRM_Core_DAO_$type";
419 $obj = new $daoName();
420 foreach ($params as $key => $value) {
421 $obj->$key = $value;
422 }
423 if (isset($this->location[$type])) {
424 $obj->is_primary = $this->isPrimary($params['contact_id'], $type);
425 }
426 $this->_insert($obj);
427 }
428
429 /**
430 * Fetch contact type based on stored mapping
431 */
432 private function getContactType($id) {
433 foreach (array('Individual', 'Household', 'Organization') as $type) {
434 if (in_array($id, $this->$type)) {
435 return $type;
436 }
437 }
438 }
439
440 /**
441 * This method adds NUM_DOMAIN domains and then adds NUM_REVISION
442 * revisions for each domain with the latest revision being the last one..
443 */
444 private function addDomain() {
445
446 /* Add a location for domain 1 */
447
448 $domain = new CRM_Core_DAO_Domain();
449 for ($id = 2; $id <= self::NUM_DOMAIN; $id++) {
450 // domain name is pretty simple. it is "Domain $id"
451 $domain->name = "Domain $id";
452 $domain->description = "Description $id";
453 $domain->contact_name = $this->randomName();
454
455 // insert domain
456 $this->_insert($domain);
457 }
458 }
459
460 public function randomName() {
461 $first_name = $this->randomItem(($this->probability(.5) ? 'fe' : '') . 'male_name');
462 $middle_name = ucfirst($this->randomChar());
463 $last_name = $this->randomItem('last_name');
464 return "$first_name $middle_name. $last_name";
465 }
466
467 /**
468 * This method adds data to the contact table
469 *
470 * id - from $contact
471 * contact_type 'Individual' 'Household' 'Organization'
472 * preferred_communication (random 1 to 3)
473 */
474 private function addContact() {
475 $contact = new CRM_Contact_DAO_Contact();
476 $cid = $this->startCid;
477
478 for ($id = $cid + 1; $id <= $cid + self::NUM_CONTACT; $id++) {
479 $contact->contact_type = $this->getContactType($id);
480 $contact->do_not_phone = $this->probability(.2);
481 $contact->do_not_email = $this->probability(.2);
482 $contact->do_not_post = $this->probability(.2);
483 $contact->do_not_trade = $this->probability(.2);
484 $contact->preferred_communication_method = NULL;
485 if ($this->probability(.5)) {
486 $contact->preferred_communication_method = CRM_Core_DAO::VALUE_SEPARATOR . $this->randomItem($this->preferredCommunicationMethod) . CRM_Core_DAO::VALUE_SEPARATOR;
487 }
488 $this->_insert($contact);
489 }
490 }
491
492 /**
493 * addIndividual()
494 *
495 * This method adds individual's data to the contact table
496 *
497 * The following fields are generated and added.
498 *
499 * contact_uuid - individual
500 * contact_rid - latest one
501 * first_name 'First Name $contact_uuid'
502 * middle_name 'Middle Name $contact_uuid'
503 * last_name 'Last Name $contact_uuid'
504 * job_title 'Job Title $contact_uuid'
505 *
506 */
507 private function addIndividual() {
508
509 $contact = new CRM_Contact_DAO_Contact();
510 $year = 60 * 60 * 24 * 365.25;
511 $now = time();
512
513 foreach ($this->Individual as $cid) {
514 $contact->is_deceased = $contact->gender_id = $contact->birth_date = $contact->deceased_date = $email = NULL;
515 list($gender_id, $gender) = $this->randomKeyValue($this->gender);
516 $birth_date = mt_rand($now - 90 * $year, $now - 10 * $year);
517
518 $contact->last_name = $this->randomItem('last_name');
519
520 // Manage household names
521 if (!in_array($contact->id, $this->strictIndividual)) {
522 // Find position in household
523 foreach ($this->householdIndividual as $householdId => $house) {
524 foreach ($house as $position => $memberId) {
525 if ($memberId == $cid) {
526 break 2;
527 }
528 }
529 }
530 // Head of household: set name
531 if (empty($this->householdName[$householdId])) {
532 $this->householdName[$householdId] = $contact->last_name;
533 }
534 // Kids get household name, spouse might get it
535 if ($position > 1 || $this->probability(.5)) {
536 $contact->last_name = $this->householdName[$householdId];
537 }
538 elseif ($this->householdName[$householdId] != $contact->last_name) {
539 // Spouse might hyphenate name
540 if ($this->probability(.5)) {
541 $contact->last_name .= '-' . $this->householdName[$householdId];
542 }
543 // Kids might hyphenate name
544 else {
545 $this->householdName[$householdId] .= '-' . $contact->last_name;
546 }
547 }
548 // Sensible ages and genders
549 $offset = mt_rand($now - 40 * $year, $now);
550 // Parents
551 if ($position < 2) {
552 $birth_date = mt_rand($offset - 35 * $year, $offset - 20 * $year);
553 if ($this->probability(.8)) {
554 $gender_id = 2 - $position;
555 $gender = $this->gender[$gender_id];
556 }
557 }
558 // Kids
559 else {
560 $birth_date = mt_rand($offset - 10 * $year, $offset);
561 }
562 }
563 // Non household people
564 else {
565 if ($this->probability(.6)) {
566 $this->_addAddress($cid);
567 }
568 }
569
570 $contact->first_name = $this->randomItem($gender . '_name');
571 $contact->middle_name = $this->probability(.5) ? '' : ucfirst($this->randomChar());
572 $age = intval(($now - $birth_date) / $year);
573
574 // Prefix and suffix by gender and age
575 $contact->prefix_id = $contact->suffix_id = $prefix = $suffix = NULL;
576 if ($this->probability(.5) && $age > 20) {
577 list($contact->prefix_id, $prefix) = $this->randomKeyValue($this->prefix[$gender_id]);
578 $prefix .= ' ';
579 }
580 if ($gender == 'male' && $this->probability(.50)) {
581 list($contact->suffix_id, $suffix) = $this->randomKeyValue($this->suffix);
582 $suffix = ' ' . $suffix;
583 }
584 if ($this->probability(.7)) {
585 $contact->gender_id = $gender_id;
586 }
587 if ($this->probability(.7)) {
588 $contact->birth_date = date("Ymd", $birth_date);
589 }
590
591 // Deceased probability based on age
592 if ($age > 40) {
593 $contact->is_deceased = $this->probability(($age - 30) / 100);
594 if ($contact->is_deceased && $this->probability(.7)) {
595 $contact->deceased_date = $this->randomDate();
596 }
597 }
598
599 // Add 0, 1 or 2 email address
600 $count = mt_rand(0, 2);
601 for ($i = 0; $i < $count; ++$i) {
602 $email = $this->_individualEmail($contact);
603 $this->_addEmail($cid, $email, self::HOME);
604 }
605
606 // Add 0, 1 or 2 phones
607 $count = mt_rand(0, 2);
608 for ($i = 0; $i < $count; ++$i) {
609 $this->_addPhone($cid);
610 }
611
612 // Occasionally you get contacts with just an email in the db
613 if ($this->probability(.2) && $email) {
614 $contact->first_name = $contact->last_name = $contact->middle_name = NULL;
615 $contact->is_deceased = $contact->gender_id = $contact->birth_date = $contact->deceased_date = NULL;
616 $contact->display_name = $contact->sort_name = $email;
617 $contact->postal_greeting_display = $contact->email_greeting_display = "Dear $email";
618 }
619 else {
620 $contact->display_name = $prefix . $contact->first_name . ' ' . $contact->last_name . $suffix;
621 $contact->sort_name = $contact->last_name . ', ' . $contact->first_name;
622 $contact->postal_greeting_display = $contact->email_greeting_display = 'Dear ' . $contact->first_name;
623 }
624 $contact->addressee_id = $contact->postal_greeting_id = $contact->email_greeting_id = 1;
625 $contact->addressee_display = $contact->display_name;
626 $contact->hash = crc32($contact->sort_name);
627 $contact->id = $cid;
628 $this->_update($contact);
629 }
630 }
631
632 /**
633 * This method adds household's data to the contact table
634 *
635 * The following fields are generated and added.
636 *
637 * contact_uuid - household_individual
638 * contact_rid - latest one
639 * household_name 'household $contact_uuid primary contact $primary_contact_uuid'
640 * nick_name 'nick $contact_uuid'
641 * primary_contact_uuid = $household_individual[$contact_uuid][0];
642 *
643 */
644 private function addHousehold() {
645
646 $contact = new CRM_Contact_DAO_Contact();
647 foreach ($this->Household as $cid) {
648 // Add address
649 $this->_addAddress($cid);
650
651 $contact->id = $cid;
652 $contact->household_name = $this->householdName[$cid] . " family";
653 // need to update the sort name for the main contact table
654 $contact->display_name = $contact->sort_name = $contact->household_name;
655 $contact->postal_greeting_id = $contact->email_greeting_id = 5;
656 $contact->postal_greeting_display = $contact->email_greeting_display = 'Dear ' . $contact->household_name;
657 $contact->addressee_id = 2;
658 $contact->addressee_display = $contact->display_name;
659 $contact->hash = crc32($contact->sort_name);
660 $this->_update($contact);
661 }
662 }
663
664 /**
665 * This method adds organization data to the contact table
666 *
667 * The following fields are generated and added.
668 *
669 * contact_uuid - organization
670 * contact_rid - latest one
671 * organization_name 'organization $contact_uuid'
672 * legal_name 'legal $contact_uuid'
673 * nick_name 'nick $contact_uuid'
674 * sic_code 'sic $contact_uuid'
675 * primary_contact_id - random individual contact uuid
676 *
677 */
678 private function addOrganization() {
679
680 $org = new CRM_Contact_DAO_Contact();
681 $employees = $this->Individual;
682 shuffle($employees);
683
684 foreach ($this->Organization as $key => $id) {
685 $org->primary_contact_id = $website = $email = NULL;
686 $org->id = $id;
687 $address = $this->_addAddress($id);
688
689 $namePre = $this->randomItem('organization_prefix');
690 $nameMid = $this->randomItem('organization_name');
691 $namePost = $this->randomItem('organization_suffix');
692
693 // Some orgs are named after their location
694 if ($this->probability(.7)) {
695 $place = $this->randomItem(array('city', 'street_name', 'state'));
696 $namePre = $address[$place];
697 }
698 $org->organization_name = "$namePre $nameMid $namePost";
699
700 // Most orgs have a website and email
701 if ($this->probability(.8)) {
702 $website = $this->_addWebsite($id, $org->organization_name);
703 $url = str_replace('http://', '', $website['url']);
704 $email = $this->randomItem('email_address') . '@' . $url;
705 $this->_addEmail($id, $email, self::MAIN);
706 }
707
708 // current employee
709 if ($this->probability(.8)) {
710 $indiv = new CRM_Contact_DAO_Contact();
711 $org->primary_contact_id = $indiv->id = $employees[$key];
712 $indiv->organization_name = $org->organization_name;
713 $indiv->employer_id = $id;
714 $this->_update($indiv);
715 // Share address with employee
716 if ($this->probability(.8)) {
717 $this->_addAddress($indiv->id, $id);
718 }
719 // Add work email for employee
720 if ($website) {
721 $indiv->find(TRUE);
722 $email = $this->_individualEmail($indiv, $url);
723 $this->_addEmail($indiv->id, $email, self::WORK);
724 }
725 }
726
727 // need to update the sort name for the main contact table
728 $org->display_name = $org->sort_name = $org->organization_name;
729 $org->addressee_id = 3;
730 $org->addressee_display = $org->display_name;
731 $org->hash = crc32($org->sort_name);
732 $this->_update($org);
733 }
734 }
735
736 /**
737 * This method adds data to the contact_relationship table
738 */
739 private function addRelationship() {
740
741 $relationship = new CRM_Contact_DAO_Relationship();
742
743 // Household relationships
744 foreach ($this->householdIndividual as $household_id => $household_member) {
745 // Default active
746 $relationship->is_active = 1;
747
748 // add child_of relationship for each child
749 $relationship->relationship_type_id = $this->relTypes['Child of']['id'];
750 foreach (array(0, 1) as $parent) {
751 foreach (array(2, 3) as $child) {
752 $relationship->contact_id_a = $household_member[$child];
753 $relationship->contact_id_b = $household_member[$parent];
754 $this->_insert($relationship);
755 }
756 }
757
758 // add sibling_of relationship
759 $relationship->relationship_type_id = $this->relTypes['Sibling of']['id'];
760 $relationship->contact_id_a = $household_member[3];
761 $relationship->contact_id_b = $household_member[2];
762 $this->_insert($relationship);
763
764 // add member_of_household relationships and shared address
765 $relationship->relationship_type_id = $this->relTypes['Household Member of']['id'];
766 $relationship->contact_id_b = $household_id;
767 for ($i = 1; $i < 4; ++$i) {
768 $relationship->contact_id_a = $household_member[$i];
769 $this->_insert($relationship);
770 $this->_addAddress($household_member[$i], $household_id);
771 }
772
773 // Divorced/separated couples - end relationship and different address
774 if ($this->probability(.4)) {
775 $relationship->is_active = 0;
776 $this->_addAddress($household_member[0]);
777 }
778 else {
779 $this->_addAddress($household_member[0], $household_id);
780 }
781
782 // add head_of_household relationship 1 for head of house
783 $relationship->relationship_type_id = $this->relTypes['Head of Household for']['id'];
784 $relationship->contact_id_a = $household_member[0];
785 $relationship->contact_id_b = $household_id;
786 $this->_insert($relationship);
787
788 // add spouse_of relationship 1 for both the spouses
789 $relationship->relationship_type_id = $this->relTypes['Spouse of']['id'];
790 $relationship->contact_id_a = $household_member[1];
791 $relationship->contact_id_b = $household_member[0];
792 $this->_insert($relationship);
793 }
794
795 // Add current employer relationships
796 $this->_query("INSERT INTO civicrm_relationship
797 (contact_id_a, contact_id_b, relationship_type_id, is_active)
798 (SELECT id, employer_id, " . $this->relTypes['Employee of']['id'] . ", 1 FROM civicrm_contact WHERE employer_id IN (" . implode(',', $this->Organization) . "))"
799 );
800 }
801
802 /**
803 * Create an address for a contact
804 *
805 * @param $cid int: contact id
806 * @param $masterContactId int: set if this is a shared address
807 */
808 private function _addAddress($cid, $masterContactId = NULL) {
809
810 // Share existing address
811 if ($masterContactId) {
812 $dao = new CRM_Core_DAO_Address();
813 $dao->is_primary = 1;
814 $dao->contact_id = $masterContactId;
815 $dao->find(TRUE);
816 $dao->master_id = $dao->id;
817 $dao->id = NULL;
818 $dao->contact_id = $cid;
819 $dao->is_primary = $this->isPrimary($cid, 'Address');
820 $dao->location_type_id = $this->getContactType($masterContactId) == 'Organization' ? self::WORK : self::HOME;
821 $this->_insert($dao);
822 }
823
824 // Generate new address
825 else {
826 $params = array(
827 'contact_id' => $cid,
828 'location_type_id' => $this->getContactType($cid) == 'Organization' ? self::MAIN : self::HOME,
829 'street_number' => mt_rand(1, 1000),
830 'street_number_suffix' => ucfirst($this->randomChar()),
831 'street_name' => $this->randomItem('street_name'),
832 'street_type' => $this->randomItem('street_type'),
833 'street_number_postdirectional' => $this->randomItem('address_direction'),
834 'county_id' => 1,
835 );
836
837 $params['street_address'] = $params['street_number'] . $params['street_number_suffix'] . " " . $params['street_name'] . " " . $params['street_type'] . " " . $params['street_number_postdirectional'];
838
839
840 if ($params['location_type_id'] == self::MAIN) {
841 $params['supplemental_address_1'] = $this->randomItem('supplemental_addresses_1');
842 }
843
844 // Hack to add lat/long (limited to USA based addresses)
845 list(
846 $params['country_id'],
847 $params['state_province_id'],
848 $params['city'],
849 $params['postal_code'],
850 $params['geo_code_1'],
851 $params['geo_code_2'],
852 ) = $this->getZipCodeInfo();
853
854 $this->_addDAO('Address', $params);
855 $params['state'] = $this->states[$params['state_province_id']];
856 return $params;
857 }
858 }
859
860 /**
861 * Add a phone number for a contact
862 *
863 * @param $cid int: contact id
864 */
865 private function _addPhone($cid) {
866 $area = $this->probability(.5) ? '' : mt_rand(201, 899);
867 $pre = mt_rand(201, 899);
868 $post = mt_rand(1000, 9999);
869 $params = array(
870 'location_type_id' => $this->getContactType($cid) == 'Organization' ? self::MAIN : self::HOME,
871 'contact_id' => $cid,
872 'phone' => ($area ? "($area) " : '') . "$pre-$post",
873 'phone_numeric' => $area . $pre . $post,
874 'phone_type_id' => mt_rand(1, 2),
875 );
876 $this->_addDAO('Phone', $params);
877 return $params;
878 }
879
880 /**
881 * Add an email for a contact
882 *
883 * @param $cid int: contact id
884 */
885 private function _addEmail($cid, $email, $locationType) {
886 $params = array(
887 'location_type_id' => $locationType,
888 'contact_id' => $cid,
889 'email' => $email,
890 );
891 $this->_addDAO('Email', $params);
892 return $params;
893 }
894
895 /**
896 * Add a website based on organization name
897 * Using common naming patterns
898 *
899 * @param $cid int: contact id
900 * @param $name str: contact name
901 */
902 private function _addWebsite($cid, $name) {
903 $part = array_pad(split(' ', strtolower($name)), 3, '');
904 if (count($part) > 3) {
905 // Abbreviate the place name if it's two words
906 $domain = $part[0][0] . $part[1][0] . $part[2] . $part[3];
907 }
908 else {
909 // Common naming patterns
910 switch (mt_rand(1, 3)) {
911 case 1:
912 $domain = $part[0] . $part[1] . $part[2];
913 break;
914 case 2:
915 $domain = $part[0] . $part[1];
916 break;
917 case 3:
918 $domain = $part[0] . $part[2];
919 break;
920 }
921 }
922 $params = array(
923 'website_type_id' => 1,
924 'location_type_id' => self::MAIN,
925 'contact_id' => $cid,
926 'url' => "http://$domain.org",
927 );
928 $this->_addDAO('Website', $params);
929 return $params;
930 }
931
932 /**
933 * Create an email address based on a person's name
934 * Using common naming patterns
935 * @param $contact obj: individual contact record
936 * @param $domain str: supply a domain (i.e. for a work address)
937 */
938 private function _individualEmail($contact, $domain = NULL) {
939 $first = $contact->first_name;
940 $last = $contact->last_name;
941 $f = $first[0];
942 $l = $last[0];
943 $m = $contact->middle_name ? $contact->middle_name[0] . '.' : '';
944 // Common naming patterns
945 switch (mt_rand(1, 6)) {
946 case 1:
947 $email = $first . $last;
948 break;
949 case 2:
950 $email = "$last.$first";
951 break;
952 case 3:
953 $email = $last . $f;
954 break;
955 case 4:
956 $email = $first . $l;
957 break;
958 case 5:
959 $email = "$last.$m$first";
960 break;
961 case 6:
962 $email = "$f$m$last";
963 break;
964 }
965 //to ensure we dont insert
966 //invalid characters in email
967 $email = preg_replace("([^a-zA-Z0-9_\.-]*)", "", $email);
968
969 // Some people have numbers in their address
970 if ($this->probability(.4)) {
971 $email .= mt_rand(1, 99);
972 }
973 // Generate random domain if not specified
974 if (!$domain) {
975 $domain = $this->randomItem('email_domain') . '.' . $this->randomItem('email_tld');
976 }
977 return strtolower($email) . '@' . $domain;
978 }
979
980 /**
981 * This method populates the civicrm_entity_tag table
982 */
983 private function addEntityTag() {
984
985 $entity_tag = new CRM_Core_DAO_EntityTag();
986
987 // add categories 1,2,3 for Organizations.
988 for ($i = 0; $i < $this->numOrganization; $i += 2) {
989 $org_id = $this->Organization[$i];
990 // echo "org_id = $org_id\n";
991 $entity_tag->entity_id = $this->Organization[$i];
992 $entity_tag->entity_table = 'civicrm_contact';
993 $entity_tag->tag_id = mt_rand(1, 3);
994 $this->_insert($entity_tag);
995 }
996
997 // add categories 4,5 for Individuals.
998 for ($i = 0; $i < $this->numIndividual; $i += 2) {
999 $entity_tag->entity_table = 'civicrm_contact';
1000 $entity_tag->entity_id = $this->Individual[$i];
1001 if (($entity_tag->entity_id) % 3) {
1002 $entity_tag->tag_id = mt_rand(4, 5);
1003 $this->_insert($entity_tag);
1004 }
1005 else {
1006 // some of the individuals are in both categories (4 and 5).
1007 $entity_tag->tag_id = 4;
1008 $this->_insert($entity_tag);
1009 $entity_tag->tag_id = 5;
1010 $this->_insert($entity_tag);
1011 }
1012 }
1013 }
1014
1015 /**
1016 * This method populates the civicrm_group_contact table
1017 */
1018 private function addGroup() {
1019 // add the 3 groups first
1020 foreach ($this->sampleData['group'] as $groupName) {
1021 $group = new CRM_Contact_BAO_Group();
1022 $group->name = $group->title = $groupName;
1023 $group->group_type = "\ 11\ 12\ 1";
1024 $group->visibility = 'Public Pages';
1025 $group->is_active = 1;
1026 $group->save();
1027 $group->buildClause();
1028 $group->save();
1029 }
1030
1031 // 60 are for newsletter
1032 for ($i = 0; $i < 60; $i++) {
1033 $groupContact = new CRM_Contact_DAO_GroupContact();
1034 // newsletter subscribers
1035 $groupContact->group_id = 2;
1036 $groupContact->contact_id = $this->Individual[$i];
1037 // always add members
1038 $groupContact->status = 'Added';
1039
1040
1041 $subscriptionHistory = new CRM_Contact_DAO_SubscriptionHistory();
1042 $subscriptionHistory->contact_id = $groupContact->contact_id;
1043
1044 $subscriptionHistory->group_id = $groupContact->group_id;
1045 $subscriptionHistory->status = $groupContact->status;
1046 // method
1047 $subscriptionHistory->method = $this->randomItem($this->subscriptionHistoryMethod);
1048 $subscriptionHistory->date = $this->randomDate();
1049 if ($groupContact->status != 'Pending') {
1050 $this->_insert($groupContact);
1051 }
1052 $this->_insert($subscriptionHistory);
1053 }
1054
1055 // 15 volunteers
1056 for ($i = 0; $i < 15; $i++) {
1057 $groupContact = new CRM_Contact_DAO_GroupContact();
1058 // Volunteers
1059 $groupContact->group_id = 3;
1060 $groupContact->contact_id = $this->Individual[$i + 60];
1061 // membership status
1062 $groupContact->status = 'Added';
1063
1064 $subscriptionHistory = new CRM_Contact_DAO_SubscriptionHistory();
1065 $subscriptionHistory->contact_id = $groupContact->contact_id;
1066 $subscriptionHistory->group_id = $groupContact->group_id;
1067 $subscriptionHistory->status = $groupContact->status;
1068 // method
1069 $subscriptionHistory->method = $this->randomItem($this->subscriptionHistoryMethod);
1070 $subscriptionHistory->date = $this->randomDate();
1071
1072 if ($groupContact->status != 'Pending') {
1073 $this->_insert($groupContact);
1074 }
1075 $this->_insert($subscriptionHistory);
1076 }
1077
1078 // 8 advisory board group
1079 for ($i = 0; $i < 8; $i++) {
1080 $groupContact = new CRM_Contact_DAO_GroupContact();
1081 // advisory board group
1082 $groupContact->group_id = 4;
1083 $groupContact->contact_id = $this->Individual[$i * 7];
1084 // membership status
1085 $groupContact->status = 'Added';
1086
1087 $subscriptionHistory = new CRM_Contact_DAO_SubscriptionHistory();
1088 $subscriptionHistory->contact_id = $groupContact->contact_id;
1089 $subscriptionHistory->group_id = $groupContact->group_id;
1090 $subscriptionHistory->status = $groupContact->status;
1091 // method
1092 $subscriptionHistory->method = $this->randomItem($this->subscriptionHistoryMethod);
1093 $subscriptionHistory->date = $this->randomDate();
1094
1095 if ($groupContact->status != 'Pending') {
1096 $this->_insert($groupContact);
1097 }
1098 $this->_insert($subscriptionHistory);
1099 }
1100
1101 //In this function when we add groups that time we are cache the contact fields
1102 //But at the end of setup we are appending sample custom data, so for consistency
1103 //reset the cache.
1104 CRM_Core_BAO_Cache::deleteGroup('contact fields');
1105 }
1106
1107 /**
1108 * This method populates the civicrm_note table
1109 */
1110 private function addNote() {
1111 $params = array(
1112 'entity_table' => 'civicrm_contact',
1113 'contact_id' => 1,
1114 'privacy' => 0,
1115 );
1116 for ($i = 0; $i < self::NUM_CONTACT; $i += 10) {
1117 $params['entity_id'] = $this->randomItem($this->contact);
1118 $params['note'] = $this->randomItem('note');
1119 $params['modified_date'] = $this->randomDate();
1120 $this->_addDAO('Note', $params);
1121 }
1122 }
1123
1124 /**
1125 * This method populates the civicrm_activity_history table
1126 */
1127 private function addActivity() {
1128 $contactDAO = new CRM_Contact_DAO_Contact();
1129 $contactDAO->contact_type = 'Individual';
1130 $contactDAO->selectAdd();
1131 $contactDAO->selectAdd('id');
1132 $contactDAO->orderBy('sort_name');
1133 $contactDAO->find();
1134
1135 $count = 0;
1136 $activityContacts = CRM_Core_OptionGroup::values('activity_contacts', FALSE, FALSE, FALSE, NULL, 'name');
1137 while ($contactDAO->fetch()) {
1138 if ($count++ > 2) {
1139 break;
1140 }
1141 for ($i = 0; $i < self::NUM_ACTIVITY; $i++) {
1142 $activityDAO = new CRM_Activity_DAO_Activity();
1143 $activityTypeID = mt_rand(7, 10);
1144 $activity = CRM_Core_PseudoConstant::activityType();
1145 $activityDAO->activity_type_id = $activityTypeID;
1146 $activityDAO->subject = "Subject for $activity[$activityTypeID]";
1147 $activityDAO->activity_date_time = $this->randomDate();
1148 $activityDAO->duration = mt_rand(1, 6);
1149 $activityDAO->status_id = 2;
1150 $this->_insert($activityDAO);
1151
1152 $activityContactDAO = new CRM_Activity_DAO_ActivityContact();
1153 $activityContactDAO->activity_id = $activityDAO->id;
1154 $activityContactDAO->contact_id = $contactDAO->id;
1155 $activityContactDAO->record_type_id = CRM_Utils_Array::key('Activity Source', $activityContacts);
1156 $this->_insert($activityContactDAO);
1157
1158 if (in_array($activityTypeID, array(6, 9))) {
1159 $activityContactDAO = new CRM_Activity_DAO_ActivityContact();
1160 $activityContactDAO->activity_id = $activityDAO->id;
1161 $activityContactDAO->contact_id = mt_rand(1, 101);
1162 $activityContactDAO->record_type_id = CRM_Utils_Array::key('Activity Targets', $activityContacts);
1163 $this->_insert($activityContactDAO);
1164 }
1165
1166 if ($activityTypeID == 7) {
1167 $activityContactDAO = new CRM_Activity_DAO_ActivityContact();
1168 $activityContactDAO->activity_id = $activityDAO->id;
1169 $activityContactDAO->contact_id = mt_rand(1, 101);
1170 $activityContactDAO->record_type_id = CRM_Utils_Array::key('Activity Assignees', $activityContacts);
1171 $this->_insert($activityContactDAO);
1172 }
1173 }
1174 }
1175 }
1176
1177 function getZipCodeInfo() {
1178
1179 if (!$this->stateMap) {
1180 $query = 'SELECT id, name, abbreviation from civicrm_state_province where country_id = 1228';
1181 $dao = new CRM_Core_DAO();
1182 $dao->query($query);
1183 $this->stateMap = array();
1184 while ($dao->fetch()) {
1185 $this->stateMap[$dao->abbreviation] = $dao->id;
1186 $this->states[$dao->id] = $dao->name;
1187 }
1188 $dao->free();
1189 }
1190
1191 $offset = mt_rand(1, 43000);
1192 $query = "SELECT city, state, zip, latitude, longitude FROM zipcodes LIMIT $offset, 1";
1193 $dao = new CRM_Core_DAO();
1194 $dao->query($query);
1195 while ($dao->fetch()) {
1196 if ($this->stateMap[$dao->state]) {
1197 $stateID = $this->stateMap[$dao->state];
1198 }
1199 else {
1200 $stateID = 1004;
1201 }
1202
1203 $zip = str_pad($dao->zip, 5, '0', STR_PAD_LEFT);
1204 return array(1228, $stateID, $dao->city, $zip, $dao->latitude, $dao->longitude);
1205 }
1206 }
1207
1208 static function getLatLong($zipCode) {
1209 $query = "http://maps.google.com/maps?q=$zipCode&output=js";
1210 $userAgent = "Mozilla/5.0 (Macintosh; U; PPC Mac OS X Mach-O; en-US; rv:1.7.5) Gecko/20041107 Firefox/1.0";
1211
1212 $ch = curl_init();
1213 curl_setopt($ch, CURLOPT_URL, $query);
1214 curl_setopt($ch, CURLOPT_HEADER, FALSE);
1215 curl_setopt($ch, CURLOPT_USERAGENT, $userAgent);
1216 curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
1217
1218 // grab URL and pass it to the browser
1219 $outstr = curl_exec($ch);
1220
1221 // close CURL resource, and free up system resources
1222 curl_close($ch);
1223
1224 $preg = "/'(<\?xml.+?)',/s";
1225 preg_match($preg, $outstr, $matches);
1226 if ($matches[1]) {
1227 $xml = simplexml_load_string($matches[1]);
1228 $attributes = $xml->center->attributes();
1229 if (!empty($attributes)) {
1230 return array((float ) $attributes['lat'], (float ) $attributes['lng']);
1231 }
1232 }
1233 return array(NULL, NULL);
1234 }
1235
1236 private function addMembershipType() {
1237 $organizationDAO = new CRM_Contact_DAO_Contact();
1238 $organizationDAO->id = 5;
1239 $organizationDAO->find(TRUE);
1240 $contact_id = $organizationDAO->contact_id;
1241
1242 $membershipType = "INSERT INTO civicrm_membership_type
1243 (name, description, member_of_contact_id, financial_type_id, minimum_fee, duration_unit, duration_interval, period_type, fixed_period_start_day, fixed_period_rollover_day, relationship_type_id, relationship_direction, visibility, weight, is_active)
1244 VALUES
1245 ('General', 'Regular annual membership.', " . $contact_id . ", 2, 100, 'year', 1, 'rolling',null, null, 7, 'b_a', 'Public', 1, 1),
1246 ('Student', 'Discount membership for full-time students.', " . $contact_id . ", 2, 50, 'year', 1, 'rolling', null, null, 7, 'b_a', 'Public', 2, 1),
1247 ('Lifetime', 'Lifetime membership.', " . $contact_id . ", 2, 1200, 'lifetime', 1, 'rolling', null, null, 7, 'b_a', 'Admin', 3, 1);
1248 ";
1249 $this->_query($membershipType);
1250 }
1251
1252 private function addMembership() {
1253 $contact = new CRM_Contact_DAO_Contact();
1254 $contact->query("SELECT id FROM civicrm_contact where contact_type = 'Individual'");
1255 $activityContacts = CRM_Core_OptionGroup::values('activity_contacts', FALSE, FALSE, FALSE, NULL, 'name');
1256 while ($contact->fetch()) {
1257 $contacts[] = $contact->id;
1258 }
1259 shuffle($contacts);
1260
1261 $randomContacts = array_slice($contacts, 20, 30);
1262
1263 $sources = array('Payment', 'Donation', 'Check');
1264 $membershipTypes = array(1, 2);
1265 $membershipTypeNames = array('General', 'Student');
1266 $statuses = array(3, 4);
1267
1268 $membership = "
1269 INSERT INTO civicrm_membership
1270 (contact_id, membership_type_id, join_date, start_date, end_date, source, status_id)
1271 VALUES
1272 ";
1273
1274 $activity = "
1275 INSERT INTO civicrm_activity
1276 (source_record_id, activity_type_id, subject, activity_date_time, duration, location, phone_id, phone_number, details, priority_id,parent_id, is_test, status_id)
1277 VALUES
1278 ";
1279
1280 $activityContact = "
1281 INSERT INTO civicrm_activity_contact
1282 (activity_id, contact_id, record_type_id)
1283 VALUES
1284 ";
1285
1286 $currentActivityID = CRM_Core_DAO::singleValueQuery("SELECT MAX(id) FROM civicrm_activity");
1287 $sourceID = CRM_Utils_Array::key('Activity Source', $activityContacts);
1288 foreach ($randomContacts as $count => $dontCare) {
1289 $source = $this->randomItem($sources);
1290 $activitySourceId = $count + 1;
1291 $currentActivityID++;
1292 $activityContact .= "( $currentActivityID, {$randomContacts[$count]}, {$sourceID} )";
1293 if ((($count + 1) % 11 == 0)) {
1294 // lifetime membership, status can be anything
1295 $startDate = date('Y-m-d', mktime(0, 0, 0, date('m'), (date('d') - $count), date('Y')));
1296 $membership .= "( {$randomContacts[$count]}, 3, '{$startDate}', '{$startDate}', null, '{$source}', 1)";
1297 $activity .= "( {$activitySourceId}, 7, 'Lifetime', '{$startDate} 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 )";
1298 }
1299 elseif (($count + 1) % 5 == 0) {
1300 // Grace or expired, memberhsip type is random of 1 & 2
1301 $randIndex = array_rand($membershipTypes);
1302 $membershipTypeId = $membershipTypes[$randIndex];
1303 $membershipStatusId = $statuses[$randIndex];
1304 $membershipTypeName = $membershipTypeNames[$randIndex];
1305 $YearFactor = $membershipTypeId * 2;
1306 //reverse the type and consider as year factor.
1307 if ($YearFactor != 2) {
1308 $YearFactor = 1;
1309 }
1310 $dateFactor = ($count * ($YearFactor) * ($YearFactor) * ($YearFactor));
1311 $startDate = date('Y-m-d', mktime(0, 0, 0,
1312 date('m'),
1313 (date('d') - ($dateFactor)),
1314 (date('Y') - ($YearFactor))
1315 ));
1316 $partOfDate = explode('-', $startDate);
1317 $endDate = date('Y-m-d', mktime(0, 0, 0,
1318 $partOfDate[1],
1319 ($partOfDate[2] - 1),
1320 ($partOfDate[0] + ($YearFactor))
1321 ));
1322
1323 $membership .= "( {$randomContacts[$count]}, {$membershipTypeId}, '{$startDate}', '{$startDate}', '{$endDate}', '{$source}', {$membershipStatusId})";
1324 $activity .= "( {$activitySourceId}, 7, '{$membershipTypeName}', '{$startDate} 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 )";
1325 }
1326 elseif (($count + 1) % 2 == 0) {
1327 // membership type 2
1328 $startDate = date('Y-m-d', mktime(0, 0, 0, date('m'), (date('d') - $count), date('Y')));
1329 $endDate = date('Y-m-d', mktime(0, 0, 0, date('m'), (date('d') - ($count + 1)), (date('Y') + 1)));
1330 $membership .= "( {$randomContacts[$count]}, 2, '{$startDate}', '{$startDate}', '{$endDate}', '{$source}', 1)";
1331 $activity .= "( {$activitySourceId}, 7, 'Student', '{$startDate} 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 )";
1332 }
1333 else {
1334 // membership type 1
1335 $startDate = date('Y-m-d', mktime(0, 0, 0, date('m'), (date('d') - $count), date('Y')));
1336 $endDate = date('Y-m-d', mktime(0, 0, 0, date('m'), (date('d') - ($count + 1)), (date('Y') + 2)));
1337 $membership .= "( {$randomContacts[$count]}, 1, '{$startDate}', '{$startDate}', '{$endDate}', '{$source}', 1)";
1338 $activity .= "( {$activitySourceId}, 7, 'General', '{$startDate} 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 )";
1339 }
1340
1341 if ($count != 29) {
1342 $membership .= ",";
1343 $activity .= ",";
1344 $activityContact .= ",";
1345 }
1346 }
1347
1348 $this->_query($membership);
1349 $this->_query($activity);
1350 $this->_query($activityContact);
1351 }
1352
1353 static function repairDate($date) {
1354 $dropArray = array('-' => '', ':' => '', ' ' => '');
1355 return strtr($date, $dropArray);
1356 }
1357
1358 private function addMembershipLog() {
1359 $membership = new CRM_Member_DAO_Membership();
1360 $membership->query("SELECT id FROM civicrm_membership");
1361 while ($membership->fetch()) {
1362 $ids[] = $membership->id;
1363 }
1364 foreach ($ids as $id) {
1365 $membership = new CRM_Member_DAO_Membership();
1366 $membership->id = $id;
1367 $membershipLog = new CRM_Member_DAO_MembershipLog();
1368 if ($membership->find(TRUE)) {
1369 $membershipLog->membership_id = $membership->id;
1370 $membershipLog->status_id = $membership->status_id;
1371 $membershipLog->start_date = self::repairDate($membership->start_date);
1372 $membershipLog->end_date = self::repairDate($membership->end_date);
1373 $membershipLog->modified_id = $membership->contact_id;
1374 $membershipLog->modified_date = date("Ymd");
1375 $membershipLog->membership_type_id = $membership->membership_type_id;
1376 $membershipLog->save();
1377 }
1378 $membershipLog = NULL;
1379 }
1380 }
1381
1382 private function addEvent() {
1383 $event = "INSERT INTO civicrm_address ( contact_id, location_type_id, is_primary, is_billing, street_address, street_number, street_number_suffix, street_number_predirectional, street_name, street_type, street_number_postdirectional, street_unit, supplemental_address_1, supplemental_address_2, supplemental_address_3, city, county_id, state_province_id, postal_code_suffix, postal_code, usps_adc, country_id, geo_code_1, geo_code_2, timezone)
1384 VALUES
1385 ( NULL, 1, 1, 1, '14S El Camino Way E', 14, 'S', NULL, 'El Camino', 'Way', NULL, NULL, NULL, NULL, NULL, 'Collinsville', NULL, 1006, NULL, '6022', NULL, 1228, 41.8328, -72.9253, NULL),
1386 ( NULL, 1, 1, 1, '11B Woodbridge Path SW', 11, 'B', NULL, 'Woodbridge', 'Path', NULL, NULL, NULL, NULL, NULL, 'Dayton', NULL, 1034, NULL, '45417', NULL, 1228, 39.7531, -84.2471, NULL),
1387 ( NULL, 1, 1, 1, '581O Lincoln Dr SW', 581, 'O', NULL, 'Lincoln', 'Dr', NULL, NULL, NULL, NULL, NULL, 'Santa Fe', NULL, 1030, NULL, '87594', NULL, 1228, 35.5212, -105.982, NULL)
1388 ";
1389 $this->_query($event);
1390
1391 $sql = "SELECT id from civicrm_address where street_address = '14S El Camino Way E'";
1392 $eventAdd1 = CRM_Core_DAO::singleValueQuery($sql);
1393 $sql = "SELECT id from civicrm_address where street_address = '11B Woodbridge Path SW'";
1394 $eventAdd2 = CRM_Core_DAO::singleValueQuery($sql);
1395 $sql = "SELECT id from civicrm_address where street_address = '581O Lincoln Dr SW'";
1396 $eventAdd3 = CRM_Core_DAO::singleValueQuery($sql);
1397
1398 $event = "INSERT INTO civicrm_email (contact_id, location_type_id, email, is_primary, is_billing, on_hold, hold_date, reset_date)
1399 VALUES
1400 (NULL, 1, 'development@example.org', 0, 0, 0, NULL, NULL),
1401 (NULL, 1, 'tournaments@example.org', 0, 0, 0, NULL, NULL),
1402 (NULL, 1, 'celebration@example.org', 0, 0, 0, NULL, NULL)
1403 ";
1404 $this->_query($event);
1405
1406 $sql = "SELECT id from civicrm_email where email = 'development@example.org'";
1407 $eventEmail1 = CRM_Core_DAO::singleValueQuery($sql);
1408 $sql = "SELECT id from civicrm_email where email = 'tournaments@example.org'";
1409 $eventEmail2 = CRM_Core_DAO::singleValueQuery($sql);
1410 $sql = "SELECT id from civicrm_email where email = 'celebration@example.org'";
1411 $eventEmail3 = CRM_Core_DAO::singleValueQuery($sql);
1412
1413 $event = "INSERT INTO civicrm_phone (contact_id, location_type_id, is_primary, is_billing, mobile_provider_id, phone, phone_numeric, phone_type_id)
1414 VALUES
1415 (NULL, 1, 0, 0, NULL, '204 222-1000', '2042221000', '1'),
1416 (NULL, 1, 0, 0, NULL, '204 223-1000', '2042231000', '1'),
1417 (NULL, 1, 0, 0, NULL, '303 323-1000', '3033231000', '1')
1418 ";
1419 $this->_query($event);
1420
1421 $sql = "SELECT id from civicrm_phone where phone = '204 222-1000'";
1422 $eventPhone1 = CRM_Core_DAO::singleValueQuery($sql);
1423 $sql = "SELECT id from civicrm_phone where phone = '204 223-1000'";
1424 $eventPhone2 = CRM_Core_DAO::singleValueQuery($sql);
1425 $sql = "SELECT id from civicrm_phone where phone = '303 323-1000'";
1426 $eventPhone3 = CRM_Core_DAO::singleValueQuery($sql);
1427
1428 $event = "INSERT INTO civicrm_loc_block ( address_id, email_id, phone_id, address_2_id, email_2_id, phone_2_id)
1429 VALUES
1430 ( $eventAdd1, $eventEmail1, $eventPhone1, NULL,NULL,NULL),
1431 ( $eventAdd2, $eventEmail2, $eventPhone2, NULL,NULL,NULL),
1432 ( $eventAdd3, $eventEmail3, $eventPhone3, NULL,NULL,NULL)
1433 ";
1434
1435 $this->_query($event);
1436
1437 $sql = "SELECT id from civicrm_loc_block where phone_id = $eventPhone1 AND email_id = $eventEmail1 AND address_id = $eventAdd1";
1438 $eventLok1 = CRM_Core_DAO::singleValueQuery($sql);
1439 $sql = "SELECT id from civicrm_loc_block where phone_id = $eventPhone2 AND email_id = $eventEmail2 AND address_id = $eventAdd2";
1440 $eventLok2 = CRM_Core_DAO::singleValueQuery($sql);
1441 $sql = "SELECT id from civicrm_loc_block where phone_id = $eventPhone3 AND email_id = $eventEmail3 AND address_id = $eventAdd3";
1442 $eventLok3 = CRM_Core_DAO::singleValueQuery($sql);
1443
1444 $event = "INSERT INTO civicrm_event
1445 ( title, summary, description, event_type_id, participant_listing_id, is_public, start_date, end_date, is_online_registration, registration_link_text, max_participants, event_full_text, is_monetary, financial_type_id, is_map, is_active, fee_label, is_show_location, loc_block_id,intro_text, footer_text, confirm_title, confirm_text, confirm_footer_text, is_email_confirm, confirm_email_text, confirm_from_name, confirm_from_email, cc_confirm, bcc_confirm, default_fee_id, thankyou_title, thankyou_text, thankyou_footer_text, is_pay_later, pay_later_text, pay_later_receipt, is_multiple_registrations, allow_same_participant_emails, currency )
1446 VALUES
1447 ( 'Fall Fundraiser Dinner', 'Kick up your heels at our Fall Fundraiser Dinner/Dance at Glen Echo Park! Come by yourself or bring a partner, friend or the entire family!', 'This event benefits our teen programs. Admission includes a full 3 course meal and wine or soft drinks. Grab your dancing shoes, bring the kids and come join the party!', 3, 1, 1, '" . date('Y-m-d 17:00:00', strtotime("+6 months")) . "', '" . date('Y-m-d 17:00:00', strtotime("+6 months +2 days")) . "', 1, 'Register Now', 100, 'Sorry! The Fall Fundraiser Dinner is full. Please call Jane at 204 222-1000 ext 33 if you want to be added to the waiting list.', 1, 4, 1, 1, 'Dinner Contribution', 1 ,$eventLok1,'Fill in the information below to join as at this wonderful dinner event.', NULL, 'Confirm Your Registration Information', 'Review the information below carefully.', NULL, 1, 'Contact the Development Department if you need to make any changes to your registration.', 'Fundraising Dept.', 'development@example.org', NULL, NULL, NULL, 'Thanks for Registering!', '<p>Thank you for your support. Your contribution will help us build even better tools.</p><p>Please tell your friends and colleagues about this wonderful event.</p>', '<p><a href=http://civicrm.org>Back to CiviCRM Home Page</a></p>', 1, 'I will send payment by check', 'Send a check payable to Our Organization within 3 business days to hold your reservation. Checks should be sent to: 100 Main St., Suite 3, San Francisco CA 94110', 1, 0, 'USD' ),
1448 ( 'Summer Solstice Festival Day Concert', 'Festival Day is coming! Join us and help support your parks.', 'We will gather at noon, learn a song all together, and then join in a joyous procession to the pavilion. We will be one of many groups performing at this wonderful concert which benefits our city parks.', 5, 1, 1, '" . date('Y-m-d 12:00:00', strtotime("-1 day")) . "', '" . date('Y-m-d 17:00:00', strtotime("-1 day")) . "', 1, 'Register Now', 50, 'We have all the singers we can handle. Come to the pavilion anyway and join in from the audience.', 1, 2, NULL, 1, 'Festival Fee', 1, $eventLok2, 'Complete the form below and click Continue to register online for the festival. Or you can register by calling us at 204 222-1000 ext 22.', '', 'Confirm Your Registration Information', '', '', 1, 'This email confirms your registration. If you have questions or need to change your registration - please do not hesitate to call us.', 'Event Dept.', 'events@example.org', '', NULL, NULL, 'Thanks for Your Joining In!', '<p>Thank you for your support. Your participation will help build new parks.</p><p>Please tell your friends and colleagues about the concert.</p>', '<p><a href=http://civicrm.org>Back to CiviCRM Home Page</a></p>', 0, NULL, NULL, 1, 0, 'USD' ),
1449 ( 'Rain-forest Cup Youth Soccer Tournament', 'Sign up your team to participate in this fun tournament which benefits several Rain-forest protection groups in the Amazon basin.', 'This is a FYSA Sanctioned Tournament, which is open to all USSF/FIFA affiliated organizations for boys and girls in age groups: U9-U10 (6v6), U11-U12 (8v8), and U13-U17 (Full Sided).', 3, 1, 1, '" . date('Y-m-d 07:00:00', strtotime("+7 months")) . "', '" . date('Y-m-d 17:00:00', strtotime("+7 months +3 days")) . "', 1, 'Register Now', 500, 'Sorry! All available team slots for this tournament have been filled. Contact Jill Futbol for information about the waiting list and next years event.', 1, 4, NULL, 1, 'Tournament Fees',1, $eventLok3, 'Complete the form below to register your team for this year''s tournament.', '<em>A Soccer Youth Event</em>', 'Review and Confirm Your Registration Information', '', '<em>A Soccer Youth Event</em>', 1, 'Contact our Tournament Director for eligibility details.', 'Tournament Director', 'tournament@example.org', '', NULL, NULL, 'Thanks for Your Support!', '<p>Thank you for your support. Your participation will help save thousands of acres of rainforest.</p>', '<p><a href=http://civicrm.org>Back to CiviCRM Home Page</a></p>', 0, NULL, NULL, 0, 0, 'USD' )
1450 ";
1451 $this->_query($event);
1452
1453 //CRM-4464
1454 $eventTemplates = "INSERT INTO civicrm_event
1455 ( is_template, template_title, event_type_id, default_role_id, participant_listing_id, is_public, is_monetary, is_online_registration, is_multiple_registrations, allow_same_participant_emails, is_email_confirm, financial_type_id, fee_label, confirm_title, thankyou_title, confirm_from_name, confirm_from_email, is_active, currency )
1456 VALUES
1457 ( 1, 'Free Meeting without Online Registration', 4, 1, 1, 1, 0, 0, null, null, null, null, null, null, null, null, null, 1, 'USD' ),
1458 ( 1, 'Free Meeting with Online Registration', 4, 1, 1, 1, 0, 1, 1, 1, 0, null, null, 'Confirm Your Registration Information', 'Thanks for Registering!', null, null, 1, 'USD' ),
1459 ( 1, 'Paid Conference with Online Registration', 1, 1, 1, 1, 1, 1, 1, 1, 1, 4, 'Conference Fee', 'Confirm Your Registration Information', 'Thanks for Registering!', 'Event Template Dept.', 'event_templates@example.org', 1, 'USD' )";
1460
1461 $this->_query($eventTemplates);
1462
1463 $ufJoinValues = $tellFriendValues = array();
1464 $profileID = CRM_Core_DAO::singleValueQuery("Select id from civicrm_uf_group where name ='event_registration'");
1465
1466 // grab id's for all events and event templates
1467 $query = "
1468 SELECT id
1469 FROM civicrm_event";
1470
1471 $template = CRM_Core_DAO::executeQuery($query);
1472 while ($template->fetch()) {
1473 if ($profileID) {
1474 $ufJoinValues[] = "( 1, 'CiviEvent', 'civicrm_event', {$template->id}, 1, {$profileID} )";
1475 }
1476 $tellFriendValues[] = "( 'civicrm_event', {$template->id}, 'Tell A Friend', '<p>Help us spread the word about this event. Use the space below to personalize your email message - let your friends know why you''re attending. Then fill in the name(s) and email address(es) and click ''Send Your Message''.</p>', 'Thought you might be interested in checking out this event. I''m planning on attending.', NULL, 'Thanks for Spreading the Word', '<p>Thanks for spreading the word about this event to your friends.</p>', 1)";
1477 }
1478
1479 //insert values in civicrm_uf_join for the required event_registration profile - CRM-9587
1480 if (!empty($ufJoinValues)) {
1481 $includeProfile = "INSERT INTO civicrm_uf_join
1482 (is_active, module, entity_table, entity_id, weight, uf_group_id )
1483 VALUES " . implode(',', $ufJoinValues);
1484 $this->_query($includeProfile);
1485 }
1486
1487 //insert values in civicrm_tell_friend
1488 if (!empty($tellFriendValues)) {
1489 $tellFriend = "INSERT INTO civicrm_tell_friend
1490 (entity_table, entity_id, title, intro, suggested_message,
1491 general_link, thankyou_title, thankyou_text, is_active)
1492 VALUES " . implode(',', $tellFriendValues);
1493 $this->_query($tellFriend);
1494 }
1495 }
1496
1497 private function addParticipant() {
1498 $contact = new CRM_Contact_DAO_Contact();
1499 $contact->query("SELECT id FROM civicrm_contact");
1500 while ($contact->fetch()) {
1501 $contacts[] = $contact->id;
1502 }
1503 shuffle($contacts);
1504 $randomContacts = array_slice($contacts, 20, 50);
1505
1506 $participant = "
1507 INSERT INTO civicrm_participant
1508 (contact_id, event_id, status_id, role_id, register_date, source, fee_level, is_test, fee_amount, fee_currency)
1509 VALUES
1510 ( " . $randomContacts[0] . ", 1, 1, 1, '2009-01-21', 'Check', 'Single', 0, 50, 'USD'),
1511 ( " . $randomContacts[1] . ", 2, 2, 2, '2008-05-07', 'Credit Card', 'Soprano', 0, 50, 'USD'),
1512 ( " . $randomContacts[2] . ", 3, 3, 3, '2008-05-05', 'Credit Card', 'Tiny-tots (ages 5-8)', 0, 800, 'USD') ,
1513 ( " . $randomContacts[3] . ", 1, 4, 4, '2008-10-21', 'Direct Transfer', 'Single', 0, 50, 'USD'),
1514 ( " . $randomContacts[4] . ", 2, 1, 1, '2008-01-10', 'Check', 'Soprano', 0, 50, 'USD'),
1515 ( " . $randomContacts[5] . ", 3, 2, 2, '2008-03-05', 'Direct Transfer', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1516 ( " . $randomContacts[6] . ", 1, 3, 3, '2009-07-21', 'Direct Transfer', 'Single', 0, 50, 'USD'),
1517 ( " . $randomContacts[7] . ", 2, 4, 4, '2009-03-07', 'Credit Card', 'Soprano', 0, 50, 'USD'),
1518 ( " . $randomContacts[8] . ", 3, 1, 1, '2008-02-05', 'Direct Transfer', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1519 ( " . $randomContacts[9] . ", 1, 2, 2, '2008-02-01', 'Check', 'Single', 0, 50, 'USD'),
1520 ( " . $randomContacts[10] . ", 2, 3, 3, '2009-01-10', 'Direct Transfer', 'Soprano', 0, 50, 'USD'),
1521 ( " . $randomContacts[11] . ", 3, 4, 4, '2009-03-06', 'Credit Card', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1522 ( " . $randomContacts[12] . ", 1, 1, 2, '2008-06-04', 'Credit Card', 'Single', 0, 50, 'USD'),
1523 ( " . $randomContacts[13] . ", 2, 2, 3, '2008-01-10', 'Direct Transfer', 'Soprano', 0, 50, 'USD'),
1524 ( " . $randomContacts[14] . ", 3, 4, 1, '2008-07-04', 'Check', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1525 ( " . $randomContacts[15] . ", 1, 4, 2, '2009-01-21', 'Credit Card', 'Single', 0, 50, 'USD'),
1526 ( " . $randomContacts[16] . ", 2, 2, 3, '2008-01-10', 'Credit Card', 'Soprano', 0, 50, 'USD'),
1527 ( " . $randomContacts[17] . ", 3, 3, 1, '2009-03-05', 'Credit Card', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1528 ( " . $randomContacts[18] . ", 1, 2, 1, '2008-10-21', 'Direct Transfer', 'Single', 0, 50, 'USD'),
1529 ( " . $randomContacts[19] . ", 2, 4, 1, '2009-01-10', 'Credit Card', 'Soprano', 0, 50, 'USD'),
1530 ( " . $randomContacts[20] . ", 3, 1, 4, '2008-03-25', 'Check', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1531 ( " . $randomContacts[21] . ", 1, 2, 3, '2009-10-21', 'Direct Transfer', 'Single', 0, 50, 'USD'),
1532 ( " . $randomContacts[22] . ", 2, 4, 1, '2008-01-10', 'Direct Transfer', 'Soprano', 0, 50, 'USD'),
1533 ( " . $randomContacts[23] . ", 3, 3, 1, '2008-03-11', 'Credit Card', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1534 ( " . $randomContacts[24] . ", 3, 2, 2, '2008-04-05', 'Direct Transfer', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1535 ( " . $randomContacts[25] . ", 1, 1, 1, '2009-01-21', 'Check', 'Single', 0, 50, 'USD'),
1536 ( " . $randomContacts[26] . ", 2, 2, 2, '2008-05-07', 'Credit Card', 'Soprano', 0, 50, 'USD'),
1537 ( " . $randomContacts[27] . ", 3, 3, 3, '2009-12-12', 'Direct Transfer', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1538 ( " . $randomContacts[28] . ", 1, 4, 4, '2009-12-13', 'Credit Card', 'Single', 0, 50, 'USD'),
1539 ( " . $randomContacts[29] . ", 2, 1, 1, '2009-12-14', 'Direct Transfer', 'Soprano', 0, 50, 'USD'),
1540 ( " . $randomContacts[30] . ", 3, 2, 2, '2009-12-15', 'Credit Card', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1541 ( " . $randomContacts[31] . ", 1, 3, 3, '2009-07-21', 'Check', 'Single', 0, 50, 'USD'),
1542 ( " . $randomContacts[32] . ", 2, 4, 4, '2009-03-07', 'Direct Transfer', 'Soprano', 0, 50, 'USD'),
1543 ( " . $randomContacts[33] . ", 3, 1, 1, '2009-12-15', 'Credit Card', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1544 ( " . $randomContacts[34] . ", 1, 2, 2, '2009-12-13', 'Direct Transfer', 'Single', 0, 50, 'USD'),
1545 ( " . $randomContacts[35] . ", 2, 3, 3, '2009-01-10', 'Direct Transfer', 'Soprano', 0, 50, 'USD'),
1546 ( " . $randomContacts[36] . ", 3, 4, 4, '2009-03-06', 'Check', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1547 ( " . $randomContacts[37] . ", 1, 1, 2, '2009-12-13', 'Direct Transfer', 'Single', 0, 50, 'USD'),
1548 ( " . $randomContacts[38] . ", 2, 2, 3, '2008-01-10', 'Direct Transfer', 'Soprano', 0, 50, 'USD'),
1549 ( " . $randomContacts[39] . ", 3, 4, 1, '2009-12-14', 'Credit Card', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1550 ( " . $randomContacts[40] . ", 1, 4, 2, '2009-01-21', 'Credit Card', 'Single', 0, 50, 'USD'),
1551 ( " . $randomContacts[41] . ", 2, 2, 3, '2009-12-15', 'Credit Card', 'Soprano', 0, 50, 'USD'),
1552 ( " . $randomContacts[42] . ", 3, 3, 1, '2009-03-05', 'Credit Card', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1553 ( " . $randomContacts[43] . ", 1, 2, 1, '2009-12-13', 'Direct Transfer', 'Single', 0, 50, 'USD'),
1554 ( " . $randomContacts[44] . ", 2, 4, 1, '2009-01-10', 'Direct Transfer', 'Soprano', 0, 50, 'USD'),
1555 ( " . $randomContacts[45] . ", 3, 1, 4, '2009-12-13', 'Check', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1556 ( " . $randomContacts[46] . ", 1, 2, 3, '2009-10-21', 'Credit Card', 'Single', 0, 50, 'USD'),
1557 ( " . $randomContacts[47] . ", 2, 4, 1, '2009-12-10', 'Credit Card', 'Soprano', 0, 50, 'USD'),
1558 ( " . $randomContacts[48] . ", 3, 3, 1, '2009-03-11', 'Credit Card', 'Tiny-tots (ages 5-8)', 0, 800, 'USD'),
1559 ( " . $randomContacts[49] . ", 3, 2, 2, '2009-04-05', 'Check', 'Tiny-tots (ages 5-8)', 0, 800, 'USD');
1560 ";
1561 $this->_query($participant);
1562
1563 $query = "
1564 INSERT INTO civicrm_activity
1565 (source_record_id, activity_type_id, subject, activity_date_time, duration, location, phone_id, phone_number, details, priority_id,parent_id, is_test, status_id)
1566 VALUES
1567 (01, 5, 'NULL', '2009-01-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1568 (02, 5, 'NULL', '2008-05-07 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1569 (03, 5, 'NULL', '2008-05-05 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1570 (04, 5, 'NULL', '2008-10-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1571 (05, 5, 'NULL', '2008-01-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1572 (06, 5, 'NULL', '2008-03-05 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1573 (07, 5, 'NULL', '2009-07-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1574 (08, 5, 'NULL', '2009-03-07 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1575 (09, 5, 'NULL', '2008-02-05 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1576 (10, 5, 'NULL', '2008-02-01 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1577 (11, 5, 'NULL', '2009-01-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1578 (12, 5, 'NULL', '2009-03-06 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1579 (13, 5, 'NULL', '2008-06-04 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1580 (14, 5, 'NULL', '2008-01-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1581 (15, 5, 'NULL', '2008-07-04 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1582 (16, 5, 'NULL', '2009-01-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1583 (17, 5, 'NULL', '2008-01-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1584 (18, 5, 'NULL', '2009-03-05 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1585 (19, 5, 'NULL', '2008-10-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1586 (20, 5, 'NULL', '2009-01-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1587 (21, 5, 'NULL', '2008-03-25 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1588 (22, 5, 'NULL', '2009-10-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1589 (23, 5, 'NULL', '2008-01-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1590 (24, 5, 'NULL', '2008-03-11 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1591 (25, 5, 'NULL', '2008-04-05 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1592 (26, 5, 'NULL', '2009-01-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1593 (27, 5, 'NULL', '2008-05-07 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1594 (28, 5, 'NULL', '2009-12-12 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1595 (29, 5, 'NULL', '2009-12-13 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1596 (30, 5, 'NULL', '2009-12-14 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1597 (31, 5, 'NULL', '2009-12-15 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1598 (32, 5, 'NULL', '2009-07-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1599 (33, 5, 'NULL', '2009-03-07 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1600 (34, 5, 'NULL', '2009-12-15 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1601 (35, 5, 'NULL', '2009-12-13 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1602 (36, 5, 'NULL', '2009-01-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1603 (37, 5, 'NULL', '2009-03-06 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1604 (38, 5, 'NULL', '2009-12-13 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1605 (39, 5, 'NULL', '2008-01-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1606 (40, 5, 'NULL', '2009-12-14 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1607 (41, 5, 'NULL', '2009-01-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1608 (42, 5, 'NULL', '2009-12-15 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1609 (43, 5, 'NULL', '2009-03-05 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1610 (44, 5, 'NULL', '2009-12-13 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1611 (45, 5, 'NULL', '2009-01-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1612 (46, 5, 'NULL', '2009-12-13 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1613 (47, 5, 'NULL', '2009-10-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1614 (48, 5, 'NULL', '2009-12-10 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1615 (49, 5, 'NULL', '2009-03-11 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1616 (50, 5, 'NULL', '2009-04-05 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 )
1617 ";
1618 $this->_query($query);
1619
1620 $activityContact = "
1621 INSERT INTO civicrm_activity_contact
1622 (contact_id, activity_id, record_type_id)
1623 VALUES
1624 ";
1625 $activityContacts = CRM_Core_OptionGroup::values('activity_contacts', FALSE, FALSE, FALSE, NULL, 'name');
1626 $currentActivityID = CRM_Core_DAO::singleValueQuery("SELECT MAX(id) FROM civicrm_activity");
1627 $currentActivityID -= 50;
1628 $sourceID = CRM_Utils_Array::key('Activity Source', $activityContacts);
1629 for ($i = 0; $i < 50; $i++) {
1630 $currentActivityID++;
1631 $activityContact .= "({$randomContacts[$i]}, $currentActivityID, $sourceID)";
1632 if ($i != 49) {
1633 $activityContact .= ", ";
1634 }
1635 }
1636 $this->_query($activityContact);
1637 }
1638
1639 private function addPCP() {
1640 $query = "
1641 INSERT INTO `civicrm_pcp`
1642 (contact_id, status_id, title, intro_text, page_text, donate_link_text, page_id, page_type, is_thermometer, is_honor_roll, goal_amount, currency, is_active, pcp_block_id)
1643 VALUES
1644 ({$this->Individual[3]}, 2, 'My Personal Civi Fundraiser', 'I''m on a mission to get all my friends and family to help support my favorite open-source civic sector CRM.', '<p>Friends and family - please help build much needed infrastructure for the civic sector by supporting my personal campaign!</p>\r\n<p><a href=\"http://civicrm.org\">You can learn more about CiviCRM here</a>.</p>\r\n<p>Then click the <strong>Contribute Now</strong> button to go to our easy-to-use online contribution form.</p>', 'Contribute Now', 1, 'contribute', 1, 1, 5000.00, 'USD', 1, 1);
1645 ";
1646 $this->_query($query);
1647 }
1648
1649 private function addContribution() {
1650 $query = "
1651 INSERT INTO civicrm_contribution
1652 (contact_id, financial_type_id, payment_instrument_id, receive_date, non_deductible_amount, total_amount, trxn_id, check_number, currency, cancel_date, cancel_reason, receipt_date, thankyou_date, source )
1653 VALUES
1654 (2, 1, 4, '2010-04-11 00:00:00', 0.00, 125.00, NULL, '1041', 'USD', NULL, NULL, NULL, NULL, 'Apr 2007 Mailer 1' ),
1655 (4, 1, 1, '2010-03-21 00:00:00', 0.00, 50.00, 'P20901X1', NULL, 'USD', NULL, NULL, NULL, NULL, 'Online: Save the Penguins' ),
1656 (6, 1, 4, '2010-04-29 00:00:00', 0.00, 25.00, NULL, '2095', 'USD', NULL, NULL, NULL, NULL, 'Apr 2007 Mailer 1' ),
1657 (8, 1, 4, '2010-04-11 00:00:00', 0.00, 50.00, NULL, '10552', 'USD', NULL, NULL, NULL, NULL, 'Apr 2007 Mailer 1' ),
1658 (16, 1, 4, '2010-04-15 00:00:00', 0.00, 500.00, NULL, '509', 'USD', NULL, NULL, NULL, NULL, 'Apr 2007 Mailer 1' ),
1659 (19, 1, 4, '2010-04-11 00:00:00', 0.00, 175.00, NULL, '102', 'USD', NULL, NULL, NULL, NULL, 'Apr 2007 Mailer 1' ),
1660 (82, 1, 1, '2010-03-27 00:00:00', 0.00, 50.00, 'P20193L2', NULL, 'USD', NULL, NULL, NULL, NULL, 'Online: Save the Penguins' ),
1661 (92, 1, 1, '2010-03-08 00:00:00', 0.00, 10.00, 'P40232Y3', NULL, 'USD', NULL, NULL, NULL, NULL, 'Online: Help CiviCRM' ),
1662 (34, 1, 1, '2010-04-22 00:00:00', 0.00, 250.00, 'P20193L6', NULL, 'USD', NULL, NULL, NULL, NULL, 'Online: Help CiviCRM' ),
1663 (71, 1, 1, '2009-07-01 11:53:50', 0.00, 500.00, 'PL71', NULL, 'USD', NULL, NULL, NULL, NULL, NULL ),
1664 (43, 1, 1, '2009-07-01 12:55:41', 0.00, 200.00, 'PL43II', NULL, 'USD', NULL, NULL, NULL, NULL, NULL ),
1665 (32, 1, 1, '2009-10-01 11:53:50', 0.00, 200.00, 'PL32I', NULL, 'USD', NULL, NULL, NULL, NULL, NULL ),
1666 (32, 1, 1, '2009-12-01 12:55:41', 0.00, 200.00, 'PL32II', NULL, 'USD', NULL, NULL, NULL, NULL, NULL );
1667 ";
1668 $this->_query($query);
1669
1670 $currentActivityID = CRM_Core_DAO::singleValueQuery("SELECT MAX(id) FROM civicrm_activity");
1671 $query = "
1672 INSERT INTO civicrm_activity
1673 (source_record_id, activity_type_id, subject, activity_date_time, duration, location, phone_id, phone_number, details, priority_id,parent_id, is_test, status_id)
1674 VALUES
1675 (1, 6, '$ 125.00-Apr 2007 Mailer 1', '2010-04-11 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1676 (2, 6, '$ 50.00-Online: Save the Penguins', '2010-03-21 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1677 (3, 6, '$ 25.00-Apr 2007 Mailer 1', '2010-04-29 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1678 (4, 6, '$ 50.00-Apr 2007 Mailer 1', '2010-04-11 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1679 (5, 6, '$ 500.00-Apr 2007 Mailer 1', '2010-04-15 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1680 (6, 6, '$ 175.00-Apr 2007 Mailer 1', '2010-04-11 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1681 (7, 6, '$ 50.00-Online: Save the Penguins', '2010-03-27 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1682 (8, 6, '$ 10.00-Online: Save the Penguins', '2010-03-08 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1683 (9, 6, '$ 250.00-Online: Save the Penguins', '2010-04-22 00:00:00', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1684 (10, 6, NULL, '2009-07-01 11:53:50', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1685 (11, 6, NULL, '2009-07-01 12:55:41', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1686 (12, 6, NULL, '2009-10-01 11:53:50', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 ),
1687 (13, 6, NULL, '2009-12-01 12:55:41', NULL, NULL, NULL, NULL, NULL, NULL, NULL, 0, 2 );
1688 ";
1689 $this->_query($query);
1690
1691 $activityContact = "
1692 INSERT INTO civicrm_activity_contact
1693 (contact_id, activity_id, record_type_id)
1694 VALUES
1695 ";
1696
1697 $arbitraryNumbers = array(2, 4, 6, 8, 16, 19, 82, 92, 34, 71, 43, 32, 32);
1698 for ($i = 0; $i < count($arbitraryNumbers); $i++) {
1699 $currentActivityID++;
1700 $activityContact .= "({$arbitraryNumbers[$i]}, $currentActivityID, 2)";
1701 if ($i != count($arbitraryNumbers) - 1) {
1702 $activityContact .= ", ";
1703 }
1704 }
1705 $this->_query($activityContact);
1706 }
1707
1708 private function addSoftContribution() {
1709
1710 $sql = "SELECT id from civicrm_contribution where contact_id = 92";
1711 $contriId1 = CRM_Core_DAO::singleValueQuery($sql);
1712
1713 $sql = "SELECT id from civicrm_contribution where contact_id = 34";
1714 $contriId2 = CRM_Core_DAO::singleValueQuery($sql);
1715
1716 $query = "
1717 INSERT INTO `civicrm_contribution_soft`
1718 ( contribution_id, contact_id ,amount , currency, pcp_id , pcp_display_in_roll ,pcp_roll_nickname,pcp_personal_note )
1719 VALUES
1720 ( $contriId1, {$this->Individual[3]}, 10.00, 'USD', 1, 1, 'Jones Family', 'Helping Hands'),
1721 ( $contriId2, {$this->Individual[3]}, 250.00, 'USD', 1, 1, 'Annie and the kids', 'Annie Helps');
1722 ";
1723 $this->_query($query);
1724 }
1725
1726 private function addPledge() {
1727 $pledge = "INSERT INTO civicrm_pledge
1728 (contact_id, financial_type_id, contribution_page_id, amount, original_installment_amount, currency,frequency_unit, frequency_interval, frequency_day, installments, start_date, create_date, acknowledge_date, modified_date, cancel_date, end_date, honor_contact_id, honor_type_id, status_id, is_test)
1729 VALUES
1730 (71, 1, 1, 500.00, '500', 'USD', 'month', 1, 1, 1, '2009-07-01 00:00:00', '2009-06-26 00:00:00', NULL, NULL, NULL,'2009-07-01 00:00:00', NULL, NULL, 1, 0),
1731 (43, 1, 1, 800.00, '200', 'USD', 'month', 3, 1, 4, '2009-07-01 00:00:00', '2009-06-23 00:00:00', '2009-06-23 00:00:00', NULL, NULL, '2009-04-01 10:11:40', NULL, NULL, 5, 0),
1732 (32, 1, 1, 600.00, '200', 'USD', 'month', 1, 1, 3, '2009-10-01 00:00:00', '2009-09-14 00:00:00', '2009-09-14 00:00:00', NULL, NULL, '2009-12-01 00:00:00', NULL, NULL, 5, 0);
1733 ";
1734 $this->_query($pledge);
1735 }
1736
1737 private function addPledgePayment() {
1738 $pledgePayment = "INSERT INTO civicrm_pledge_payment
1739 ( pledge_id, contribution_id, scheduled_amount, actual_amount, currency, scheduled_date, reminder_date, reminder_count, status_id)
1740 VALUES
1741 (1, 10, 500.00, 500.00, 'USD','2009-07-01 00:00:00', null, 0, 1 ),
1742 (2, 11, 200.00, 200.00, 'USD','2009-07-01 00:00:00', null, 0, 1 ),
1743 (2, null, 200.00, null, 'USD', '2009-10-01 00:00:00', null, 0, 2 ),
1744 (2, null, 200.00, null, 'USD', '2009-01-01 00:00:00', null, 0, 2 ),
1745 (2, null, 200.00, null, 'USD', '2009-04-01 00:00:00', null, 0, 2 ),
1746
1747 (3, 12, 200.00, 200.00, 'USD', '2009-10-01 00:00:00', null, 0, 1 ),
1748 (3, 13, 200.00, 200.00, 'USD', '2009-11-01 00:0:00', '2009-10-28 00:00:00', 1, 1),
1749 (3, null, 200.00, null, 'USD', '2009-12-01 00:00:00', null, 0, 2 );
1750 ";
1751 $this->_query($pledgePayment);
1752 }
1753
1754 private function addContributionLineItem() {
1755 $query = " INSERT INTO civicrm_line_item (`entity_table`, `entity_id`, `price_field_id`, `label`, `qty`, `unit_price`, `line_total`, `participant_count`, `price_field_value_id`, `financial_type_id`)
1756 SELECT 'civicrm_contribution', cc.id, cpf.id as price_field, cpfv.label, 1, cc.total_amount, cc.total_amount line_total, 0, cpfv.id as price_field_value, cpfv.financial_type_id
1757 FROM civicrm_contribution cc
1758 LEFT JOIN civicrm_price_set cps ON cps.name = 'default_contribution_amount'
1759 LEFT JOIN civicrm_price_field cpf ON cpf.price_set_id = cps.id
1760 LEFT JOIN civicrm_price_field_value cpfv ON cpfv.price_field_id = cpf.id
1761 order by cc.id; ";
1762 $this->_query($query);
1763 }
1764
1765 private function addContributionFinancialItem() {
1766
1767 $sql = " SELECT cc.id contribution_id, cli.id as line_item_id, cc.contact_id, cc.receive_date, cc.total_amount, cc.currency, cli.label, cli.financial_type_id, cefa.financial_account_id, cc.payment_instrument_id, cc.check_number, cc.trxn_id
1768 FROM `civicrm_contribution` cc
1769 INNER JOIN civicrm_line_item cli ON cli.entity_id = cc.id and cli.entity_table = 'civicrm_contribution'
1770 INNER JOIN civicrm_entity_financial_account cefa ON cefa.entity_id = cli.financial_type_id
1771 WHERE cefa.account_relationship = 1; ";
1772 $result = CRM_Core_DAO::executeQuery($sql);
1773 $financialAccountId = CRM_Financial_BAO_FinancialTypeAccount::getInstrumentFinancialAccount();
1774 $this->addFinancialItem($result, $financialAccountId);
1775 }
1776
1777 private function addParticipantFinancialItem() {
1778
1779 $sql = " SELECT cpp.contribution_id, cli.id as line_item_id, cp.contact_id, now() as receive_date, cp.fee_amount as total_amount, cp.fee_currency as currency, cli.label, cli.financial_type_id, cefa.financial_account_id, NULL as payment_instrument_id, NULL as check_number, NULL as trxn_id
1780 FROM `civicrm_participant` cp
1781 INNER JOIN civicrm_participant_payment cpp ON cpp.participant_id = cp.id
1782 INNER JOIN civicrm_line_item cli ON cli.entity_id = cp.id and cli.entity_table = 'civicrm_participant'
1783 INNER JOIN civicrm_entity_financial_account cefa ON cefa.entity_id = cli.financial_type_id
1784 WHERE cefa.account_relationship = 1";
1785 $result = CRM_Core_DAO::executeQuery($sql);
1786 $this->addFinancialItem($result);
1787 }
1788
1789 private function addFinancialItem($result, $financialAccountId = NULL) {
1790 $defaultFinancialAccount = CRM_Core_DAO::singleValueQuery("SELECT id FROM civicrm_financial_account WHERE is_default = 1");
1791 while($result->fetch()){
1792 $trxnParams = array(
1793 'trxn_date' => CRM_Utils_Date::processDate($result->receive_date),
1794 'total_amount' => $result->total_amount,
1795 'currency' => $result->currency,
1796 'status_id' => 1,
1797 'trxn_id' => $result->trxn_id,
1798 'contribution_id' => $result->contribution_id,
1799 'to_financial_account_id' => $result->payment_instrument_id ? $financialAccountId[$result->payment_instrument_id] : $defaultFinancialAccount,
1800 'payment_instrument_id' => $result->payment_instrument_id,
1801 'check_number' => $result->check_number
1802 );
1803 $trxn = CRM_Core_BAO_FinancialTrxn::create($trxnParams);
1804 $financialItem = array(
1805 'transaction_date' => CRM_Utils_Date::processDate($result->receive_date),
1806 'amount' => $result->total_amount,
1807 'currency' => $result->currency,
1808 'status_id' => 1,
1809 'entity_id' => $result->line_item_id,
1810 'contact_id' => $result->contact_id,
1811 'entity_table' => 'civicrm_line_item',
1812 'description' => $result->label,
1813 'financial_account_id' => $result->financial_account_id
1814 );
1815 $trxnId['id'] = $trxn->id;
1816 CRM_Financial_BAO_FinancialItem::create($financialItem, null, $trxnId);
1817 }
1818 }
1819
1820 private function addLineItemParticipants() {
1821 $participant = new CRM_Event_DAO_Participant();
1822 $participant->query("INSERT INTO civicrm_line_item (`entity_table`, `entity_id`, `price_field_id`, `label`, `qty`, `unit_price`, `line_total`, `participant_count`, `price_field_value_id`, `financial_type_id`)
1823 SELECT 'civicrm_participant',cp.id, cpfv.price_field_id, cpfv.label, 1, cpfv.amount, cpfv.amount as line_total, 0, cpfv.id, cpfv.financial_type_id FROM civicrm_participant cp LEFT JOIN civicrm_price_set_entity cpe ON cpe.entity_id = cp.event_id LEFT JOIN civicrm_price_field cpf ON cpf.price_set_id = cpe.price_set_id LEFT JOIN civicrm_price_field_value cpfv ON cpfv.price_field_id = cpf.id WHERE cpfv.label = cp.fee_level");
1824 }
1825
1826 private function addMembershipPayment() {
1827 $maxContribution = CRM_Core_DAO::singleValueQuery("select max(id) from civicrm_contribution");
1828 $financialTypeID = CRM_Core_DAO::singleValueQuery("select id from civicrm_financial_type where name = 'Member Dues'");
1829 $sql = "INSERT INTO civicrm_contribution (contact_id,financial_type_id,receive_date, total_amount, currency, source, contribution_status_id)
1830 SELECT cm.contact_id, $financialTypeID, now(), cmt.minimum_fee, 'USD', CONCAT(cmt.name, ' Membership: Offline signup'), 1 FROM `civicrm_membership` cm
1831 LEFT JOIN civicrm_membership_type cmt ON cmt.id = cm.membership_type_id;";
1832
1833 $this->_query($sql);
1834
1835 $sql = "INSERT INTO civicrm_membership_payment (contribution_id,membership_id)
1836 SELECT cc.id, cm.id FROM civicrm_contribution cc
1837 LEFT JOIN civicrm_membership cm ON cm.contact_id = cc.contact_id
1838 WHERE cc.id > $maxContribution;";
1839
1840 $this->_query($sql);
1841
1842 $sql = "INSERT INTO civicrm_line_item (entity_table, entity_id, price_field_value_id, price_field_id, label, qty, unit_price, line_total, financial_type_id)
1843 SELECT 'civicrm_contribution', cmp.contribution_id, cpfv.id, cpfv.price_field_id, cpfv.label, 1, cpfv.amount, cpfv.amount as unit_price, cpfv.financial_type_id FROM `civicrm_membership` cm
1844 LEFT JOIN civicrm_membership_payment cmp ON cmp.membership_id = cm.id
1845 LEFT JOIN civicrm_price_field_value cpfv ON cpfv.membership_type_id = cm.membership_type_id
1846 LEFT JOIN civicrm_price_field cpf ON cpf.id = cpfv.price_field_id
1847 LEFT JOIN civicrm_price_set cps ON cps.id = cpf.price_set_id
1848 WHERE cps.name = 'default_membership_type_amount'";
1849 $this->_query($sql);
1850
1851 $sql = "INSERT INTO civicrm_activity(source_record_id, activity_type_id, subject, activity_date_time, status_id, details)
1852 SELECT id, 6, CONCAT('$ ', total_amount, ' - ', source), now(), 2, 'Membership Payment' FROM civicrm_contribution WHERE id > $maxContribution";
1853 $this->_query($sql);
1854
1855 $sql = "INSERT INTO civicrm_activity_contact(contact_id, activity_id, record_type_id)
1856 SELECT c.contact_id, a.id, 2
1857 FROM civicrm_contribution c, civicrm_activity a
1858 WHERE c.id > $maxContribution
1859 AND a.source_record_id = c.id
1860 AND a.details = 'Membership Payment'
1861 ";
1862 $this->_query($sql);
1863 }
1864
1865 private function addParticipantPayment() {
1866 $maxContribution = CRM_Core_DAO::singleValueQuery("select max(id) from civicrm_contribution");
1867 $financialTypeID = CRM_Core_DAO::singleValueQuery("select id from civicrm_financial_type where name = 'Event Fee'");
1868 $sql = "INSERT INTO civicrm_contribution (contact_id, financial_type_id, receive_date, total_amount, currency, receipt_date, source, contribution_status_id)
1869 SELECT `contact_id`, $financialTypeID, now(), `fee_amount`, 'USD', now(), CONCAT(ce.title, ' : Offline registration'), 1 FROM `civicrm_participant` cp
1870 LEFT JOIN civicrm_event ce ON ce.id = cp.event_id
1871 group by `contact_id`;";
1872
1873 $this->_query($sql);
1874
1875 $sql = "INSERT INTO civicrm_participant_payment (contribution_id,participant_id)
1876 SELECT cc.id, cp.id FROM civicrm_contribution cc
1877 LEFT JOIN civicrm_participant cp ON cp.contact_id = cc.contact_id
1878 WHERE cc.id > $maxContribution";
1879
1880 $this->_query($sql);
1881
1882 $sql = "INSERT INTO civicrm_activity(source_record_id, activity_type_id, subject, activity_date_time, status_id, details)
1883 SELECT id, 6, CONCAT('$ ', total_amount, ' - ', source), now(), 2, 'Participant' FROM `civicrm_contribution` WHERE id > $maxContribution";
1884 $this->_query($sql);
1885
1886 $sql = "INSERT INTO civicrm_activity_contact(contact_id, activity_id, record_type_id)
1887 SELECT c.contact_id, a.id, 2
1888 FROM civicrm_contribution c, civicrm_activity a
1889 WHERE c.id > $maxContribution
1890 AND a.source_record_id = c.id
1891 AND a.details = 'Participant Payment'
1892 ";
1893 $this->_query($sql);
1894 }
1895 }
1896
1897 function user_access($str = NULL) {
1898 return TRUE;
1899 }
1900
1901 function module_list() {
1902 return array();
1903 }
1904
1905 echo ("Starting data generation on " . date("F dS h:i:s A") . "\n");
1906 $gcd = new CRM_GCD();
1907 $gcd->initID();
1908 $gcd->generate('Domain');
1909 $gcd->generate('Contact');
1910 $gcd->generate('Individual');
1911 $gcd->generate('Household');
1912 $gcd->generate('Organization');
1913 $gcd->generate('Relationship');
1914 $gcd->generate('EntityTag');
1915 $gcd->generate('Group');
1916 $gcd->generate('Note');
1917 $gcd->generate('Activity');
1918 $gcd->generate('Event');
1919 $gcd->generate('Contribution');
1920 $gcd->generate('ContributionLineItem');
1921 $gcd->generate('Membership');
1922 $gcd->generate('MembershipPayment');
1923 $gcd->generate('MembershipLog');
1924 $gcd->generate('PCP');
1925 $gcd->generate('SoftContribution');
1926 $gcd->generate('Pledge');
1927 $gcd->generate('PledgePayment');
1928 $gcd->generate('ContributionFinancialItem');
1929 $gcd->generate('Participant');
1930 $gcd->generate('ParticipantPayment');
1931 $gcd->generate('LineItemParticipants');
1932 $gcd->generate('ParticipantFinancialItem');
1933 echo ("Ending data generation on " . date("F dS h:i:s A") . "\n");