0
Allocation of Race[3]~Brown County,Total:~6866,Allocated~315,Not allocated~6551
Allocation of Age[3]~Brown County,Total:~6866,Allocated~315,Not allocated~6551
Allocation of Race[3]~Boone County,Total:~6866,Allocated~315,Not allocated~6551
Allocation of Age[3]~Boone County,Total:~6866,Allocated~315,Not allocated~6551

以上是我的字典键值对。

键 = 种族分配[3]~布朗县 && 值 = 总计:~6866,已分配~315,未分配~6551

我正在尝试将这些值插入数据表

  table.Columns.Add("Topic");
  table.Columns.Add("County");
  table.Columns.Add("Header");
  table.Columns.Add("Value");

在我的键值对中,主题 = Race[3] && County = Brown County && Header = Total、已分配和未分配,并且 value = 它们各自的值。

最初,我尝试使用拆分密钥对

  string[] Topic_County = key.Split('~');

所以 Topic_County 由 [0] = 种族分配 [3] [1]= 县名组成

  foreach (string tc in Topic_County)
            {
                table.Rows.Add(tc);    
            }

当我使用 foreach 循环时,种族和县名的分配在同一列中如何在县列下添加县名,以及在各自位置的标题和值。

4

1 回答 1

0

如果您使用这样的简单类:

public class Datum
{
    public string Topic = "";
    public string County = "";
    public int Allocated = 0;
    public int NotAllocated = 0;

    public int Total()
    {
        return Allocated + NotAllocated;
    }
}

您仍然可以使用字典,只需使用 Topic 属性和 County 属性作为键:

        Dictionary<string, Datum> MyData = new Dictionary<string, Datum>();
        Datum info = new Datum
        {
            Topic = "Allocation of Race[3]",
            County = "Brown County",
            Allocated = 315,
            NotAllocated = 6551
        };
        MyData.Add(info.Topic + "-" + info.County, info);

尽管 List 可能也可以正常工作,并且使用 LINQ,您可以提取您需要按您设置的任何标准进行分组或排序的任何项目。

由于 Total 是一种方法,因此您无需将其添加到字典中,只需在需要值时将其作为 Datum 的成员调用即可。

您可以像这样将数据添加到数据表中:

        DataTable table = new DataTable();
        table.Columns.Add("Topic");
        table.Columns.Add("County");
        table.Columns.Add("Allocated");
        table.Columns.Add("Not Allocated");
        table.Columns.Add("Total");
        foreach(Datum entry in MyData.Values)
        {
            DataRow NewDataRow = table.NewRow();
            NewDataRow.ItemArray = new string[5]
            {
                entry.Topic,
                entry.County,
                entry.Allocated.ToString(),
                entry.NotAllocated.ToString(),
                entry.Total().ToString()
            };
            table.Rows.Add(NewDataRow);
        }
于 2013-11-04T19:57:17.760 回答