You are here

class TrainingForm in Opigno statistics 8

Same name and namespace in other branches
  1. 3.x src/Form/TrainingForm.php \Drupal\opigno_statistics\Form\TrainingForm

Implements the training statistics page.

Hierarchy

Expanded class hierarchy of TrainingForm

1 string reference to 'TrainingForm'
opigno_statistics.routing.yml in ./opigno_statistics.routing.yml
opigno_statistics.routing.yml

File

src/Form/TrainingForm.php, line 24

Namespace

Drupal\opigno_statistics\Form
View source
class TrainingForm extends FormBase {
  use StatisticsPageTrait;

  /**
   * Database connection.
   *
   * @var \Drupal\Core\Database\Connection
   */
  protected $database;

  /**
   * Time.
   *
   * @var \Drupal\Component\Datetime\Time
   */
  protected $time;

  /**
   * Date formatter.
   *
   * @var \Drupal\Core\Datetime\DateFormatter
   */
  protected $date_formatter;

  /**
   * TrainingForm constructor.
   */
  public function __construct(Connection $database, TimeInterface $time, DateFormatterInterface $date_formatter) {
    $this->database = $database;
    $this->time = $time;
    $this->date_formatter = $date_formatter;
  }

  /**
   * Create.
   */
  public static function create(ContainerInterface $container) {
    return new static($container
      ->get('database'), $container
      ->get('datetime.time'), $container
      ->get('date.formatter'));
  }

  /**
   * {@inheritdoc}
   */
  public function getFormId() {
    return 'opigno_statistics_training_form';
  }

  /**
   * Builds training progress.
   *
   * @param \Drupal\group\Entity\GroupInterface $group
   *   Group.
   * @param \Drupal\Core\Datetime\DrupalDateTime|Boolean $datetime
   *   Date.
   * @param mixed $expired_uids
   *   Users uids with the training expired certification.
   *
   * @return array
   *   Render array.
   *
   * @throws \Exception
   */
  protected function buildTrainingsProgress(GroupInterface $group, $datetime, $expired_uids = NULL) {
    if ($datetime) {
      $time_str = $datetime
        ->format(DrupalDateTime::FORMAT);
      $group_bundle = $group
        ->bundle();

      // Get number of users with expired certificates.
      $expired_users_number = !empty($expired_uids) ? count($expired_uids) : 0;
      $query = $this->database
        ->select('opigno_learning_path_achievements', 'a');
      $query
        ->addExpression('SUM(a.progress) / (COUNT(a.progress) + :expired_users_number) / 100', 'progress', [
        ':expired_users_number' => $expired_users_number,
      ]);
      $query
        ->addExpression('COUNT(a.completed) / (COUNT(a.registered) + :expired_users_number)', 'completion', [
        ':expired_users_number' => $expired_users_number,
      ]);
      $query
        ->condition('a.uid', 0, '<>');
      if (!empty($expired_uids)) {

        // Exclude users with the training expired certification.
        $query
          ->condition('a.uid', $expired_uids, 'NOT IN');
      }
      $or_group = $query
        ->orConditionGroup();
      $or_group
        ->condition('a.completed', $time_str, '<');
      $or_group
        ->isNull('a.completed');
      if ($group_bundle == 'learning_path') {
        $query
          ->condition('a.gid', $group
          ->id())
          ->condition('a.registered', $time_str, '<');
      }
      elseif ($group_bundle == 'opigno_class') {
        $query_class = $this->database
          ->select('group_content_field_data', 'g_c_f_d')
          ->fields('g_c_f_d', [
          'gid',
        ])
          ->condition('entity_id', $group
          ->id())
          ->condition('type', 'group_content_type_27efa0097d858')
          ->execute()
          ->fetchAll();
        $lp_ids = [];
        foreach ($query_class as $result_ids) {
          $lp_ids[] = $result_ids->gid;
        }
        if (empty($lp_ids)) {
          $lp_ids[] = 0;
        }
        $query
          ->condition('a.gid', $lp_ids, 'IN');
      }

      // Add only class members.
      $members = $group
        ->getMembers();
      foreach ($members as $member) {
        $user = $member
          ->getUser();
        if ($user) {
          $members_ids[$user
            ->id()] = $member
            ->getUser()
            ->id();
        }
      }
      if (empty($members_ids)) {
        $members_ids[] = 0;
      }
      $query
        ->condition('a.uid', $members_ids, 'IN');
      $data = $query
        ->execute()
        ->fetchAssoc();
    }
    else {
      $data = [
        'progress' => 0,
        'completion' => 0,
      ];
    }
    return [
      '#type' => 'container',
      '#attributes' => [
        'class' => [
          'trainings-progress',
        ],
      ],
      'progress' => $this
        ->buildValueWithIndicator($this
        ->t('Training Progress'), $data['progress'], NULL, t('The training progress is the sum of progress for all the users registered to the training divided by the number of users registered to the training.')),
      'completion' => $this
        ->buildValueWithIndicator($this
        ->t('Training Completion'), $data['completion'], NULL, t('The training completion for a training is the total number of users being successful at the training divided by the number of users registered to the training.')),
    ];
  }

