procedure TForm1.Button2Click(Sender: TObject); begin // if-then-else statement if CheckBox2.Checked then ShowMessage ('CheckBox2 is checked') else ShowMessage ('CheckBox2 is NOT checked'); end;
if 语句可以很复杂,句子中的条件部分可以是一系列条件(用and、 or 、 not等布尔操作符联接起来),if语句又可以嵌套另一个if语句,见例IfTest中其它两个按钮的示范代码:
procedure TForm1.Button3Click(Sender: TObject); begin // statement with a double condition if CheckBox1.Checked and CheckBox2.Checked then ShowMessage ('Both check boxes are checked') end;
procedure TForm1.Button4Click(Sender: TObject); begin // compound if statement if CheckBox1.Checked then if CheckBox2.Checked then ShowMessage ('CheckBox1 and 2 are checked') else ShowMessage ('Only CheckBox1 is checked') else ShowMessage ( 'Checkbox1 is not checked, who cares for Checkbox2?') end;
case Number of 1: Text := 'One'; 2: Text := 'Two'; 3: Text := 'Three'; end;
case MyChar of '+' : Text := 'Plus sign'; '-' : Text := 'Minus sign'; '*', '/': Text := 'Multiplication or division'; '0'..'9': Text := 'Number'; 'a'..'z': Text := 'Lowercase character'; 'A'..'Z': Text := 'Uppercase character'; else Text := 'Unknown character'; end;
Pascal语言中的循环 其它编程语言中使用的循环语句,Pascal语言中都有,它们包括 for、 while 和 repeat 语句。如果你用过其他编程语言,你会发现Pascal中的循环语句没什么特别的,因此这里我只作简要的说明。
现在,我们分别给两个button 添加OnClick 事件代码。第一个button用一个简单的for循环来显示一列数字,结果如图5.2。这个循环向listbox中的Items 属性添加一系列字符串。在执行循环之前,需要清除listbox 中的内容。程序如下: procedure TForm1.BtnForClick(Sender: TObject); var I: Integer; begin ListBox1.Items.Clear; for I := 1 to 20 do Listbox1.Items.Add ('String ' + IntToStr (I)); end;
procedure TForm1.BtnWhileClick(Sender: TObject); var I: Integer; begin ListBox1.Items.Clear; Randomize; I := 0; while I < 1000 do begin I := I + Random (100); Listbox1.Items.Add ('Random Number: ' + IntToStr (I)); end; end;
procedure TForm1.WhileButtonClick(Sender: TObject); var I: Integer; begin with ListBox1.Items do begin Clear; // shortcut Randomize; I := 0; while I < 1000 do begin I := I + Random (100); // shortcut: Add ('Random Number: ' + IntToStr (I)); end; end; end;