3

我想在视频中记录用户交互,然后人们可以将其上传到他们的社交媒体网站。

例如,会说话的汤姆猫安卓应用程序有一个小摄像机图标。用户可以按下摄像机图标,然后与应用程序交互,按下图标停止录制,然后处理/转换视频以供上传。

我想我可以使用 setDrawingCacheEnabled(true) 来保存图像,但不知道如何添加音频或制作视频。

更新:进一步阅读后,我想我需要使用 NDK 和 ffmpeg。我不想这样做,但是,如果没有其他选择,有人知道该怎么做吗?

有谁知道如何在Android中做到这一点?

相关链接...

Android 屏幕捕获或从图像制作视频

如何像 iPhone 中的 Talking Tomcat 应用程序一样录制屏幕视频?

4

1 回答 1

8

使用MediaCodec APICONFIGURE_FLAG_ENCODE将其设置为编码器。不需要ffmpeg :)

您已经在链接到的另一个问题中找到了如何抓取屏幕,现在您只需将每个捕获的帧输入到MediaCodec,设置适当的格式标志、时间戳等。

编辑:很难找到此示例代码,但在这里,向 Martin Storsjö 致敬。快速 API 演练:

MediaFormat inputFormat = MediaFormat.createVideoFormat("video/avc", width, height);
inputFormat.setInteger(MediaFormat.KEY_BIT_RATE, bitRate);
inputFormat.setInteger(MediaFormat.KEY_FRAME_RATE, frameRate);
inputFormat.setInteger(MediaFormat.KEY_COLOR_FORMAT, colorFormat);
inputFormat.setInteger(MediaFormat.KEY_I_FRAME_INTERVAL, 75);
inputFormat.setInteger("stride", stride);
inputFormat.setInteger("slice-height", sliceHeight);

encoder = MediaCodec.createByCodecName("OMX.TI.DUCATI1.VIDEO.H264E"); // need to find name in media codec list, it is chipset-specific

encoder.configure(inputFormat, null, null, MediaCodec.CONFIGURE_FLAG_ENCODE);
encoder.start();
encoderInputBuffers = encoder.getInputBuffers();
encoderOutputBuffers = encoder.getOutputBuffers();

byte[] inputFrame = new byte[frameSize];

while ( ... have data ... ) {
    int inputBufIndex = encoder.dequeueInputBuffer(timeout);

    if (inputBufIndex >= 0) {
        ByteBuffer inputBuf = encoderInputBuffers[inputBufIndex];
        inputBuf.clear();

        // HERE: fill in input frame in correct color format, taking strides into account
        // This is an example for I420
        for (int i = 0; i < width; i++) {
            for (int j = 0; j < height; j++) {
                inputFrame[ i * stride + j ] = ...; // Y[i][j]
                inputFrame[ i * stride/2 + j/2 + stride * sliceHeight ] = ...; // U[i][j]
                inputFrame[ i * stride/2 + j/2 + stride * sliceHeight * 5/4 ] = ...; // V[i][j]
            }
        }

        inputBuf.put(inputFrame);

        encoder.queueInputBuffer(
            inputBufIndex,
            0 /* offset */,
            sampleSize,
            presentationTimeUs,
            0);
    }

    int outputBufIndex = encoder.dequeueOutputBuffer(info, timeout);

    if (outputBufIndex >= 0) {
        ByteBuffer outputBuf = encoderOutputBuffers[outputBufIndex];

        // HERE: read get the encoded data

        encoder.releaseOutputBuffer(
            outputBufIndex, 
            false);
    }
    else {
        // Handle change of buffers, format, etc
    }
}

还有一些未解决的问题

编辑:您可以将数据作为支持的像素格式之一的字节缓冲区输入,例如 I420 或 NV12。不幸的是,没有完美的方法来确定哪些格式可以在特定设备上运行。但是,对于您可以从相机获得的与编码器一起使用的相同格式,这是典型的。

于 2013-01-02T07:14:32.290 回答