フロントエンドでangularjsを使用しています。index.html には 2 つの入力ボックス (名と姓) と 1 つのボタンがあります。ボタンをクリックすると (ng-click="search()")、ファーストネームとラストネームをパラメータとして http GET リクエストを呼び出したいと思います。そして、他の DIV タグの同じページに応答を表示したいと考えています。どうすればこれを達成できますか?
質問する
38554 次
1 に答える
17
HTML:
<div ng-app="MyApp" ng-controller="MyCtrl">
<!-- call $scope.search() when submit is clicked. -->
<form ng-submit="search()">
<!-- will automatically update $scope.user.first_name and .last_name -->
<input type="text" ng-model="user.first_name">
<input type="text" ng-model="user.last_name">
<input type="submit" value="Search">
</form>
<div>
Results:
<ul>
<!-- assuming our search returns an array of users matching the search -->
<li ng-repeat="user in results">
{{user.first_name}} {{user.last_name}}
</li>
</ul>
</div>
</div>
Javascript:
angular.module('MyApp', [])
.controller('MyCtrl', ['$scope', '$http', function ($scope, $http) {
$scope.user = {};
$scope.results = [];
$scope.search = function () {
/* the $http service allows you to make arbitrary ajax requests.
* in this case you might also consider using angular-resource and setting up a
* User $resource. */
$http.get('/your/url/search', { params: user },
function (response) { $scope.results = response; },
function (failure) { console.log("failed :(", failure); });
}
}]);
于 2013-09-19T19:27:14.353 に答える