  /**
   * Builds one block for the user metrics.
   *
   * @param string $label
   *   Label.
   * @param string $value
   *   Value.
   * @param string $help_text
   *   Help text.
   *
   * @return array
   *   Render array.
   */
  protected function buildUserMetric($label, $value, $help_text = NULL) {
    return [
      '#type' => 'container',
      '#attributes' => [
        'class' => [
          'user-metric',
        ],
      ],
      [
        '#type' => 'html_tag',
        '#tag' => 'div',
        '#attributes' => [
          'class' => [
            'user-metric-value',
          ],
        ],
        '#value' => $value,
        $help_text ? [
          '#type' => 'html_tag',
          '#tag' => 'div',
          '#attributes' => [
            'class' => [
              'popover-help',
            ],
            'data-toggle' => 'popover',
            'data-content' => $help_text,
          ],
          '#value' => '?',
        ] : NULL,
      ],
      [
        '#type' => 'html_tag',
        '#tag' => 'div',
        '#attributes' => [
          'class' => [
            'user-metric-label',
          ],
        ],
        '#value' => $label,
      ],
    ];
  }

  /**
   * Builds user metrics.
   *
   * @param \Drupal\group\Entity\GroupInterface $group
   *   Group.
   *
   * @return array
   *   Render array.
   */
  protected function buildUserMetrics(GroupInterface $group) {
    if ($group
      ->bundle() == 'opigno_class') {
      $condition = 'AND gc.type IN (\'opigno_class-group_membership\')';
    }
    else {
      $condition = 'AND gc.type IN (\'learning_path-group_membership\', \'opigno_course-group_membership\')';
    }
    $query = $this->database
      ->select('users', 'u');
    $query
      ->innerJoin('group_content_field_data', 'gc', "gc.entity_id = u.uid\n" . $condition . "\nAND gc.gid = :gid", [
      ':gid' => $group
        ->id(),
    ]);
    $users = $query
      ->condition('u.uid', 0, '<>')
      ->countQuery()
      ->execute()
      ->fetchField();
    $now = $this->time
      ->getRequestTime();

    // Last 7 days.
    $period = 60 * 60 * 24 * 7;
    $query = $this->database
      ->select('users_field_data', 'u');
    $query
      ->innerJoin('group_content_field_data', 'gc', "gc.entity_id = u.uid\n" . $condition . "\nAND gc.gid = :gid", [
      ':gid' => $group
        ->id(),
    ]);
    $new_users = $query
      ->condition('u.uid', 0, '<>')
      ->condition('u.created', $now - $period, '>')
      ->countQuery()
      ->execute()
      ->fetchField();
    $query = $this->database
      ->select('users_field_data', 'u');
    $query
      ->innerJoin('group_content_field_data', 'gc', "gc.entity_id = u.uid\n" . $condition . "\nAND gc.gid = :gid", [
      ':gid' => $group
        ->id(),
    ]);
    $active_users = $query
      ->condition('u.uid', 0, '<>')
      ->condition('u.login', $now - $period, '>')
      ->countQuery()
      ->execute()
      ->fetchField();
    return [
      '#theme' => 'opigno_statistics_user_metrics',
      '#help_text' => t('The metrics below are related to this training'),
      'users' => $this
        ->buildUserMetric($this
        ->t('Users'), $users, t('This is the number of users registered to that training.')),
      'new_users' => $this
        ->buildUserMetric($this
        ->t('New users'), $new_users, t('This is the number of users who registered during the last 7 days')),
      'active_users' => $this
        ->buildUserMetric($this
        ->t('Recently active users'), $active_users, t('This is the number of users who where active in that training within the last 7 days.')),
    ];
  }

