iveはプログラムに取り組んでいます。私は3つのクラスがあります。2つのクラスには、異なる間隔で繰り返されるタイマーがあり、タイマーの1つの「サイクル」が完了すると、文字列を返すイベントが発生します。3番目のクラスは、他の2つのタイマークラスからのイベントをサブスクライブし、それらを画面に出力します。それは素晴らしい働きをします!
しかし、私の問題は、それらを別々に印刷することです。現在、最初のタイマークラスが実行され、2分ごとに「hello」が発生し、1秒ごとに他のクラスの「dog」が発生するとします。その後、イベントが発生するたびに、発生したイベントがコンソールに出力されます。代わりに毎秒「hellodog」を出力したいと思います。
私は考えていました:タイマーが起動するたびにイベントが発生し、「output」クラスの文字列が現在の値で更新され、毎秒オフになる別のタイマーが作成されます。このタイマーは、更新された両方の文字列を次のように一緒に読み取ります。 「hellodog」のような1つの出力。これが私が考える最も簡単な方法である場合、これは可能ですか。このアイデアをどのように実現しますか?
紛らわしい場合は明確にします。
namespace Final
{
public class Output
{
public static void Main()
{
var timer1 = new FormWithTimer();
var timer2 = new FormWithTimer2();
timer1.NewStringAvailable += new EventHandler<BaseClassThatCanRaiseEvent.StringEventArgs>(timer1_NewStringAvailable);
timer2.NewStringAvailable += new EventHandler<BaseClassThatCanRaiseEvent.StringEventArgs>(timer2_NewStringAvailable);
Console.ReadLine();
}
static void timer1_NewStringAvailable(object sender, BaseClassThatCanRaiseEvent.StringEventArgs e)
{
var theString = e.Value;
//To something with 'theString' that came from timer 1
Console.WriteLine(theString);
}
static void timer2_NewStringAvailable(object sender, BaseClassThatCanRaiseEvent.StringEventArgs e)
{
var theString2 = e.Value;
//To something with 'theString2' that came from timer 2
Console.WriteLine(theString2);
}
}
public abstract class BaseClassThatCanRaiseEvent
{
public class StringEventArgs : EventArgs
{
public StringEventArgs(string value)
{
Value = value;
}
public string Value { get; private set; }
}
//The event itself that people can subscribe to
public event EventHandler<StringEventArgs> NewStringAvailable;
protected void RaiseEvent(string value)
{
var e = NewStringAvailable;
if (e != null)
e(this, new StringEventArgs(value));
}
}
public partial class FormWithTimer : BaseClassThatCanRaiseEvent
{
Timer timer = new Timer();
public FormWithTimer()
{
timer = new System.Timers.Timer(200000);
timer.Elapsed += new ElapsedEventHandler(timer_Tick); // Everytime timer ticks, timer_Tick will be called
timer.Interval = (200000); // Timer will tick evert 10 seconds
timer.Enabled = true; // Enable the timer
timer.Start(); // Start the timer
}
void timer_Tick(object sender, EventArgs e)
{
...
RaiseEvent(gml.ToString());
}
}
public partial class FormWithTimer2 : BaseClassThatCanRaiseEvent
{
Timer timer = new Timer();
public FormWithTimer2()
{
timer = new System.Timers.Timer(1000);
timer.Elapsed += new ElapsedEventHandler(timer_Tick2); // Everytime timer ticks, timer_Tick will be called
timer.Interval = (1000); // Timer will tick evert 10 seconds
timer.Enabled = true; // Enable the timer
timer.Start(); // Start the timer
}
void timer_Tick2(object sender, EventArgs e)
{
...
RaiseEvent(aida.ToString());
}
}
}