14

我目前正在开发一个应用程序,它需要录制音频、将其编码为 AAC、流式传输并反向执行相同的操作 - 接收流、解码 AAC 和播放音频。

我使用MediaRecorder成功录制了 AAC(包装在 MP4 容器中) ,并使用AudioRecord类成功上传了音频。但是,我需要能够在流式传输音频时对其进行编码,但这些类似乎都没有帮助我做到这一点。

我进行了一些研究,发现大多数有这个问题的人最终都会使用像ffmpeg这样的原生库。

但我想知道,由于 Android 已经包含StageFright,它具有可以进行编码和解码的本机代码(例如,AAC 编码AAC 解码),有没有办法在我的应用程序上使用这个本机代码?我怎样才能做到这一点?

如果我只需要用它们的本机代码实现一些 JNI 类,那就太好了。另外,由于它是一个 Android 库,因此不会有任何许可问题(如果我错了,请纠正我)。

4

1 回答 1

17

是的,你可以使用 libstagefright,它非常强大。

由于 stagefright 没有暴露于 NDK,所以你将不得不做额外的工作。

有两种方法:

(1) 使用 android 完整源代码树构建您的项目。这种方式需要几天的时间来设置,一旦准备好,它就很容易了,你可以充分利用怯场。

(2) 您可以将包含文件复制到您的项目中,它位于此文件夹中:

android-4.0.4_r1.1/frameworks/base/include/media/stagefright

然后您将通过动态加载 libstagefright.so 导出库函数,并且您可以链接到您的 jni 项目。

使用 statgefright 进行编码/解码非常简单,几百行就可以了。

我使用 stagefright 捕获屏幕截图以创建一个视频,该视频将在我们的 Android VNC 服务器中提供,即将发布。

以下是一个片段,我认为它比使用 ffmpeg 编码电影更好。您也可以添加音频源。

class ImageSource : public MediaSource {
   ImageSource(int width, int height, int colorFormat)
    : mWidth(width),
      mHeight(height),
      mColorFormat(colorFormat)
   {
   }

   virtual status_t read(
        MediaBuffer **buffer, const MediaSource::ReadOptions *options) {
       // here you can fill the buffer with your pixels
   }

   ...
};

int width = 720;
int height = 480;
sp<MediaSource> img_source = new ImageSource(width, height, colorFormat);

sp<MetaData> enc_meta = new MetaData;
// enc_meta->setCString(kKeyMIMEType, MEDIA_MIMETYPE_VIDEO_H263);
// enc_meta->setCString(kKeyMIMEType, MEDIA_MIMETYPE_VIDEO_MPEG4);
enc_meta->setCString(kKeyMIMEType, MEDIA_MIMETYPE_VIDEO_AVC);
enc_meta->setInt32(kKeyWidth, width);
enc_meta->setInt32(kKeyHeight, height);
enc_meta->setInt32(kKeySampleRate, kFramerate);
enc_meta->setInt32(kKeyBitRate, kVideoBitRate);
enc_meta->setInt32(kKeyStride, width);
enc_meta->setInt32(kKeySliceHeight, height);
enc_meta->setInt32(kKeyIFramesInterval, kIFramesIntervalSec);
enc_meta->setInt32(kKeyColorFormat, colorFormat);

sp<MediaSource> encoder =
    OMXCodec::Create(
            client.interface(), enc_meta, true, image_source);

sp<MPEG4Writer> writer = new MPEG4Writer("/sdcard/screenshot.mp4");
writer->addSource(encoder);

// you can add an audio source here if you want to encode audio as well
// 
//sp<MediaSource> audioEncoder =
//    OMXCodec::Create(client.interface(), encMetaAudio, true, audioSource);
//writer->addSource(audioEncoder);

writer->setMaxFileDuration(kDurationUs);
CHECK_EQ(OK, writer->start());
while (!writer->reachedEOS()) {
    fprintf(stderr, ".");
    usleep(100000);
}
err = writer->stop();
于 2012-05-02T20:18:09.117 回答