我有 20 个线程使用 println() 函数在名为 results.txt 的文件上写入。我怎样才能同步它们?
我注意到每次我的程序运行时,results.txt 中的文本行数都不同。
谢谢你。
我有 20 个线程使用 println() 函数在名为 results.txt 的文件上写入。我怎样才能同步它们?
我注意到每次我的程序运行时,results.txt 中的文本行数都不同。
谢谢你。
通过包含同步方法的类访问文件以写入文件。一次只有一个线程能够执行该方法。
我认为单例模式适合您的问题:
package com.test.singleton;
public class Singleton {
private static final Singleton inst= new Singleton();
private Singleton() {
super();
}
public synchronized void writeToFile(String str) {
// Do whatever
}
public static Singleton getInstance() {
return inst;
}
}
每次您需要写入文件时,您只需调用:
Singleton.getInstance().writeToFile("Hello!!");
重复的问题...重复的答案。正如我在这里所说:
如果您可以将文件保存为 a FileOutputStream
,则可以像这样锁定它:
FileOutputStream file = ...
....
// Thread safe version.
void write(byte[] bytes) {
try {
boolean written = false;
do {
try {
// Lock it!
FileLock lock = file.getChannel().lock();
try {
// Write the bytes.
file.write(bytes);
written = true;
} finally {
// Release the lock.
lock.release();
}
} catch ( OverlappingFileLockException ofle ) {
try {
// Wait a bit
Thread.sleep(0);
} catch (InterruptedException ex) {
throw new InterruptedIOException ("Interrupted waiting for a file lock.");
}
}
} while (!written);
} catch (IOException ex) {
log.warn("Failed to lock " + fileName, ex);
}
}
您打算将数据写入一个文件。因此,如果您尝试锁定整个文件,最好使用单个线程来完成这项工作。虽然你生成了 20 个线程,但是每次调用方法时只有一个在运行,其他的只是在等待锁。
我建议您使用RandomAccessFile
将数据写入文件。然后每个线程可以在不锁定整个文件的情况下将一些唯一数据写入文件。
一些演示代码如下
try {
final RandomAccessFile file = new RandomAccessFile("/path/to/your/result.txt", "rw");
final int numberOfThread = 20;
final int bufferSize = 512;
ExecutorService pool = Executors.newFixedThreadPool(numberOfThread);
final AtomicInteger byteCounter = new AtomicInteger(0);
final byte[] yourText = "Your data".getBytes();
for (int i = 0; i < yourText.length; i++) {
pool.submit(new Runnable() {
@Override
public void run() {
int start = byteCounter.getAndAdd(bufferSize);
int chunkSize = bufferSize;
if (start + bufferSize > yourText.length) {
chunkSize = yourText.length - start;
}
byte[] chunkData = new byte[chunkSize];
System.arraycopy(yourText, start, chunkData, 0, chunkSize);
try {
file.write(chunkData);
} catch (IOException e) {
//exception handle
}
}
});
}
file.close();
} catch (Exception e) {
//clean up
}