我正在尝试jQuery的自动完成小部件,并且遇到了一些问题。希望得到一些意见/指导。
基本上,我有一个表单,其中有人会输入一个人的名字...然后jQuery将查询数据库并建议匹配。表单有两个需要从JSON数据填充的字段 - 名称字段和隐藏的ID字段。到目前为止,我只能提供建议并在选择时填写名称字段,但没有运气来更新隐藏的ID字段。我知道我必须从jQuery代码中遗漏一些关键字,但还没有想到它。我尝试使用“选择”事件设置值,但没有运气。
以下是相关的FORM代码:
<div id="formblock" class="stack">
<label>Project POC: <span class="error" name="proj_poc_error" id="proj_desc_error">This field is required.</span></label>
<input type="text" name="proj_poc" id="proj_poc">
<input type="hidden" name="proj_poc_id" id="proj_poc_id" value="NOT SET">
</div>
以下是相关的jQuery代码:
$(function() {
$( "#proj_poc" ).autocomplete({
source: function(request, response){
$.getJSON("/includes/AJAX/GetContactNames.php?callback=?", request, function(data){
var suggestions = [];
$.each(data, function(i, val){
suggestions.push(val.contacts);
});
response(suggestions);
});
},
minLength: 2,
select: function( event, ui ){
//Should display user ID a
alert(ui.item.id + ui.item.contacts);
}
});
});
以下是来自GetContactNames.php的相关PHP
//Initiate the session
session_start();
//Load custom classes
include_once ('../../ops.inc.php');
//Get the search term from GET
$param = $_GET['term'];
//Create new dblink class and connect to db
$uplink = new dblink();
$uplink->connect();
//Create new dbcontrol class
$control = new dbcontrol();
//Set the query to select ID and CONCAT'd NAME from Contact Table
$control->query = "SELECT `id`, CONCAT_WS(\" \",`firstname`,`lastname`) AS 'contacts' FROM `addressbook` WHERE `firstname` REGEXP '^$param'";
//Execute the query
$control->execute();
//Set an iterator value to 0
$i = 0;
//Get the results into array, then iterate.
while($row = $control->toAssocArray()){
foreach($row as $column=>$value){
$results[$i][$column] = $value;
}
$i++;
}
//Set the response string and encode for json
$response = $_GET['callback']."(".json_encode($results).")";
//Display the response string
echo $response;
//Disconnect from the database
$uplink->disconnect();
//Destroy classes
unset($uplink, $control);
GetContactNames.php结果的输出如下所示:
([{"id":"1","name":"Santa Clause"},{"id":"2","name":"Joe Blow"}])
有什么建议吗?
答案 0 :(得分:3)
您在源函数中构建的数据结构必须包含具有标签和值字段的对象。标签字段是自动完成菜单中显示的内容,该值是选择值后将在文本字段中设置为值的值。
以下是搜索用户时的示例:
success: function( data ) {
response( $.map( data, function( item ) {
return {
label: item.username+" ("+item.firstname+" "+item.lastname+")",
value: item.username
};
}
在此示例中,显示的值将是用户名+名字和姓氏,而实际复制到文本字段中的值将只是用户名。
然后你可以在select函数中执行此操作:
select: function( event, ui ) {
alert(ui.item.value);
}
此外,在您的代码中,我看不到val.contacts
变量的来源,因为在您提供的JSON中,对象上没有“contacts”字段...
希望这有帮助。