8

Google マップ V3 を使用してピンを表示しています。マップ上の現在位置やズーム レベルに影響を与えることなく、マーカーを更新できるようにしたいと考えています。マーカーを x 秒ごとに更新したい。

どうすればこれを行うことができますか?jQuery/ajax の経験はあまりありません。

私のマップの実例を以下に示します。

http://jsfiddle.net/dLWNc/

 var locations = [
  ['some random info here', -37.8139, 144.9634, 1],
  ['some random info here', 46.0553, 14.5144, 2],
  ['some random info here', -33.7333, 151.0833, 3],
  ['some random info here', 27.9798, -81.731, 4],    ];


var map = new google.maps.Map(document.getElementById('map_2385853'), {
  zoom: 1,
  maxZoom: 8, 
  minZoom: 1, 
  streetViewControl: false,
  center: new google.maps.LatLng(40, 0),
  mapTypeId: google.maps.MapTypeId.ROADMAP
});

var infowindow = new google.maps.InfoWindow();

var marker, i;

for (i = 0; i < locations.length; i++) {  
  marker = new google.maps.Marker({
    position: new google.maps.LatLng(locations[i][1], locations[i][2]),
    map: map
  });

  google.maps.event.addListener(marker, 'click', (function(marker, i) {
    return function() {
      infowindow.setContent(locations[i][0]);
      infowindow.open(map, marker);
    }
  })(marker, i));
}

ありがとうございました

4

1 に答える 1

22

OK、私は何かが機能しています-主に元のコードの大幅なリファクタリング-さまざまなチャンクを認識します。

$(function() {
    var locations = {};//A repository for markers (and the data from which they were constructed).

    //initial dataset for markers
    var locs = {
        1: { info:'11111. Some random info here', lat:-37.8139, lng:144.9634 },
        2: { info:'22222. Some random info here', lat:46.0553, lng:14.5144 },
        3: { info:'33333. Some random info here', lat:-33.7333, lng:151.0833 },
        4: { info:'44444. Some random info here', lat:27.9798, lng:-81.731 }
    };
    var map = new google.maps.Map(document.getElementById('map_2385853'), {
        zoom: 1,
        maxZoom: 8,
        minZoom: 1,
        streetViewControl: false,
        center: new google.maps.LatLng(40, 0),
        mapTypeId: google.maps.MapTypeId.ROADMAP
    });
    var infowindow = new google.maps.InfoWindow();

var auto_remove = true;//When true, markers for all unreported locs will be removed.

function setMarkers(locObj) {
    if(auto_remove) {
        //Remove markers for all unreported locs, and the corrsponding locations entry.
        $.each(locations, function(key) {
            if(!locObj[key]) {
                if(locations[key].marker) {
                    locations[key].marker.setMap(null);
                }
                delete locations[key];
            }
        });
    }

        $.each(locObj, function(key, loc) {
            if(!locations[key] && loc.lat!==undefined && loc.lng!==undefined) {
                //Marker has not yet been made (and there's enough data to create one).

                //Create marker
                loc.marker = new google.maps.Marker({
                    position: new google.maps.LatLng(loc.lat, loc.lng),
                    map: map
                });

                //Attach click listener to marker
                google.maps.event.addListener(loc.marker, 'click', (function(key) {
                    return function() {
                        infowindow.setContent(locations[key].info);
                        infowindow.open(map, locations[key].marker);
                    }
                })(key));

                //Remember loc in the `locations` so its info can be displayed and so its marker can be deleted.
                locations[key] = loc;
            }
            else if(locations[key] && loc.remove) {
                //Remove marker from map
                if(locations[key].marker) {
                    locations[key].marker.setMap(null);
                }
                //Remove element from `locations`
                delete locations[key];
            }
            else if(locations[key]) {
                //Update the previous data object with the latest data.
                $.extend(locations[key], loc);
                if(loc.lat!==undefined && loc.lng!==undefined) {
                    //Update marker position (maybe not necessary but doesn't hurt).
                    locations[key].marker.setPosition(
                        new google.maps.LatLng(loc.lat, loc.lng)
                    );
                }
                //locations[key].info looks after itself.
            }
        });
    }

    var ajaxObj = {//Object to save cluttering the namespace.
        options: {
            url: "........",//The resource that delivers loc data.
            dataType: "json"//The type of data tp be returned by the server.
        },
        delay: 10000,//(milliseconds) the interval between successive gets.
        errorCount: 0,//running total of ajax errors.
        errorThreshold: 5,//the number of ajax errors beyond which the get cycle should cease.
        ticker: null,//setTimeout reference - allows the get cycle to be cancelled with clearTimeout(ajaxObj.ticker);
        get: function() { //a function which initiates 
            if(ajaxObj.errorCount < ajaxObj.errorThreshold) {
                ajaxObj.ticker = setTimeout(getMarkerData, ajaxObj.delay);
            }
        },
        fail: function(jqXHR, textStatus, errorThrown) {
            console.log(errorThrown);
            ajaxObj.errorCount++;
        }
    };

    //Ajax master routine
    function getMarkerData() {
        $.ajax(ajaxObj.options)
          .done(setMarkers) //fires when ajax returns successfully
          .fail(ajaxObj.fail) //fires when an ajax error occurs
          .always(ajaxObj.get); //fires after ajax success or ajax error
    }

    setMarkers(locs);//Create markers from the initial dataset served with the document.
    //ajaxObj.get();//Start the get cycle.

    // *******************
    //test: simulated ajax
    /*
    var testLocs = {
        1: { info:'1. New Random info and new position', lat:-37, lng:124.9634 },//update info and position and 
        2: { lat:70, lng:14.5144 },//update position
        3: { info:'3. New Random info' },//update info
        4: { remove: true },//remove marker
        5: { info:'55555. Added', lat:-37, lng:0 }//add new marker
    };
    setTimeout(function() {
        setMarkers(testLocs);
    }, ajaxObj.delay);
    */
    // *******************
});