  /**
   * Builds training content.
   *
   * @param \Drupal\group\Entity\GroupInterface $group
   *   Group.
   * @param mixed $expired_uids
   *   Users uids with the training expired certification.
   *
   * @return array
   *   Render array.
   *
   * @throws \Exception
   */
  protected function buildTrainingContent(GroupInterface $group, $expired_uids = NULL) {
    $gid = $group
      ->id();
    $query = $this->database
      ->select('users', 'u');
    $query
      ->innerJoin('group_content_field_data', 'gc', "gc.entity_id = u.uid\nAND gc.type IN ('learning_path-group_membership', 'opigno_course-group_membership')\nAND gc.gid = :gid", [
      ':gid' => $gid,
    ]);
    $query
      ->fields('u', [
      'uid',
    ]);
    $users = $query
      ->condition('u.uid', 0, '<>')
      ->execute()
      ->fetchAll();
    $users_number = count($users);

    // Filter users with expired certificate.
    $users = array_filter($users, function ($user) use ($expired_uids) {
      return !in_array($user->uid, $expired_uids);
    });
    $table = [
      '#type' => 'table',
      '#attributes' => [
        'class' => [
          'statistics-table',
          'training-content-list',
          'table-striped',
        ],
      ],
      '#header' => [
        $this
          ->t('Step'),
        $this
          ->t('% Completed'),
        $this
          ->t('Avg score'),
        $this
          ->t('Avg time spent'),
      ],
      '#rows' => [],
    ];
    $rows = [];
    if (LPStatus::isCertificateExpireSet($group)) {

      // Calculate training content in condition of certification.
      $contents = OpignoGroupManagedContent::loadByGroupId($gid);
      if ($users && $contents) {
        foreach ($contents as $content) {
          $content_id = $content
            ->id();
          $rows[$content_id] = new \stdClass();
          $rows[$content_id]->name = '';
          $rows[$content_id]->completed = 0;
          $rows[$content_id]->score = 0;
          $rows[$content_id]->time = 0;
          $statistics = $this
            ->getGroupContentStatisticsCertificated($group, $users, $content);
          if (!empty($statistics['name'])) {

            // Step name.
            $rows[$content_id]->name = $statistics['name'];

            // Step average completed.
            $rows[$content_id]->completed = $statistics['completed'];

            // Step average score.
            $rows[$content_id]->score = $statistics['score'] / $users_number;

            // Step average score.
            $rows[$content_id]->time = round($statistics['time'] / $users_number);
          }
        }
      }
    }
    else {

      // Calculate training content without certification condition.
      $rows = $this
        ->getTrainingContentStatistics($gid);
    }
    if ($rows) {
      foreach ($rows as $row) {
        if (!empty($row->name)) {
          $completed = round(100 * $row->completed / $users_number);
          $score = round($row->score);
          $time = $row->time > 0 ? $this->date_formatter
            ->formatInterval($row->time) : '-';
          $table['#rows'][] = [
            $row->name,
            $this
              ->t('@completed%', [
              '@completed' => $completed,
            ]),
            $this
              ->t('@score%', [
              '@score' => $score,
            ]),
            $time,
          ];
        }
      }
    }
    return [
      '#type' => 'container',
      '#attributes' => [
        'class' => [
          'training-content',
        ],
      ],
      'title' => [
        '#type' => 'html_tag',
        '#tag' => 'h3',
        '#attributes' => [
          'class' => [
            'training-content-title',
          ],
        ],
        '#value' => $this
          ->t('Training Content'),
      ],
      'list' => $table,
    ];
  }

