Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

GridView bound with Properties of nested class

I have an object map similar to what's listed below. When I try to bind the properties of NestedClass in a GridView I get the error:

"A field or property with the name 'NestedClass.Name' was not found on the selected data source."

The GridView is bound to an ObjectDataSource and the ObjectDataSource is bound to a fully populated instance of BoundClass.

Is there any way around this?

Sample classes:

public class BoundClass {     public string Name { get; set; }     public NestedClass NestedClass { get; set; } }  public class NestedClass {     public string Name { get; set; } } 
like image 394
Ant Swift Avatar asked Jul 15 '09 09:07

Ant Swift


2 Answers

Only immediate properties of an instance can be displayed in a BoundField column.

One must instead use DataBinder.Eval in an itemtemplate to access the nested property instead of assigning it to a boundfield.

Example:

<asp:TemplateField>     <itemtemplate>         <p><%#DataBinder.Eval(Container.DataItem, "NestedClass.Name")%></p>     </itemtemplate> </asp:TemplateField> 

Alternatively, you can create a custom class which inherits BoundField and overrides GetValue to use DataBinder.Eval, as described in this blog post:

http://web.archive.org/web/20120121123301/http://iridescence.no/post/FixingBoundFieldSupportforCompositeObjects.aspx

like image 70
Evan Avatar answered Sep 28 '22 16:09

Evan


This extension on BoundField calls DataBinder.Eval(), which does support nested properties:

public class BetterBoundField : BoundField {     protected override object GetValue(Control controlContainer)     {         if (DataField.Contains("."))         {             var component = DataBinder.GetDataItem(controlContainer);             return DataBinder.Eval(component, DataField);         }         return base.GetValue(controlContainer);     } } 
like image 23
Sjoerd Avatar answered Sep 28 '22 16:09

Sjoerd