Как программно форсировать обнаружение службы Bluetooth с низким энергопотреблением на Android без использования кеша

Я использую Android 4.4.2 на Nexus 7. У меня есть периферийное устройство с низким энергопотреблением Bluetooth, службы которого меняются при перезагрузке. Android-приложение вызывает BluetoothGatt.discoverServices(). Однако Android запрашивает периферийное устройство только один раз, чтобы обнаружить службы, последующие вызовы DiscoverServices () приводят к кешированию данных первого вызова, даже между отключениями. Если я отключаю / включаю адаптер Android bt, тогда DiscoverServices () обновляет кэш, опрашивая периферийное устройство. Существует ли программный способ заставить Android обновлять кэш своих "сервисов" без отключения / включения адаптера?

4 ответа

Решение

У меня просто была такая же проблема. Если вы видите исходный код BluetoothGatt.java, вы можете увидеть, что есть метод с именем refresh()

/**
* Clears the internal cache and forces a refresh of the services from the 
* remote device.
* @hide
*/
public boolean refresh() {
        if (DBG) Log.d(TAG, "refresh() - device: " + mDevice.getAddress());
        if (mService == null || mClientIf == 0) return false;

        try {
            mService.refreshDevice(mClientIf, mDevice.getAddress());
        } catch (RemoteException e) {
            Log.e(TAG,"",e);
            return false;
        }

        return true;
}

Этот метод действительно очищает кэш от устройства Bluetooth. Но проблема в том, что у нас нет доступа к нему. Но в Java у нас есть отражение, поэтому мы можем получить доступ к этому методу. Вот мой код для подключения устройства Bluetooth, обновляющего кеш.

private boolean refreshDeviceCache(BluetoothGatt gatt){
    try {
        BluetoothGatt localBluetoothGatt = gatt;
        Method localMethod = localBluetoothGatt.getClass().getMethod("refresh", new Class[0]);
        if (localMethod != null) {
           boolean bool = ((Boolean) localMethod.invoke(localBluetoothGatt, new Object[0])).booleanValue();
            return bool;
         }
    } 
    catch (Exception localException) {
        Log.e(TAG, "An exception occured while refreshing device");
    }
    return false;
}


    public boolean connect(final String address) {
           if (mBluetoothAdapter == null || address == null) {
            Log.w(TAG,"BluetoothAdapter not initialized or unspecified address.");
                return false;
        }
            // Previously connected device. Try to reconnect.
            if (mBluetoothGatt != null) {
                Log.d(TAG,"Trying to use an existing mBluetoothGatt for connection.");
              if (mBluetoothGatt.connect()) {
                    return true;
               } else {
                return false;
               }
        }

        final BluetoothDevice device = mBluetoothAdapter
                .getRemoteDevice(address);
        if (device == null) {
            Log.w(TAG, "Device not found.  Unable to connect.");
            return false;
        }

        // We want to directly connect to the device, so we are setting the
        // autoConnect
        // parameter to false.
        mBluetoothGatt = device.connectGatt(MyApp.getContext(), false, mGattCallback));
        refreshDeviceCache(mBluetoothGatt);
        Log.d(TAG, "Trying to create a new connection.");
        return true;
    }

Действительно, ответ Мигеля работает. Чтобы использовать refreshDeviceCache, я успешно с этим порядком вызова:

// Attempt GATT connection
public void connectGatt(MyBleDevice found) {
    BluetoothDevice device = found.getDevice();
    gatt = device.connectGatt(mActivity, false, mGattCallback);
    refreshDeviceCache(gatt);
}

Это работает для OS 4.3 до 5.0, протестированных с периферийными устройствами Android и iPhone.

В некоторых устройствах даже если вы отключите сокет, соединение не завершится из-за кеша. Вам необходимо отключить удаленное устройство с помощью класса BluetoothGatt. Как ниже

BluetoothGatt mBluetoothGatt = device.connectGatt(appContext, false, new BluetoothGattCallback() {
        };);
mBluetoothGatt.disconnect();

Примечание: эта логика работала для меня в устройствах на основе Китая

Вот версия Kotlin с RxAndroidBle для обновления:

class CustomRefresh: RxBleRadioOperationCustom<Boolean> {

  @Throws(Throwable::class)
  override fun asObservable(bluetoothGatt: BluetoothGatt,
                          rxBleGattCallback: RxBleGattCallback,
                          scheduler: Scheduler): Observable<Boolean> {

    return Observable.fromCallable<Boolean> { refreshDeviceCache(bluetoothGatt) }
        .delay(500, TimeUnit.MILLISECONDS, Schedulers.computation())
        .subscribeOn(scheduler)
  }

  private fun refreshDeviceCache(gatt: BluetoothGatt): Boolean {
    var isRefreshed = false

    try {
        val localMethod = gatt.javaClass.getMethod("refresh")
        if (localMethod != null) {
            isRefreshed = (localMethod.invoke(gatt) as Boolean)
            Timber.i("Gatt cache refresh successful: [%b]", isRefreshed)
        }
    } catch (localException: Exception) {
        Timber.e("An exception occured while refreshing device" + localException.toString())
    }

    return isRefreshed
  }
}

Фактический звонок:

Observable.just(rxBleConnection)
    .flatMap { rxBleConnection -> rxBleConnection.queue(CustomRefresh()) }
    .observeOn(Schedulers.io())
    .doOnComplete{
        switchToDFUmode()
    }
    .subscribe({ isSuccess ->
      // check 
    },
    { throwable ->
        Timber.d(throwable)
    }).also {
        refreshDisposable.add(it)
    }

Перед сканированием устройства используйте следующее:

if(mConnectedGatt != null) mConnectedGatt.close();

Это отключит устройство и очистит кэш, и, следовательно, вы сможете повторно подключиться к тому же устройству.

Другие вопросы по тегам