很簡單,初學者使用
題目:在窗體中顯示當前時間,模擬時鐘
程序運行如下所示:
步驟:
1.打開vs2010,File->new->project->WindowsForm application
2.將在form的properties串口中的text屬性改為“時鐘”
4.從toolbox中選擇為窗體添加一個label控件和一個Timer控件
5.進入代碼頁面,添加獲取當前時間的代碼,並將label的text屬性設置為時間的顯示格式
6.雙擊Timer,編寫timer的Tick事件,在其中顯示時間的方法
8.雙擊窗體,填寫load事件,將timer啟動;
9.Form3.cs的代碼如下:
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;
namespace form1
{
public partial class Form3 : Form
{
public Form3()
{
InitializeComponent();
}
public void GetTime()
{
DateTime time = DateTime.Now;//獲取系統當前時間
/*
* 如果直接用time的hour,minute,second屬性來表示時間,就會有當hour(或minute,second)為
* 個位數時,如2時11分6秒,就會顯示2:11:6,顯示出來格式有些不符常規;所以,為了讓其顯示02:11:06
* 的格式,需要修改代碼;
* 如下,讓hour用兩個數h1h2來表示;當hour為個位數時,h2=hour,h1=0,顯示正常;
* 如果hour為兩位數時,h1=hour/10,h2=hour%10,同樣顯示正常;
* 同理,minute,second也同樣顯示
* 代碼如下:
* */
int hour = time.Hour;//獲取當前的hour值
int h1 = 0;
int h2 = hour; ;
if (hour >= 10)
{
h1 = hour / 10;
h2 = hour % 10;
}
int minute = time.Minute;
int m1 = 0;
int m2 = minute;
if (minute >= 10)
{
m1 = minute / 10;
m2 = minute % 10;
}
int second = time.Second;
int s1 = 0;
int s2 = second;
if (second >= 10)
{
s1 = second / 10;
s2 = second % 10; www.2cto.com
}
label1.Text=string.Format("{0}{1}:{2}{3}:{4}{5}",h1,h2,m1,m2,s1,s2);//label控件顯示時間
}
private void timer1_Tick(object sender, EventArgs e)
{
this.GetTime();//time1控件的Tick事件調用顯示控件時間的代碼
}
private void Form3_Load(object sender, EventArgs e)
{
this.timer1.Interval = 1000;//設置timer1的Interval屬性為1000,即計時器開始計時之間的間隔為1000ms
this.timer1.Start();//啟動計時器
}
}
}