我正在尝试为android构建ffmpeg。我想用它实现两件事。 1.旋转视频 2.加入两个或更多视频。
在我的应用程序中使用ffmpeg有两种方法。 1.拥有ffmpeg可执行文件,将其复制到/ data / package /并执行ffmpeg命令。 2.使用ndk构建ffmpeg库.so文件并编写jni代码等。
哪种方法最适合我的需求?我可以获得一些遵循这些方法的代码片段吗?
答案 0 :(得分:2)
你可以通过两种方式实现它,我会用第一种方式实现它:
将您的ffmpeg文件放入原始文件夹。
您需要使用命令使用ffmpeg可执行文件,但您需要将文件放入文件系统文件夹并更改文件的权限,因此请使用以下代码:
public static void installBinaryFromRaw(Context context, int resId, File file) {
final InputStream rawStream = context.getResources().openRawResource(resId);
final OutputStream binStream = getFileOutputStream(file);
if (rawStream != null && binStream != null) {
pipeStreams(rawStream, binStream);
try {
rawStream.close();
binStream.close();
} catch (IOException e) {
Log.e(TAG, "Failed to close streams!", e);
}
doChmod(file, 777);
}
}
public static OutputStream getFileOutputStream(File file) {
try {
return new FileOutputStream(file);
} catch (FileNotFoundException e) {
Log.e(TAG, "File not found attempting to stream file.", e);
}
return null;
}
public static void pipeStreams(InputStream is, OutputStream os) {
byte[] buffer = new byte[IO_BUFFER_SIZE];
int count;
try {
while ((count = is.read(buffer)) > 0) {
os.write(buffer, 0, count);
}
} catch (IOException e) {
Log.e(TAG, "Error writing stream.", e);
}
}
public static void doChmod(File file, int chmodValue) {
final StringBuilder sb = new StringBuilder();
sb.append("chmod");
sb.append(' ');
sb.append(chmodValue);
sb.append(' ');
sb.append(file.getAbsolutePath());
try {
Runtime.getRuntime().exec(sb.toString());
} catch (IOException e) {
Log.e(TAG, "Error performing chmod", e);
}
}
调用此方法:
private void installFfmpeg() {
File ffmpegFile = new File(getCacheDir(), "ffmpeg");
String mFfmpegInstallPath = ffmpegFile.toString();
Log.d(TAG, "ffmpeg install path: " + mFfmpegInstallPath);
if (!ffmpegFile.exists()) {
try {
ffmpegFile.createNewFile();
} catch (IOException e) {
Log.e(TAG, "Failed to create new file!", e);
}
Utils.installBinaryFromRaw(this, R.raw.ffmpeg, ffmpegFile);
}else{
Log.d(TAG, "It was installed");
}
ffmpegFile.setExecutable(true);
}
然后,您将准备好使用命令使用ffmpeg文件。 (这种方式适合我,但有些人说它不起作用,我不知道为什么,希望不是你的情况)。然后,我们将ffmpeg与此代码一起使用:
String command = "data/data/YOUR_PACKAGE/cache/ffmpeg" + THE_REST_OF_YOUR_COMMAND;
try {
Process process = Runtime.getRuntime().exec(command);
process.waitFor();
Log.d(TAG, "Process finished");
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
正如我所说,您必须通过命令使用ffmpeg文件,因此您应该在Internet上搜索并选择要使用的命令,然后将其添加到命令字符串中。如果命令失败,您将不会收到任何日志的警报,因此您应该使用终端模拟器尝试命令并确保它有效。如果它不起作用,你将看不到任何结果。
希望它有用!!
答案 1 :(得分:1)
库方法的优点是您可以更好地控制转换的进度,并可以在中间进行调整。另一方面,操作可执行文件更容易一些。最后,您只需安装ffmpeg4android app并使用其API。