コードの下部にtestLocsデータセットがあり、最初のデータセットが適用された後にマーカーを追加/削除/更新するためのさまざまな可能性を示しています。

ajaxを完全にテストしていませんが、testLocsデータセットを使用してシミュレートしました。

デモを見る

10秒後、testLocsが適用され、マーカー(および情報ウィンドウに表示される情報)にさまざまな変更が表示されます。特に、更新データは完全である必要はなく、変更を指定するだけであることに注意してください。

サーバーを次のように調整する必要があります。

  • locs私の例に従って、初期データセットを構築します。
  • 私の例の一般的な形式に従って、JSONでエンコードされたデータセットを返しますtestLocs

編集1

新しいデータセットをフェッチするために必要なすべてのクライアント側コードを含めました。あなたがする必要があるのは:

  • サーバー側のスクリプト(「get_markers.php」など)を作成します。このスクリプトは、jsonでエンコードされた正しい形式のデータセットを返します(すでに説明されています)。
  • url: "........",サーバー側スクリプトを指すように行を編集します。例: url: "get_markers.php"
  • 行のコメントを解除して、循環ajaxプロセスをアクティブにしますajaxObj.get();
  • 「シミュレートされたajax」コードブロックがコメント化または削除されていることを確認してください。

編集2

という名前のブール「動作スイッチ」を追加しましたauto_remove。trueに設定すると、コードの小さな追加ブロックが実行され、報告されていないlocのすべてのマーカーが削除されます。

これにより、すべての反復ですべてのアクティブなマーカーをレポートできます。削除は、積極的に命令しなくても自動的に行われます。

応答するコード{ remove: true }はまだ存在しているので、必要に応じて(にauto_remove設定してfalse)削除を明示的に命令できます。

更新されたデモ

編集3

PHPスクリプトは、次の形式の配列を作成する必要があります。

<%php
$testLocs = array(
    'loc1' => array( 'info' => '1. New Random info and new position', 'lat' => 0, 'lng' => 144.9634 ),
    'loc2' => array( 'lat'  => 0, 'lng' => 14.5144 ),
    'loc3' => array( 'info' => '3. New Random info' ),
    'loc5' => array( 'info' => '55555. Added', 'lat' => 0, 'lng' => 60 )
);
echo json_encode($testLocs);
exit();
%>

PHPが数値キーを処理するかどうかはわかりません。'1'そうでない場合は、文字列'2'などを試してください。たとえば、すべてのキーにアルファベットのプレフィックスを付けるのがおそらく最も安全です。'loc1''loc2'など。何をするにしても、javascriptlocsオブジェクトのキーが同じタイプと構成であることを確認してください。

于 2013-02-09T03:45:31.060 に答える