我在我的cordova移动应用程序中集成了angular-google-maps。我想使用以下函数刷新地图。
function refreshMap() {
$scope.map.control.refresh({
latitude: $scope.location.T_Lat_Deg_W.value,
longitude: $scope.location.T_Long_Deg_W.value
})
}
但是错误消失了
angular.js:13540 TypeError:$ scope.map.control.refresh不是 功能
at Scope.refreshMap (mapController.js:122)
at fn (eval at <anonymous> (angular.js:1), <anonymous>:4:224)
at expensiveCheckFn (angular.js:15475)
at callback (angular.js:25008)
at Scope.$eval (angular.js:17219)
at Scope.$apply (angular.js:17319)
at HTMLAnchorElement.<anonymous> (angular.js:25013)
at defaultHandlerWrapper (angular.js:3456)
at HTMLAnchorElement.eventHandler (angular.js:3444)
以下是此问题的JSFiddle example。
有没有办法解决这个问题?谢谢!
答案 0 :(得分:6)
实际上,这个问题的关键是在完全加载地图之前不应使用$scope.map.control.refresh
。如果地图最初是隐藏的,那么我调用这样的函数
function refreshMap() {
//show map action
$scope.map.showMap = true;
//refresh map action
$scope.map.control.refresh({latitude: 48,longitude: 2.3});
}
refreshMap
函数将同时调用show map动作并刷新map动作。这意味着当我调用$ scope.map.control.refresh函数时,map没有完全加载。因此,它会报告TypeError: $scope.map.control.refresh is not a function
。
一种方法是使用uiGmapIsReady
来检测地图是否可以使用。
function refreshMap() {
//show map action
$scope.map.showMap = true;
//refresh map action
uiGmapIsReady.promise()
.then(function (map_instances) {
$scope.map.control.refresh({latitude: 48,longitude: 2.3});
});
}
此JSFiddle使用uiGmapIsReady
来解决此问题。
第二种方法是使用$timeout
来延迟刷新操作。
function refreshMap() {
//show map action
$scope.map.showMap = true;
//delayed refresh map action
$timeout(function(){
$scope.map.control.refresh({latitude: 48,longitude: 2.3});
},3000);
}
此JSFiddle使用$timeout
来解决此问题。