Project

General

Profile

Download (25.3 KB) Statistics
| Branch: | Tag: | Revision:
1
<?php
2
/**
3
 * @file
4
 * Functions for dealing with CDM entities from the package model.common
5
 *
6
 * @copyright
7
 *   (C) 2007-2012 EDIT
8
 *   European Distributed Institute of Taxonomy
9
 *   http://www.e-taxonomy.eu
10
 *
11
 *   The contents of this module are subject to the Mozilla
12
 *   Public License Version 1.1.
13
 * @see http://www.mozilla.org/MPL/MPL-1.1.html
14
 *
15
 * @author
16
 *   - Andreas Kohlbecker <a.kohlbecker@BGBM.org>
17
 */
18

    
19
/**
20
 * @defgroup compose Compose functions
21
 * @{
22
 * Functions which are composing Drupal render arays
23
 *
24
 * The cdm_dataportal module needs to compose rather complex render arrays from
25
 * the data returned by the CDM REST service. The compose functions are
26
 * responsible for creating the render arrays.
27
 *
28
 * All these functions are also implementations of the compose_hook()
29
 * which is used in the proxy_content() function.
30
 * @}
31
 */
32

    
33

    
34
/**
35
 * Composes an HTML element class attribute value composed of
36
 * the short-name of the cdm class and the uuid of the entity.
37
 * This class attribute should be used wherever an cdm-entity is rendered.
38
 *
39
 * In case of Taxon entities or TaxonNodeDTOs the secReference is also added
40
 * to the class attributes as 'sec_uuid:<uuid>'. In case of TaxonNodeDTOs the
41
 * Taxon uuid is added also as taxon_uuid:<uuid>
42
 *
43
 * These according class selectors in css must be escaped, eg:
44
 *    .cdm\:TextData
45
 *
46
 * @param $cdm_entity
47
 *    A CDM entity, TaxonNodeDTO or TypedEntityReference
48
 */
49
function html_class_attribute_ref($cdm_entity) {
50

    
51
  $attributes = '';
52
  if (is_cdm_entity($cdm_entity)) {
53
    $attributes =  "cdm:" . $cdm_entity->class . " uuid:" . $cdm_entity->uuid;
54
  } elseif (isset($cdm_entity->class)) {
55
    switch ($cdm_entity->class){
56
      case 'TypedEntityReference':
57
        $attributes =  "cdm:" . $cdm_entity->type . " uuid:" . $cdm_entity->uuid;
58
      break;
59
      case 'TaxonNodeDto':
60
        $attributes .= " taxon_uuid:"  . $cdm_entity->taxonUuid . " sec_uuid:"  . $cdm_entity->secUuid;;
61
      break;
62
      case 'Taxon':
63
        if(isset($cdm_entity->sec->uuid)){
64
        $attributes .= " sec_uuid:"  . $cdm_entity->sec->uuid;
65
      }
66
      break;
67
    }
68
  }
69

    
70
  return $attributes;
71
}
72

    
73

    
74
/**
75
 * Compose an render array from a CDM Marker object.
76
 *
77
 * compose_hook() implementation
78
 *
79
 * @param object $marker
80
 *   CDM instance of type Marker
81
 * @return array
82
 *   A drupal render array
83
 *
84
 * @ingroup compose
85
 */
86
function compose_cdm_marker($marker) {
87

    
88
  $render_array = array(
89
      // ---- generic
90
      //  these entries should be common to all cdm enitiy render arrays
91
      '#theme' => 'cdm_marker', // TODO   add alternative theme funcitons: 'cdm_marker_' . marker.type.label
92
      '#attributes' => array('class' => html_class_attribute_ref($marker)),
93

    
94
      // ---- individual
95
      '#label' => $marker->markerType->representation_L10n . ': ' . (($marker->flag !== TRUE ? t('yes') : t('no'))),
96
  );
97

    
98
  return $render_array;
99
}
100

    
101
/**
102
 * Checks if the given $cdm_entitiy has a marker the type references by the
103
 * $marker_type_uuid and returns TRUE if a matching marker has been found.
104
 *
105
 * @param object $cdm_entitiy A CDM Entity
106
 * @param string $marker_type_uuid
107
 */
