我可以利用NIO异步API通过多个并行线程在单个文件中写入(附加)吗?我想做的就是将查询分为不同的类别,并为每个类别分配一个线程,以从DB中获取记录并写入文件(例如user-records.json)。
线程A
A类用户
通过用户ID查询-将结果集写入user-records.json
线程B
B类用户
通过用户ID查询-将结果集附加到user-records.json
线程C
某类C的用户
通过用户ID查询-将结果集附加到user-records.json
以此类推....
以下是不是实际实现的类,而只是用于启用异步文件写入/附加的示例-
public class AsyncAppender {
private final AsynchronousFileChannel channel;
/** Where new append operations are told to start writing. */
private final AtomicLong projectedSize;
AsyncAppender( AsynchronousFileChannel channel) throws IOException {
this.channel = channel;
this.projectedSize = new AtomicLong(channel.size());
}
public void append( ByteBuffer buf) throws IOException {
final int buflen = buf.remaining();
long size;
do {
size = projectedSize.get();
} while (!projectedSize.compareAndSet(size, size + buflen));
channel.write(buf, channel.size(), channel, new WriteOp(buf, size));
}
}
public class WriteOp implements CompletionHandler<Integer, AsynchronousFileChannel> {
private final ByteBuffer buf;
private long position;
WriteOp( ByteBuffer buf, long position) {
this.buf = buf;
this.position = position;
}
@Override
public void completed( Integer result, AsynchronousFileChannel channel) {
if (buf.hasRemaining()) { // incomplete write
position += result;
channel.write(buf, position, channel, this);
}
}
@Override
public void failed( Throwable ex, AsynchronousFileChannel channel) {
// ?
}
}
主要班级-
public class AsyncWriteMain {
public static void main( String[] args) {
AsyncWriteMain m = new AsyncWriteMain();
m.asyncWrite();
}
public void asyncWrite() {
try {
String filePath = "D:\\temp\\user-records.txt";
Path file = Paths.get(filePath);
AsynchronousFileChannel asyncFile = AsynchronousFileChannel.open(file, StandardOpenOption.WRITE, StandardOpenOption.CREATE);
AsyncAppender aa = new AsyncAppender(asyncFile);
for ( int i = 0; i < 10; i++) {
aa.append(ByteBuffer.wrap((i + " Some text to be written").getBytes()));
}
} catch (IOException e) {
System.out.println(e.getMessage());
}
}
}