By the looks of things, you are writing your code in VB, so I'll do that here. Also I'm not intending to be condescending, I just want to write the answer so that anyone else looking at this can use it and learn a bit about timers.
First off, in the toolbox, you need to double click on the Timer control. This will add a timer underneath your form in the Design window. The timer doesn't appear on your form as it doesn't have any sort of graphical interface.
Underneath the window you should have a timer control called Timer1. Double click this and your code window will open and you'll find a new sub that looks something like this -
Private Sub Timer1_Tick(sender As Object, e As EventArgs) Handles Timer1.Tick
End Sub
inside the Sub add the code that you want to happen every second. So now you should have this -
Private Sub Timer1_Tick(sender As Object, e As EventArgs) Handles Timer1.Tick
if aBoolean then
textBox1.Text = "Aboolean is true"
else
textBox1.Text = "Aboolean is false"
end if
End Sub
OK? So far so good. This bit of code doesn't do anything yet. When Timer1 is enabled, every time the timer ticks, it raises an event called Timer1.Tick. The code above runs when this Tick event happens.
The next bit depends when you want the timer to start ticking and how long you want the interval between ticks to be. The interval is stored as milliseconds, so to set the interval for Timer1 to 1 second, all you need to do is this
Timer1.Interval=1000
This needs to go somewhere in your code that you know will run before you want the timer to start ticking. I sometimes put it in the Form's Load event, but it doesn't have to be there.
At the point in your program where you want the timer to start ticking, it's as easy as adding this to a Sub in your code
Timer1.Start
Inevitably there will be a point where you want the timer to stop firing out these ticks, so at that point, just add
Timer1.Stop
That pretty much covers the basics of timers.
Hope it helps