如何在完成上述代码执行ID完成后运行意图



我试图在Android Studio中剪切视频,然后将其分享到某些应用程序中。但是分享似乎甚至在切割过程完成之前就进行了

我的代码:

vidUris.add(Uri.fromFile(new File(dest.getAbsolutePath())));
String[] complexCommand = {"-i", yourRealPath, "-ss", "" + startMs, "-t", ""+leng , dest.getAbsolutePath()};
execFFmpegBinary(complexCommand);
Intent shareIntent = new Intent();
shareIntent.setAction(Intent.ACTION_SEND_MULTIPLE);
shareIntent.putParcelableArrayListExtra(Intent.EXTRA_STREAM, vidUris);
shareIntent.setType("video/*");
startActivity(shareIntent);

请检查execffmpegbinary是否是异步方法。

因此,您需要一个回调功能,该函数将在切割完成后被调用。这样您就可以开始共享意图。

要实现此行为,您可能会考虑具有这样的接口。

public interface CuttingCompleted {
    void onCuttingCompleted(String[] vidUris); 
}

现在,请使用AsyncTask在背景线程中进行切割,并且完成后,将结果传递给回调函数,以进一步执行您的代码流。

public class CuttingVideoAsyncTask extends AsyncTask<Void, Void, String[]> {
    private final Context mContext;
    public CuttingCompleted mCuttingCompleted;
    CuttingVideoAsyncTask(Context context, CuttingCompleted listener) {
        // Pass extra parameters as you need for cutting the video
        this.mContext = context;
        this.mCuttingCompleted = listener;
    }
    @Override
    protected String[] doInBackground(Void... params) {
        // This is just an example showing here to run the process of cutting. 
        String[] complexCommand = {"-i", yourRealPath, "-ss", "" + startMs, "-t", ""+leng , dest.getAbsolutePath()};
        execFFmpegBinary(complexCommand);
        return complexCommand;
    }
    @Override
    protected void onPostExecute(String[] vidUris) {
        // Pass the result to the calling Activity
        mCuttingCompleted.onCuttingCompleted(vidUris);
    }
    @Override
    protected void onCancelled() {
        mCuttingCompleted.onCuttingCompleted(null);
    }
}

现在,从Activity中,您需要实现接口,以便在切割过程完全完成时共享意图开始。

public class YourActivity extends Activity implements CuttingCompleted {
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        // ... Other code
        new CuttingVideoAsyncTask(this, this).executeOnExecutor(AsyncTask.THREAD_POOL_EXECUTOR);
    }
    @Override
    public void onCuttingCompleted(String[] vidUris) {
        Intent shareIntent = new Intent();
        shareIntent.setAction(Intent.ACTION_SEND_MULTIPLE);
        shareIntent.putParcelableArrayListExtra(Intent.EXTRA_STREAM, vidUris);
        shareIntent.setType("video/*");
        startActivity(shareIntent);
    }
}

最新更新