继续浏览精彩内容
慕课网APP
程序员的梦工厂
打开
继续
感谢您的支持,我会继续努力的
赞赏金额会直接到老师账户
将二维码发送给自己后长按识别
微信支付
支付宝支付

Java IO流的一个小工具

黑鹦鹉
关注TA
已关注
手记 1
粉丝 8
获赞 3

考虑这样一种场景,你要为系统编写一个下载文件并缓存到本地的功能,你会用到InputSteam和OutputStream类,你可能会这么写:

InputStream is = null;
OutputStream os = null;
try {
    is = new FileInputStream("");
    os = new FileOutputStream("");
    //下载文件
    //保存到本地
} catch (FileNotFoundException e) {
    e.printStackTrace();
} finally {
    if (is != null) {
        try {
            is.close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
    if (os != null) {
        try {
            os.close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
}

在finally代码块中,为了关闭两个IO流写了14行代码,有没有什么办法可以用一行代码就搞定呢?查看InputStream和OutputStream抽象类源代码,发现他们都实现了共同的接口Closeable,事实上,java中所有流都必须实现这个接口,那么,这下就好办了。

我们可以设计一个工具类,如下:

public class IOUtil {
    public static void close(Closeable... closeableList) {
        try {
            for (Closeable closeable : closeableList) {
                if (closeable != null){
                    closeable.close();
                }
            }
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
}

那么,在finally代码块中就可以这样写:

finally{
//            if (is != null) {
//                try {
//                    is.close();
//                } catch (IOException e) {
//                    e.printStackTrace();
//                }
//            }
//            if (os != null) {
//                try {
//                    os.close();
//                } catch (IOException e) {
//                    e.printStackTrace();
//                }
//            }
     IOUtil.close(is, os);
}

是不是方便了很多呢?这个工具类用到了可变参数,接口隔离的思想。这样写代码,不仅仅只是方便而已,代码的可读性也好了很多,不是吗?

打开App,阅读手记
2人推荐
发表评论
随时随地看视频慕课网APP

热门评论

还可以用泛型写吧,不过也是用到可变参数!

查看全部评论