I was trying to work though a LINQ to SQL example using IQToolkit as the data context. I found that the LinqDataSource would work fine for reading the data. But when attempting to update the data an exception was raised indicating the data context did not extent System.Data.Linq.DataContext. So to finish up the example, I needed to create a custom LinqDataSource for IQToolkit. After a little inspection using Reflector, I found that I just needed to create two sub-classes.
The first class that needed to be created was a sub-class of LinqDataSourceView:
using System;
using System.Globalization;
using System.Linq;
using System.Web;
using System.Web.UI.WebControls;
using IQToolkit;
namespace IQToolkitContrib.Web {
public class DataSourceView : LinqDataSourceView {
private LinqDataSource owner;
public DataSourceView(LinqDataSource owner, string name, HttpContext context)
: base(owner, name, context) {
this.owner = owner;
}
/// <summary>
/// Make sure that the data context has a property that implements IEntityTable
/// </summary>
protected override void ValidateContextType(Type contextType, bool selecting) {
if (!selecting && contextType.GetProperties().Where(p => p.PropertyType.GetInterface("IEntityTable") != null).Count() == 0) {
throw new InvalidOperationException(string.Format(CultureInfo.InvariantCulture, "The data context used by IQToolkit-DataSourceView '{0}' must have an IEntityTable Property when the Delete, Insert or Update operations are enabled.", this.owner.ID));
}
}
/// <summary>
/// Make sure that the table implementes IEntityTable
/// </summary>
protected override void ValidateTableType(Type tableType, bool selecting) {
if (!selecting && (!tableType.IsGenericType || tableType.GetInterface("IEntityTable") == null)) {
throw new InvalidOperationException(string.Format(CultureInfo.InvariantCulture, "The table property used by IQToolkit-DataSourceView '{0}' must extend IEntityTable when the Delete, Insert or Update operations are enabled.", this.owner.ID));
}
}
protected override void DeleteDataObject(object dataContext, object table, object oldDataObject) {
((IEntityTable)table).Delete(oldDataObject);
}
protected override void UpdateDataObject(object dataContext, object table, object oldDataObject, object newDataObject) {
((IEntityTable)table).Update(newDataObject);
}
protected override void InsertDataObject(object dataContext, object table, object newDataObject) {
((IEntityTable)table).Insert(newDataObject);
}
}
}
The second class that needed to be created was a sub-class of LinqDataSource:
using System.Web.UI.WebControls;
namespace IQToolkitContrib.Web {
public class DataSource : LinqDataSource {
protected override LinqDataSourceView CreateView() {
return new DataSourceView(this, "DefaultView", this.Context);
}
}
}
After building these two classes in a separate assembly, I was able to use the DataSource as I would any other custom server control.
Leave a Reply