  /**
   * Builds users results for Learning paths.
   *
   * @param \Drupal\group\Entity\GroupInterface $group
   *   Group.
   * @param mixed $expired_uids
   *   Users uids with the training expired certification.
   *
   * @return array
   *   Render array.
   */
  protected function buildUsersResultsLp(GroupInterface $group, $expired_uids = NULL) {
    $query = $this->database
      ->select('users_field_data', 'u');
    $query
      ->innerJoin('group_content_field_data', 'gc', "gc.entity_id = u.uid\nAND gc.type IN ('learning_path-group_membership', 'opigno_course-group_membership')\nAND gc.gid = :gid", [
      ':gid' => $group
        ->id(),
    ]);
    $query
      ->leftJoin('opigno_learning_path_achievements', 'a', 'a.gid = gc.gid AND a.uid = u.uid');
    $query
      ->condition('u.uid', 0, '<>');
    $data = $query
      ->fields('u', [
      'uid',
      'name',
    ])
      ->fields('a', [
      'status',
      'score',
      'time',
    ])
      ->execute()
      ->fetchAll();
    $table = [
      '#type' => 'table',
      '#attributes' => [
        'class' => [
          'statistics-table',
          'users-results-list',
          'table-striped',
          'trainings-list',
        ],
      ],
      '#header' => [
        $this
          ->t('User'),
        $this
          ->t('Score'),
        $this
          ->t('Passed'),
        $this
          ->t('Time spent'),
        $this
          ->t('Details'),
      ],
      '#rows' => [],
    ];
    foreach ($data as $row) {

      // Expired training certification flag.
      $expired = FALSE;
      if (!empty($expired_uids) && in_array($row->uid, $expired_uids)) {
        $expired = TRUE;
      }
      if ($expired) {
        $row->score = 0;
      }
      $score = isset($row->score) ? $row->score : 0;
      $score = [
        'data' => $this
          ->buildScore($score),
      ];
      if ($expired) {
        $row->status = 'expired';
      }
      $status = isset($row->status) ? $row->status : 'pending';
      $status = [
        'data' => $this
          ->buildStatus($status),
      ];
      if ($expired) {
        $row->time = 0;
      }
      $time = $row->time > 0 ? $this->date_formatter
        ->formatInterval($row->time) : '-';
      $details_link = Link::createFromRoute(Markup::create('<span class="sr-only">' . t('@user_name details', [
        '@user_name' => $row->name,
      ]) . '</span>'), 'opigno_statistics.user.training_details', [
        'user' => $row->uid,
        'group' => $group
          ->id(),
      ])
        ->toRenderable();
      $details_link['#attributes']['class'][] = 'details';
      $details_link['#attributes']['data-user'][] = $row->uid;
      $details_link['#attributes']['data-training'][] = $group
        ->id();
      $details_link = [
        'data' => $details_link,
      ];
      $user_link = Link::createFromRoute($row->name, 'entity.user.canonical', [
        'user' => $row->uid,
      ])
        ->toRenderable();
      $user_link['#attributes']['data-user'][] = $row->uid;
      $user_link['#attributes']['data-training'][] = $group
        ->id();
      $user_link = [
        'data' => $user_link,
      ];
      $table['#rows'][] = [
        'class' => 'training',
        'data-training' => $group
          ->id(),
        'data-user' => $row->uid,
        'data' => [
          $user_link,
          $score,
          $status,
          $time,
          $details_link,
        ],
      ];
    }
    return [
      '#type' => 'container',
      '#attributes' => [
        'class' => [
          'users-results',
        ],
      ],
      'title' => [
        '#type' => 'html_tag',
        '#tag' => 'h3',
        '#attributes' => [
          'class' => [
            'users-results-title',
          ],
        ],
        '#value' => $this
          ->t('Users results'),
      ],
      'list' => $table,
    ];
  }

