Repeat ping every 30 seconds - c#

I created a Windows Forms application to ping a list of Ip addresses, then i used a Timer to repeat the ping every 30 seconds. This is the code i used:
private System.Timers.Timer timer;
public Form1()
{
InitializeComponent();
timer = new System.Timers.Timer();
timer.Interval = 30000;
timer.Enabled = true;
timer.Elapsed += button1_Click;
}
private void backgroundWorker1_DoWork(object sender, DoWorkEventArgs e)
{
pingResults.Clear();
ipAddress.Add("10.100.1.1");
ipAddress.Add("10.100.1.2");
ipAddress.Add("10.100.1.3");
ipAddress.Add("10.100.1.4");
ipAddress.Add("10.100.1.5");
ipAddress.Add("10.100.1.100");
for (int i = 1; i < 7; i++)
{
pictureBoxList.Add((PictureBox)Controls.Find("pictureBox" + i, true)[0]);
}
Parallel.For(0, ipAddress.Count(), (i, loopState) =>
{
Ping ping = new Ping();
PingReply pingReply = ping.Send(ipAddress[i].ToString());
this.BeginInvoke((Action)delegate()
{
pictureBoxList[i].BackColor = (pingReply.Status == IPStatus.Success) ? Color.Green : Color.Red;
});
});
}
private void button1_Click(object sender,ElapsedEventArgs e )
{
backgroundWorker1.RunWorkerAsync();
}
But i got this error message:
Error 1 No overload for 'button1_Click' matches delegate 'System.EventHandler'
I tried a lot of examples but i didn't get how to use the Timer. what is the problem here or is there any other way to repeat the Ping?

Please, note that Button.Clicked and Timer.Elapsed have different signatures; you, probably, want
public Form1()
{
InitializeComponent();
timer = new System.Timers.Timer();
timer.Interval = 30000;
timer.Enabled = true;
timer.Elapsed += timer_Elapsed; // not button1_Click
}
...
private void timer_Elapsed(object sender, ElapsedEventArgs e)
{
backgroundWorker1.RunWorkerAsync();
}
private void button1_Click(object sender, EventArgs e)
{
backgroundWorker1.RunWorkerAsync();
}
Or you can get rid of timer_Elapsed at all with a help of lambda function:
public Form1()
{
InitializeComponent();
timer = new System.Timers.Timer();
timer.Interval = 30000;
timer.Enabled = true;
timer.Elapsed += (s, e) => {backgroundWorker1.RunWorkerAsync();};
}
...
private void button1_Click(object sender, EventArgs e)
{
backgroundWorker1.RunWorkerAsync();
}

Your idea with the timer is a perfect idea. Anyhow now you try to activate the timer with a button which will not work properly.
Try this example from the microsoft documentation
https://learn.microsoft.com/en-us/dotnet/api/system.timers.timer?view=netframework-4.8

