使用数据绑定若干年了,总结一下哪些对象可以作为数据控件的数据源,以下文字来源于微软的MSDN。
使用 DataSource 属性指定要绑定到数据列表控件的值的源。数据源必须是实现 System.Collections.IEnumerable 接口(例如 System.Data.DataView、System.Collections.ArrayList 或 System.Collections.Hashtable)或 IListSource 接口的对象,才能绑定到从 BaseDataList 类派生的控件。在设置 DataSource 属性时,必须手动编写代码才能执行数据绑定。
如果由 DataSource 属性指定的数据源包含多个数据的源,请使用 DataMember 属性指定要绑定到该控件的特定的源。例如,如果有包含多个表的 System.Data.DataSet 对象,必须指定要绑定到控件的表。指定了数据源后,使用 DataBind 方法将数据源绑定到控件。
从上面的文字中,我们可以知道哪些对象可以作为数据源了,但是对于初学者来说是比较晦涩的,现在根据自己使用的经验解释一下:
我们经常使用的对象:DataSet,DataTable,DataView,这些都没有问题,它们均实现了接口:IListSource或IEnumerable,而且微软已经为我们做了很好的封装,在使用时基本上不用考虑太多,甚至不需要知道它们分别实现了什么接口(如果想知道就从MSDN中查一下吧)。
问题就在于如果我们使用泛型List的时候呢?它也是实现了IEnumerable接口,但是大家会想到,List中放置任何对象都可以作为数据源吗?我们来看下面的代码:
class Student
{
public Student(string n, string s)
{
name = n;
sex = s;
}
public string name;
public string sex;
}
那么下面的绑定可以成功吗?
List<Student> list = new List<Student>();
list.Add(new Student("河北","1"));
list.Add(new Student(“北京", "2"));
gridview1.DataSource = list;
gridview1.DataBind();
执行时会得到如下错误信息:
ID 为“gridview1”的 GridView 的数据源没有任何可用来生成列的属性或特性。请确保您的数据源有内容。
这是怎么回事呢?难道List不能作为GridView的数据源?错了!
我们将类定义代码修改如下:
class Student
{
public Student(string n, string s)
{
name = n;
sex = s;
}
private string name;
public string Name
{
get { return name; }
set { name = value; }
}
private string sex;
public string Sex
{
get { return sex; }
set { sex = value; }
}
}
再执行没有问题了。
大家在使用存放自定义类的List时,一定要注意自定义类中务必要包含要绑定的信息---公开的属性。