  /**
   * Builds users results for Classes.
   */
  protected function buildUsersResultsClass(GroupInterface $group, $lp_id = NULL) {
    if (!$lp_id) {
      return;
    }
    $members = $group
      ->getMembers();
    $title = Group::load($lp_id)
      ->label();
    foreach ($members as $member) {
      $user = $member
        ->getUser();
      if ($user) {
        $members_ids[$user
          ->id()] = $member
          ->getUser()
          ->id();
      }
    }
    if (empty($members_ids)) {
      $members_ids[] = 0;
    }
    $query = $this->database
      ->select('users_field_data', 'u')
      ->fields('u', [
      'uid',
      'name',
    ]);
    $query
      ->condition('u.uid', $members_ids, 'IN');
    $query
      ->condition('u.uid', 0, '<>');
    $query
      ->innerJoin('group_content_field_data', 'g_c', 'g_c.entity_id = u.uid');
    $query
      ->condition('g_c.type', [
      'learning_path-group_membership',
      'opigno_course-group_membership',
    ], 'IN');
    $query
      ->condition('g_c.gid', $lp_id);
    $query
      ->leftJoin('opigno_learning_path_achievements', 'a', 'a.gid = g_c.gid AND a.uid = u.uid');
    $query
      ->fields('a', [
      'status',
      'score',
      'time',
      'gid',
    ]);
    $query
      ->orderBy('u.name', 'ASC');
    $statistic = $query
      ->execute()
      ->fetchAll();
    $table = [
      '#type' => 'table',
      '#attributes' => [
        'class' => [
          'statistics-table',
          'users-results-list',
          'table-striped',
        ],
      ],
      '#header' => [
        $this
          ->t('User'),
        $this
          ->t('Score'),
        $this
          ->t('Passed'),
        $this
          ->t('Time spent'),
        $this
          ->t('Details'),
      ],
      '#rows' => [],
    ];
    foreach ($statistic as $row) {
      $score = isset($row->score) ? $row->score : 0;
      $score = [
        'data' => $this
          ->buildScore($score),
      ];
      $status = isset($row->status) ? $row->status : 'pending';
      $status = [
        'data' => $this
          ->buildStatus($status),
      ];
      $time = $row->time > 0 ? $this->date_formatter
        ->formatInterval($row->time) : '-';
      $details_link = Link::createFromRoute('', 'opigno_statistics.user', [
        'user' => $row->uid,
      ])
        ->toRenderable();
      $details_link['#attributes']['class'][] = 'details';
      $details_link = [
        'data' => $details_link,
      ];
      $table['#rows'][] = [
        $row->name,
        $score,
        $status,
        $time,
        $details_link,
      ];
    }

    // Hide links on detail user pages if user don't have permissions.
    $account = \Drupal::currentUser();
    if (!$account
      ->hasPermission('view module results')) {
      unset($table['#header'][4]);
      foreach ($table['#rows'] as $key => $table_row) {
        unset($table['#rows'][$key][4]);
      }
    }
    return [
      '#type' => 'container',
      '#attributes' => [
        'class' => [
          'users-results',
        ],
      ],
      'title' => [
        '#type' => 'html_tag',
        '#tag' => 'h3',
        '#attributes' => [
          'class' => [
            'users-results-title',
          ],
        ],
        '#value' => $this
          ->t($title),
      ],
      'list' => $table,
    ];
  }

