我正在尝试制作一个图像出现的游戏,如果没有点击,图像就会消失。我需要帮助给我的数组值三,然后用另一种方法减去它。
代码:
NameCount = -1;
NameCount++;
Grid.SetColumn(mole, ranCol);
Grid.SetRow(mole, ranRow);
grid_Main.Children.Add(mole);
for (int i = 0; i < NumofImages; i++)
{
//Where I must give a value to the array of the array to 3 for every image that appears.
}
//Where I am trying to make the image disappear after 3 seconds.
private void deleteMole()
{
NumofImages = TUtils.GetIniInt(Moleini, "NumPictures", "pictures", 8);
NumberofImages = Convert.ToInt32(NumofImages);
for (int j = 0; j < NumofImages; j++)
{
CounterArray[j]--;
if (CounterArray[j] == 0)
{
//Not Sure How to delete image
感谢您的帮助!
答案 0 :(得分:1)
您可以跟踪另一个阵列中的图像。
将图像添加到视图后,还应将其添加到数组中:
images[j] = mole;
然后:
if (CounterArray[j] == 0)
{
grid_Main.Children.Remove(images[j]);
}
但是使用静态数组并分离数据并不是一个好主意。
如果可以,您应该更好地将所有元数据和图像聚合在同一个结构中:
class Mole
{
public int Counter { get; set; }
public Control Image { get; set; }
}
并在单个列表&lt; Mole&gt; 中管理它们;添加和删除它们会更简单。
这里有一些代码说明了这个想法(不会编译):
class Mole
{
public int X { get; set; }
public int Y { get; set; }
public int Counter { get; set; }
public Control Image { get; set; }
public bool IsNew { get; set; }
}
class Test
{
IList<Mole> moles = new List<Mole>();
private static void AddSomeMoles()
{
moles.Add(new Mole{ X = rand.Next(100), Y = rand.Next(100), Counter = 3, Image = new PictureBox(), IsNew = true });
}
private static void DisplayMoles()
{
foreach (Mole mole in moles)
{
if (mole.IsNew)
{
grid_Main.Children.Add(mole.Image);
mole.IsNew = false;
}
}
}
private static void CleanupMoles()
{
foreach (Mole mole in moles)
{
mole.Counter -= 1;
if (mole.Counter <= 0)
{
grid_Main.Children.Remove(mole.Image);
moles.Remove(mole);
}
}
}
static void Main()
{
while (true)
{
AddSomeMoles();
DisplayMoles();
Thread.Sleep(1000);
CleanupMoles();
}
}
}
答案 1 :(得分:1)
如果要为List中的每个元素赋予特定值,请使用foreach循环。在这种情况下,它看起来像:
foreach(int currentElement in CounterArray)
{
currentElement = 3;
}
这将循环遍历List的每个元素并将其设置为3.
编辑:如果您正在使用阵列,那么您将执行以下操作:
for (int i = 0; i < CounterArray.Length; i++)
{
CounterArray[i] = 3;
}