我的地图上有几个标记。对于他们每个人,我想膨胀一个自定义信息窗口。
我遇到的问题是每个信息窗口都是相同的。我已经阅读了几个堆栈线程,但还没有弄清楚如何解决它。
我在地图上添加标记的代码段
for (int i = 0; i<cityObjects.size(); i++){
CityObject cObject = cityObjects.get(i);
Coordinates loc = cObject.getCoordinates();
LatLng pos = new LatLng(loc.getLatitude(), loc.getLongitude());
mMap.addMarker(new MarkerOptions().position(pos).title(cObject.getName()));
loadInfoWindow(cObject.getImgs().get(0), cObject.getName());
builder.include(pos);
}
自定义信息窗口膨胀的方法
public void loadInfoWindow(final String url, final CharSequence title) {
mMap.setInfoWindowAdapter(new GoogleMap.InfoWindowAdapter() {
@Override
public View getInfoWindow(Marker arg0) {
arg0.getId();
View v = getActivity().getLayoutInflater().inflate(R.layout.layout_info_window, null);
Button info = (Button) v.findViewById(R.id.infoButton);
info.setText(title);
BitmapLayout back = (BitmapLayout) v.findViewById(R.id.bitmapBackground);
Picasso.with(getContext()).load(url).into(back);
return v;
}
@Override
public View getInfoContents(Marker arg0) {
return null;
}
});
}
我读了一些关于setInfoWindowAdapter
是一个二传手的东西,因此每次 for 循环迭代时都会覆盖 infoWindow。有没有人对如何识别标记以便我可以膨胀不同的布局有很好的解决方案?
您可以使用marker.setTag(( 和 marker.getTag((。您可以为标记指定一个标记。
mMap.addMarker(new MarkerOptions().position(pos).title(cObject.getName())).setTag(1);
mMap.addMarker(new MarkerOptions().position(pos).title(cObject.getName())).setTag(2);
然后在加载信息窗口方法中
if((int)arg0.getTag==1)
{
//do something
}
else{
//do something
}
我没有看到这个我觉得有点愚蠢,但我设法写了一个解决方案。 感谢@chetanprajapat让我走上正轨。
由于我拥有有关标记(位置,标题(的所有信息,因此我可以将其传递到创建的类中,该类将检查标题,然后膨胀正确的布局。
创建用于膨胀正确布局的类
public class CustomInfoWindowAdapter implements GoogleMap.InfoWindowAdapter{
@Override
public View getInfoWindow(Marker arg0) {
for (CityObject cityObject : cityObjects){
if (arg0.getTitle().equals(cityObject.getName())){
View v = getActivity().getLayoutInflater().inflate(R.layout.layout_info_window, null);
Button info = (Button) v.findViewById(R.id.infoButton);
info.setText(cityObject.getName());
BitmapLayout back = (BitmapLayout) v.findViewById(R.id.bitmapBackground);
Picasso.with(getContext()).load(cityObject.getImgs().get(0)).into(back);
return v;
}
}
return null;
}
@Override
public View getInfoContents(Marker arg0) {
return null;
}
}
然后我只是将适配器设置为新的Instance
CustomInfoWindowAdapter
mMap.setInfoWindowAdapter(new CustomInfoWindowAdapter());
再次感谢@chetanprajapat的帮助。