108
function cdm_entity_has_marker($cdm_entitiy, $marker_type_uuid) {
109
  if(isset($cdm_entitiy->markers[0]) && !is_uuid($marker_type_uuid)){
110
    foreach ($cdm_entitiy->markers as $marker) {
111
      if(isset($marker->markerType) && $marker->markerType->uuid == $marker_type_uuid){
112
        return TRUE;
113
      }
114
    }
115
  }
116
  return FALSE;
117
}
118

    
119
/**
120
 * Sorts an array of CDM IdentifiableSource instances by 1. by the
121
 * author teams family names and 2. by the publication date.
122
 *
123
 * @param array $sources
124
 *    The array of CDM IdentifiableSource instances
125
 * @return array
126
 *  An array of drupal render arrays
127
 */
128
function oder_and_render_original_sources($sources){
129
    $sort_array = array();
130
    foreach ($sources as $source) {
131

    
132
      $order_key = '';
133

    
134
      // find the familynames
135
      if(isset($source->citation->uuid) && !isset($source->citation->authorship)){
136
        $authorteam = cdm_ws_get(CDM_WS_REFERENCE_AUTHORTEAM, $source->citation->uuid);
137

    
138
        $persons = array();
139
        if($authorteam->class == 'Team'){
140
          if(isset($authorteam->teamMembers)){
141
            $persons = $authorteam->teamMembers;
142
          }
143
        } else {
144
          $persons[] = $authorteam;
145
        }
146

    
147
        foreach($persons as $person){
148
          if(!empty($person->lastname)){
149
            $order_key .= $person->lastname;
150
          } else {
151
            $order_key .= $person->titleCache;
152
          }
153
        }
154
        if(empty($order_key)){
155
          $order_key = $authorteam->titleCache;
156
        }
157

    
158
      }
159
      $order_key = str_pad($order_key, 50);
160

    
161
      // add publication date to the key
162
      if(isset($source->citation->datePublished)){
163
        $order_key .= '_' . timePeriodAsOrderKey($source->citation->datePublished);
164
      } else {
165
        $order_key .= '_' . "0000";
166
      }
167

    
168
      // padd key until unique
169
      while(array_key_exists($order_key, $sort_array)){
170
        $order_key .= "_";
171
      }
172

    
173
      $sort_array[$order_key] = render_original_source($source);
174
    }
175
    ksort($sort_array);
176
    return array_values ($sort_array);
177
}
178

    
179
/**
180
 * Compare callback to be used in usort to sort image sources of CDM OriginalSource instances.
181
 *
182
 * TODO the compare strategy implemented in oder_and_render_original_sources() is probably better but is not taking the
183
 * originalName into account.
184
 *
185
 * @param $a
186
 * @param $b
187
 */
188
function compare_original_sources($a, $b){
189

    
190
  $a_string = '';
191
  if(isset($a->citation->titleCache)) {
192
    $a_string = $a->citation->titleCache;
193
  }
194
  if((isset($a->nameUsedInSource))){
195
    $a_string .= $a->nameUsedInSource->titleCache;
196
  } elseif (isset($a->originalNameString)){
197
    $a_string .= $a->originalNameString;
198
  }
199

    
200
  $b_string = '';
201
  if(isset($b->citation->titleCache)) {
202
    $b_string = $b->citation->titleCache;
203
  };
204
  if((isset($b->nameUsedInSource))){
205
    $b_string .= $b->nameUsedInSource->titleCache;
206
  } elseif (isset($b->originalNameString)){
207
    $b_string .= $b->originalNameString;
208
  }
209

    
210
  if ($a_string == $b_string) {
211
    return 0;
212
  }
213
  return ($a_string < $b_string) ? -1 : 1;
214
}
215

    
216
/**
217
 * Compare callback to be used in usort to sort image sources of CDM Media instances.
218
 *
219
 * @param $a
220
 * @param $b
221
 */
