我想使用Photon服务创建一个自动完成的输入框。我尝试做的是创建一个返回结果的ajax请求。通过输入地址的几个字母,Photon API应该会向我显示结果,如图所示:

我所写的内容如下:
html
<div class="frmSearch">
<input type="text" id="search-box" placeholder="Country Name" />
<div id="suggesstion-box"></div>
</div>js
$("#search-box").keyup(function(){
$.ajax({
type: "GET",
url: "http://photon.komoot.de/api/?q=" + $("#search-box").val(),
beforeSend: function(){
$("#search-box").css("background","#FFF url(LoaderIcon.gif) no-repeat 165px");
},
success: function(results){
var aList = results.features;
var aOptions = [];
for (i=0; i < aList.length; i++) {
optKey = aList[i].geometry.coordinates[0]+','+aList[i].geometry.coordinates[1];
optLabel = aList[i].properties.name+', '+aList[i].properties.street+' '+aList[i].properties.housenumber+', '+
aList[i].properties.city+', '+aList[i].properties.postcode;
aOptions.push({
"value": optKey,
"label": optLabel
});
}
$("#suggesstion-box").show();
$("#suggesstion-box").html(aOptions);
$("#search-box").css("background","#FFF");
}
});
});API调用运行得很好,但是我的建议框没有出现。我哪里做错了?
发布于 2020-10-13 16:04:56
不能直接使用html()函数添加对象。您只能传递string
因此,您需要将对象数组解析为string
$("#search-box").keyup(function() {
$.ajax({
type: "GET",
url: "https://photon.komoot.de/api/?q=" + $("#search-box").val(),
beforeSend: function() {
$("#search-box").css("background", "#FFF url(LoaderIcon.gif) no-repeat 165px");
},
success: function(results) {
var aList = results.features;
var aOptions = [];
let htmlVal = '';
for (i = 0; i < aList.length; i++) {
optKey = aList[i].geometry.coordinates[0] + ',' + aList[i].geometry.coordinates[1];
optLabel = aList[i].properties.name + ', ' + aList[i].properties.street + ' ' + aList[i].properties.housenumber + ', ' +
aList[i].properties.city + ', ' + aList[i].properties.postcode;
aOptions.push({
"value": optKey,
"label": optLabel
});
htmlVal += `${optKey} ${optLabel} <br />`; // add each value to htmlVal
}
$("#suggesstion-box").show();
$("#suggesstion-box").html(htmlVal);
$("#search-box").css("background", "#FFF");
}
});
});<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<div class="frmSearch">
<input type="text" id="search-box" placeholder="Country Name" />
<div id="suggesstion-box"></div>
</div>
https://stackoverflow.com/questions/64330626
复制相似问题