我想把lat
和lng
从一个成员组件传递给另一个成员组件(g-map
)。我的车把模板:
{{!-- Index.hbs --}}
<div class="jumbotron-outside">
<div class="jumbotron">
<h1 class="display-3">See The Weather Outside :)</h1>
<p class="lead">This is a simple forecast weather.</p>
<hr class="my-4">
<p>Just type everything bellow this input text to get all list of the city</p>
{{text-autocomplete}}
<p class="lead">
<button class="btn btn-primary btn-default" href="#" role="button" disabled={{isDisabled}}>Search</button>
</p>
</div>
{{g-map lat=lat lng=lng zoom=zoom}}
</div>
这是我的文本-自动完成组件:
// text-autocomplete/component.js
import Ember from 'ember';
let lat;
let lng;
export default Ember.Component.extend({
didInsertElement() { //dom can be acessed here :)
var autocomplete = new google.maps.places.Autocomplete($('input')[0]);
var parent = this.$('input');
google.maps.event.addListener(autocomplete, 'place_changed', function() {
var place = autocomplete.getPlace();
lat = place.geometry.location.lat();
lng = place.geometry.location.lng();
});
}
});
我希望将lat
和lng
值从text-autocomplete
组件传递给g-map
组件,以便在google中绘制一个标记。
有人能解决这个问题吗?
发布于 2017-03-13 20:29:58
创建index.js
控制器文件并引入lat
、lng
和zoom
属性。您可以将此属性传递给组件text-autocomplete
和g-map
。text-autocomplete
这个组件应该向控制器发送操作,以便更新lat
和lng
的新值,因为有双向绑定,它也会在其他地方自动更新。
index.js控制器文件,
import Ember from 'ember';
export default Ember.Controller.extend({
lat:'',
lng:'',
zoom:'',
actions:{
updateLatAndLng(lat,lng){
this.set('lat',lat);
this.set('lng',lng);
}
}
});
index.hbs
{{text-autocomplete lat=lat lng=lng updateLatAndLng=(action 'updateLatAndLng')}}
{{g-map lat=lat lng=lng zoom=zoom}}
文本-自动完成.文件
import Ember from 'ember';
export default Ember.Component.extend({
didInsertElement() { //dom can be acessed here :)
var autocomplete = new google.maps.places.Autocomplete($('input')[0]);
var parent = this.$('input');
let _this = this;
google.maps.event.addListener(autocomplete, 'place_changed', function() {
var place = autocomplete.getPlace();
lat = place.geometry.location.lat();
lng = place.geometry.location.lng();
_this.sendAction('updateLatAndLng',lat,lng); //here we are sendin actions to controller to update lat and lng properties so that it will reflect in all the other places.
});
}
});
https://stackoverflow.com/questions/42777225
复制