222
function compare_text_data($a, $b) {
223

    
224
  if ($a->multilanguageText_L10n->text == $b->multilanguageText_L10n->text) {
225
    return 0;
226
  }
227
  return ($a->multilanguageText_L10n->text < $b->multilanguageText_L10n->text) ? -1 : 1;
228
}
229

    
230
  /**
231
   * Compare two different footnotes objects.
232
   *
233
   * The comparison is based on the footnote key. The one which is
234
   * displayed as footnote number.
235
   *
236
   * @param mixed $a
237
   *   Footnote object $a.
238
   * @param mixed $b
239
   *   Footnote object $b.
240
   */
241
  function footnotes_key_compare($a, $b) {
242
    $res = 0;
243
    if (empty($a) || empty($b)) {
244
      return $res;
245
    }
246
    if ($a->keyStr < $b->keyStr) {
247
      $res = -1;
248
    }
249
    elseif ($a->keyStr > $b->keyStr) {
250
      $res = 1;
251
    }
252
    return $res;
253
  }
254

    
255
/**
256
 * Provides an explanatory text on the statistical values representation as generated by statistical_values()
257
 *
258
 * @return string
259
 *     the text
260
 */
261
  function statistical_values_explanation(){
262
    return t("A single or the first number in square brackets denotes sample size");
263
  }
264

    
265
/**
266
 * Creates an array suitable to be used in statistical_values()
267
 * The min max structure is suitable for being used in the context
268
 * of GatheringEvents and StatisticalMeasures (see render_quantitative_statistics()).
269
 *
270
 * The order of the items is important for the display and must not be changed.
271
 *
272
 * @return array
273
 */
274
function statistical_values_array() {
275

    
276
  $min_max = [
277
    'Min' => NULL,
278
    'TypicalLowerBoundary' => NULL,
279
    'TypicalUpperBoundary' => NULL,
280
    'Max' => NULL,
281
    'SampleSize' => NULL,
282
    'Average' => NULL,
283
    'Variance' => NULL,
284
    'StandardDeviation' => NULL,
285
  ];
286
  return $min_max;
287
}
288

    
289
/**
290
 * Creates markup from a min max array.
291
 *
292
 * NOTE: use  statistical_values_array() to create an appropriate array
293
 *
294
 * Internally Min will be translated to TypicalLowerBoundary if no such value is present.
295
 * The same also accounts for Max and TypicalUpperBoundary.
296
 *
297
 * For further details see #3742, #8766
298
 *
299
 * @param $stat_vals_arr
300
 *  the statistical values array as produced by statistical_values_array()
301
 * @param $unit
302
 *  Defaults to no unit
303
 * @return string
304
 */
