I have multiple threads running which need to append to the same queue. This queue is split up into multiple variables, so effectively, I am calling a function, which appends to each variable at some position i. From http://www.youtube.com/watch?v=8sgDgXUUJ68&feature=c4-overview-vl&list=PLBB24CFB073F1048E I was shown to add locks for each method, as shown here. http://www.caveofprogramming.com/java/java-multiple-locks/ . It does not seem effective to create a lock for 100,000 objects in an array. In java, let's say that I have an object which manages a large queue of objects. How can I properly synchronize addToQueue, without sacrificing performance by synchronizing the method, just the position in the floatQueue and intQueue that I am appending to?
class QueueManager {
private float[] floatQueue;
private int[] intQueue;
private int currentQueueSize;
private int maxQueueSize;
QueueManager(int sizeOfQueue) {
intQueue = new int[sizeOfQueue];
floatQueue = new float[sizeOfQueue];
currentQueueSize = 0;
maxQueueSize = sizeOfQueue;
}
public boolean addToQueue(int a, float b) {
if (currentQueueSize == maxQueueSize) {
return false;
}
else{
intQueue[currentQueueSize] = a;
floatQueue[currentQueueSize] = b;
currentQueueSize++;
return true;
}
}
}
java.util.concurrent.ConcurrentLinkedQueue
is a non-blocking, lock-free queue implementation. It uses compare-and-swap instructions instead of locking.