Grid child 已经是另一个视觉对象或 compositionTarget 的根
Grid child is already another visual or the root of a compositionTarget
我想将列表中的所有图像设置为网格。但是我在使用 Children.Add
在网格中添加第二张图片时遇到了问题。
这是我的例子:
List<Image> images = new List<Image>(8);
images.AddRange(Enumerable.Repeat(new Image(), 8));//8 empty images
然后设置图片:
foreach (var image in images)
{
BitmapImage b = new BitmapImage();
b.BeginInit();
b.UriSource = new Uri("path");
b.EndInit();
image.Source = b;
image.Width = 50;
image.Height = 50;
}
然后在这样的一个函数调用中:
private void put_images()
{
int i = 0;
foreach (var image in images)
{
Grid.SetRow(image, i);
Grid.SetColumn(image, i);
LayoutRoot.Children.Add(image);//here is error
i++;
}
}
我遇到运行时错误:Additional information: Specified Visual is already a child of another Visual or the root of a CompositionTarget.
我不明白为什么,因为我有 8 个不同的图像,而且我不知道如何解决这个问题。
看来问题出在创建图像上。
现在我不创建 8 个空图像,而是创建图像,然后添加到列表中。现在开始工作了:
for(int i = 0; i < 8; i++)
{
Image a = new Image();
BitmapImage b = new BitmapImage();
b.BeginInit();
b.UriSource = new Uri("path");
b.EndInit();
a.Source = b;
a.Width = 50;
a.Height = 50;
images.Add(a);
}
问题在于您创建图像的代码。
images.AddRange(Enumerable.Repeat(new Image(), 8));
这是一个图像对象,集合中有 8 个引用。
Enumerable.Repeat
的文档说:
element
Type: TResult
The value to be repeated.
new Image()
的值是对该图像的引用。
这意味着您对集合中的同一个对象有 8 个引用。
您可以通过比较列表中的第一个条目和第二个条目来轻松验证这一点。
images[0] == images[1] //=true
解决方案 是使用 for
循环来实例化图像。
for(int i = 0; i < 8; i++) images.Add(new Image());
我想将列表中的所有图像设置为网格。但是我在使用 Children.Add
在网格中添加第二张图片时遇到了问题。
这是我的例子:
List<Image> images = new List<Image>(8);
images.AddRange(Enumerable.Repeat(new Image(), 8));//8 empty images
然后设置图片:
foreach (var image in images)
{
BitmapImage b = new BitmapImage();
b.BeginInit();
b.UriSource = new Uri("path");
b.EndInit();
image.Source = b;
image.Width = 50;
image.Height = 50;
}
然后在这样的一个函数调用中:
private void put_images()
{
int i = 0;
foreach (var image in images)
{
Grid.SetRow(image, i);
Grid.SetColumn(image, i);
LayoutRoot.Children.Add(image);//here is error
i++;
}
}
我遇到运行时错误:Additional information: Specified Visual is already a child of another Visual or the root of a CompositionTarget.
我不明白为什么,因为我有 8 个不同的图像,而且我不知道如何解决这个问题。
看来问题出在创建图像上。 现在我不创建 8 个空图像,而是创建图像,然后添加到列表中。现在开始工作了:
for(int i = 0; i < 8; i++)
{
Image a = new Image();
BitmapImage b = new BitmapImage();
b.BeginInit();
b.UriSource = new Uri("path");
b.EndInit();
a.Source = b;
a.Width = 50;
a.Height = 50;
images.Add(a);
}
问题在于您创建图像的代码。
images.AddRange(Enumerable.Repeat(new Image(), 8));
这是一个图像对象,集合中有 8 个引用。
Enumerable.Repeat
的文档说:
element
Type: TResult
The value to be repeated.
new Image()
的值是对该图像的引用。
这意味着您对集合中的同一个对象有 8 个引用。
您可以通过比较列表中的第一个条目和第二个条目来轻松验证这一点。
images[0] == images[1] //=true
解决方案 是使用 for
循环来实例化图像。
for(int i = 0; i < 8; i++) images.Add(new Image());