  /**
   * {@inheritdoc}
   */
  public function buildForm(array $form, FormStateInterface $form_state, $group = NULL) {
    $form['#title'] = $this
      ->t('Training statistics - @training', [
      '@training' => $group
        ->label(),
    ]);
    if ($group
      ->bundle() == 'opigno_class') {
      $query_class = $this->database
        ->select('group_content_field_data', 'g_c_f_d')
        ->fields('g_c_f_d', [
        'gid',
      ])
        ->condition('entity_id', $group
        ->id())
        ->condition('type', 'group_content_type_27efa0097d858')
        ->execute()
        ->fetchAll();
      $lp_ids = [];
      foreach ($query_class as $result_ids) {
        $lp_ids[] = $result_ids->gid;
      }
    }
    else {
      $lp_ids[] = $group
        ->id();
    }
    if (empty($lp_ids)) {
      $lp_ids[] = 0;
    }
    $query = $this->database
      ->select('opigno_learning_path_achievements', 'a');
    $query
      ->addExpression('YEAR(a.registered)', 'year');
    $query
      ->condition('a.gid', $lp_ids, 'IN');
    $data = $query
      ->groupBy('year')
      ->orderBy('year', 'DESC')
      ->execute()
      ->fetchAll();
    $years = [
      'none' => '- None -',
    ];
    foreach ($data as $row) {
      $year = $row->year;
      if (!isset($years[$year])) {
        $years[$year] = $year;
      }
    }
    $max_year = count($years) > 1 ? max(array_keys($years)) : NULL;
    $year_select = [
      '#type' => 'select',
      '#title' => $this
        ->t('Year'),
      '#title_display' => 'invisible',
      '#options' => $years,
      '#default_value' => 'none',
      '#ajax' => [
        'event' => 'change',
        'callback' => '::submitFormAjax',
        'wrapper' => 'statistics-trainings-progress',
      ],
    ];
    $year_current = $form_state
      ->getValue('year');
    if ($year_current == NULL || $year_current == 'none') {
      $year = $max_year;
    }
    else {
      $year = $year_current;
    }
    $query = $this->database
      ->select('opigno_learning_path_achievements', 'a');
    $query
      ->addExpression('MONTH(a.registered)', 'month');
    $query
      ->addExpression('YEAR(a.registered)', 'year');
    $query
      ->condition('a.gid', $lp_ids, 'IN');
    $data = $query
      ->groupBy('month')
      ->groupBy('year')
      ->orderBy('month')
      ->execute()
      ->fetchAll();
    $months = [
      'none' => '- None -',
    ];
    foreach ($data as $row) {
      $month = $row->month;
      if (!isset($months[$month]) && $row->year == $year) {
        $timestamp = mktime(0, 0, 0, $month, 1);
        $months[$month] = $this->date_formatter
          ->format($timestamp, 'custom', 'F');
      }
    }
    $max_month = count($months) > 1 ? max(array_keys($months)) : NULL;
    $month_select = [
      '#type' => 'select',
      '#options' => $months,
      '#title' => $this
        ->t('Month'),
      '#title_display' => 'invisible',
      '#default_value' => 'none',
      '#ajax' => [
        'event' => 'change',
        'callback' => '::submitFormAjax',
        'wrapper' => 'statistics-trainings-progress',
      ],
    ];
    $month = $form_state
      ->getValue('month', $max_month);
    if ($month == 'none' || $year_current == NULL || $year_current == 'none') {
      $month = $max_month;
    }
    $datetime = FALSE;
    if ($month !== 'none' && $year !== 'none') {
      $timestamp = mktime(0, 0, 0, $month, 1, $year);
      $datetime = DrupalDateTime::createFromTimestamp($timestamp);
      $datetime
        ->add(new \DateInterval('P1M'));
    }

    // Get users with the training expired certification.
    $expired_uids = $this
      ->getExpiredUsers($group);
    $form['trainings_progress'] = [
      '#type' => 'container',
      '#attributes' => [
        'id' => 'statistics-trainings-progress',
      ],
      // H2 Need for correct structure.
      [
        '#type' => 'html_tag',
        '#tag' => 'h2',
        '#value' => $this
          ->t('Training statistics'),
        '#attributes' => [
          'class' => [
            'sr-only',
          ],
        ],
      ],
      'year' => $year_select,
      'month' => $month_select,
    ];
    if ($year_current != NULL && $year_current != 'none') {
      $form['trainings_progress']['month'] = $month_select;
    }
    $form['trainings_progress']['trainings_progress'] = $this
      ->buildTrainingsProgress($group, $datetime, $expired_uids);
    if ($group
      ->bundle() == 'opigno_class') {
      $form[] = [
        '#type' => 'container',
        'users' => $this
          ->buildUserMetrics($group),
      ];
      foreach ($lp_ids as $lp_id) {
        $form[] = [
          'training_class_results_' . $lp_id => $this
            ->buildUsersResultsClass($group, $lp_id),
        ];
      }
    }
    else {
      $form[] = [
        '#type' => 'container',
        'users' => $this
          ->buildUserMetrics($group),
        'training_content' => $this
          ->buildTrainingContent($group, $expired_uids),
        'user_results' => $this
          ->buildUsersResultsLp($group, $expired_uids),
      ];
    }
    $form['#attached']['library'][] = 'opigno_statistics/training';
    $form['#attached']['library'][] = 'opigno_statistics/user';
    return $form;
  }

  /**
   * Ajax form submit.
   */
  public function submitFormAjax(array &$form, FormStateInterface $form_state) {
    $trigger = $form_state
      ->getTriggeringElement();
    if (isset($trigger['#name']) && $trigger['#name'] == 'year') {
      $form['trainings_progress']['month']['#value'] = 'none';
    }
    return $form['trainings_progress'];
  }

  /**
   * {@inheritdoc}
   */
  public function submitForm(array &$form, FormStateInterface $form_state) {
  }

}

Members

