Android开发之兼容高版本API 运行在低版本设备上

当一般情况我们需要用高版本API  运行在 低版本设备上会使用如下判断

if(Build.VERSION.SDK_INT > Build.VERSION_CODES.LOLLIPOP) {
}

但是想我们的抽象类我们大多数都是全局定义并且匿名实例化,举一个简单常见的例子:

做过低功耗蓝牙扫描的人就知道  ScanCallback 抽象类,一般我们都是通过如下方式去调用,实际大概代码可能如下:

import android.bluetooth.le.BluetoothLeScanner;
import android.bluetooth.le.ScanCallback;
import android.bluetooth.le.ScanResult;
import android.bluetooth.BluetoothAdapter;
import android.bluetooth.BluetoothDevice;

public class Test{

       private BluetoothLeScanner mBluetoothLeScanner;
       private BluetoothManager mBluetoothManager;
       private BluetoothAdapter mBluetoothAdapter;

       private ScanCallback scanCallback = new ScanCallback() {
            @Override
            public void onScanResult(int callbackType, ScanResult result) 

            }

            @Override
            public void onScanFailed(int errorCode) {
                super.onScanFailed(errorCode);
            }    

            @Override
            public void onBatchScanResults(List results) {
                super.onBatchScanResults(results);
            }
       };

       public Test(Context context){
            init(contxt);
        }

       pulic void init(Context context){
            if (mBluetoothManager == null) {
                mBluetoothManager =(BluetoothManager)context.getSystemService(Context.BLUETOOTH_SERVICE);
                mBluetoothAdapter = mBluetoothManager.getAdapter();
               if(Build.VERSION.SDK_INT > Build.VERSION_CODES.LOLLIPOP) {
                      mBluetoothLeScanner = mBluetoothAdapter.getBluetoothLeScanner();
               }
            }

      }

       public void startScan(){
            if(Build.VERSION.SDK_INT > Build.VERSION_CODES.LOLLIPOP){
                mBluetoothLeScanner.startScan(scanCallback);
            }
       }

       public void stopScan(){
            if(Build.VERSION.SDK_INT > Build.VERSION_CODES.LOLLIPOP) {
                   mBluetoothLeScanner.stopScan(scanCallback);
            }        
       }

}

可以看到这种情况,我们的 抽象类 ScanCallback  要想全局定义,我们通过google文档知道,ScanCallback  Add API 21 ,那么当我们将此代码运行在Android4.4 API 19 的设备上,必定会出现如下错误:

java.lang.NoClassDefFoundError

这个时候我们使用如下也是无济于事:

@TargetApi(21)
@RequiresApi(21)
private ScanCallback scanCallback = new ScanCallback() {
    ......
}

再次看到错误,通过错误分析其实只是在Android 4.4 API 19设备上 ScanCallback  这个类找不到而已,

解决办法:

通过在我们下载的SDK源码中找到 ScanCallback   类,然后将它以相同的包名复制到我们的实际项目中,如下图:

我们再次运行,则不会出现上面的错误了,因为这个时候 它能够在我们自己的apk 的classes.dex 寻找到该类。

其他的情况以此类推即可。

你可能感兴趣的:(Android知识汇总)