305
function statistical_values($stat_vals_arr, $unit = '') {
306

    
307
  static $xbar_equals = 'x&#772;='; // x&#772; is x-bar (http://www.personal.psu.edu/ejp10/blogs/gotunicode/2010/03/dealing-with-x-bar-x-and-p-hat.html)
308

    
309
  $min_max_markup = '';
310
  $other_vals_array = [];
311

    
312
  // --- sanitize values
313
  if(statistical_values_equals($stat_vals_arr, 'Min', 'TypicalLowerBoundary')){
314
    $stat_vals_arr['Min'] = NULL;
315
  }
316

    
317
  if(statistical_values_equals($stat_vals_arr, 'Max', 'TypicalUpperBoundary')){
318
    $stat_vals_arr['Max'] = NULL;
319
  }
320

    
321
  if($stat_vals_arr['TypicalLowerBoundary'] === null && $stat_vals_arr['Min'] !== null){
322
    $stat_vals_arr['TypicalLowerBoundary'] = $stat_vals_arr['Min'];
323
    $stat_vals_arr['Min'] = NULL;
324
  }
325

    
326
  if($stat_vals_arr['TypicalUpperBoundary'] === null && $stat_vals_arr['Max']  !== null){
327
    $stat_vals_arr['TypicalUpperBoundary'] = $stat_vals_arr['Max'];
328
    $stat_vals_arr['Max'] = NULL;
329
  }
330

    
331
  if (statistical_values_equals($stat_vals_arr, 'TypicalUpperBoundary', 'TypicalLowerBoundary')) {
332
    $stat_vals_arr['Average'] = $stat_vals_arr['TypicalUpperBoundary'];
333
    $stat_vals_arr['TypicalLowerBoundary'] = NULL;
334
    $stat_vals_arr['TypicalUpperBoundary'] = NULL;
335
  }
336

    
337
  // --- check for inconsistent cases, eg. only Max and average given
338
  if ($stat_vals_arr['TypicalLowerBoundary'] === NULL && $stat_vals_arr['TypicalUpperBoundary']  !== null) {
339
    // min missing
340
    $stat_vals_arr['TypicalLowerBoundary'] = '?';
341
  }
342
  if ($stat_vals_arr['TypicalLowerBoundary'] !== null && $stat_vals_arr['TypicalUpperBoundary'] === NULL) {
343
    // max missing
344
    $stat_vals_arr['TypicalUpperBoundary'] = '?';
345
  }
346

    
347
  if($stat_vals_arr['Average'] && $stat_vals_arr['TypicalUpperBoundary'] !== null && $stat_vals_arr['TypicalLowerBoundary'] !== null) {
348
    statistical_values_adjust_significant_figures($stat_vals_arr['Average'], $stat_vals_arr['TypicalLowerBoundary'], $stat_vals_arr['TypicalUpperBoundary']);
349
  }
350

    
351
  foreach ($stat_vals_arr as $key => $statistical_val) {
352

    
353
    if ($statistical_val !== NULL) {
354
      if ($statistical_val == '?') {
355
        $val_markup = $statistical_val;
356
      } else {
357
        $val_markup = '<span class="'
358
            . html_class_attribute_ref($statistical_val) . ' '
359
            . (isset($statistical_val->type) ? $statistical_val->type->termType : '') . ' ' . $key .'" title="'. $key. '">'
360
            . $statistical_val->_value . '</span>';
361
      }
362

    
363
      switch ($key) {
364
        // ---- min_max_element
365
        case 'Min':
366
          $min_max_markup .= "($val_markup&ndash;)";
367
          break;
368
        case 'Max':
369
          $min_max_markup .= "(&ndash;$val_markup)";
370
          break;
371
        case 'TypicalLowerBoundary':
372
          $min_max_markup .= "$val_markup";
373
          break;
374
        case 'TypicalUpperBoundary':
375
          $min_max_markup .= "&ndash;$val_markup";
376
          break;
377
          // ---- other values
378
        case 'SampleSize':
379
          $other_vals_array[$key] = $val_markup;
380
          break;
381
        case 'Average':
382
          $other_vals_array[$key] = $xbar_equals . $val_markup;
383
          break;
384
        case 'Variance':
385
          $other_vals_array[$key] = 'σ²=' . $val_markup;
386
          break;
387
        case 'StandardDeviation':
388
          $other_vals_array[$key] = 'σ=' . $val_markup;
389
          break;
390
      }
391
    }
392
  }
393

    
394
  if(!$min_max_markup && !empty($other_vals_array['Average'])){
395
    // this could be the case in which we only have one value for Average
396
    // this trivial case needs to be displayed a simpler way
397
    $min_max_markup = str_replace($xbar_equals, '' ,$other_vals_array['Average']);
398
    if($other_vals_array['SampleSize']){
399
      $min_max_markup .= '['. $other_vals_array['SampleSize'] .']';
400
    }
401
  } else {
402
    if(count($other_vals_array)){
403
      $min_max_markup .= '[' . join(';', $other_vals_array) . ']';
404
    }
405
  }
406

    
407
  return $min_max_markup . ($unit ? ' ' . $unit : '');
408
}
409

    
410
/**
411
 * Calculates the required precision for the taget value to be significantly different from min and may and rounds it.
412
 *
413
 * @param $target
414
 *    The statistical value to be rounded to the least significant precision
415
 * @param $min
416
 *    The lower bound to calculate the least significant precision
417
 * @param $max
418
 *    The upper bound to calculate the least significant precision
419
 * @param int $threshold
420
 *    Per default 1, but can be set to any other value > 0 and < 1 to define
421
 *    another threshold for the transition to the next precision level.
422
 *    E.g. A value of 0.5 will cause values > 50 and <= 500 to be shown with
423
 *    a precision of 2, whereas with a threshold of 1 the values > 10 and <= 100
424
 *    will be shown with a precision of 2 figures
425
 */
