我在自定义控件中有以下属性:
List<myClass> _items;
public List<myClass> Items{
get { return _items; }
set { _items= value; }
}
在我的代码隐藏中,我将项目添加到集合中,如...
myCustomControl.items.Add(new myClass());
但是,这些不会在回发中持续存在。在自定义控件中允许持久性的正确方法是什么?
答案 0 :(得分:6)
糟糕!不要把列表&lt;&gt;进入ViewState!这将是巨大的!
如果你添加一个List&lt; string&gt;它包含两个元素 - “abc”和“xyz”进入ViewState,它将增长312个字节。
如果你添加一个包含相同两个元素的字符串[],它只会增长24个字节。
那只是字符串列表!你可以把你的课程放在那里,正如Corey Downie建议的那样,但是你的ViewState会变成蘑菇!
为了保持合理的尺寸,你必须付出一些努力将你的物品清单转换成字符串数组然后再转回。
作为替代方案,请考虑将对象放入Session:这样您的对象将存储在服务器上,而不是被序列化到ViewState中并发送到浏览器并返回。
答案 1 :(得分:2)
使用通用列表克服大小问题的一种方法是将其作为基本数组类型保存在ViewState中:
protected List<string> Items
{
get
{
if (ViewState["Items"] == null)
ViewState["Items"] = new string[0];
return new List<string>((string[])ViewState["Items"]);
}
set
{
ViewState["Items"] = value.ToArray();
}
}
答案 2 :(得分:1)
如果您正在讨论在同一页面的回发中保留数据,那么您可以手动将项目添加到ViewState并在加载时检索它们。
答案 3 :(得分:1)
您可以将它们存储在控件viewstate
中public List<myClass> Items{
get { return this.ViewState["itemsKey"] }
set { this.ViewState["itemsKey"]= value; }
}
答案 4 :(得分:1)
我同意List&lt;&gt;存在问题在viewstate但它确实有效。请注意,此设计没有设置器。您需要对列表对象对象的引用,并且您的get方法可以在需要时新建一个列表。
protected List<myClass> Items
{
get
{
if (ViewState["myClass"] == null)
ViewState["myClass"] = new List<myClass>();
return (List<myClass>)ViewState["myClass"];
}
}