我有一个GridMarkerClusterer
,其中有一些Marker
代表共享的自行车站。我希望这些标记具有带有单击侦听器的自定义MarkerInfoWindow
(气泡),以便当用户单击气泡时,启动新的意图。
到目前为止,我还可以。
现在,我想为此目的添加额外的数据(与标记相对应的工作站信息)。
我实际上所做的是在我的StationMarkerInfoWindow
中添加一个构造函数,该构造函数的参数中使用Station
。然后,使用putExtra()
中的OnClickListener
将此参数添加到意图中。
那是可行的,但是错误的是我需要为每个标记创建一个新的StationMarkerInfoWindow
而不是使用同一对象,并且如果要显示的标记超过1000个,则该活动最多需要10秒钟才能在我的显示器上创建设备(如果我对每个标记使用相同的StationMarkerInfoWindow
对象,则约为1秒)。
问题是:我应该如何将这些数据添加到意图中?
以下是代码的相关部分:
public class MapActivity extends Activity {
private BikeNetwork bikeNetwork;
private ArrayList<Station> stations;
private MapView map;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_map);
// ...
stations = bikeNetwork.getStations();
map = (MapView) findViewById(R.id.mapView);
GridMarkerClusterer stationsMarkers = new GridMarkerClusterer(this);
Drawable clusterIconD = getResources().getDrawable(R.drawable.marker_cluster);
Bitmap clusterIcon = ((BitmapDrawable) clusterIconD).getBitmap();
map.getOverlays().add(stationsMarkers);
stationsMarkers.setIcon(clusterIcon);
stationsMarkers.setGridSize(100);
for (final Station station : stations) {
stationsMarkers.add(createStationMarker(station));
}
// ...
}
private Marker createStationMarker(Station station) {
Marker marker = new Marker(map);
marker.setInfoWindow(new StationMarkerInfoWindow(
R.layout.bonuspack_bubble, map, station)); // this seems wrong
marker.setInfoWindow(stationMarkerInfoWindow);
marker.setPosition(stationLocation);
marker.setAnchor(Marker.ANCHOR_CENTER, Marker.ANCHOR_CENTER);
marker.setIcon(getResources().getDrawable(R.drawable.ic_bike));
marker.setTitle(station.getName());
marker.setSnippet(String.valueOf(station.getFreeBikes())); // free bikes
marker.setSubDescription(String.valueOf(station.getEmptySlots())); // empty slots
return marker;
}
private class StationMarkerInfoWindow extends MarkerInfoWindow {
Station station;
public StationMarkerInfoWindow(int layoutResId, final MapView mapView, final Station station) {
super(layoutResId, mapView);
this.station = station;
}
@Override
public void onOpen(Object item) {
super.onOpen(item);
closeAllInfoWindowsOn(map);
LinearLayout layout = (LinearLayout) getView().findViewById(R.id.map_bubble_layout);
layout.setClickable(true);
layout.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Intent intent = new Intent(MapActivity.this, StationActivity.class);
intent.putExtra("station", station);
startActivity(intent);
}
});
}
}
}
最佳答案
我建议将Station设置为其Marker的“相关对象”:
marker.setRelatedObject(station);
然后,您可以在StationMarkerInfoWindow#onOpen中检索此相关对象:
Marker marker = (Marker)item;
selectedStation = (Station)marker.getRelatedObject();
可以找到类似的实现here。
然后,您可以共享相同的StationMarkerInfoWindow。