web-dev-qa-db-ja.com

entityreferenceオートコンプリートをオーバーライドし、entityfieldqueryの出力を返す

Entityreferenceオートコンプリートフォームアイテムをオーバーライドしようとしています。フォームをオーバーライドし、hook_menuコールバックに引数を渡しました。ただし、フォームボックスに入力した内容に基づいてコールバックを機能させるのに苦労しています。 エンティティ参照 モジュールを見ると、hook_autocomplete_callbackに$ string引数を処理し、一致する$entity_labels = $handler->getReferencableEntities($tag_last, $instance['widget']['settings']['match_operator']を検索するコードがいくつかあります。

誰でも手伝ってくれる?

私のコード:

/**
 * Implements hook_form_FORM_ID_alter().
 */
function wl_event_form_event_node_form_alter(&$form, &$form_state, $form_id) {
  dpm($form);
  // We will get our term id argument from the from build itself.
    $node_id  = $form['#node']->nid;
  // This is the path we will create in hook_menu().
     $new_path = "wl_event/autocomplete/{$node_id}";
  // Maximum number of descrete values (deltas) that are present.
 $max_delta = $form['field_wl_event_acquired_resource']['und']['#max_delta'];
  // Hijack the autocomplete callback for each of our values.
  for($x=0; $x <= $max_delta; $x++) {
    $form['field_wl_event_acquired_resource']['und'][$x]['target_id']['#autocomplete_path']= $new_path;
  }
}

/**
 * Implements hook_menu().
 */
// can be used to do a lookup on a menu path to return json
// probably entity reference autocomplete does a similar thing

//we want to get all of the resources of the user profiles of
//users who are registered on the event

//
function wl_event_menu() {
  $items = array();
  $items['wl_event/autocomplete/%'] = array(
    'title' => t('project call back'),
    'page callback' => 'wl_event_autocomplete_callback',
    'page arguments' => array(2),
    'access callback' => TRUE,
    'type' => MENU_CALLBACK
  );
  return $items;
}

function wl_event_autocomplete_callback($arg1, $string = '') {
  $query = new EntityFieldQuery();
  $query->entityCondition('entity_type', 'node')
  ->entityCondition('bundle', 'resource');
  // ->propertyCondition('nid', '1')
  $results = $query->execute();
  print_r(drupal_json_output($results));
  return drupal_json_output($results);
}
7
Andrew Welch

EntityReferenceは、ctoolsプラグインシステムを使用して、オートコンプリートオプションにフィードする選択ハンドラを定義します。インターフェイス定義は entityreference/plugins/selection/abstract.inc で定義されています。同じディレクトリに、含まれている2つのハンドラーSimpleとViewsが表示されます。これらはそれぞれ2つのファイルで定義されます。1つはクラス自体用で、もう1つはプラグインをctoolsに登録するための配列です。

独自の選択ハンドラーを提供するには、最初にhook_ctools_plugin_directoryを実装してプラグインを探す場所をctoolsに伝えます。

/**
 * Implements hook_ctools_plugin_directory().
 */
function wl_event_ctools_plugin_directory($module, $plugin) {
  if ($module == 'entityreference') {
    return 'plugins/' . $plugin;
  }
}

次に、entityreferenceのファイルと同様に、wl_event/plugins/selectionに2つのファイルを作成します。 .incファイルはctoolsプラグイン情報を定義し、.class.phpファイルはプラグインクラスを含む必要があります。ほとんどの場合、EntityReference_SelectionHandler_Genericをサブクラス化し、適切なメソッドをオーバーライドするだけです。

最後に、プラグインクラスを含むファイルをモジュール情報ファイルのfiles[]配列に追加して、オートローダーがそれを見つけられるようにします。

10
zroger