JavaJava学习笔记笔试&&面试经验

面试小结之IO篇

2017-06-14  本文已影响245人  ginobefun

最近面试一些公司,被问到的关于Java NIO编程的问题,以及自己总结的回答。

谈谈对Java IO的认识。

介绍一下Java NIO中的Buffer、Channel和Selector的概念和作用。

    public void openAndWrite() throws IOException {
        FileChannel channel = FileChannel.open(Paths.get("my.txt"), StandardOpenOption.CREATE, StandardOpenOption.WRITE);
        ByteBuffer buffer = ByteBuffer.allocate(64);
        buffer.putChar('A').flip();
        channel.write(buffer);
    }
    public void startSimpleServer() throws IOException{
        ServerSocketChannel channel = ServerSocketChannel.open();
        channel.bind(new InetSocketAddress("localhost", 10800));
        while(true){
            try(SocketChannel sc = channel.accept()){
                sc.write(ByteBuffer.wrap("Hello".getBytes("UTF-8")));
            }
        }
    }
public class LoadWebPageUseSelector {

    // 通过Selector同时下载多个网页的内容
    public void load(Set<URL> urls) throws IOException {
        Map<SocketAddress, String> mapping = urlToSocketAddress(urls);

        // 1. 创建Selector
        Selector selector = Selector.open();

        // 2. 将套接字Channel注册到Selector上
        for (SocketAddress address : mapping.keySet()) {
            register(selector, address);
        }

        int finished = 0;
        int total = mapping.size();

        ByteBuffer buffer = ByteBuffer.allocate(32 * 1024);
        int len = -1;
        while (finished < total) {
            // 3. 调用select方法进行通道选择,该方法会阻塞,直到至少有一个他们所感兴趣的事件发生,然后可以通过selectedKeys获取被选中的通道的对象集合
            selector.select();
            Iterator<SelectionKey> iterator = selector.selectedKeys().iterator();
            while (iterator.hasNext()) {
                SelectionKey key = iterator.next();
                iterator.remove();
                if (key.isValid() && key.isConnectable()) {
                    SocketChannel channel = (SocketChannel) key.channel();

                    // 4. 如果连接成功,则发送HTTP请求;失败则取消该连接;
                    boolean success = channel.finishConnect();
                    if (!success) {
                        finished++;
                        key.cancel();
                    } else {
                        InetSocketAddress address = (InetSocketAddress) channel.getRemoteAddress();
                        String path = mapping.get(address);
                        String request = "GET" + path + "HTTP/1.0\r\n\r\nHost:" + address.getHostString() + "\r\n\r\n";
                        ByteBuffer header = ByteBuffer.wrap(request.getBytes("UTF-8"));
                        channel.write(header);
                    }
                } else if (key.isValid() && key.isReadable()) {
                    // 5. 当channel处于可读时则读取channel的数据并写入文件
                    SocketChannel channel = (SocketChannel) key.channel();
                    InetSocketAddress address = (InetSocketAddress) channel.getRemoteAddress();
                    String filename = address.getHostName() + ".txt";
                    FileChannel destChannel = FileChannel.open(Paths.get(filename), StandardOpenOption.APPEND, StandardOpenOption.CREATE);
                    buffer.clear();

                    // 6. 当返回0时表示本次没有数据可读不需要操作;如果为-1则表示所有数据亿级读取完毕,可以关闭;
                    while ((len = channel.read(buffer)) > 0 || buffer.position() != 0) {
                        buffer.flip();
                        destChannel.write(buffer);
                        buffer.compact();
                    }

                    if (len == -1) {
                        finished++;
                        key.cancel();
                    }
                }
            }
        }
    }

    private void register(Selector selector, SocketAddress address) throws IOException {
        SocketChannel channel = SocketChannel.open();

        // 设置为非阻塞模式
        channel.configureBlocking(false);
        channel.connect(address);

        // 注册时需要指定感兴趣的事件类型
        channel.register(selector, SelectionKey.OP_CONNECT | SelectionKey.OP_READ);
    }

    private Map<SocketAddress, String> urlToSocketAddress(Set<URL> urls) {
        Map<SocketAddress, String> mapping = new HashMap<>();
        for (URL url : urls) {
            int port = url.getPort() != -1 ? url.getPort() : url.getDefaultPort();
            SocketAddress address = new InetSocketAddress(url.getHost(), port);
            String path = url.getPath();
            if (url.getQuery() != null) {
                path = path + "?" + url.getQuery();
            }

            mapping.put(address, path);
        }

        return mapping;
    }
}

Java 7的版本对Java NIO有哪些增强?

    public void calculate() throws IOException, InterruptedException {
        WatchService service = FileSystems.getDefault().newWatchService();
        Path path = Paths.get("").toAbsolutePath();
        path.register(service, StandardWatchEventKinds.ENTRY_CREATE);
        while (true) {
            WatchKey watchKey = service.take();
            for (WatchEvent<?> event : watchKey.pollEvents()) {
                Path createdPath = (Path) event.context();
                createdPath = path.resolve(createdPath);
                long size = Files.size(createdPath);
                System.out.println(createdPath + "=>" + size);
            }

            watchKey.reset();
        }
    }
    
    public void manipulateFiles() throws IOException {
        Path newFile = Files.createFile(Paths.get("new.txt").toAbsolutePath());
        List<String> content = Arrays.asList("Hello", "World");
        Files.write(newFile, content, Charset.forName("UTF-8"));
        Files.size(newFile);

        byte[] bytes = Files.readAllBytes(newFile);
        ByteArrayOutputStream outputStream = new ByteArrayOutputStream();
        Files.copy(newFile, outputStream);
        Files.delete(newFile);
    }
    public void asyncWrite() throws IOException, ExecutionException, InterruptedException {
        AsynchronousFileChannel channel = AsynchronousFileChannel.open(Paths.get("large.bin"),
                StandardOpenOption.CREATE, StandardOpenOption.WRITE);
        ByteBuffer buffer = ByteBuffer.allocate(32 * 1024 * 1024);
        Future<Integer> result = channel.write(buffer, 0);
        Integer len = result.get();
    }
    
    public void startAsyncSimpleServer() throws IOException {
        AsynchronousChannelGroup group = AsynchronousChannelGroup.withFixedThreadPool(10, Executors.defaultThreadFactory());
        final AsynchronousServerSocketChannel serverChannel = AsynchronousServerSocketChannel.open(group).bind(new InetSocketAddress(10080));
        serverChannel.accept(null, new CompletionHandler<AsynchronousSocketChannel, Void>() {
            @Override
            public void completed(AsynchronousSocketChannel result, Void attachment) {
                serverChannel.accept(null, this);
                // 使用clientChannel
            }

            @Override
            public void failed(Throwable exc, Void attachment) {
                // 错误处理
            }
        });
    }

其他面试小结

扫一扫 关注我的微信公众号
上一篇 下一篇

猜你喜欢

热点阅读