35

我正在尝试在 Nexus 5X、Android 7.1(我自己的 AOSP 构建)上使用AudioRecordwith 。AudioSource.VOICE_DOWNLINK

我已经过了权限阶段 - 将我的 APK 移至特权应用程序,AudioRecord在 Android 源代码中进行了调整以停止引发有关此源的异常。

现在,我在通话期间得到了空的录音缓冲区。

我知道有很多通话录音应用程序,它们可以在其他设备上运行。我还看到某些应用程序可以在有根的 N5 上执行一些 hack 并使其工作。

我希望在 Nexus 5X 上实现同样的效果 - 任何调整对我来说都可以,包括更改 Android 版本、修改 Qualcomm 驱动程序、设备配置文件等 - 基本上任何可以在自定义 ROM 中实现的东西。

我试过弄乱平台代码——hardware/qcom/audio/hal/voice.c,尤其是函数voice_check_and_set_incall_rec_usecase,但到目前为止还没有意义。

还检查了device/lge/bullhead/mixer_paths.xml,发现有一段与通话录音相关:

<!-- Incall Recording -->
<ctl name="MultiMedia1 Mixer VOC_REC_UL" value="0" />
<ctl name="MultiMedia1 Mixer VOC_REC_DL" value="0" />
<ctl name="MultiMedia8 Mixer VOC_REC_UL" value="0" />
<ctl name="MultiMedia8 Mixer VOC_REC_DL" value="0" />
<!-- Incall Recording End -->

但我也无法理解它或如何帮助它。

4

1 回答 1

1

不确定这是否是 Nexus 5 特定问题,但通常用于记录通话的类是MediaRecorder. 您是否尝试过替换AudioRecorder为 a MediaRecorder

基于这个堆栈溢出问题,我认为您可以根据Ben 博客文章尝试以下代码:

import android.media.MediaRecorder;
import android.os.Environment;

import java.io.File;

import java.io.IOException;


public class CallRecorder {

    final MediaRecorder recorder = new MediaRecorder();
    final String path;

    /**
     * Creates a new audio recording at the given path (relative to root of SD card).
     */
    public CallRecorder(String path) {
        this.path = sanitizePath(path);
    }

    private String sanitizePath(String path) {
        if (!path.startsWith("/")) {
            path = "/" + path;
        }
        if (!path.contains(".")) {
            path += ".3gp";
        }
        return Environment.getExternalStorageDirectory().getAbsolutePath() + path;
    }

    /**
     * Starts a new recording.
     */
    public void start() throws IOException {
        String state = android.os.Environment.getExternalStorageState();
        if(!state.equals(android.os.Environment.MEDIA_MOUNTED))  {
            throw new IOException("SD Card is not mounted.  It is " + state + ".");
        }

        // make sure the directory we plan to store the recording in exists
        File directory = new File(path).getParentFile();
        if (!directory.exists() && !directory.mkdirs()) {
            throw new IOException("Path to file could not be created.");
        }

        recorder.setAudioSource(MediaRecorder.AudioSource.VOICE_CALL);
        recorder.setOutputFormat(MediaRecorder.OutputFormat.THREE_GPP);
        recorder.setAudioEncoder(MediaRecorder.AudioEncoder.AMR_NB);
        recorder.setOutputFile(path);
        recorder.prepare();
        recorder.start();
    }

    /**
     * Stops a recording that has been previously started.
     */
    public void stop() throws IOException {
        recorder.stop();
        recorder.release();
    }

}

在此示例中,我使用过,MediaRecorder.AudioSource.VOICE_CALL但您可以测试其他选项MediaRecorder.AudioSource.VOICE_COMMUNICATION,例如麦克风,以查看手机上是否存在任何硬件问题。

于 2017-05-24T15:50:27.810 回答