Почему BluetoothLEScanner не вызывает ScanCallback - PullRequest
0 голосов
/ 09 мая 2018

Я пытаюсь внедрить сканер BLE прямо сейчас в приложении для Android. Я был следующим: замена startLeScan на текущий API а также https://developer.android.com/guide/topics/connectivity/bluetooth-le

К сожалению, функции обратного вызова из моего класса BLEScanCallback не вызываются. Я только что попробовал Log.e, чтобы узнать, не вызвали ли кого-нибудь из них.

Я отладил приложение, и приложение получило доступ к bluetoothLeScanner.stopScan (scanCallback); внутри функции run ().

Я добавил BLUETOOTH, BLUETOOTH_ADMIN и ACCESS_COARSE_LOCATION в манифест.

Я не совсем уверен, что я здесь не так сделал. Любая помощь с этим будет высоко ценится.

Спасибо

Соответствующий код ниже:

public class DiscoverActivity extends AppCompatActivity {

private BluetoothAdapter bluetoothAdapter;
private boolean scanning;
private Handler handler;
static int REQUEST_ENABLE_BT = 1001;
private static final long SCAN_PERIOD = 10000;


@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);
    setContentView(R.layout.activity_discover);
    handler = new Handler();
    scanning = false;

    final BluetoothManager bluetoothManager = (BluetoothManager) getSystemService(Context.BLUETOOTH_SERVICE);
    bluetoothAdapter = bluetoothManager.getAdapter();
    // Ensures Bluetooth is available on the device and it is enabled. If not,
    // displays a dialog requesting user permission to enable Bluetooth.
    if (bluetoothAdapter == null || !bluetoothAdapter.isEnabled()) {
        Intent enableBtIntent = new Intent(BluetoothAdapter.ACTION_REQUEST_ENABLE);
        startActivityForResult(enableBtIntent, REQUEST_ENABLE_BT);
    }
}

public boolean onOptionsItemSelected(MenuItem item) {
    boolean ret;
    int id = item.getItemId();

    switch (id){
        case R.id.scan:
            Log.e("test", "&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&");
            scanBLEDevices(true);
            ret = true;
            break;
        default:
            ret = super.onOptionsItemSelected(item);
    }

    return ret;
}

private void scanBLEDevices(final boolean enable){
    final BluetoothLeScanner bluetoothLeScanner = bluetoothAdapter.getBluetoothLeScanner();

    final BLEScanCallback scanCallback = new BLEScanCallback();
    if (enable){
        // Stops scanning after a pre-defined scan period.
        handler.postDelayed(new Runnable() {
            @Override
            public void run() {
                scanning = false;
                bluetoothLeScanner.stopScan(scanCallback);
            }
        }, SCAN_PERIOD);

         scanning = true;
         bluetoothLeScanner.startScan(scanCallback);
    }else{
        scanning = false;
        bluetoothLeScanner.stopScan(scanCallback);
    }
}

public class BLEScanCallback extends ScanCallback{
    @Override
    public void onScanResult(int callbackType, ScanResult result) {
        super.onScanResult(callbackType, result);
        Log.e("Scan Success", "Scan Success");
    }

    @Override
    public void onBatchScanResults(List<ScanResult> results) {
        super.onBatchScanResults(results);
        Log.e("Scan Success", "Scan Success Batch");
    }

    @Override
    public void onScanFailed(int errorCode) {
        super.onScanFailed(errorCode);
        Log.e("Scan Failed", "Error Code: " + errorCode);
    }
}

}

1 Ответ

0 голосов
/ 09 мая 2018

Оказывается, что даже если я добавил разрешения ACCESS_COURSE_LOCATION из манифеста, этого было недостаточно для API 23+. Я думаю, что в более низких версиях API запрос в манифесте достаточно.

Я должен был добавить:

if (Build.VERSION.SDK_INT >= 23) {
        if (this.checkSelfPermission(Manifest.permission.ACCESS_COARSE_LOCATION) != PackageManager.PERMISSION_GRANTED) {
            final AlertDialog.Builder builder = new AlertDialog.Builder(this);
            builder.setTitle("This app needs location access");
            builder.setMessage("Please grant location access so this app can detect peripherals.");
            builder.setPositiveButton(android.R.string.ok, null);
            builder.setOnDismissListener(new DialogInterface.OnDismissListener() {
                @RequiresApi(api = Build.VERSION_CODES.M)
                @Override
                public void onDismiss(DialogInterface dialog) {
                    requestPermissions(new String[]{Manifest.permission.ACCESS_COARSE_LOCATION}, PERMISSION_REQUEST_COARSE_LOCATION);
                }
            });
            builder.show();
        }
    }
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...