安卓 MapView v2 黑屏

标签 android android-mapview

我一直在尝试实现 android 的 MapView v2。除了这个错误,我让它工作得很好。

这是我从头开始加载应用程序时的样子... enter image description here

如您所见,那里没有问题。

现在,当我按下“主页”按钮并尝试从“最近的应用程序”窗口访问该应用程序时,我得到以下信息: enter image description here

它一直保持这种状态,直到我关闭该应用程序并从头开始重新加载它。

这是我的一些代码。

布局.xml

<LinearLayout
    android:id="@+id/maps_container"
    android:layout_width="match_parent"
    android:layout_height="match_parent">

    <fragment android:id="@+id/map"
              android:layout_width="match_parent"
              android:layout_height="match_parent"
              android:name="com.google.android.gms.maps.SupportMapFragment"
              android:layout_marginBottom="100dip"
              android:layout_marginLeft="10dip"
              android:layout_marginRight="10dip"
              android:layout_marginTop="100dip"/>

</LinearLayout>

Activity :

public class MyActivity extends BaseActivity {

private GoogleMap mMaps;
private LinearLayout mMapsContainer;

@Override
public void onCreate(final Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);

    setContentView(R.layout.my_layout);

    mMapsContainer = (LinearLayout) findViewById(R.id.maps_container);

    mMaps =((SupportMapFragment) getSupportFragmentManager().findFragmentById(R.id.map)).getMap();

}

@Override
public void onPause() {
    super.onPause();
}

@Override
public void onResume() {
    super.onResume();

    if (mMaps == null) {
        mMaps = ((SupportMapFragment) getSupportFragmentManager().findFragmentById(R.id.map)).getMap();
    }

    getSupportFragmentManager().findFragmentById(R.id.map).onResume();
}

基础 Activity :

public abstract class BaseActivity extends FragmentActivity implements
    LocationListener,
    GooglePlayServicesClient.ConnectionCallbacks,
    GooglePlayServicesClient.OnConnectionFailedListener {


// A request to connect to Location Services
private LocationRequest mLocationRequest;

// Stores the current instantiation of the location client in this object
private LocationClient mLocationClient;

// Handle to SharedPreferences for this app
SharedPreferences mPrefs;

// Handle to a SharedPreferences editor
SharedPreferences.Editor mEditor;

boolean mUpdatesRequested = false;

@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);

    // Create a new global location parameters object
    mLocationRequest = LocationRequest.create();
    mLocationRequest.setInterval(LocationUtils.UPDATE_INTERVAL_IN_MILLISECONDS);

    // Use high accuracy
    mLocationRequest.setPriority(LocationRequest.PRIORITY_HIGH_ACCURACY);

    // Set the interval ceiling to one minute
    mLocationRequest.setFastestInterval(LocationUtils.FAST_INTERVAL_CEILING_IN_MILLISECONDS);

    // Note that location updates are off until the user turns them on
    mUpdatesRequested = false;

    // Open Shared Preferences
    mPrefs = getSharedPreferences(LocationUtils.SHARED_PREFERENCES, Context.MODE_PRIVATE);

    // Get an editor
    mEditor = mPrefs.edit();

    /*
     * Create a new location client, using the enclosing class to
     * handle callbacks.
     */
    mLocationClient = new LocationClient(this, this, this);

}


@Override
public void onStop() {

    // If the client is connected
    if (mLocationClient.isConnected()) {
        stopPeriodicUpdates();
    }

    // After disconnect() is called, the client is considered "dead".
    mLocationClient.disconnect();

    super.onStop();
}

@Override
public void onPause() {

    // Save the current setting for updates
    mEditor.putBoolean(LocationUtils.KEY_UPDATES_REQUESTED, mUpdatesRequested);
    mEditor.commit();

    super.onPause();
}


@Override
public void onStart() {

    super.onStart();

    /*
     * Connect the client. Don't re-start any requests here;
     * instead, wait for onResume()
     */
    mLocationClient.connect();

}


@Override
public void onResume() {
    super.onResume();

    // If the app already has a setting for getting location updates, get it
    if (mPrefs.contains(LocationUtils.KEY_UPDATES_REQUESTED)) {
        mUpdatesRequested = mPrefs.getBoolean(LocationUtils.KEY_UPDATES_REQUESTED, false);

        // Otherwise, turn off location updates until requested
    } else {
        mEditor.putBoolean(LocationUtils.KEY_UPDATES_REQUESTED, false);
        mEditor.commit();
    }

}