Namesort descending Modifiers Type Description Overrides
DependencySerializationTrait::$_entityStorages protected property An array of entity type IDs keyed by the property name of their storages.
DependencySerializationTrait::$_serviceIds protected property An array of service IDs keyed by property name used for serialization.
DependencySerializationTrait::__sleep public function 1
DependencySerializationTrait::__wakeup public function 2
FormBase::$configFactory protected property The config factory. 1
FormBase::$requestStack protected property The request stack. 1
FormBase::$routeMatch protected property The route match.
FormBase::config protected function Retrieves a configuration object.
FormBase::configFactory protected function Gets the config factory for this form. 1
FormBase::container private function Returns the service container.
FormBase::currentUser protected function Gets the current user.
FormBase::getRequest protected function Gets the request object.
FormBase::getRouteMatch protected function Gets the route match.
FormBase::logger protected function Gets the logger for a specific channel.
FormBase::redirect protected function Returns a redirect response object for the specified route. Overrides UrlGeneratorTrait::redirect
FormBase::resetConfigFactory public function Resets the configuration factory.
FormBase::setConfigFactory public function Sets the config factory for this form.
FormBase::setRequestStack public function Sets the request stack object to use.
FormBase::validateForm public function Form validation handler. Overrides FormInterface::validateForm 62
LinkGeneratorTrait::$linkGenerator protected property The link generator. 1
LinkGeneratorTrait::getLinkGenerator Deprecated protected function Returns the link generator.
LinkGeneratorTrait::l Deprecated protected function Renders a link to a route given a route name and its parameters.
LinkGeneratorTrait::setLinkGenerator Deprecated public function Sets the link generator service.
LoggerChannelTrait::$loggerFactory protected property The logger channel factory service.
LoggerChannelTrait::getLogger protected function Gets the logger for a specific channel.
LoggerChannelTrait::setLoggerFactory public function Injects the logger channel factory.
MessengerTrait::$messenger protected property The messenger. 29
MessengerTrait::messenger public function Gets the messenger. 29
MessengerTrait::setMessenger public function Sets the messenger.
RedirectDestinationTrait::$redirectDestination protected property The redirect destination service. 1
RedirectDestinationTrait::getDestinationArray protected function Prepares a 'destination' URL query parameter for use with \Drupal\Core\Url.
RedirectDestinationTrait::getRedirectDestination protected function Returns the redirect destination service.
RedirectDestinationTrait::setRedirectDestination public function Sets the redirect destination service.
StatisticsPageTrait::buildCircleIndicator protected function Builds circle indicator for a value.
StatisticsPageTrait::buildScore protected function Builds render array for a score value.
StatisticsPageTrait::buildStatus protected function Builds render array for a status value.
StatisticsPageTrait::buildValue protected function Builds value for the training progress block.
StatisticsPageTrait::buildValueWithIndicator protected function Builds value with a indicator for the training progress block.
StatisticsPageTrait::getExpiredUsers protected function Returns users with the training expired certification.
StatisticsPageTrait::getGroupContentStatisticsCertificated protected function Returns group content average statistics for certificated training.
StatisticsPageTrait::getTrainingContentStatistics protected function Returns training content data by each step.
StringTranslationTrait::$stringTranslation protected property The string translation service. 1
StringTranslationTrait::formatPlural protected function Formats a string containing a count of items.
StringTranslationTrait::getNumberOfPlurals protected function Returns the number of plurals supported by a given language.
StringTranslationTrait::getStringTranslation protected function Gets the string translation service.
StringTranslationTrait::setStringTranslation public function Sets the string translation service to use. 2
StringTranslationTrait::t protected function Translates a string to the current language or to a given language.
TrainingForm::$database protected property Database connection.
TrainingForm::$date_formatter protected property Date formatter.
TrainingForm::$time protected property Time.
TrainingForm::buildForm public function Form constructor. Overrides FormInterface::buildForm
TrainingForm::buildTrainingContent protected function Builds training content.
TrainingForm::buildTrainingsProgress protected function Builds training progress.
TrainingForm::buildUserMetric protected function Builds one block for the user metrics.
TrainingForm::buildUserMetrics protected function Builds user metrics.
TrainingForm::buildUsersResultsClass protected function Builds users results for Classes.
TrainingForm::buildUsersResultsLp protected function Builds users results for Learning paths.
TrainingForm::create public static function Create. Overrides FormBase::create
TrainingForm::getFormId public function Returns a unique string identifying the form. Overrides FormInterface::getFormId
TrainingForm::submitForm public function Form submission handler. Overrides FormInterface::submitForm
TrainingForm::submitFormAjax public function Ajax form submit.
TrainingForm::__construct public function TrainingForm constructor.
UrlGeneratorTrait::$urlGenerator protected property The url generator.
UrlGeneratorTrait::getUrlGenerator Deprecated protected function Returns the URL generator service.
UrlGeneratorTrait::setUrlGenerator Deprecated public function Sets the URL generator service.
UrlGeneratorTrait::url Deprecated protected function Generates a URL or path for a specific route based on the given parameters.