426
function statistical_values_adjust_significant_figures(&$target, $min,  $max, $threshold = 1){
427

    
428
  $precision = 1;
429
  if($min->_value !== $max->_value){
430
    $precision = floor(log10(abs($max->_value - $min->_value) * (1 / $threshold)));
431
    // increase precision by one
432
    $precision += $precision < 0 ? - 1 : 1;
433
  }
434

    
435
  $target->_value = sigFig($target->_value, $precision);
436
}
437

    
438
/**
439
 * based on an idea taken from https://stackoverflow.com/questions/37618679/format-number-to-n-significant-digits-in-php#answer-48283297
440
 *
441
 * @param $value
442
 * @param $digits
443
 *
444
 * @return float|string
445
 */
446
function sigFig($value, $digits, $round_only = true)
447
{
448
  if ($value == 0) {
449
    $decimalPlaces = $digits - 1;
450
  } elseif ($value < 0) {
451
    $decimalPlaces = $digits - floor(log10($value * -1)) - 1;
452
  } else {
453
    $decimalPlaces = $digits - floor(log10($value)) - 1;
454
  }
455

    
456
  $answer = ($decimalPlaces > 0) && !$round_only ?
457
    number_format($value, $decimalPlaces) : round($value, abs($decimalPlaces));
458
  return $answer;
459
}
460

    
461

    
462

    
463
/**
464
 * Used internally in statistical_values() do determine equality of stat_vals_arr values
465
 *
466
 * @param $stat_vals_arr
467
 * @param $key1
468
 * @param $key2
469
 *
470
 * @return bool
471
 */
472
function statistical_values_equals($stat_vals_arr, $key1, $key2){
473

    
474
  return $stat_vals_arr[$key1] !== NULL && $stat_vals_arr[$key2] !== NULL && $stat_vals_arr[$key1]->_value ==  $stat_vals_arr[$key2]->_value;
475
}
476

    
477
/**
478
 * Creates min max markup to represent a min-average-max measure optionally with an error value.
479
 *
480
 * The fields that are taken into account are:
481
 * - field_base_name = min
482
 * - field_base_nameMax = max
483
 * - field_base_nameText = free text
484
 * - field_base_nameError = error value
485
 *
486
 * @param $object
487
 *    The object having min max measurement fields e.g.: GatheringEvent
488
 * @param string $field_base_name
489
 *    The base name for all measurement fields. This name is at the same time the full name of the
490
 *    min value.
491
 * @return string
492
 *   The markup for the min max
493
 *
494
 * @see statistical_values()
495
 */
496
function statistical_values_from_gathering_event($object, $field_base_name)
497
{
498
  static $default_unit = 'm';
499

    
500
  $field_name = $field_base_name . 'Text';
501
  if (@is_string($object->$field_name)) {
502
    // Freetext overrides all other data
503
    $min_max_markup = ' ' . $object->$field_name;
504
  } else {
505
    // create markup for the atomized min max data
506
    $min_max_array = statistical_values_array();
507
    if (@is_numeric($object->$field_base_name)) {
508
      $min_max_array['Min'] = new stdClass();
509
      $min_max_array['Min']->_value = $object->$field_base_name;
510
    }
511
    $field_name = $field_base_name . 'Max';
512
    if (@is_numeric($object->$field_name)) {
513
      $min_max_array['Max'] = new stdClass();
514
      $min_max_array['Max']->_value = $object->$field_name;
515
    }
516
    $min_max_markup = statistical_values($min_max_array, $default_unit);
517
  }
518

    
519
  return $min_max_markup;
520
}
521

    
522
// TODO  move below code into new file: agent.inc
523

    
524
/*
525
 * Compose an render array from a CDM TaxonNodeAgentRelation object as Taxon Expert.
526
 *
527
 * compose_hook() implementation
528
 *
529
 * @param object $taxon_node_agent_relation
530
 *   CDM instance of type TaxonNodeAgentRelation
531
 * @return array
532
 *   A drupal render array
533
 *
534
 * @ingroup compose
535
 */