@Override
protected void onActivityResult(int requestCode, int resultCode, Intent intent) {

    // Choose what to do based on the request code
    switch (requestCode) {

        // If the request code matches the code sent in onConnectionFailed
        case LocationUtils.CONNECTION_FAILURE_RESOLUTION_REQUEST :

            switch (resultCode) {
                // If Google Play services resolved the problem
                case Activity.RESULT_OK:


                    break;

                // If any other result was returned by Google Play services
                default:
                    // Log the result


                    break;
            }

            // If any other request code was received
        default:
            // Report that this Activity received an unknown requestCode
            Log.d(LocationUtils.APPTAG,
                    getString(R.string.unknown_activity_request_code, requestCode));

            break;
    }
}


private boolean servicesConnected() {

    // Check that Google Play services is available
    int resultCode =
            GooglePlayServicesUtil.isGooglePlayServicesAvailable(this);

    // If Google Play services is available
    if (ConnectionResult.SUCCESS == resultCode) {
        // In debug mode, log the status
        Log.d(LocationUtils.APPTAG, getString(R.string.play_services_available));

        // Continue
        return true;
        // Google Play services was not available for some reason
    } else {
        // Display an error dialog
        Dialog dialog = GooglePlayServicesUtil.getErrorDialog(resultCode, this, 0);
        if (dialog != null) {
            ErrorDialogFragment errorFragment = new ErrorDialogFragment();
            errorFragment.setDialog(dialog);
           // errorFragment.show(getSupportFragmentManager(), LocationUtils.APPTAG);
        }
        return false;
    }
}

public void getAddress(View v) {


    if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.GINGERBREAD && !Geocoder.isPresent()) {
        // No geocoder is present. Issue an error message
        Toast.makeText(this, R.string.no_geocoder_available, Toast.LENGTH_LONG).show();
        return;
    }

    if (servicesConnected()) {

        // Get the current location
        Location currentLocation = mLocationClient.getLastLocation();


        // Start the background task
        (new GetAddressTask(this)).execute(currentLocation);
    }
}


public void startUpdates(View v) {
    mUpdatesRequested = true;

    if (servicesConnected()) {
        startPeriodicUpdates();
    }
}


public void stopUpdates(View v) {
    mUpdatesRequested = false;

    if (servicesConnected()) {
        stopPeriodicUpdates();
    }
}

@Override
public void onConnected(Bundle bundle) {
    if (mUpdatesRequested) {
        startPeriodicUpdates();
    }

    EventBus.getDefault().post(new EventMessage().new LocationServicesConnected());
}


@Override
public void onDisconnected() {
}


@Override
public void onConnectionFailed(ConnectionResult connectionResult) {

    if (connectionResult.hasResolution()) {
        try {

            // Start an Activity that tries to resolve the error
            connectionResult.startResolutionForResult(
                    this,
                    LocationUtils.CONNECTION_FAILURE_RESOLUTION_REQUEST);


        } catch (IntentSender.SendIntentException e) {
            e.printStackTrace();
        }
    } else {

        // If no resolution is available, display a dialog to the user with the error.
        showErrorDialog(connectionResult.getErrorCode());
    }
}

@Override
public void onLocationChanged(Location location) {
    EventBus.getDefault().post(new EventMessage().new LocationChangedEvent(location));
}


private void startPeriodicUpdates() {
    mLocationClient.requestLocationUpdates(mLocationRequest, this);
}


private void stopPeriodicUpdates() {
    mLocationClient.removeLocationUpdates(this);
}


protected class GetAddressTask extends AsyncTask<Location, Void, String> {

    // Store the context passed to the AsyncTask when the system instantiates it.
    Context localContext;

    // Constructor called by the system to instantiate the task
    public GetAddressTask(Context context) {

        // Required by the semantics of AsyncTask
        super();

        // Set a Context for the background task
        localContext = context;
    }