Looking on the definition of System.EventHandler (at https://learn.microsoft.com/en-us/dotnet/api/system.eventhandler?view=netframework-4.8), we see that it's:
[System.Runtime.InteropServices.ComVisible(true)]
[System.Serializable]
public delegate void EventHandler(object sender, EventArgs e);
It's a delegate, which takes one parameter of type System.EventArgs and one of type object. Looking on your code:
private void button1_Click(object sender, ElapsedEventArgs e)
We see that your event handler receives an object and an ElapsedEventArgs, which is a subclass of EventArgs. But you can't use it, since the compiler expect EventArgs (the opposite, superclass instead of subclass, of course allowed). This is the meaning of the error message:
Error 1 No overload for 'button1_Click' matches delegate 'System.EventHandler'
I (the compiler) expected a method matches the signature of System.EventHandler, but didn't got.

Related

System.Windows.Forms.Timer keeps on running

I need to show a message after 10 seconds of form load.
I am using the below code
private void Form1_Load(object sender, EventArgs e)
{
SetTimeInterval();
}
System.Windows.Forms.Timer MyTimer = new System.Windows.Forms.Timer();
public void SetTimeInterval()
{
MyTimer.Interval = ( 10 * 1000);
MyTimer.Tick += new EventHandler(TimerEventProcessor);
MyTimer.Start();
}
void TimerEventProcessor(Object myObject,EventArgs myEventArgs)
{
MessageBox.Show("TIME UP");
MyTimer.Stop();
MyTimer.Enabled = false;
}
Tried using MyTimer.Stop() and MyTimer.Enabled = false, but messagebox keeps displaying every 10 seconds. How do I stop it after the first instance?
Your problem is that MessageBox.Show() is a blocking call. So MyTimer.Stop() is only called after you close the MessageBox.
So until you closed the MessageBox there will pop up new ones every 10s. The simple solution is to change the order of calls:
void TimerEventProcessor(Object myObject,EventArgs myEventArgs)
{
MyTimer.Stop();
MyTimer.Enabled = false;
MessageBox.Show("TIME UP");
}
So the timer is stopped as soon as you enter the event handler, before displaying the message box.
i would suggest this method
go to theform.designer.cs
writhe this code
this.timer1.Enabled = true;
this.timer1.Interval = 10000;
and do this in ur .cs file
private void timer1_Tick(object sender, EventArgs e)
{
MessageBox.Show("msg");
}
that work perfectly for me.

Stop webBrowser control if document does not complete

I am using a C# webBrowser control using the DocumentCompleted -
private void webBrowser1_DocumentCompleted(object sender, WebBrowserDocumentCompletedEventArgs e)
I am then navigating -
webBrowser1.Navigate("myUrl")
However if the request to that server hangs, i.e. the page does not complete after say 10 seconds, how could I implement the webBrowser1.Stop();?
I did try to implement a count, that if it got to 20 i.e. the webBrowser1_DocumentCompleted went into an infinite loop (the page would not complete) then stop however not sure if this is the most straightforward way of doing htis?
This might be in really bad practice so I apologize but you could use a boolean control with a timer to check whether or not the document has completed and if it hasn't, close the webBrowser.
First of all add a timer(assuming its called Timer1) to your form, setting interval to 1000 and create an int and bool control.
int timeLeft;
bool hasCompleted = false;
Run your URL as normal and start your timer
webBrowser1.Navigate("myUrl");
timeLeft = 10;
Timer1.Start();
And your timer should look like this;
private void timer1_Tick(object sender, EventArgs e)
{
if(timeLeft > 0) {
timeLeft = timeLeft - 1;
}
if(timeLeft = 0 && !hasCompleted)
{
timer1.Stop();
webBrowser1.Stop();
}
else{
timer1.Stop();
}
}
private void webBrowser1_DocumentCompleted(object sender, WebBrowserDocumentCompletedEventArgs e)
{
hasCompleted = true;
//your code
}
I have tried to achieve this using the timer.
I just added a timer and set the interval.
Here is the code
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
timer1.Tick += timer1_Tick;
webBrowser1.DocumentCompleted += new
WebBrowserDocumentCompletedEventHandler( webBrowser1_DocumentCompleted);
LoadBrowser();
}
void timer1_Tick(object sender, EventArgs e)
{
timer1.Enabled = false;
webBrowser1.DocumentText = "Cancelled";
}
void webBrowser1_DocumentCompleted(object sender, WebBrowserDocumentCompletedEventArgs e)
{
if (timer1.Enabled)
{
MessageBox.Show("Page Loaded succesfully");
}
}
private void LoadBrowser()
{
timer1.Enabled = true;
webBrowser1.Url = new Uri("http://www.microsoft.com");
}
}

Timer using label

So, this seems to be a common question but I can't seem to figure out a way to do this. I have a C# Form application that goes out to an imap client and processes the emails. I want to have a timer formatted like "08:45" (for 8 minutes and 45 seconds) displayed on the form to let the user know how long it has been since they clicked the button to start the process.
I want the timer to stop once my process ends obviously.
private void btn_ImportEmail_Click(object sender, EventArgs e)
{
this.timer = new System.Timers.Timer();
this.lblTimer = new System.Windows.Forms.Label();
((System.ComponentModel.ISupportInitialize) (this.timer)).BeginInit();
this.timer.Elapsed += new System.Timers.ElapsedEventHandler(this.OnTimerElapsed);
//connect to email and download messages...
this.timer.Enabled = true;
this.timer.SynchronizingObject = this;
timer.Interval = 1000;
timer.Start();
for (int I = 0 ; I <= messages.count() - 1; I++)
{
//process emails
}
timer.EndInit();
}
private void timer1_Tick(object sender, EventArgs e)
{
lblTimer.Text = DateTime.Now.ToString("mm:ss");
}
private void OnTimerElapsed(object sender, System.Timers.ElapsedEventArgs e)
{
lblTimer.Text = DateTime.Now.ToString("mm:ss");
// lblTimer.Text = string.Format("{0:mm:ss}", DateTime.Now);
}
The following SO Q/A might answer your question...
Display the running time of part of a program in a label
I would recommend changing the format to your needs.
The first thing that I see is that you are using DateTime.Now which will give you the current minutes and seconds, not elapsed minutes and seconds. The second thing and the main thing is that since you are processing your emails in your main UI's thread you are preventing your label from being updated, you would be better off looking at using a background worker instead.
Edit based on Idle_Mind's comment added DateTime Object instead of counter.
public partial class Form1 : Form
{
BackgroundWorker bgw = new BackgroundWorker();
Timer timer = new Timer();
DateTime startTime;
public Form1()
{
InitializeComponent();
timer.Interval = 1000;
timer.Tick += timer_Tick;
bgw.DoWork += bgw_DoWork;
bgw.RunWorkerCompleted+=bgw_RunWorkerCompleted;
}
void timer_Tick(object sender, EventArgs e)
{
label1.Text =((TimeSpan)DateTime.Now.Subtract(startTime)).ToString("mm\\:ss");
}
void bgw_RunWorkerCompleted(object sender, RunWorkerCompletedEventArgs e)
{
timer.Stop();
}
void bgw_DoWork(object sender, DoWorkEventArgs e)
{
for (int I = 0 ; I <= messages.count() - 1; I++)
{
//process emails
}
}
private void button1_Click(object sender, EventArgs e)
{
bgw.RunWorkerAsync();
startTime = DateTime.Now;
timer.Start();
}
}

