Я пытаюсь добавить MapFragment в свой текущий фрагмент. Использование вложенных фрагментов ограничено FragmentTransactions, вы не можете использовать тег xml в своем макете.
Кроме того, я хочу, чтобы он был добавлен в основной фрагмент, когда пользователь нажимает кнопку. Итак, я создаю MapFragment программно с помощью getInstance()
, когда пользователь нажимает эту кнопку и добавляет ее в нужное место. Это показано правильно, насколько это хорошо.
Проблема заключается в том, что после присоединения MapFragment мне нужно получить ссылку на GoogleMap
, чтобы поместить маркер, но метод getMap()
возвращает значение null (в качестве фрагмента onCreateView()
hasn ' t еще называется).
Я просмотрел код примера demo, и я нашел, что решение, которое они используют, инициализирует MapFragment в onCreate()
и получает ссылку на GoogleMap в onResume()
, после того, как был вызван onCreateView()
.
Мне нужно получить ссылку на GoogleMap сразу после инициализации MapFragment, потому что я хочу, чтобы пользователи могли показывать или скрывать карту с помощью кнопки. Я знаю, что возможным решением было бы создать карту в начале, как указано выше, и просто отключить ее видимость, но я хочу, чтобы карта была отключена по умолчанию, поэтому она не принимает пропускную способность пользователя, если они явно не заданы для него.
Я попытался с MapsInitializer
, но не работает. Я как бы застрял. Есть идеи?
Вот мой тестовый код:
public class ParadaInfoFragment extends BaseDBFragment {
// BaseDBFragment is just a SherlockFragment with custom utility methods.
private static final String MAP_FRAGMENT_TAG = "map";
private GoogleMap mMap;
private SupportMapFragment mMapFragment;
private TextView mToggleMapa;
private boolean isMapVisible = false;
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
View v = inflater.inflate(R.layout.fragment_parada_info, container, false);
mToggleMapa = (TextView) v.findViewById(R.id.parada_info_map_button);
return v;
}
@Override
public void onStart() {
super.onStart();
mToggleMapa.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if (!isMapVisible) {
openMap();
} else {
closeMap();
}
isMapVisible = !isMapVisible;
}
});
}
private void openMap() {
// Creates initial configuration for the map
GoogleMapOptions options = new GoogleMapOptions().camera(CameraPosition.fromLatLngZoom(new LatLng(37.4005502611301, -5.98233461380005), 16))
.compassEnabled(false).mapType(GoogleMap.MAP_TYPE_NORMAL).rotateGesturesEnabled(false).scrollGesturesEnabled(false).tiltGesturesEnabled(false)
.zoomControlsEnabled(false).zoomGesturesEnabled(false);
// Modified from the sample code:
// It isn't possible to set a fragment id programmatically so we set a
// tag instead and search for it using that.
mMapFragment = (SupportMapFragment) getChildFragmentManager().findFragmentByTag(MAP_FRAGMENT_TAG);
// We only create a fragment if it doesn't already exist.
if (mMapFragment == null) {
// To programmatically add the map, we first create a
// SupportMapFragment.
mMapFragment = SupportMapFragment.newInstance(options);
// Then we add it using a FragmentTransaction.
FragmentTransaction fragmentTransaction = getChildFragmentManager().beginTransaction();
fragmentTransaction.add(R.id.parada_info_map_container, mMapFragment, MAP_FRAGMENT_TAG);
fragmentTransaction.commit();
}
// We can't be guaranteed that the map is available because Google Play
// services might not be available.
setUpMapIfNeeded(); //XXX Here, getMap() returns null so the Marker can't be added
// The map is shown with the previous options.
}
private void closeMap() {
FragmentTransaction fragmentTransaction = getChildFragmentManager().beginTransaction();
fragmentTransaction.remove(mMapFragment);
fragmentTransaction.commit();
}
private void setUpMapIfNeeded() {
// Do a null check to confirm that we have not already instantiated the
// map.
if (mMap == null) {
// Try to obtain the map from the SupportMapFragment.
mMap = mMapFragment.getMap();
// Check if we were successful in obtaining the map.
if (mMap != null) {
mMap.addMarker(new MarkerOptions().position(new LatLng(37.4005502611301, -5.98233461380005)).title("Marker"));
}
}
}
}
Спасибо