我正在尝试为Google地图创建Ember View,并按需加载脚本,即异步加载API。
我在视图中有两个函数,一个用于加载Google Maps API,另一个用于初始化地图。但由于Google要求我通过需要API的链接调用回调函数。但在Ember.JS,我无法得到正确的结果。我所得到的只是一条错误消息,说在尝试初始化地图时未定义对象“google”。
这是现在的Ember视图代码。
App.MapsView = Ember.View.extend({
templateName: 'maps',
map: null,
didInsertElement: function() {
this._super();
this.loadGoogleMapsScript();
},
initiateMaps:function(){
var mapOptions = {
zoom: 8,
center: new google.maps.LatLng(-34.397, 150.644),
mapTypeId: google.maps.MapTypeId.ROADMAP
};
var map = new google.maps.Map(this.$().get(0), mapOptions);
this.set('map',map);
},
loadGoogleMapsScript: function(){
var map_callback = this.initiateMaps();
var script = document.createElement('script');
script.type = 'text/javascript';
script.src = 'https://maps.googleapis.com/maps/api/js?v=3.exp&sensor=false&callback=map_callback';
document.body.appendChild(script);
},
});
任何想法如何解决这个回调问题?而且,初始化地图的最佳方式是什么?它应该在模板中还是来自JS?
提前致谢。
答案 0 :(得分:4)
这里有两个问题。一个是你在这一行调用你的initiateMaps()
函数:
var map_callback = this.initiateMaps();
此次调用是在加载Maps API之前进行的,导致未定义的google
错误。
另一个问题是map_callback
是此函数的本地。 Maps API脚本URL中使用的回调必须是全局函数。
(你自己解决了这个问题;我只是为了未来访客的利益而添加它。)
解决这两个问题的方法是将该行更改为:
var self = this;
window.map_callback = function() {
self.initiateMaps();
}
可能有一种更“原生”的Ember方式可以做到这一点,但无论如何都应该这样做。
此外,由于您正在使用jQuery和Ember,您可以替换此代码:
var script = document.createElement('script');
script.type = 'text/javascript';
script.src = 'https://maps.googleapis.com/maps/api/js?v=3.exp&sensor=false&callback=map_callback';
document.body.appendChild(script);
使用:
$.getScript( 'https://maps.googleapis.com/maps/api/js?v=3.exp&sensor=false&callback=map_callback' );