0

Google Maps API を使用してヒートマップのポイントをプロットしようとしています。CSVファイルからデータを抽出し、それを配列にフォーマットしています。ただし、マップは読み込まれません。ハードコードされたデータを使用して正常に機能する別のソリューションがあります。

データは次の形式で提供されます。

Latitude,Longitude,Weighting
data1,data2,data3,
data1,data2,data3,
.....etc

プロットするポイントは約 150 です。

問題は、関数を正しく呼び出すことにあると思います。もともと私は持っていました:

google.maps.event.addDomListener(window, 'load', createMap); 

ラインインですが、関数は私のAJAX関数から呼び出されているので、もう必要ないと思いました.

その行を省略したのは正しいですか、それとも問題ですか?

ありがとう

コード:

<!DOCTYPE html>
<html>
<head>
<title>Data Extraction</title>
<script type="text/javascript" src="jquerymobile/jquery-1.4.3.min.js"></script>
<script src="http://ajax.googleapis.com/ajax/libs/jquery/1.8.2/jquery.min.js"></script>
<script src="https://maps.googleapis.com/maps/api/jsv=3.exp&sensor=true&libraries=visualization"></script>
<script type="text/javascript">


$(document).ready(function() {
$.ajax({
    type: "GET",
    url: "http://localhost/September2GData.csv",
    dataType: "text",
    success: function(data) {processData(data);},
    complete: function() {createMap();}
 });
});

var lines = [];

function processData(allText) {

var allTextLines = allText.split(/\r\n|\n/);
var headers = allTextLines[0].split(',');

for (var i=1; i<allTextLines.length; i++) {
    var data = allTextLines[i].split(',');
    if (data.length == headers.length) {
        var tarr = [];
        for (var j=0; j<headers.length; j++) {
            tarr.push(data[j]);
            lines.push(tarr[j])
        }
    }
   }
 }

 function createMap(){

var map;

var dataPoint1 = parseFloat(lines[0]);
var dataPoint2 = parseFloat(lines[1]);

var heatMapData = [
    new google.maps.LatLng(dataPoint1, dataPoint2)
];

var mapOptions = {
    center: new google.maps.LatLng(dataPoint1, dataPoint2),
    zoom: 8,
    mapTypeId: google.maps.MapTypeId.ROADMAP
    };

map = new google.maps.Map(document.getElementById("map-canvas"), mapOptions);

var heatMap = new google.maps.visualization.HeatmapLayer(heatMapData);
heatMap.setMap(map);

alert("Finished");
}


</script>
</head>
<body>
<div id="map-canvas"></div>
</body>
</html>
4

1 に答える 1

0

The problem is that it's creating the map first before processData has had a chance to complete, or at least firing createMap and processData at more or less the same time. I suggest using a callback so that processData passes lines to createMap once it's completed processing.

$(document).ready(function() {
  $.ajax({
    type: "GET",
    url: "http://localhost/September2GData.csv",
    dataType: "text",
    success: function(data) {
      processData(data, function (lines) {
        createMap(lines);
      });
    }
  });
});

function processData(allText, callback) {
  var lines = [];
  // code for lines
  callback(lines);
}

function createMap(lines) {
  // code
}
于 2013-11-08T16:29:53.247 に答える