web-dev-qa-db-ja.com

Twitter Bootstrap Typeahead-Id&Label

Bootstrap 2.1.1およびjQuery 1.8.1を使用して、Typeaheadの機能を使用しようとしています。

ラベルを表示し、標準の_<select />_のようにidを使用しようとしています

ここに私の先行入力の初期化があります:

_$(':input.autocomplete').typeahead({
    source: function (query, process) {
        $('#autocompleteForm .query').val(query);
        return $.get(
            $('#autocompleteForm').attr('action')
          , $('#autocompleteForm').serialize()
          , function (data) {
              return process(data);
          }
        );
    }
});
_

これが私が送信しているJSONの種類です

_[{"id":1,"label":"machin"},{"id":2,"label":"truc"}]
_

process()にラベルを表示し、選択したIDを別の非表示フィールドに保存するにはどうすればよいですか?

44

これを行う方法を説明する素晴らしいチュートリアルがあります: http://tatiyants.com/how-to-use-json-objects-with-Twitter-bootstrap-typeahead/ (私のコメントを読んでくださいそのページが投稿の主要部分にまだ反映されていない場合)。

そのチュートリアルと提供したJSONに基づいて、次のようなことができます。

$(':input.autocomplete').typeahead({
    source: function(query, process) {
        objects = [];
        map = {};
        var data = [{"id":1,"label":"machin"},{"id":2,"label":"truc"}] // Or get your JSON dynamically and load it into this variable
        $.each(data, function(i, object) {
            map[object.label] = object;
            objects.Push(object.label);
        });
        process(objects);
    },
    updater: function(item) {
        $('hiddenInputElement').val(map[item].id);
        return item;
    }
});                    
79
Gerbus

