web-dev-qa-db-ja.com

Angular 2コンポーネント内にGoogle Maps APIを統合するにはどうすればよいですか

Angular 2コンポーネントがあり、このようにファイルcomp.tsでこのように定義されています。

import {Component} from 'angular2/core';

@component({
    selector:'my-comp',
    templateUrl:'comp.html'
})

export class MyComp{
    constructor(){
    }
}

コンポーネントにGoogleマップを表示したいので、ファイルcomp.htmlに次のコードを挿入しました。

<!DOCTYPE html>
<html>
<head>
<script src="http://maps.googleapis.com/maps/api/js"></script>
<script>
function initialize() {
  var mapProp = {
    center:new google.maps.LatLng(51.508742,-0.120850),
    zoom:5,
    mapTypeId:google.maps.MapTypeId.ROADMAP
  };
  var map=new google.maps.Map(document.getElementById("googleMap"),mapProp);
}
google.maps.event.addDomListener(window, 'load', initialize);
</script>
</head>

<body>
<div id="googleMap" style="width:500px;height:380px;"></div>
</body>

</html> 

このコードはこのリンクからコピーされました http://www.w3schools.com/googleAPI/google_maps_basic.asp 。問題は、コンポーネントがマップを表示しないことです。私は何を間違えましたか?

20
nix86

私は解決策を見つけました。まず、次の行:

<script src="http://maps.googleapis.com/maps/api/js?key=[YOUR_API_KEY]"></script>

index.htmlファイルに挿入する必要があります。マップを作成するコードは、comp.tsファイルに挿入する必要があります。特に、クラスのコンストラクターの後に配置できる「ngOnInit」という特別なメソッドに挿入する必要があります。これはcomp.tsです。

import { Component } from 'angular2/core';

declare const google: any;

@Component({
    selector: 'my-app',
    templateUrl:'appHtml/app.html',
    styleUrls: ['css/app.css']
})

export class AppMainComponent {
    constructor() {}
    ngOnInit() {
        let mapProp = {
            center: new google.maps.LatLng(51.508742, -0.120850),
            zoom: 5,
            mapTypeId: google.maps.MapTypeId.ROADMAP
        };
        let map = new google.maps.Map(document.getElementById("googleMap"), mapProp);
    }
}

最後に、Googleマップを含むID「googleMap」を持つdivをcomp.htmlファイルに挿入する必要があります。これは次のようになります。

<body>
    <div id="googleMap" style="width:500px;height:380px;"></div>
</body>
16
nix86

ええ、そうすることができます。ただし、TypeScriptコンパイラにはエラーが発生するため、Google変数を暗黙的に宣言することを忘れないでください。

declare var google: any;

コンポーネントのインポートの直後にこのディレクティブを追加します。

import { Component, OnInit } from '@angular/core';
declare var google: any;

@Component({
  moduleId: module.id,
  selector: 'app-root',
  templateUrl: 'app.component.html',
  styleUrls: ['app.component.css']
})
export class AppComponent implements OnInit {
  ngOnInit() {
    var mapProp = {
            center: new google.maps.LatLng(51.508742, -0.120850),
            zoom: 5,
            mapTypeId: google.maps.MapTypeId.ROADMAP
        };
      var map = new google.maps.Map(document.getElementById("gmap"), mapProp);
  }
}
22
Ruslan Abramov