1

我正在尝试在 app.config 中加入 3 个不同的值,以便它们相互关联。

<add key="User" value="User1,User2,User3,Pass4" />
<add key="Pass" value="Pass1,Pass2,Pass3,Pass4" />
<add key="Location" value="Location1,Location2,Location3,Location4" />

var User = ConfigurationManager.AppSettings.Get("User").Split(new[] { ',' });
var Pass = ConfigurationManager.AppSettings.Get("Pass").Split(new[] { ',' });
var Location = ConfigurationManager.AppSettings.Get("Location").Split(new[] { ',' });

我可以毫不费力地对逗号进行拆分以获取每个键的每个值。我想要做的是让 User1 使用 Pass1 和 Location1。这是我可以通过哈希表/字典轻松完成的事情吗?如果是这样,最简单的方法是什么?

4

1 回答 1

8

最好的方法可能是定义一个类来保存它们:

public class UserInfo
{
    public string User { get; private set; }
    public string Pass { get; private set; }
    public string Location { get; private set; }

    public UserInfo(string user, string pass, string location)
    {
        this.User = user;
        this.Pass = pass;
        this.Location = location;
    }
}

然后是一个简单的循环来构建它们:

List<UserInfo> userInfos = new List<UserInfo>();
for(int i = 0; i < User.Length; i++)
{
    var newUser = new UserInfo(User[i], Pass[i], Location[i]);
    userInfos.Add(newUser);
}

然后,如果您确实想要一个基于say的查找表或字典,则User

Dictionary<string, UserInfo> userLookup = userInfos.ToDictionary(userInfo => userInfo.User);

编辑:在构建对象之前,您可能还需要快速检查以确保您拥有适当数量的相应信息:

if (User.Length != Pass.Length || User.Length != Location.Length)
    throw new Exception("Did not enter the same amount of User/Pass/Location data sets!");
于 2013-04-26T02:03:02.787 回答