8

我想检查当用户单击标签时是否在 ListBox 中选择了一个项目,
如果我像这样执行我得到了这个错误list index out of bounds

procedure TfrMain.Label15Click(Sender: TObject);
var
 saveDialog : TSaveDialog;
 FileContents: TStringStream;
 saveLine,Selected : String;
begin
 saveDialog := TSaveDialog.Create(self);
 saveDialog.Title := 'Save your text or word file';
 saveDialog.InitialDir := GetCurrentDir;
 saveDialog.Filter := 'text file|*.txt';
 saveDialog.DefaultExt := 'txt';
 saveDialog.FilterIndex := 1;

 Selected := ListBox1.Items.Strings[ListBox1.ItemIndex]; 

 if Selected <> '' then
 begin
  if saveDialog.Execute then
  begin
   FileContents := TStringStream.Create('', TEncoding.UTF8);
   FileContents.LoadFromFile(ListBox1.Items.Strings[ListBox1.ItemIndex]);
   FileContents.SaveToFile(saveDialog.Filename);
   ShowMessage('File : '+saveDialog.FileName)
  end
 else ShowMessage('Save file was not succesful');
  saveDialog.Free;
 end;
end;
4

2 回答 2

7

这段代码

if Selected then

不会编译,因为Selected它是一个字符串。我猜你在发布之前正在尝试。

同样,您的错误消息和问题标题表明 ListBox1.ItemIndex 等于-1。因此列表索引越界错误。

在从列表框中读取之前,您需要添加一个ListBox1.ItemIndex不是 -1 的检查。ItemIndex=-1是您检测到未选择任何项目的方式。因此,您的代码应如下所示:

.....
saveDialog.DefaultExt := 'txt';  
saveDialog.FilterIndex := 1; 
if ListBox1.ItemIndex <> -1 then
begin
.....
于 2012-04-20T19:22:45.217 回答
2

如果在列表框中未选择任何内容,则会发生这种情况。

尝试使用:

procedure TfrMain.Label15Click(Sender: TObject);
var
 saveDialog : TSaveDialog;
 FileContents: TStringStream;
 saveLine,Selected : String;
begin
 saveDialog := TSaveDialog.Create(self);
 saveDialog.Title := 'Save your text or word file';
 saveDialog.InitialDir := GetCurrentDir;
 saveDialog.Filter := 'text file|*.txt';
 saveDialog.DefaultExt := 'txt';
 saveDialog.FilterIndex := 1;

 if ListBox1.ItemIndex >= 0 then
 begin
  Selected := ListBox1.Items.Strings[ListBox1.ItemIndex]
  if saveDialog.Execute then
  begin
   FileContents := TStringStream.Create('', TEncoding.UTF8);
   FileContents.LoadFromFile(Selected);
   FileContents.SaveToFile(saveDialog.Filename);
   ShowMessage('File : '+saveDialog.FileName)
  end
 else ShowMessage('Save file was not succesful');
  saveDialog.Free;
 end;
end;
于 2012-04-20T19:20:21.070 回答