遍历属性.运行时设置

本文关键字:设置 运行时 属性 遍历 | 更新日期: 2023-09-27 18:14:34

我已经创建了32个属性。设置int32的类型[,]。我将在运行时使用它们——读取和写入一些数据,并使用foreach命令检查每个设置值。我在迭代属性值时遇到了一些问题。下面是我的代码:

 private void button1_Click(object sender, EventArgs e)
 {
     foreach (SettingsProperty c in Properties.Settings.Default.Properties)
     {
         if (c[0,0]==0)     // i can not reach this byte :(
         {
                c[0, 0] = 1;   // :((
         }
     }
}

遍历属性.运行时设置

不幸的是,另一个解决方案将运行,但是不正确的。您可以通过比较

来确认这一点:

Properties.Settings.Default.Properties[c.name].DefaultValueProperties.Settings.Default[c.name],并且发现如果属性被分配了一个新值,它们是不同的——即使它已经被保存。

DefaultValue不存储当前值;只有全局作用域中的默认值

要获得实际值,必须遍历Properties.Settings.Default.PropertyValues。像这样:

foreach(SettingsPropertyValue value in Properties.Settings.Default.PropertyValues )
{
  if (value.PropertyValue[0,0] == 0)
  {
    value.PropertyValue[0, 0] = 1;
  }
}

SettingsProperty的值存储在其DefaultValue属性中。试试以下命令:

private void button1_Click(object sender, EventArgs e)
{
  foreach (SettingsProperty c in Properties.Settings.Default.Properties)
  {
    if (c.DefaultValue[0,0] == 0)
    {
      c.DefaultValue[0, 0] = 1;
    }
  }
}

您可能还想使用Linq:

简化代码
private void button1_Click(object sender, EventArgs e)
{
  foreach (SettingsProperty c in Properties.Settings.Default.Properties
                                                .Cast<object>()
                                                .Where(c => ((int[,])((SettingsProperty)c).DefaultValue)[0, 0] == 0))
  {
    c.DefaultValue[0, 0] = 1;
  }
}

或者用一行代码更好:

private void button1_Click(object sender, EventArgs e)
{
  Properties.Settings.Default.Properties.Cast<object>()
                                        .Where(c => ((int[,])((SettingsProperty)c).DefaultValue)[0, 0] == 0)
                                        .ToList()
                                        .ForEach(c => ((int[,])((SettingsProperty)c).DefaultValue)[0, 0] = 1);
  // .ToList() is added because .ForEach() is not available on IEnumerable<T>
  // I added .Cast<object>() to convert from IEnumerable to IEnumerable<object>. Then I use the cast to SettingsProperty so you can use the DefaultValue.
}

最后,这个问题可能会有所帮助:c#如何循环使用Properties.Settings.Default.Properties修改