536
function compose_cdm_taxon_expert($taxon_node_agent_relation) {
537

    
538
  $agent_details = null;
539

    
540
  $label_suffix = ':';
541

    
542
  if($taxon_node_agent_relation->class == 'DefaultPagerImpl'){
543
    // oops this is a pager
544
    // this situation will occur when this compose is executed
545
    // through the proxy_content() method
546
    $taxon_node_agent_relation = $taxon_node_agent_relation->records[0];
547

    
548
  }
549

    
550
  if(is_object($taxon_node_agent_relation->agent)) {
551
    $agent_details = compose_cdm_team_or_person_base($taxon_node_agent_relation->agent);
552
    // all data will be added to the groups of the agent_details render array
553
    $groups = &$agent_details[0]['#groups'];
554

    
555
    @_description_list_group_add($groups, t('Role'). $label_suffix, $taxon_node_agent_relation->type->representation_L10n);
556

    
557
    $family_tnars = cdm_ws_fetch_all(CDM_WS_PORTAL_AGENT . '/' . $taxon_node_agent_relation->agent->uuid . '/taxonNodeAgentRelations', array("rank"=>"Familia"));
558

    
559
    $taxa_markup = array(
560
      '#theme_wrappers' => array('container'),
561
      '#attributes' => array('class' => array('managed_taxa')),
562
      '#wrapper_attributes' => array('class' => 'sublist-container')
563
      );
564
    foreach($family_tnars as $tnar){
565
      if(is_object($tnar->taxonNode->taxon)){
566
        $taxa_markup[$tnar->taxonNode->taxon->titleCache] = markup_to_render_array(render_taxon_or_name($tnar->taxonNode->taxon, url(path_to_taxon($tnar->taxonNode->taxon->uuid))));
567
      }
568
    }
569
    ksort($taxa_markup);
570

    
571
    @_description_list_group_add($groups, t('Families'). $label_suffix, array($taxa_markup));
572

    
573
  }
574

    
575
  return $agent_details;
576
}
577

    
578

    
579
/*
580
 * Compose an render array from a CDM TeamOrPersonBase object.
581
 *
582
 * compose_hook() implementation
583
 *
584
 * TODO: currently mainly implemented for Agent, add Team details
585
 *
586
 * @param object $team_or_person
587
 *   CDM instance of type TeamOrPersonBase
588
 * @return array
589
 *   A drupal render array
590
 *
591
 * @ingroup compose
592
 */
