9
[Serializable]
public class KeyValue : ProfileBase
{
    public KeyValue() { }

    public KeyValuePair<string, string> KV
    {
        get { return (KeyValuePair<string, string>)base["KV"]; }
        set { base["KV"] = value; }
    }            
}

public void SaveProfileData()
{
    KeyValue profile = (KeyValue) HttpContext.Current.Profile;
    profile.Name.Add(File);
    profile.KV = new KeyValuePair<string, string>("key", "val"); 
    profile.Save();
}   

public void LoadProfile()
{
    KeyValue profile = (KeyValue) HttpContext.Current.Profile;
    string k = profile.KV.Key;
    string v = profile.KV.Value;
    Files = profile.Name;          
}

我正在尝试保存KeyValuePair<K,V>在 asp.net 用户配置文件中,它也保存了,但是当我访问它时,它显示键和值属性都为空,有人可以告诉我哪里错了吗?

LoadProfile()k 和 v 中为空。

网页配置

<profile enabled="true" inherits="SiteBuilder.Models.KeyValue">
  <providers>
    <clear/>
    <add name="AspNetSqlProfileProvider" type="System.Web.Profile.SqlProfileProvider" connectionStringName="ApplicationServices" applicationName="/" />
  </providers>
</profile>
4

2 回答 2

2

C#KeyValuePair没有 Key / Value 属性的公共设置器。所以它可能会序列化,但它会反序列化为空。

您必须创建自己的类的小实现,例如:

[Serializable]
[DataContract]
public class KeyValue<K,V>
{
    /// <summary>
    /// The Key
    /// </summary>
    [DataMember]
    public K Key { get; set; }

    /// <summary>
    /// The Value
    /// </summary>
    [DataMember]
    public V Value { get; set; }
}

然后在您的示例中使用它。

于 2012-05-24T13:53:35.753 回答
0

尝试将[DataContract][DataMember]属性放在您的类和 KeyValuePair 属性上。您需要添加对System.Runtime.Serialization的引用。请记住,您可能还需要在基类级别应用这些属性才能使序列化工作。

[DataContract]
public class KeyValue : ProfileBase
{
    public KeyValue() { }

    [DataMember]
    public KeyValuePair<string, string> KV
    {
        get { return (KeyValuePair<string, string>)base["KV"]; }
        set { base["KV"] = value; }
    }            
}
于 2012-05-11T18:27:08.453 回答