0

我目前正在尝试浏览目录以查找 .jpg 文件并将结果显示在列表框中。然后,当我完成此操作后,我想选择一个图像并将其显示在图片框中。

这是我的代码:

    private void Form1_load(object sender, EventArgs e)
    {
        string filepath = "F:\\Apps Development\\Coursework\\3_Coursework\\3_Coursework\\bin\\Debug\\Pics";
        DirectoryInfo dirinfo = new DirectoryInfo(filepath);
        FileInfo[] images = dirinfo.GetFiles("*.jpg");
        foreach (FileInfo image in images) 
        {  
            lstImages.Items.Add(image.Name);
        }
    }

    private void lstImages_SelectedIndexChanged(object sender, EventArgs e)
    {
        string filepath = "F:\\Apps Development\\Coursework\\3_Coursework\\3_Coursework\\bin\\Debug\\Pics";
        pictureBox1.ImageLocation = filepath + lstImages.SelectedItem.ToString();
        pictureBox1.SizeMode = PictureBoxSizeMode.CenterImage;
        pictureBox1.SizeMode = PictureBoxSizeMode.AutoSize;
    }

这似乎应该可以工作。但它没有用我想要的东西填充列表。有任何想法吗?

4

3 回答 3

0

刚刚在我的机器上尝试了你的代码片段,它工作正常(我修改了路径)。

        string filepath = @"c:\temp";
   DirectoryInfo dirinfo = new DirectoryInfo(filepath);
   FileInfo[] images = dirinfo.GetFiles("*.*");
   var list = new List<string>();
   foreach (FileInfo image in images) 
   {  
        list.Add(image.Name);      

   }
   lstImages.DataSource = list;

所以我认为这与你如何将目录传递给你的构造函数有关。建议您使用 @"blahblah" 来表示字符串文字,就像我在上面所做的那样。

于 2013-10-30T18:22:50.523 回答
0

试试这个 :

//load all image here
public Form1()
{
    InitializeComponent();
    //set your directory
    DirectoryInfo myDirectory = new DirectoryInfo(@"E:\MyImages");
    //set file type
    FileInfo[] allFiles = myDirectory.GetFiles("*.jpg");
    //loop through all files with that file type and add it to listBox
    foreach (FileInfo file in allFiles)
    {
            listBox1.Items.Add(file);
    }
}

//bind clicked image with picturebox
private void listBox1_SelectedIndexChanged(object sender, EventArgs e)
{
    //Make selected item an image object
    Image clickedImage = Image.FromFile(@"E:\MyImages\" + listBox1.SelectedItem.ToString());
    pictureBox1.Image = clickedImage;
    pictureBox1.Height = clickedImage.Height;
    pictureBox1.Width = clickedImage.Width;
}
于 2013-10-30T18:28:43.280 回答
0

您应该使路径变量成为该类的成员。这样您就可以确保两种方法都使用相同的路径。但这不是您的问题的原因。当您撰写图像位置时,它是缺少的斜线(正如@varocarbas 已经在评论中说明的那样)。

为避免此类问题,您应该使用静态Path类。使用 LINQ 也可以更优雅地填充列表:

string filepath = @"F:\Apps Development\Coursework\3_Coursework\3_Coursework\bin\Debug\Pics";

private void Form1_load(object sender, EventArgs e)
{
    lstImages.Items.AddRange(Directory.GetFiles(filepath, "*.jpg")
                                      .Select(f => Path.GetFileName(f)).ToArray());
}

private void lstImages_SelectedIndexChanged(object sender, EventArgs e)
{
    pictureBox1.ImageLocation = Path.Combine(filepath, lstImages.SelectedItem.ToString());
}
于 2013-10-30T18:45:05.253 回答