593
function compose_cdm_team_or_person_base($team_or_person, $data = array()) {
594

    
595
  $groups = array();
596

    
597
  $label_suffix = ':';
598

    
599
  // $weight = 0;
600
  if($team_or_person){
601

    
602
    if(is_object($team_or_person->lifespan)){
603
      // ToDo render as date* - date† ?
604
      @_description_list_group_add($groups, t('Lifespan'). $label_suffix, timePeriodToString($team_or_person->lifespan) /*, '' , $weight++ */);
605
    }
606

    
607
    // nomenclaturalTitle
608
    @_description_list_group_add($groups, "Nomenclatural Title". $label_suffix, $team_or_person->nomenclaturalTitle);
609
    // collectorTitle
610
    @_description_list_group_add($groups, "Collector Title". $label_suffix, $team_or_person->collectorTitle);
611

    
612
    // institutionalMemberships
613
    if(is_array($team_or_person->institutionalMemberships)){
614

    
615
      $institutes_ra =  array();
616
      foreach($team_or_person->institutionalMemberships as $membership) {
617
        $membership_groups = array();
618
        @_description_list_group_add($membership_groups, t('Department'). $label_suffix, $membership->department);
619
        @_description_list_group_add($membership_groups, t('Role'). $label_suffix, $membership->role);
620
        if(is_object($membership->period)){
621
          @_description_list_group_add($membership_groups, t('Period'). $label_suffix, timePeriodToString($membership->period));
622
        }
623
        if(is_object($membership->institute->contact)){
624
          $institute_contact_details = compose_cdm_contact($membership->institute->contact, $membership->institute->titleCache);
625
          if(is_array($institute_contact_details[0]['#groups'])){
626
            $membership_groups = array_merge($membership_groups, $institute_contact_details[0]['#groups']);
627
          }
628
        }
629
        if(count($membership_groups) > 0){
630
          $institutes_ra[]  = array(
631
            '#title' => $membership->institute->titleCache,
632
            '#theme' => 'description_list',
633
            '#groups' => $membership_groups,
634
            '#attributes' => array('class' => html_class_attribute_ref($membership)),
635
            '#wrapper_attributes' => array('class' => 'sublist-container')
636
          );
637
        } else {
638
          // no further details for the membership, display the title
639
          $institutes_ra[] = markup_to_render_array('<h3>' . $membership->institute->titleCache . '</h3>');
640
        }
641

    
642
      }
643

    
644
      $label = count($institutes_ra) > 1 ? t('Institutes'):  t('Institute');
645
      @_description_list_group_add($groups, $label. $label_suffix, $institutes_ra /*, '' , $weight++ */);
646
    }
647

    
648

    
649
    // Contact
650
    $agent_contact_details = compose_cdm_contact($team_or_person->contact, $team_or_person->titleCache);
651
    if(is_array($agent_contact_details[0]['#groups'])){
652
      $groups = array_merge($groups, $agent_contact_details[0]['#groups']);
653
    }
654

    
655
    // additional data
656
    foreach($data as $key=>$value){
657
      @_description_list_group_add($sub_dl_groups, t('@key', array('@key' => $key)), $value /*, '' , $weight++ */);
658
    }
659

    
660
  }
661

    
662
  $team_or_person_details = array(
663
    '#title' => $team_or_person->titleCache,
664
    '#theme' => 'description_list',
665
    '#groups' => $groups,
666
    '#attributes' => array('class' => html_class_attribute_ref($team_or_person)),
667
  );
668
  return array($team_or_person_details);
669
}
670

    
671

    
672
/*
673
 * Compose an render array from a CDM Contact object.
674
 *
675
 * compose_hook() implementation
676
 *
677
 * TODO: currently mainly implemented for Agent, add Team details
678
 *
679
 * @param object $contact
680
 *   CDM instance of type Contact
681
 * @param $title
682
 *   The title for the description list header
683
 * @param $weight
684
 *   Optional weight for the description list entries
685
 * @return array
686
 *   A drupal render array
687
 *
688
 * @ingroup compose
689
 */