moving a button using a timer

I have four buttons that are called "ship1,ship2" etc.
I want them to move to the right side of the form (at the same speed and starting at the same time), and every time I click in one "ship", all the ships should stop.
I know that I need to use a timer (I have the code written that uses threading, but it gives me troubles when stopping the ships.) I don't know how to use timers.
I tried to read the timer info in MDSN but I didn't understand it.
So u can help me?
HERES the code using threading.
I don't want to use it. I need to use a TIMER! (I posted it here because it doesnt give me to post without any code
private bool flag = false;
Thread thr;
public Form1()
{
InitializeComponent();
}
private void button2_Click(object sender, EventArgs e)
{
flag = false;
thr = new Thread(Go);
thr.Start();
}
private delegate void moveBd(Button btn);
void moveButton(Button btn)
{
int x = btn.Location.X;
int y = btn.Location.Y;
btn.Location = new Point(x + 1, y);
}
private void Go()
{
while (((ship1.Location.X + ship1.Size.Width) < this.Size.Width)&&(flag==false))
{
Invoke(new moveBd(moveButton), ship1);
Thread.Sleep(10);
}
MessageBox.Show("U LOOSE");
}
private void button1_Click(object sender, EventArgs e)
{
flag = true;
}
Have you googled Windows.Forms.Timer?
You can start a timer via:
Timer timer = new Timer();
timer.Interval = 1000; //one second
timer.Elapsed += new System.Timers.ElapsedEventHandler(timer_Elapsed);
timer.Enabled = true;
timer.Start();
You'll need an event handler to handle the Elapsed event which is where you'll put the code to handle moving the 'Button':
private void timer_Elapsed(object sender, System.Timers.ElapsedEventArgs e)
{
MoveButton();
}

Timer function in c# ATM simulator

Hi i am trying to use the timer object in c# to update my database and set the card to confiscated if it is there for more than 5 seconds. Im having a little trouble. Will post my code below
private void timer1_Tick(object sender, EventArgs e)
{
if (seconds > 5)
{
timer1.Enabled = false;
MessageBox.Show("Card NOT removed in time: CONFISCATED");
login.cardConfiscated(cardNumber);
login.Visible = true;
this.Close();
}
}
private void Form1_load(object sender, EventArgs e)
{
timer1.Enabled = true;
}
public void cardConfiscated(string number)
{
atmCardsTableAdapter1.confiscated(number);
atmCardsTableAdapter1.FillByNotConfiscated(boG_10033009DataSet.ATMCards);
}
First thing's first, you're never setting the interval on your timer.
private void Form1_load(object sender, EventArgs e)
{
timer1 = new Timer(5000); // sets interval to 5 seconds
timer1.Elapsed += new new ElapsedEventHandler(timer1_Tick);
timer1.Start();
}
I'm doing a five second interval above, so that we don't have to call the timer more than once, when 5 seconds passes, we can just skip to the juicy stuff:
private void timer1_Tick(object sender, EventArgs e)
{
timer1.Stop();
MessageBox.Show("Card NOT removed in time: CONFISCATED");
login.cardConfiscated(cardNumber);
login.Visible = true;
this.Close();
}
Finally, you should note that if you're timer had a shorter interval, then you need to increment your seconds, for example:
private void Form1_load(object sender, EventArgs e)
{
timer1 = new Timer(1000); // sets interval to 1 second
timer1.Elapsed += new new ElapsedEventHandler(timer1_Tick);
timer1.AutoReset = true; // sets the timer to restart after each run
timer1.Start();
}
Then we'd need to increment seconds each interval, like you did.
private void timer1_Tick(object sender, EventArgs e)
{
seconds++;
if (seconds > 5)
{
timer1.Stop();
MessageBox.Show("Card NOT removed in time: CONFISCATED");
login.cardConfiscated(cardNumber);
login.Visible = true;
this.Close();
}
}

Categories

Resources