Как собрать данные акселерометра, когда телефон находится в режиме ожидания

В настоящее время я работаю над приложением, которое должно собирать данные акселерометра и микрофона каждые две секунды. Для этого я запустил службу (с запуском таймера внутри), чтобы собирать данные, пока приложение работает в фоновом режиме. Все идет нормально.

Таймер инициирует, собирает данные и записывает их в файл XML. Но взглянув на полученный файл XML, я понял, что, пока телефон находится в состоянии ожидания, значение акселерометра всегда одинаково. Я даже использую wake lock, чтобы «будить» телефон каждые две секунды, но даже это не сработало.

Вот соответствующий код:

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

    Toast.makeText(this, "Background Service Created", Toast.LENGTH_SHORT)
            .show();
    Log.d(TAG, "onCreate Service");

    this.startActivities();
}

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

    // Kill timer, sensors and XML file
    this.stopActivities();

    Toast.makeText(this, "Background Service Stopped", Toast.LENGTH_SHORT)
            .show();
    Log.d(TAG, "onDestroy");
}

@Override
public void onStart(Intent intent, int startid) {
    Toast.makeText(this, "Background Service Started", Toast.LENGTH_SHORT).show();
    Log.d(TAG, "onStart");
}

/**
 * Expanded modification function. 
 */
private void startExpandedNotification(){
    //Id for the intent of the expanded notification
    final int myID = 1234;

    //The intent to launch when the user clicks the expanded notification
    Intent i = new Intent(this, MainMovement.class);
    i.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_SINGLE_TOP);
    PendingIntent pendIntent = PendingIntent.getActivity(this, 0, i, 0);

    //This constructor is deprecated. Use Notification.Builder instead if programming for 3.0+
    Notification notice = new Notification(R.drawable.ic_launcher, "Movement Sampling Activated", System.currentTimeMillis());

    //This method is deprecated. Use Notification.Builder instead if programming for 3.0+
    notice.setLatestEventInfo(this, "Movement Sampling", "Sensors activated", pendIntent);

    notice.flags |= Notification.FLAG_NO_CLEAR;
    startForeground(myID, notice);
}

/**
 * Stop Expanded Notification
 */
private void stopExpandedNotification(){
    stopForeground(true);
}

/**
 * Starts everything that the service needs to collect the sensors data 
 * (timer, xml file, sensors, expanded notification)
 */
private void startActivities() {
    // Define output file path
    OUTPUT_FILE = Environment.getExternalStorageDirectory()
            .getAbsolutePath() + "/Ze";// also added ""/Ze here
    OUTPUT_FILE += "/audiorecordtest.3gp";

    timer = new Timer(); // If I take this line out, it will lead to an
                            // exception. But if I do so, the acc values are
                            // measured while the phone is in the idle state (works only on samsung spika)
    timer.scheduleAtFixedRate(new mainTask(), 0, _refreshRate);

    xml = new DataStore();

    this.startRecordingMic();
    this.startRecordingAcc();

    startExpandedNotification();

    _sampling = true;
}

/**
 * Stops everything that the service needs to collect the sensors data 
 * (timer, xml file, sensors, expanded notification)
 */
private void stopActivities() {
    timer.cancel();
    //Log.e(TAG, "timer: CANCELLED");

    // close xml file
    xml.closeFile();
    //Log.e(TAG, "XML: CLOSED");

    // unregister sensor
    _sensorManager.unregisterListener(accelerationListener);
    //Log.e(TAG, "Sensors: UNREGISTERED");

    // stop recording
    if (_recorder != null) {
        _recorder.stop();
        _recorder.release();
        _recorder = null;
    }

    stopExpandedNotification();

    _sampling = false;
}

/**
 * Responsible for collecting the sensors data every two seconds
 */
private class mainTask extends TimerTask {
    /**
     * Collects the sensor data every 2 seconds
     */
    @Override
    public void run() {
        MovementService.this.collectData();
    }
}

/**
 * Initiates the microphone in order to collect the amplitude value
 */
private void startRecordingMic() {
    _recorder = new MediaRecorder();
    _recorder.setAudioSource(MediaRecorder.AudioSource.MIC);
    _recorder.setOutputFormat(MediaRecorder.OutputFormat.THREE_GPP);
    _recorder.setAudioEncoder(MediaRecorder.AudioEncoder.AMR_NB);
    _recorder.setOutputFile(OUTPUT_FILE);

    try {
        _recorder.prepare();
    } catch (final IllegalStateException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    } catch (final IOException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    }

    _recorder.start();
}

/**
 * Initiates the acceleromenter sensor in order to collect movement data
 */
private void startRecordingAcc() {
    // ACCELEROMETER
    _sensorManager = (SensorManager) this
            .getSystemService(Context.SENSOR_SERVICE);
    _accelerometer = _sensorManager
            .getDefaultSensor(Sensor.TYPE_ACCELEROMETER);
    _sensorManager.registerListener(accelerationListener, _accelerometer,
            SensorManager.SENSOR_DELAY_FASTEST);
}

private final SensorEventListener accelerationListener = new SensorEventListener() {

    public void onAccuracyChanged(Sensor sensor, int acc) {
    }


    public void onSensorChanged(SensorEvent event) {

        // sampling values per axis
        _x = event.values[0];
        _y = event.values[1];
        _z = event.values[2];

        //Log.e(TAG , "x: " + _x + "  y: " + _y + " z:" + _z);
    }
};

/**
 * Send data (amplitude and decibel) to the xml file
 */
public void collectData() {
    //The power lock ensures that the service will indeed collect the accelerometer data
    PowerManager pm = (PowerManager) MovementService.this.getSystemService(Context.POWER_SERVICE);
    PowerManager.WakeLock wl = pm.newWakeLock(PowerManager.FULL_WAKE_LOCK | PowerManager.ACQUIRE_CAUSES_WAKEUP, "YOUR TAG");
    wl.acquire();
    Log.v(TAG, "lock aquired");

    if (xml != null) xml.writeOnFile(this.getAmplitude(), this.getAccelaration(), this.getTotalAccelaration());

    wl.release();
    Log.v(TAG, "lock released");
}

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

Ps: Пользуюсь спайком Samsung, версия андроида 2.1.


person ZeRod    schedule 28.02.2012    source источник


Ответы (1)


Насколько я знаю, акселерометр не может быть сэмплирован, когда устройство находится в режиме ожидания. Вам нужно будет установить PARTIAL_WAKE_LOCK, который будет поддерживать работу процессора. Он по-прежнему позволяет экрану выключаться, но, конечно, батарея разряжается быстрее, чем обычно.

http://developer.android.com/reference/android/os/PowerManager.html#PARTIAL_WAKE_LOCK

код:

PowerManager pm = (PowerManager) getSystemService(Context.POWER_SERVICE);
PowerManager.WakeLock wl = pm.newWakeLock(PowerManager.PARTIAL_WAKE_LOCK, "My Tag");
wl.acquire();
//  ..screen will stay on during this section..
wl.release();

Вы также должны включить эту запись разрешения в манифест:

<uses-permission android:name="android.permission.WAKE_LOCK" /> 

По этому поводу есть предыдущий вопрос: mode">Как сэмплировать данные акселерометра в фоновом режиме или в спящем режиме

person user3686880    schedule 29.09.2014
comment
Вам также может понадобиться поместить свой код в службу переднего плана. Мне пришлось сделать это при попытке записать звук при выключенном экране: stackoverflow.com/a/57260468/2441655 - person Venryx; 29.07.2019