其他分享
首页 > 其他分享> > Android后台线程

Android后台线程

作者:互联网

我正在制作图像处理器应用程序.我需要扫描手机中的图片,并列出其像素数.因此,这将对性能产生重大影响,据我了解,我需要使其在后台线程上运行.

所以我的问题是,什么是最好的方法?我知道IntentService可能是最好的解决方案,但是我不确定如何使用它实现进度条,因此我需要返回Picture对象,然后在shuffle按钮上更新UI.我正在使用Glide库进行更新,以便顺利进行.

在阅读有关Asynctasks的文章时,我迷迷糊糊地评论了它的糟糕之处,并导致内存泄漏,应避免使用它.目前,rXJava太复杂了.
 这是我的代码:

主要活动:

@OnClick(R.id.shuffle)
public void shuffleList() {
    Collections.shuffle(listOfImageFiles);
    recyclerViewAdapter = new PictureRecycleViewAdapter(listOfImageFiles, this);
    recyclerView.swapAdapter(recyclerViewAdapter, false);
    recyclerViewAdapter.notifyDataSetChanged();
}

@OnClick(R.id.scan)
public void processImages() {

    //progress bar

    listOfPictures = new ArrayList<>();

    //Gets data from default camera roll directory. Note that some of the phone companies have different file paths. So instead of hardcoding string paths, I used this instead.
    String path = Environment.getExternalStoragePublicDirectory(Environment.DIRECTORY_DCIM).getPath();
    File filePath = new File(path);
    listOfImageFiles = scanPhotos(filePath);

    // async?
    for (File file : listOfImageFiles
            ) {
        Bitmap bitmap = BitmapFactory.decodeFile(file.getPath());

        //int is sufficient for most today's pixels. long would be overkill - 4 vs 8 bytes
        int pixels = bitmap.getHeight() * bitmap.getWidth();

        listOfPictures.add(new Picture(file.getPath(), pixels));
    }
}

public List<File> scanPhotos(File directory) {
    List<File> listOfPictures = new ArrayList<>();
    try {
        File[] files = directory.listFiles();
        for (File file : files
                ) {
            if (file.isDirectory() && !file.isHidden()) {
                listOfPictures.addAll(scanPhotos(file));
            } else {
                if (file.getName().endsWith(".jpg") || file.getName().endsWith(".jpeg") || file.getName().endsWith(".png")) {
                    listOfPictures.add(file);
                }
            }
        }
    } catch (Exception e) {
        Log.e(e.getMessage(), e.getMessage());
    }

    return listOfPictures;
}

解决方法:

意图服务

IntentService绝对是一种有效的方法.您可以使用广播将结果返回到应用程序的另一个组件,例如“活动”或另一个“服务”,例如:

>启动IntentService-如果需要一些参数,请将它们放在服务意图的Extras中.
>您的IntentService在后台线程上运行,直到计算完成.
>完成后,发送广播,并将计算结果放入意向附加中.
>在您的活动中,注册一个BroadcastReceiver,它将监听您的计算结果广播.
>在活动中广播后,从意向附加中检索计算结果.

您也可以实施服务接收的广播,例如取消计算或更新参数.

IntentService的优点之一是,您可以轻松地将其与JobScheduler API集成在一起,以将执行推迟到满足某些系统条件为止.

备择方案

>您可以使用总线库(例如https://github.com/greenrobot/EventBus)在Activity和Service之间进行通信-唯一的问题是EventBus无法与远程服务一起使用(在单独的进程中运行).
>就像您提到的,将RxJava与IO和计算调度程序一起使用也是一个好主意.
> AsyncTask很好,只要您不对活动进行硬引用即可-不要将其实现为Activity的内部类,并且如果您想将结果传达回去,请通过WeakReference< T>

标签:intentservice,performance,multithreading,android-asynctask,android
来源: https://codeday.me/bug/20191026/1936729.html