Twitter Typeaheadのバージョン0.10.1( https://github.com/Twitter/typeahead.js )では、ID /ラベルがネイティブにサポートされています:

  $('input[name=address]').typeahead({
        hint: false
    }, {
        source: function (query, cb) {
            $.ajax({
                url: '/api/addresses?q=' + encodeURIComponent(query),
                dataType: 'json',
                cache: false,
                type: 'GET',
                success: function (response, textStatus, jqXHR) {
                    cb(response.data);
                },
                error: function (jqXHR, textStatus, errorThrown) {
                }
            });
        },
        name: 'addresses',
        displayKey: 'text'
    }).on('typeahead:selected', function (e, suggestion, name) {
        window.location.href = '/' + suggestion.id;
    });

上記の例の場合、オブジェクトの配列をソースコールバック(cb)に渡します。 displayKey: 'text'を指定することで、自動提案に 'text'プロパティを使用するようにライブラリに指示しています。 'typeahead:select'コールバックが呼び出されると、渡された2番目の引数(提案)には選択されたオブジェクトが含まれます。

13
Johnny Oshika

コメントで私が言っていたことを明確にするため。同じページで複数のタイプを先読みしたい場合は、関数内でそれぞれを定義し、それらに個別のマップ変数を作成する必要があります。

function initFromField() {
    var map;
    $('#from:input.autocomplete').typeahead({
        source: function(query, process) {
            map = {};
            var data = [{"id":1,"label":"machin"},{"id":2,"label":"truc"}] // Or get your JSON dynamically and load it into this variable
            objects = constructMap(data, map);
            process(objects);
        },
        updater: function(item) {
            $('#hidden-from-input').val(map[item].id);
            return item;
        }
    });
}

function initToField() {
    var map;
    $('#to:input.autocomplete').typeahead({
        source: function(query, process) {
            objects = [];
            map = {};
            var data = [{"id":1,"label":"machin"},{"id":2,"label":"truc"}] // Or get your JSON dynamically and load it into this variable
            objects = constructMap(data, map);
            process(objects);
        },
        updater: function(item) {
            $('#hidden-to-input').val(map[item].id);
            return item;
        }
    });
}

function constructMap(data, map) {
    var objects = [];
    $.each(data, function(i, object) {
        map[object.label] = object;
        objects.Push(object.label);
    });
    return objects;
}

$(function initFields() {
    initFromField();
    initToField();
});

2つのフィールド初期化関数内でマップ変数のスコープをどのように設定したかに注意してください。これは重要です。同じマップ変数が両方の入力フィールドで使用されないようにします。

6

これらのソリューションのいくつかで見た問題は、入力ボックスのすべてのキーアップイベントでsource関数が繰り返し呼び出されることです。つまり、すべてのキーアップイベントで配列が作成され、ループされます。

これは必要ありません。クロージャーを使用すると、データを一度だけ処理し、source関数内からデータへの参照を維持できます。さらに、次のソリューションは、@ Gerbusのソリューションのグローバルな名前空間の問題を解決し、ユーザーが何かを選択すると(たとえば、リストからそのアイテムを削除するなど)、データの配列を操作することもできます。

  // Setup the auto-complete box of users
  var setupUserAcUi = function(data) {
      var objects = [];
      var map = {};
      $.each(data, function(i, object) {
          map[object.name] = object;
          objects.Push(object.name);
      });

      // The declaration of the source and updater functions, and the fact they
      // are referencing variables outside their scope, creates a closure
      $("#splitter-findusers").typeahead({
        source: function(query, process) {
            process(objects);
        },
        updater: function(item) {
            var mapItem = map[item];
            objects.splice( $.inArray(item, objects), 1 ); // Remove from list
            // Perform any other actions
        }
      });
  };

  // `data` can be an array that you define,
  // or you could pass `setupUserAcUi` as the callback to a jQuery.ajax() call
  // (which is actually how I am using it) which returns an array
  setupUserAcUi(data);
3
vcardillo

私は自分でこの問題に苦労してきましたが、次のタイプのデータについて、私が思いついた解決策があります:

[{'id':an_id, 'name':a_name}]

だった:

$("#memberSearch").typeahead({
            source: function (query, process) {
                var $this = this //get a reference to the typeahead object
                return $.get('/getSwimmerListJSON',function(data){
                    var options = [];
                    $this["map"] = {}; //replace any existing map attr with an empty object
                    $.each(data,function (i,val){
                        options.Push(val.name);
                        $this.map[val.name] = val.id; //keep reference from name -> id
                    });
                    return process(options);
                });
            },
            updater: function (item) {
                console.log(this.map[item],item); //access it here

            }

        });
3
HennyH

これがカプセル化されたソリューションです。このソリューションにより、同じページに複数の先行入力を行うことができます。

これは #13279176 Gerbusの回答の修正版です。

_$('.make-me-typeahead').typeahead({
    source: function (query) {
        var self = this;
        self.map = {};
        var items = [];

        var data = [
            {"id": 1, "label": "machin"},
            {"id": 2, "label": "truc"}
        ];

        $.each(data, function (i, item) {
            self.map[item.label] = item;
            items.Push(item.label)
        });

        return items;
    },

    updater: function (item) {
        var selectedItem = this.map[item];
        this.$element.data('selected', selectedItem);
        return item;
    }
});
_

これで、現在選択されているアイテムのキーを取得する必要がある場合、必要なのは$('.make-me-typeahead').data('selected')だけです

3
Capy

選択した答えはちょっとしたハックです。私は同じものを探していましたが、このアプローチは美しく機能します:

https://github.com/twbs/bootstrap/pull/3682

先行入力が示す名前用と、名前の抽出元のオブジェクト用の2つの配列を保持します。オプションの1つが選択されると、名前を使用して、オブジェクトがどこから来たかを見つけます。

3
Kevin Lawrence

Pierref関数を実装する別の方法。

var separator = "####";
$("'.autocomplete'").typeahead({
    minLength: 3,
    source: function (query, process) {
        var config = {
            type: 'POST',
            url: 'Requests/AJAX.PHP', //Change it
            cache: 'false',
            data: {
                query: query
            },
            dataType: 'json'
        };

        config.beforeSend = function () {
            //TODO : loading gif
        };

        config.error = function (json) {
            if (json.error) {
                alert(json.error);
            }
        };

        config.success = function (json) {
            if (json.error) {
                alert(json.error);
            }
            var data = [];
            for (var i = 0; i < json.data.length; i++) {
                data.Push(json.data[i].id + separator + json.data[i].name);
            }

            process(data);
        };

        $.ajax(config);
    },
    highlighter: function (item) {
        var parts = item.split(separator);
        parts.shift();
        return parts.join(separator);
    },
    updater: function (item) {
        var parts = item.split(separator);
        $('.autocomplete').val(parts.shift());
        return parts.join(separador);
    }
});
1
Pedro Muniz

選択した回答は、一意でないラベル(たとえば、人の名前)を処理しません。デフォルトの蛍光ペンの書式を保持する次のものを使用しています。

            var callback = function(id) {
                console.log(id);
            };

            $('.typeahead',this.el).typeahead({
                source: function (query, process) {

                    var sourceData = [
                        {id:"abc",label:"Option 1"},
                        {id:"hfv",label:"Option 2"},
                        {id:"jkf",label:"Option 3"},
                        {id:"ds",label:"Option 4"},
                        {id:"dsfd",label:"Option 5"},
                    ];

                    var concatSourceData = _.map(sourceData,function(item){
                        return item.id + "|" + item.label;
                    });

                    process(concatSourceData);
                },

                matcher : function(item) {
                    return this.__proto__.matcher.call(this,item.split("|")[1]);
                },

                highlighter: function(item) {
                    return this.__proto__.highlighter.call(this,item.split("|")[1]);
                },

                updater: function(item) {
                    var itemArray = item.split("|");
                    callback(itemArray[0]);
                    return this.__proto__.updater.call(this,itemArray[1]);
                }
            });
1
will.ogden