web-dev-qa-db-ja.com

テーマDrupalフォームAPIチェックボックスをグリッドとして

約2ダースのチェックボックスのフォーム要素を表示するカスタムフォームがあります。できればテーブルに、1行に3つずつ出力したいと思います。どうすればそれを実現できますか?

$form['preference'] = array(
    '#type' => 'checkboxes',
      '#default_value' => 1373,
    '#required' => TRUE,
    '#title' => 'Choose all that apply',
    '#options' => $preference_options,
    '#prefix' => '<div id="preference-options">',
    '#suffix' => '</div>',
  );
5
Kevin

まず、hook_theme()でカスタムテーマ関数を定義し、#themeでフォーム要素に割り当てます。

そのテーマ関数では、 expand_checkboxes を使用して、個別のチェックボックス要素の配列に変換できます。次に、それぞれを3つの要素を持つ配列に再構成し、チェックボックスをレンダリングして、theme_table()に渡します。

このような何か、すべて未テスト。

function theme_yourmodule_preference($element) {
  $elements = element_children(expand_checkboxes($element));

  $rows = array();
  for ($i = 0; $i < count($elements); $i += 3) {
    $row = array(drupal_render($elements[$i]));
    // The following two might not always exist, check first.
    if (isset($elements[$i + 1]) {
      $row[] = drupal_render($elements[$i + 1]);
    }
    if (isset($elements[$i + 2]) {
      $row[] = drupal_render($elements[$i + 2]);
    }
    $rows[] = $row;
  }
  return theme('table', array(), $rows);
}
8
Berdir

列とDrupal 7.で表示するようにBerdirのソリューションを調整しました。7。それを共有したいと思いました。

function yourmodule_theme() {
  return array
      (
      'form_yourmodule_form' => array
          (
          'render element' => 'form'
      ),
  );
}

function theme_form_yourmodule_form($variables) {

  $form = $variables['form'];

  $element = $form['checkboxelement'];
  unset($form['checkboxelement']);

  $elements = element_children(form_process_checkboxes($element));

  $colnr = 3;   // set nr of columns here

  $itemCount = count($elements);
  $rowCount = $itemCount / $colnr;
  if (!is_int($rowCount))
    $rowCount = round((($itemCount / $colnr) + 0.5), 0, PHP_ROUND_HALF_UP);
  $rows = array();
  for ($i = 0; $i < $rowCount; $i++) {
    $row = array();
    for ($col = 0; $col < $colnr; $col++) {
      if (isset($elements[$i + $rowCount * $col]))
        $row[] = drupal_render($element[$elements[$i + $rowCount * $col]]);
    }
    $rows[] = $row;
  }

  $variable = array(
      'header' => array(),
      'rows' => $rows,
      'attributes' => array('class' => 'checkbox_columns'),
      'caption' => NULL,
      'colgroups' => NULL,
      'sticky' => NULL,
      'empty' => NULL,
  );


  $output = theme_table($variable);

  $output .= drupal_render_children($form);

  return $output;
}

私はさらに簡単な解決策を見つけました:これのためのモジュールがあります! 複数列のチェックボックスラジオ

4
Whiskey