    @Override
    protected String doInBackground(Location... params) {

        Geocoder geocoder = new Geocoder(localContext, Locale.getDefault());

        // Get the current location from the input parameter list
        Location location = params[0];

        // Create a list to contain the result address
        List<Address> addresses = null;

        // Try to get an address for the current location. Catch IO or network problems.
        try {

            /*
             * Call the synchronous getFromLocation() method with the latitude and
             * longitude of the current location. Return at most 1 address.
             */
            addresses = geocoder.getFromLocation(location.getLatitude(),
                    location.getLongitude(), 1
            );

            // Catch network or other I/O problems.
        } catch (IOException exception1) {

            // Log an error and return an error message
            Log.e(LocationUtils.APPTAG, getString(R.string.IO_Exception_getFromLocation));

            // print the stack trace
            exception1.printStackTrace();

            // Return an error message
            return (getString(R.string.IO_Exception_getFromLocation));

            // Catch incorrect latitude or longitude values
        } catch (IllegalArgumentException exception2) {

            // Construct a message containing the invalid arguments
            String errorString = getString(
                    R.string.illegal_argument_exception,
                    location.getLatitude(),
                    location.getLongitude()
            );
            // Log the error and print the stack trace
            Log.e(LocationUtils.APPTAG, errorString);
            exception2.printStackTrace();

            //
            return errorString;
        }
        // If the reverse geocode returned an address
        if (addresses != null && addresses.size() > 0) {

            // Get the first address
            Address address = addresses.get(0);

            // Format the first line of address
            String addressText = getString(R.string.address_output_string,

                    // If there's a street address, add it
                    address.getMaxAddressLineIndex() > 0 ?
                            address.getAddressLine(0) : "",

                    // Locality is usually a city
                    address.getLocality(),

                    // The country of the address
                    address.getCountryName()
            );

            // Return the text
            return addressText;

            // If there aren't any addresses, post a message
        } else {
            return getString(R.string.no_address_found);
        }
    }

    /**
     * A method that's called once doInBackground() completes. Set the text of the
     * UI element that displays the address. This method runs on the UI thread.
     */
    @Override
    protected void onPostExecute(String address) {
    }
}

/**
 * Show a dialog returned by Google Play services for the
 * connection error code
 *
 * @param errorCode An error code returned from onConnectionFailed
 */
private void showErrorDialog(int errorCode) {

    // Get the error dialog from Google Play services
    Dialog errorDialog = GooglePlayServicesUtil.getErrorDialog(
            errorCode,
            this,
            LocationUtils.CONNECTION_FAILURE_RESOLUTION_REQUEST);

    // If Google Play services can provide an error dialog
    if (errorDialog != null) {

        // Create a new DialogFragment in which to show the error dialog
        ErrorDialogFragment errorFragment = new ErrorDialogFragment();

        // Set the dialog in the DialogFragment
        errorFragment.setDialog(errorDialog);

        // Show the error dialog in the DialogFragment
       // errorFragment.show(getSupportFragmentManager(), LocationUtils.APPTAG);
    }
}

/**
 * Define a DialogFragment to display the error dialog generated in
 * showErrorDialog.
 */
public static class ErrorDialogFragment extends DialogFragment {

    // Global field to contain the error dialog
    private Dialog mDialog;

    /**
     * Default constructor. Sets the dialog field to null
     */
    public ErrorDialogFragment() {
        super();
        mDialog = null;
    }

    /**
     * Set the dialog to display
     *
     * @param dialog An error dialog
     */
    public void setDialog(Dialog dialog) {
        mDialog = dialog;
    }

    /*
     * This method must return a Dialog to the DialogFragment.
     */
    @Override
    public Dialog onCreateDialog(Bundle savedInstanceState) {
        return mDialog;
    }
}

最佳答案

我在文件 manifest.xml 中禁用了硬件加速,我的应用程序在第二次加载时不再显示黑色 map 。我在模拟器中试了一下。

<application android:hardwareAccelerated="false">
 ...
</application

来自这篇文章:http://developer.android.com/guide/topics/graphics/hardware-accel.html

关于安卓 MapView v2 黑屏,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/17603896/

相关文章:

java - 如何在android studio中将正方形居中

java - Activity 显示 Toast 但不显示动画

android - 根据手机当前方向旋转 Mapbox map

java - 在外接圆的中心显示标记

java - 如何在 SimpleXML (Java) 中将 InputNode 获取为字符串

android - VideoView/MediaPlayer 在最后一帧停止

php - 从 Android 应用程序将数据插入 MySQL

android - 从 onLocationChanged() 更新 MapView

android - 如何在android中的 map 上添加动画图钉?

安卓 map : How to Long Click a Map?