Soy un poco nuevo en la programación concurrente, y trato de comprender los beneficios de usar Monitor.Pulse y Monitor.Wait.¿Qué son las ventajas de Monitor.Pulse And Monitor.Wait?
el ejemplo de MSDN es la siguiente:
class MonitorSample
{
const int MAX_LOOP_TIME = 1000;
Queue m_smplQueue;
public MonitorSample()
{
m_smplQueue = new Queue();
}
public void FirstThread()
{
int counter = 0;
lock(m_smplQueue)
{
while(counter < MAX_LOOP_TIME)
{
//Wait, if the queue is busy.
Monitor.Wait(m_smplQueue);
//Push one element.
m_smplQueue.Enqueue(counter);
//Release the waiting thread.
Monitor.Pulse(m_smplQueue);
counter++;
}
}
}
public void SecondThread()
{
lock(m_smplQueue)
{
//Release the waiting thread.
Monitor.Pulse(m_smplQueue);
//Wait in the loop, while the queue is busy.
//Exit on the time-out when the first thread stops.
while(Monitor.Wait(m_smplQueue,1000))
{
//Pop the first element.
int counter = (int)m_smplQueue.Dequeue();
//Print the first element.
Console.WriteLine(counter.ToString());
//Release the waiting thread.
Monitor.Pulse(m_smplQueue);
}
}
}
//Return the number of queue elements.
public int GetQueueCount()
{
return m_smplQueue.Count;
}
static void Main(string[] args)
{
//Create the MonitorSample object.
MonitorSample test = new MonitorSample();
//Create the first thread.
Thread tFirst = new Thread(new ThreadStart(test.FirstThread));
//Create the second thread.
Thread tSecond = new Thread(new ThreadStart(test.SecondThread));
//Start threads.
tFirst.Start();
tSecond.Start();
//wait to the end of the two threads
tFirst.Join();
tSecond.Join();
//Print the number of queue elements.
Console.WriteLine("Queue Count = " + test.GetQueueCount().ToString());
}
}
y no puedo ver el beneficio de usar Esperar y el pulso en lugar de esto:
public void FirstThreadTwo()
{
int counter = 0;
while (counter < MAX_LOOP_TIME)
{
lock (m_smplQueue)
{
m_smplQueue.Enqueue(counter);
counter++;
}
}
}
public void SecondThreadTwo()
{
while (true)
{
lock (m_smplQueue)
{
int counter = (int)m_smplQueue.Dequeue();
Console.WriteLine(counter.ToString());
}
}
}
Cualquier ayuda es muy apreciada. Gracias
hey, gracias por la respuesta rápida. con respecto a la pregunta sobre - sobre el uso de Monitor.Enter y Monitor.Exit, No veo realmente cómo Pulse y Wait difieren tanto que con estos dos métodos, solo que quizás en términos de costo de rendimiento. – seren1ty
@ seren1ty lo hacen *** completamente *** cosas diferentes; Entrar/Salir adquirir y liberar un bloqueo; Wait abre el bloqueo, entra en la cola de espera (esperando un pulso) y luego (cuando se despierta) vuelve a adquirir el bloqueo; El pulso mueve los elementos en espera de la cola de espera a la lista de espera. *** completamente *** diferente (aunque de cortesía) uso. Pulse/Wait se utilizan para * coordinar * entre subprocesos, en lugar de necesitar un bucle caliente o frío. –