690
function compose_cdm_contact($contact, $title, $weight = 0)
691
{
692

    
693
  $groups = array();
694

    
695
  $contact_details = null;
696

    
697
  $label_suffix = ':';
698

    
699
  $contact_field_names_map = array(
700
    'emailAddresses' => t('Email'),
701
    'urls' => t('Urls'),
702
    'phoneNumbers' => t('Phone'),
703
    'faxNumbers' => t('Fax'),
704
  );
705

    
706
  // Contact
707
  if(is_object($contact)){
708
    if(isset($contact->addresses)){
709
      // TODO ....
710
      // $sub_groups = array();
711
      // foreach($contact->addresses as $address){
712
      //   @_description_list_group_add($sub_groups, $label, $contact->$fieldName, '', $weight++);
713
      // }
714
    }
715
    foreach($contact_field_names_map as $fieldName => $label){
716
      if(is_array($contact->$fieldName)){
717
        @_description_list_group_add($groups, $label . $label_suffix, $contact->$fieldName, '', $weight++);
718
      }
719
    }
720
    $contact_details = array(
721
      '#title' => $title,
722
      '#theme' => 'description_list',
723
      '#groups' => $groups
724
    );
725

    
726

    
727
  } else if(is_string($title)) {
728
    // if the contact entity is empty but the title is given anyway
729
    // we are only adding the title, using the description_list
730
    // structure is not possible since it would be empty due to
731
    // missing group data
732
    $contact_details = array('#markup' => '<h3>' . $title . '</h3>');
733
  }
734

    
735
  return array($contact_details);
736

    
737
}
738

    
739
/**
740
 * Compose an render array from a CDM Extension objects.
741
 *
742
 * @param $extensions
743
 *    An array of CDM Extension objects
744
 * @return array
745
 *   A render array containing the fields of the supplied $sequence
746
 *
747
 * @ingroup compose
748
 */
749
function compose_extensions($extensions)
750
{
751
  $extensions_render_array= null;
752
  $extensions_by_type = array();
753
  foreach ($extensions as $extension) {
754
    if (@is_string($extension->value)) {
755
      if (!isset($extensions_by_type[$extension->type->representation_L10n])) {
756
        $extensions_by_type[$extension->type->representation_L10n] = array();
757
      }
758
      $extensions_by_type[$extension->type->representation_L10n][] = markup_to_render_array($extension->value);
759
    }
760
  }
761

    
762
  if (count($extensions_by_type)) {
763
    $sub_dl_groups = array();
764
    foreach ($extensions_by_type as $type_label => $text_list) {
765
      @_description_list_group_add($sub_dl_groups, $type_label . ':', $text_list);
766
    }
767
    $extensions_render_array = array(
768
      array('#theme' => 'description_list', '#groups' => $sub_dl_groups)
769
    );
770
    return $extensions_render_array;
771
  }
772
  return $extensions_render_array;
773
}
774

    
775
function formatParams($params) {
776
    $paramString = null;
777
    if (is_array($params)){
778
        $keys =array_keys($params);
779
        $paramString = '';
780
        foreach ($keys as $k ){
781
            if ($k != 'pageNumber' && $k != 'pageSize'){
782
                $paramString .= ' -'.$k.'='.urlencode($params[$k]);
783
            }
784
        }
785
    }
786
    return $paramString;
787
}
788

    
789
function formatWSParams($params) {
790
  $paramString = null;
791
    if (is_array($params)){
792
        $keys =array_keys($params);
793
        $paramString = '';
794
        foreach ($keys as $k ){
795
            if ($k != 'pageNumber' && $k != 'pageSize'){
796
                $paramString .= '&'.$k.'='.urlencode($params[$k]);
797
            }
798
        }
799
    }
800
    return $paramString;
801
}
802

    
803
/**
804
 *
805
 * @param $cdm_entity
806
 *
807
 * @return string the markup
808
 */
809
function render_cdm_entity_link($cdm_entity) {
810

    
811
  switch ($cdm_entity->class) {
812
    case 'TaxonDescription':
813
    case 'NameDescription':
814
    case 'SpecimenDescription':
815
      $link =  '<span class="' . html_class_attribute_ref($cdm_entity) . '">' . $cdm_entity->titleCache . '</span> ' . icon_link(path_to_description($cdm_entity->uuid));
816
      break;
817
    default:
818
      $link = '<span class="error">UNSUPPORTED CDM ENTITY TYPE</span>';
819
  }
820
  return $link;
821
}
822

    
823
/**
824
 * Creates an icon which links to the given path
825
 * @param $path
826
 *
827
 * @return string
828
 */
829
function icon_link($path, $fragment = '') {
830
  $iconlink = l(custom_icon_font_markup('icon-interal-link-alt-solid', ['class' => ['superscript']]), $path, ['html' => TRUE, 'fragment' => $fragment] );
831
  return $iconlink;
832
}
(1-1/11)