Blog Archives
Custom DAL Class SQL ORM ASP .NET
(common.DataObject may be of your choosing or may simply replace with dynamic)
using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Data; using System.Web.UI.WebControls; using System.Web.UI; using System.Data.SqlClient; using AIS.Common; //this is a common namespace I use in examples throughout my site using System.Reflection; using System.Dynamic; //TODO: consider returning ienumerable in sp return values for lazy eval vs .tolist immediate eval namespace AIS.DAL.AppName { public static class StoredProcedures { public delegate void ErrorHandler(Exception ex); /// <summary> /// If no custom error handling is bound to this event, exceptions will be thrown back up to the calling function. /// If custom handling is bound to this event, ensure it does not perform a redirect or kill the thread unless you intend to abort the procedural /// steps following the method/function call which threw the error. /// </summary> public static event ErrorHandler HandleError; #region Unique Procedures public static List<Common.DataObject> LoadUserSessions_All(dynamic o) { return ExecuteRead("an_get_db_fn1", o); } public static List<Common.DataObject> LoadUserSessionsDetails_LiveStream(dynamic o) { return ExecuteRead("an_get_db_fn2", o); } public static List<Common.DataObject> LoadUserSessionsDetails_Live(dynamic o) { return ExecuteRead("an_get_db_fn3", o); } public static int LogChat() { return ExecuteScalar("an_get_db_fn4", null); } public static int LogError() { return ExecuteScalar("an_get_db_fn5", null); } #endregion //TODO: consider hiding from external assemblies which would require strong mappings above #region Execution Logic public static List<Common.DataObject> ExecuteRead(string procedurename, dynamic param) { try { SqlDataSource sds = new SqlDataSource(); sds.ConnectionString = ConfigValues.TrainingPortalConnectionString; sds.SelectCommandType = SqlDataSourceCommandType.StoredProcedure; sds.SelectCommand = procedurename; if (param != null) { foreach (PropertyInfo pi in param.GetType().GetProperties()) { object pval = pi.GetValue(param, null); if (pval != null) { sds.SelectParameters.Add(pi.Name, pval.ToString()); } } } List<Common.DataObject> results = new List<Common.DataObject>(); //sds.Select(new DataSourceSelectArguments()).Cast<DataRowView>().ToList().ForEach(o => Load_AddResult<dynamic>(o, ref results)); sds.Select(new DataSourceSelectArguments()).Cast<DataRowView>().ToList().ForEach(o => Load_AddResult<Common.DataObject>(o, ref results)); return results; } catch (Exception ex) { HandleError_Condensed(ex); return null; } } public static void Load_AddResult<t>(Common.DataObject o, ref List<t> results) { try { t r = (t)Activator.CreateInstance(typeof(t)); foreach (PropertyInfo pi in typeof(t).GetProperties()) { object v = o[pi.Name].ToString(); Type pt = Type.GetType(pi.PropertyType.FullName); //try { pi.SetValue(r, Convert.ChangeType(v, pt), null); } //catch (Exception ex) { HandleError_Condensed(ex); } o.Add(pi.Name, Convert.ChangeType(v, pt)); } results.Add(r); } catch (Exception ex) { HandleError_Condensed(ex); } } //public static void Load_AddResult<t>(dynamic o, ref List<t> results) //{ // try // { // t r = (t)Activator.CreateInstance(typeof(t)); // foreach (PropertyInfo pi in typeof(t).GetProperties()) // { // object v = o[pi.Name].ToString(); // Type pt = Type.GetType(pi.PropertyType.FullName); // try { pi.SetValue(r, Convert.ChangeType(v, pt), null); } // catch (Exception ex) { HandleError_Condensed(ex); } // } // results.Add(r); // } // catch (Exception ex) // { // HandleError_Condensed(ex); // } //} public static void ExecuteNonScalar(string procedurename, dynamic param) { try { ExecuteScalar(procedurename, param); } catch (Exception ex) { HandleError_Condensed(ex); } } public static int ExecuteScalar(string procedurename, dynamic param) { try { SqlDataSource sds = new SqlDataSource(); sds.ConnectionString = ConfigValues.TrainingPortalConnectionString; sds.UpdateCommandType = SqlDataSourceCommandType.StoredProcedure; sds.UpdateCommand = procedurename; if (param != null) { foreach (PropertyInfo pi in param.GetType().GetProperties()) { object pval = pi.GetValue(param, null); if (pval != null) { sds.SelectParameters.Add(pi.Name, pval.ToString()); } } } return sds.Update(); } catch (Exception ex) { HandleError_Condensed(ex); return 1; //1 signifies error in tsql } } #endregion private static void HandleError_Condensed(Exception ex) { if (HandleError != null) { HandleError(ex); } else { throw new Exception(ex.Message, ex); } } } }
Custom Web.Config Wrapper Class ASP .NET
using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Configuration; namespace AIS.Common { public class ConfigValues { #region appSettings public static string SomeStringOne { get { return getval("SomeStringOne "); } } public static string SomeStringTwo { get { return getval("SomeStringTwo "); } } public static string Env { get { return getval("env"); } } //keep in mind case sensitivity public static string LastManualRefresh { get { return getval("date_last_manual_refresh"); } } //useful for manual site refresh/reload public static double SomeDouble { get { return Convert.ToDouble(getval("some_static_double")); } } #endregion #region connectionStrings - update web.config env variable to toggle between dev and prd public static string YourDBOneConnectionString { get { return getcstr("win_web_db"); } } //also read only implementation like above, but illustrates environment variable usage specific in web.config useful if you have many environments public static string YourDBTwoConnectionString { get { if (Env.ToLower().ToString() != "filesystem") { return getcstr("static_string" + Env.ToLower().ToString()); } return ""; } } #endregion /// <summary> /// Retrieve Connection String for specified provided key /// </summary> /// <param name="key"></param> /// <returns></returns> private static string getcstr(string key) { try { return ConfigurationManager.ConnectionStrings[key].ConnectionString; } catch (Exception ex) { Shared.HandleError(ex); //TODO: change to throw error event handle instead of direct call for reusability return "Error retrieving value"; } } /// <summary> /// Retrieve appSettings value for provided specified key /// </summary> /// <param name="key"></param> /// <returns></returns> private static string getval(string key) { try { return ConfigurationManager.AppSettings[key]; } catch (Exception ex) { Shared.HandleError(ex); //TODO: change to throw error event handle instead of direct call for reusability return "Error retrieving value"; } } } }
Serialize C# object to JSON JavaScriptSerializer .Net
//declare data you want to send as an object type public class MyType { //may simply contain properties mapping to your database rows or be more complex objects //use [Serializable] attributes to mark props or methods as non-serialized } public void Page_Load(object sender, EventArgs e) { MyType o1 = new MyType {p1="",p2=""}; Response.Write(JSONSerialize(o1)); Response.Write("<br /><br />"); MyType o2 = new MyType {p1="",p2=""}; List<MyType> olist = new List<MyType> {o1, o2}; Response.Write(JSONSerialize(olist)); } public string JSONSerialize(MyType o) { System.Web.Script.Serialization.JavaScriptSerializer sz = new System.Web.Script.Serialization.JavaScriptSerializer(); return sz.Serialize(o); } //additional signature to handle lists of object public string JSONSerialize(List<MyType> o) { System.Web.Script.Serialization.JavaScriptSerializer sz = new System.Web.Script.Serialization.JavaScriptSerializer(); return sz.Serialize(o); }
References
MS Blogs, http://blogs.microsoft.co.il/blogs/pini_dayan/archive/2009/03/12/convert-objects-to-json-in-c-using-javascriptserializer.aspx
JSON.org, http://www.json.org/js.html
C# Cross-Site Page Access, http://stackoverflow.com/questions/6290053/setting-access-control-allow-origin-in-asp-net-mvc-simplest-possible-method
PHP Cross-Site Page Access, http://rayfd.wordpress.com/2007/03/28/why-wont-eval-eval-my-json-or-json-object-object-literal/
JS Eval string to JSON Object, http://rayfd.wordpress.com/2007/03/28/why-wont-eval-eval-my-json-or-json-object-object-literal/
C# .Net Clone and Copy Objects using Extension Methods
One of my earliest blog articles – Clone Objects in .Net Using Reflections – briefly discusses shallow and deep object copying and cloning.
For more info. on the semantics and what these terms really mean, see referenced wikipedia article.
You may or may not already be familiar with cloning native objects in .Net, such as the datatable. However, for custom classes, you are left to your own creations.
With the advent of extension methods in .Net, the functionality to copy objects can now be moved from static helper classes to inheritable extension methods and has new life and renewed usability. See code snippet below.
Thanks goes to R. Prestol for this one.
public static T GetCopy<T>(this T S) { T newObj = Activator.CreateInstance<T>(); foreach (PropertyInfo i in newObj.GetType().GetProperties()) { //"EntitySet" is specific to link and this conditional logic is optional/can be ignored if (i.CanWrite && i.PropertyType.Name.Contains("EntitySet") == false) { object value = S.GetType().GetProperty(i.Name).GetValue(S, null); i.SetValue(newObj, value, null); } } return newObj; }
References
MSDN (Extension Methods), http://msdn.microsoft.com/en-us/library/bb383977.aspx
“Clone Objects in .Net Using Reflections”, https://ronniediaz.com/2010/03/02/clone-objects-in-net-using-reflections/
Wikipedia, “Object Copy”, http://en.wikipedia.org/wiki/Object_copy
Bind Control to an Object in Windows Forms
Simple solution for basic binding in Windows Forms app. This would NOT be recommended if you are using ASP .Net, Silverlight, WCF, RIA or any other services to retrieve the data as these project types have much better support for binding to controls.
C#:
static class dataaccess { static mytype object; } //on app load object = new mytype(); //on form load tbField1.DataBindings.Add("Text", dataaccess.object.property, "Field1")