23

这里有小提琴

如果选择了choice1单选按钮,我需要availabletags1作为源,如果选择choice2单选按钮,我需要availabletags2作为源。我需要通过实际的用户选择来动态地改变它。

代码:

 var availableTags1 = [
"ActionScript",
"AppleScript",
"Asp"
];

var availableTags2 = [
"Python",
"Ruby",
"Scala",
"Scheme"
];

$( "#autocomplete" ).autocomplete({
source: availableTags1
});

$('input[name="choice"]').click(function(){
if(this.checked){
    if(this.value == "1"){
        $( "#autocomplete" ).autocomplete('option', 'source', availableTags1)
    } else {
        $( "#autocomplete" ).autocomplete('option', 'source', availableTags2)
    }
4

3 回答 3

35

尝试

$('input[name="choice"]').click(function(){
    if(this.checked){
        if(this.value == "1"){
            $( "#autocomplete" ).autocomplete('option', 'source', availableTags1)
        } else {
            $( "#autocomplete" ).autocomplete('option', 'source', availableTags2)
        }
    }
})

演示:小提琴

于 2013-08-26T11:18:52.740 回答
22

对于任何在 2016 年及以后阅读本文的人,有更好的方法使用该request/response模式。jQuery 自动完成有一个source选项,它接受一个函数,该函数在被插件调用时将接收两个参数:requestresponse. request是一个包含有关自动完成组件的信息的对象,即request.term输入字段的值。response是一个函数,接受单个参数,即返回的数据response(data)。正如您在下面的示例中所看到的,您可以使用此选项来促进 ajax 请求。您可以简单地将request函数作为成功回调传递给 jQuery$.ajax方法,它将按预期工作。您还可以使用此模式做其他很酷的事情,例如如果您已经获取并缓存了一些数据,则在内存中搜索,从而使后续搜索对用户来说更加实时。

$('#term-search').autocomplete({
    source: function(request, response) {
        $.ajax({
            url: $('#api-endpoint').val(),//whether you are using radios, checkboxes, or selects, you can change the endpoint at runtime automatically
            dataType: "json",
            data: {
                query : request.term,//the value of the input is here
                language : $('#lang-type').val(), //you can even add extra parameters
                token : $('#csrf_token').val()
            },
            success: response //response is a callable accepting data parameter. no reason to wrap in anonymous function.
        });
    },
    minLength: 1,
    cacheLength: 0,
    select: function(event, ui) {} //do something with the selected option. refer to jquery ui autocomplete docs for more info
});
于 2016-01-27T06:00:22.027 回答
0

就我而言,我想更改source函数内部的源数据并在响应()之前对其进行变异。所以我只是放了一个全局变量(到全局执行上下文),以便在第二次更改全局变量的值......

例子:

....

var jsonData = null;

....

// maybe inside a listener the code below
if (cond1) {
    jsonData = ['item1','item2'];
else {
    jsonData = ['anotherItem1', 'anotherItem2'];
}

....

$("#query").autocomplete({
  source: function(request, response) {
    if (request.term.length > 2) {
      var matches = $.map(jsonData, function(item) {

        // code code code ...
        if (maybeSomeCondition) {
          return item;
        }
      });
      response(matches);
    }
  },
// 
于 2020-01-21T10:05:17.010 回答