如果用户开启了设置里的屏幕旋转,Android中处理横竖屏切换,通常的做法是在AndroidManifest.xml中定义android:configChanges="orientation|keyboardHidden,然后在重写onOrientationChanged方法,如下:
if (this.getResources().getConfiguration().orientation == Configuration.ORIENTATION_LANDSCAPE) { Log.i("info", "landscape"); // 横屏 } else if (this.getResources().getConfiguration().orientation == Configuration.ORIENTATION_PORTRAIT) { Log.i("info", "portrait"); // 竖屏 }
如果用户在设置里禁止了屏幕旋转,怎么在应用中获取手机的方向呢?我们可以用OrientationEventListener(方向事件监听器),是一个当方向发生变化时,从SensorManager(传感器管理程序)接收通知的辅助类。
用法如下:
@Override protected void onCreate(Bundle savedInstanceState) { mAlbumOrientationEventListener = new AlbumOrientationEventListener(this, SensorManager.SENSOR_DELAY_NORMAL); if (mAlbumOrientationEventListener.canDetectOrientation()) { mAlbumOrientationEventListener.enable(); } else { Log.d("chengcj1", "Can't Detect Orientation"); } } @Override protected void onDestroy() { mAlbumOrientationEventListener.disable(); super.onDestroy(); } private class AlbumOrientationEventListener extends OrientationEventListener { public AlbumOrientationEventListener(Context context) { super(context); } public AlbumOrientationEventListener(Context context, int rate) { super(context, rate); } @Override public void onOrientationChanged(int orientation) { if (orientation == OrientationEventListener.ORIENTATION_UNKNOWN) { return; } //保证只返回四个方向 int newOrientation = ((orientation + 45) / 90 * 90) % 360 if (newOrientation != mOrientation) { mOrientation = newOrientation; //返回的mOrientation就是手机方向,为0°、90°、180°和270°中的一个 } } }
说明:只要手机偏移一点,方向发生变化时,onOrientationChanged会一直执行,但是在实际开发中,我们只关心4个方向(0°,90°,180°,270°),因此用上面的方法转化一下,转化原理为:当偏移角度小于45°,都当成0°来处理;大于45°,小于90°,都当成90°来处理;同理,大于90°,小于135°,当成90°来处理;大于135°,小于180°,都当成180°来处理,依此类推......
版权声明:本文为博主原创文章,未经博主允许不得转载。
原文地址:http://blog.csdn.net/shineflowers/article/details/47447187