14 jquery jquery-ui autocomplete jquery-mobile
我在这里有一个来自http://jqueryui.com/autocomplete/的代码它工作得很好,但我无法找到一种方法来获取文本视图中所选项目的价值我试过这样的事情,但它不起作用
<script>
$(document).ready(function () {
$('#tags').change(function () {
$('#tagsname').html('You selected: ' + this.value);
}).change();
});
</script>
<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8" />
<title>jQuery UI Autocomplete - Default functionality</title>
<link rel="stylesheet" href="http://code.jquery.com/ui/1.10.3/themes/smoothness/jquery-ui.css" />
<script src="http://code.jquery.com/jquery-1.9.1.js"></script>
<script src="http://code.jquery.com/ui/1.10.3/jquery-ui.js"></script>
<link rel="stylesheet" href="/resources/demos/style.css" />
<script>
$(function() {
var availableTags = [
"ActionScript",
"AppleScript",
"Asp",
"BASIC",
"C",
"C++",
"Clojure",
"COBOL",
"ColdFusion",
"Erlang",
"Fortran",
"Groovy",
"Haskell",
"Java",
"JavaScript",
"Lisp",
"Perl",
"PHP",
"Python",
"Ruby",
"Scala",
"Scheme"
];
$( "#tags" ).autocomplete({
source: availableTags
});
});
</script>
<script>
$(document).ready(function () {
$('#tags').change(function () {
$('#tagsname').html('You selected: ' + this.value);
}).change();
});
</script>
</head>
<body>
<div class="ui-widget">
<label for="tags">Tags: </label>
<input id="tags" />
<div id="tagsname"></div>
</div>
</body>
</html>
Run Code Online (Sandbox Code Playgroud)
Aru*_*hny 42
当自动填充更改值时,它会触发autocompletechange事件,而不是更改事件
$(document).ready(function () {
$('#tags').on('autocompletechange change', function () {
$('#tagsname').html('You selected: ' + this.value);
}).change();
});
Run Code Online (Sandbox Code Playgroud)
演示:小提琴
另一种解决方案是使用select事件,因为只有在输入模糊时才会触发更改事件
$(document).ready(function () {
$('#tags').on('change', function () {
$('#tagsname').html('You selected: ' + this.value);
}).change();
$('#tags').on('autocompleteselect', function (e, ui) {
$('#tagsname').html('You selected: ' + ui.item.value);
});
});
Run Code Online (Sandbox Code Playgroud)
演示:小提琴
Ala*_*blo 20
为了更广泛地回答这个问题,答案是:
select: function( event , ui ) {
alert( "You selected: " + ui.item.label );
}
Run Code Online (Sandbox Code Playgroud)
完整的例子:
$('#test').each(function(i, el) {
var that = $(el);
that.autocomplete({
source: ['apple','banana','orange'],
select: function( event , ui ) {
alert( "You selected: " + ui.item.label );
}
});
});Run Code Online (Sandbox Code Playgroud)
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<link rel="stylesheet" href="//ajax.googleapis.com/ajax/libs/jqueryui/1.11.2/themes/smoothness/jquery-ui.css" />
<script src="//ajax.googleapis.com/ajax/libs/jqueryui/1.11.2/jquery-ui.min.js"></script>
Type a fruit here: <input type="text" id="test" />Run Code Online (Sandbox Code Playgroud)