Click here to Skip to main content
15,893,814 members
Articles / Web Development / ASP.NET

Implementing Model-View-Presenter in ASP.NET

Rate me:
Please Sign up or sign in to vote.
4.80/5 (27 votes)
17 Nov 2007CPOL12 min read 129.8K   2.7K   120  
Three implementations of Model-View-Presenter in ASP.NET 2.0.
using System;
using System.Collections;
using System.Data;
using System.Text;
using MySql.Data.MySqlClient;
using System.Data.Common;
using SubSonic.Utilities;

namespace SubSonic
{
    /// <summary>
    /// A Data Provider for MySQL. You can thank Larry Beall for his work here.
    /// </summary>
    
    public class MySqlDataProvider : DataProvider
    {
        override internal DbConnection CreateConnection()
        {
            return CreateConnection(DefaultConnectionString);
        }

        override internal DbConnection CreateConnection(string newConnectionString)
        {
            MySqlConnection retVal = new MySqlConnection(newConnectionString);
            retVal.Open();

            return retVal;
        }


        static void AddParams(MySqlCommand cmd, QueryCommand qry)
        {
            if (qry.Parameters != null)
            {
                foreach (QueryParameter param in qry.Parameters)
                {
                    MySqlParameter sqlParam = new MySqlParameter();
                    sqlParam.DbType = param.DataType;
                    sqlParam.ParameterName = param.ParameterName.Replace('@', '?');
                    sqlParam.Value = param.ParameterValue;

                    if (qry.CommandType == CommandType.StoredProcedure)
                    {
                        switch (param.Mode)
                        {
                            case ParameterDirection.InputOutput:
                                sqlParam.Direction = ParameterDirection.InputOutput;
                                break;
                            case ParameterDirection.Output:
                                sqlParam.Direction = ParameterDirection.Output;
                                break;
                            case ParameterDirection.ReturnValue:
                                sqlParam.Direction = ParameterDirection.ReturnValue;
                                break;
                            case ParameterDirection.Input:
                                sqlParam.Direction = ParameterDirection.Input;
                                break;
                        }
                    }

                    cmd.Parameters.Add(sqlParam);
                }
            }
        }

        private static void CheckoutOutputParams(MySqlCommand cmd, QueryCommand qry)
        {
            if (qry.CommandType == CommandType.StoredProcedure && qry.HasOutputParams())
            {
                //loop the params, getting the values and setting them for the return
                foreach (QueryParameter param in qry.Parameters)
                {
                    if (param.Mode == ParameterDirection.InputOutput || param.Mode == ParameterDirection.Output || param.Mode == ParameterDirection.ReturnValue)
                    {
                        object oVal = cmd.Parameters[param.ParameterName].Value;
                        param.ParameterValue = oVal;
                        qry.OutputValues.Add(oVal);
                    }
                }
            }
        }

        public override void SetParameter(IDataReader rdr, StoredProcedure.Parameter par)
        {
            par.DBType = GetDbType(rdr[1].ToString());
            par.Name = rdr[0].ToString();
            ParameterDirection direction = (ParameterDirection)Enum.Parse(typeof(ParameterDirection), rdr[2].ToString());
            if (direction == ParameterDirection.InputOutput)
                par.Mode = ParameterDirection.InputOutput;
        }

        public override string GetParameterPrefix()
        {
            return MySqlSchemaVariable.PARAMETER_PREFIX;
        }

        public override string DelimitDbName(string columnName)
        {
            if(!String.IsNullOrEmpty(columnName))
            {
                return "`" + columnName + "`";
            }
            return String.Empty;
        }

        public override IDbCommand GetCommand(QueryCommand qry)
        {
            MySqlCommand cmd = new MySqlCommand(qry.CommandSql);
            AddParams(cmd, qry);
            return cmd;
        }

        public override IDataReader GetReader(QueryCommand qry)
        {
            AutomaticConnectionScope conn = new AutomaticConnectionScope(this);

            MySqlCommand cmd = new MySqlCommand(qry.CommandSql);
            cmd.CommandType = qry.CommandType;
            cmd.CommandTimeout = qry.CommandTimeout;

            AddParams(cmd, qry);

            cmd.Connection = (MySqlConnection)conn.Connection;

            IDataReader rdr;

            try
            {
                rdr = cmd.ExecuteReader(CommandBehavior.CloseConnection);
            }
            catch (MySqlException x)
            {
                conn.Dispose();
                throw x;
            }

            CheckoutOutputParams(cmd, qry);

            return rdr;
        }

        public override DataSet GetDataSet(QueryCommand qry)
        {
            DataSet ds = new DataSet();
            MySqlCommand cmd = new MySqlCommand(qry.CommandSql);
            cmd.CommandType = qry.CommandType;
            cmd.CommandTimeout = qry.CommandTimeout;

            AddParams(cmd, qry);
            MySqlDataAdapter da = new MySqlDataAdapter(cmd);

            using (AutomaticConnectionScope conn = new AutomaticConnectionScope(this))
            {
                cmd.Connection = (MySqlConnection)conn.Connection;

                da.Fill(ds);

                cmd.Dispose();
                da.Dispose();

                return ds;
            }
        }

        public override object ExecuteScalar(QueryCommand qry)
        {
            using (AutomaticConnectionScope automaticConnectionScope = new AutomaticConnectionScope(this))
            {
                MySqlCommand cmd = new MySqlCommand(qry.CommandSql);
                cmd.CommandType = qry.CommandType;
                cmd.CommandTimeout = qry.CommandTimeout;
                AddParams(cmd, qry);
                cmd.Connection = (MySqlConnection)automaticConnectionScope.Connection;
                object result = cmd.ExecuteScalar();
                CheckoutOutputParams(cmd, qry);
                return result;
            }
        }

        public override int ExecuteQuery(QueryCommand qry)
        {
            using (AutomaticConnectionScope automaticConnectionScope = new AutomaticConnectionScope(this))
            {
                MySqlCommand cmd = new MySqlCommand(qry.CommandSql);
                cmd.CommandType = qry.CommandType;
                cmd.CommandTimeout = qry.CommandTimeout;
                AddParams(cmd, qry);
                cmd.Connection = (MySqlConnection)automaticConnectionScope.Connection;
                int result = cmd.ExecuteNonQuery();
                CheckoutOutputParams(cmd, qry);
                return result;
            }
        }

        public override TableSchema.Table GetTableSchema(string tableName, TableType tableType)
        {
            TableSchema.TableColumnCollection columns = new TableSchema.TableColumnCollection();
            TableSchema.Table table = new TableSchema.Table(tableName, tableType, this);
            table.Name = tableName;
            string sql = " DESCRIBE `" + tableName + "`";
            using (MySqlCommand cmd = new MySqlCommand(sql))
            {
                //get information about both the table and it's columns
                MySqlConnection conn = new MySqlConnection(DefaultConnectionString);
                cmd.Connection = conn;
                conn.Open();
                IDataReader rdr = cmd.ExecuteReader(CommandBehavior.CloseConnection);

                while (rdr.Read())
                {
                    TableSchema.TableColumn column = new TableSchema.TableColumn(table);
                    column.IsPrimaryKey = rdr["Key"].ToString() == "PRI";
                    column.IsForeignKey = rdr["Key"].ToString() == "MUL";
                    column.ColumnName = rdr["Field"].ToString();

                    string sType = rdr["Type"].ToString();
                    string sSize;
                    if (sType.IndexOf("(") > 0)
                    {
                        sSize = sType.Substring(sType.IndexOf("("), sType.Length - sType.IndexOf("(")).Replace(")", "").Replace("(", "");
                        sType = sType.Substring(0, sType.IndexOf("("));
                    }
                    else
                    {
                        sSize = "0";
                    }
                    int size;
                    int.TryParse(sSize, out size);
                    column.MaxLength = size;
                    column.DataType = GetDbType(sType);
                    //column.DataType = sType.Substring(0,sType.IndexOf("("));
                    column.AutoIncrement = rdr["Extra"].ToString() == "auto_increment";
                    column.IsNullable = (rdr["Null"].ToString().ToLower() == "yes");
                    column.IsReadOnly = false;
                    columns.Add(column);
                }
                rdr.Close();
            }
            table.Columns = columns;

            return table;
        }

        public override DbType GetDbType(string mySqlType)
        {
            switch (mySqlType.ToLower())
            {
                case "longtext":
                case "nchar":
                case "ntext":
                case "text":
                case "sysname":
                case "varchar":
                case "nvarchar":
                    return DbType.String;
                case "bit":
                case "tinyint":
                    return DbType.Boolean;
                case "decimal":
                case "float":
                case "numeric":
                case "real":
                    return DbType.Decimal;
                case "bigint":
                    return DbType.Int64;
                case "int":
                case "integer":
                    return DbType.Int32;
                case "smallint":
                    return DbType.Int16;
                case "date":
                case "time":
                case "datetime":
                case "smalldatetime":
                    return DbType.DateTime;
                case "binary":
                case "longblob":
                    return DbType.Binary;
                case "char":
                    return DbType.AnsiStringFixedLength;
                case "image":
                case "varbinary":
                    return DbType.Byte;
                case "currency":
                case "money":
                case "smallmoney":
                    return DbType.Currency;
                case "timestamp":
                    return DbType.DateTime;
                case "uniqueidentifier":
                    return DbType.Guid;
                default:
                    return DbType.String;
            }
        }

        public override string[] GetSPList()
        {
            string sql = "SELECT routine_name FROM INFORMATION_SCHEMA.ROUTINES WHERE ROUTINE_SCHEMA = ?databaseName";
            StringBuilder sList = new StringBuilder();

            using (AutomaticConnectionScope conn = new AutomaticConnectionScope(this))
            {
                if (!SupportsInformationSchema(GetDatabaseVersion(Name)))
                {
                    conn.Connection.Close();

                    return new string[0];
                }

                MySqlCommand cmd = new MySqlCommand(sql, (MySqlConnection)conn.Connection);

                cmd.Parameters.AddWithValue("?databaseName", conn.Connection.Database);

                using (IDataReader rdr = cmd.ExecuteReader(CommandBehavior.CloseConnection))
                {
                    bool isFirst = true;

                    while (rdr.Read())
                    {
                        if (!isFirst)
                        {
                            sList.Append('|');
                        }

                        isFirst = false;
                        sList.Append(rdr[0]);
                    }

                    rdr.Close();
                    return sList.ToString().Split(new char[] { '|' }, StringSplitOptions.RemoveEmptyEntries);
                }
            }
        }

        public override IDataReader GetSPParams(string spName)
        {

            DataTable parametersDataTable = CreateParameterTable();
            MySqlCommand cmd = new MySqlCommand();
            MySqlConnection conn = (MySqlConnection)CreateConnection();
            cmd.Connection = conn;

            if(!SupportsInformationSchema(conn.ServerVersion))
            {
                conn.Close();
                return null;
            }

            cmd.CommandText = spName;
            cmd.CommandType = CommandType.StoredProcedure;

            try
            {
                MySqlCommandBuilder.DeriveParameters(cmd);
            }
            catch
            {
                //string foo = ex.Message;
            }

            if(cmd.Parameters.Count > 0)
            {
                foreach(MySqlParameter param in cmd.Parameters)
                {
                    DataRow row = parametersDataTable.NewRow();
                    row[0] = param.ParameterName;
                    row[1] = param.MySqlDbType.ToString();
                    row[2] = param.Direction.ToString();

                    parametersDataTable.Rows.Add(row);
                }
                //parametersDataTable.AcceptChanges();
            }
            conn.Close();
            
            return parametersDataTable.CreateDataReader();
        }

        public override string[] GetTableNameList()
        {
            string sql = "SHOW TABLES";
            StringBuilder sList = new StringBuilder();

            using (AutomaticConnectionScope conn = new AutomaticConnectionScope(this))
            {
                using (MySqlCommand cmd = new MySqlCommand(sql))
                {
                    //get information about both the table and it's columns
                    cmd.Connection = (MySqlConnection)conn.Connection;

                    if (SupportsInformationSchema(GetDatabaseVersion(Name)))
                    {
                        cmd.CommandText = "select table_name from information_schema.tables where table_schema = ?databaseName and table_type <> 'VIEW'";
                    }

                    cmd.Parameters.Add("?databaseName", MySqlDbType.VarChar, 64).Value = conn.Connection.Database;

                    IDataReader rdr = cmd.ExecuteReader(CommandBehavior.CloseConnection);

                    bool isFirst = true;

                    while (rdr.Read())
                    {
                        if (!isFirst)
                        {
                            sList.Append('|');
                        }

                        isFirst = false;
                        sList.Append(rdr[0]);
                    }

                    rdr.Close();

                    string[] strArray = sList.ToString().Split(new char[] { '|' }, StringSplitOptions.RemoveEmptyEntries);
                    Array.Sort(strArray);
                    return strArray;
                }
            }
        }

        public override ArrayList GetPrimaryKeyTableNames(string tableName)
        {
            // Relationships are only supported in the InnoDB engine.
            // Being that most databases are implemented via MyISAM
            // I will code for majority not minority.
            return new ArrayList();
        }

        public override TableSchema.Table[] GetPrimaryKeyTables(string tableName)
        {
            return null;
        }

        public override string GetForeignKeyTableName(string fkColumnName, string tableName)
        {
            return string.Empty;
        }

        public override string GetForeignKeyTableName(string fkColumnName)
        {
            return string.Empty;
        }

        public override void ExecuteTransaction(QueryCommandCollection commands)
        {
            //make sure we have at least one
            if (commands.Count > 0)
            {
                MySqlCommand cmd = null;

                //a using statement will make sure we close off the connection
                using (AutomaticConnectionScope conn = new AutomaticConnectionScope(this))
                {
                    //open up the connection and start the transaction
                    if (conn.Connection.State == ConnectionState.Closed)
                        conn.Connection.Open();

                    MySqlTransaction trans = (MySqlTransaction)conn.Connection.BeginTransaction();

                    foreach (QueryCommand qry in commands)
                    {
                        cmd = new MySqlCommand(qry.CommandSql, (MySqlConnection)conn.Connection);
                        cmd.CommandType = qry.CommandType;

                        try
                        {
                            AddParams(cmd, qry);
                            cmd.ExecuteNonQuery();
                        }
                        catch (MySqlException x)
                        {
                            //if there's an error, roll everything back
                            trans.Rollback();

                            //clean up
                            conn.Connection.Close();
                            cmd.Dispose();

                            //throw the error
                            throw new Exception(x.Message);
                        }
                    }
                    //if we get to this point, we're good to go
                    trans.Commit();

                    //close off the connection
                    conn.Connection.Close();

                    if (cmd != null)
                    {
                        cmd.Dispose();
                    }
                }

            }
            else
            {
                throw new Exception("No commands present");
            }
        }

        #region SQL Builders

        public override string GetSql(Query qry)
        {
            string result = "";
            switch (qry.QueryType)
            {
                case QueryType.Select:
                    result = GetSelectSql(qry);
                    break;
                case QueryType.Update:
                    result = GetUpdateSql(qry);
                    break;
                case QueryType.Insert:
                    result = GetInsertSql(qry);
                    break;
                case QueryType.Delete:
                    result = GetDeleteSql(qry);
                    break;
            }
            return result;
        }

        /// <summary>
        /// Helper method to build out the limit string of a given query.
        /// </summary>
        /// <param name="qry">Query to build the limit string from.</param>
        /// <returns></returns>
        private string GetLimit(Query qry)
        {
            string limit = string.Empty;

            // We will only implement the top function
            // when we are not paging. Sorry it is too
            // sticky otherwise.  Maybe if I get more 
            // time I will try to work out using top and
            // paging, but for the time being this should
            // suffice.
            if (qry.PageIndex == -1)
            {
                // By default MySQL will return 100% of the results
                // there is no need to apply a limit so we will
                // return an empty string.
                if (qry.Top == "100 PERCENT" || String.IsNullOrEmpty(qry.Top)) return limit;

                // If the Top property of the query contains either
                // a % character or the word percent we need to do
                // some extra work
                if (qry.Top.Contains("%") || qry.Top.ToLower().Contains("percent"))
                {
                    // strip everything but the numeric portion of
                    // the top property.
                    limit = qry.Top.ToLower().Replace("%", string.Empty).Replace("percent", string.Empty).Trim();

                    // we will try/catch just incase something fails
                    // fails a conversion.  This gives us an easy out
                    try
                    {
                        // Convert the percetage to a decimal
                        decimal percentTop = Convert.ToDecimal(limit) / 100;

                        // Get the total count of records to
                        // be returned.
                        int count = GetRecordCount(qry);

                        // Using the new decimal and the amount
                        // of records to be returned calculate
                        // what percentage of the records are
                        // to be returned
                        limit = " LIMIT " + Convert.ToString((int)(count * percentTop));
                    }
                    catch
                    {
                        // If something fails in the try lets
                        // just return an empty string and
                        // move on.
                        limit = string.Empty;
                    }
                }
                // The top parameter only contains an integer.
                // Wrap the integer in the limit string and return.
                else
                {
                    limit = " LIMIT " + qry.Top;
                }
            }
            // Paging in MySQL is actually quite simple. 
            // Using limit we will set the starting record 
            // to PageIndex * PageSize and the amount of 
            // records returned to PageSize.
            else
            {
                int start = qry.PageIndex * qry.PageSize;

                limit = string.Format(" LIMIT {0},{1} ", start, qry.PageSize);
            }

            return limit;
        }

        /// <summary>
        /// Creates a SELECT statement based on the Query object settings
        /// </summary>
        /// <returns></returns>
        public override string GetSelectSql(Query qry)
        {
            TableSchema.Table table = qry.Schema;

            //different rules for how to do TOP
            string select = SqlFragment.SELECT;
            select += qry.IsDistinct ? SqlFragment.DISTINCT : String.Empty;

            string groupBy = "";
            string where = "";
            string order = "";
            string join = "";
            string query;

            //string whereOperator = " WHERE ";

            //append on the selectList, which is a property that can be set
            //and is "*" by default
            select += qry.SelectList;

            select += " FROM `" + table.Name + "`";

            //now for the wheres...
            //MUST USE parameters to avoid injection issues
            //the following line is my favorite... Moe, Larry, Curly...
            //foreach (Where wWhere in qry.wheres)
            //{
            //    where += whereOperator + wWhere.TableName + "." + wWhere.ColumnName + " " + Where.GetComparisonOperator(wWhere.Comparison) + " " + wWhere.ParameterName;
            //    whereOperator = " AND ";
            //}

            //foreach (BetweenAnd between in qry.betweens)
            //{
            //    where += whereOperator + between.TableName + "." + between.ColumnName + " BETWEEN ?start" + between.ColumnName + " AND ?end" + between.ColumnName;
            //    whereOperator = " AND ";
            //}
            //Finally, do the orderby 
            where = BuildWhere(qry);

            if (qry.OrderByCollection.Count > 0)
            {
                for (int j = 0; j < qry.OrderByCollection.Count; j++)
                {
                    string orderString = qry.OrderByCollection[j].OrderString;
                    if (!String.IsNullOrEmpty(orderString))
                    {
                        order += orderString;
                        if (j + 1 != qry.OrderByCollection.Count)
                        {
                            order += ", ";
                        }
                    }
                }
                order = order.Replace("[", "");
                order = order.Replace("]", "");
            }

            string limit = GetLimit(qry);

            query = select + join + groupBy + where + order + limit;
            return query + ";";
        }


        /// <summary>
        /// Loops the TableColums[] array for the object, creating a SQL string
        /// for use as an INSERT statement
        /// </summary>
        /// <returns></returns>
        public override string GetInsertSql(Query qry)
        {
            TableSchema.Table table = qry.Schema;

            //split the TablNames and loop out the SQL
            string insertSQL = "INSERT INTO `" + table.Name +"`";
            //string client = DataService.GetClientType();

            string cols = "";
            string pars = "";

            //int loopCount = 1;

            //if table columns are null toss an exception
            foreach (TableSchema.TableColumn col in table.Columns)
            {
                if (!col.AutoIncrement && !col.IsReadOnly)
                {
                    cols += col.ColumnName + ",";
                    pars += "?" + col.ColumnName + ",";
                }
            }
            cols = cols.Remove(cols.Length - 1, 1);
            pars = pars.Remove(pars.Length - 1, 1);
            insertSQL += "(" + cols + ") ";


            insertSQL += "VALUES(" + pars + ");";

            //get the newly-inserted ID
            //insertSQL += " SELECT MAX(" + table.PrimaryKey.ColumnName + ") as newID;";
            insertSQL += " SELECT LAST_INSERT_ID() as newID;";

            return insertSQL;
        }

        #endregion

        #region Command Builders

        public override QueryCommand BuildCommand(Query qry)
        {
            QueryCommand cmd = null;
            switch (qry.QueryType)
            {
                case QueryType.Select:
                    cmd = BuildSelectCommand(qry);
                    break;
                case QueryType.Update:
                    cmd = BuildUpdateCommand(qry);
                    break;

                case QueryType.Insert:
                    cmd = null;
                    break;

                case QueryType.Delete:
                    cmd = BuildDeleteCommand(qry);
                    break;
            }
            return cmd;
        }

        #endregion

        public override string ScriptData(string tableName,string providerName) {
            // TODO: Implement Method.
            throw new Exception("The method or operation is not implemented. (ScriptData)");
        }
        public override string ScriptData(string tableName)
        {
            // TODO: Implement Method
            throw new Exception("The method or operation is not implemented. (ScriptData)");
        }

        public override string ScriptSchema()
        {
            // Returning the same as the other providers.
            // If other providers implement this appropriately
            // I will update.
            string result = "";
            return result + Environment.NewLine + Environment.NewLine;
        }

        public override DbCommand GetDbCommand(QueryCommand qry)
        {
            DbCommand cmd;
            AutomaticConnectionScope conn = new AutomaticConnectionScope(this);
            cmd = conn.Connection.CreateCommand();

            cmd.CommandText = qry.CommandSql;
            cmd.CommandType = qry.CommandType;

            foreach (QueryParameter par in qry.Parameters)
            {
                cmd.Parameters.Add(par);
            }

            return cmd;
        }

        public override string[] GetViewNameList()
        {
            string[] result = new string[0];
            StringBuilder viewList = new StringBuilder();

            string sql = "SELECT TABLE_NAME FROM INFORMATION_SCHEMA.VIEWS WHERE TABLE_SCHEMA = ?databaseName";

            using (MySqlCommand cmd = new MySqlCommand())
            {
                MySqlConnection conn = new MySqlConnection(DefaultConnectionString);
                cmd.Connection = conn;
                cmd.CommandText = string.Format(sql, conn.Database);
                conn.Open();

                if (!SupportsInformationSchema(conn.ServerVersion))
                {
                    conn.Close();

                    result = new string[0];
                }

                cmd.Parameters.Add("?databaseName", MySqlDbType.String).Value = conn.Database;

                IDataReader rdr = cmd.ExecuteReader(CommandBehavior.CloseConnection);

                while (rdr.Read())
                {
                    string viewName = rdr[0].ToString();

                    if (String.IsNullOrEmpty(ViewStartsWith) || viewName.StartsWith(ViewStartsWith))
                    {
                        viewList.Append(rdr[0]);
                        viewList.Append("|");
                    }
                }

                rdr.Close();

                string strList = viewList.ToString();
                result = strList.Split(new char[] { '|' }, StringSplitOptions.RemoveEmptyEntries);
                Array.Sort(result);
            }

            return result;
        }

        public override T GetDataSet<T>(QueryCommand qry)
        {
            T ds = new T();
            MySqlCommand cmd = new MySqlCommand(qry.CommandSql);
            cmd.CommandType = qry.CommandType;
            cmd.CommandTimeout = qry.CommandTimeout;
            MySqlDataAdapter da = new MySqlDataAdapter(cmd);

            AddTableMappings(da, ds);
            using (AutomaticConnectionScope conn = new AutomaticConnectionScope(this))
            {
                cmd.Connection = conn.GetConnection<MySqlConnection>();
                AddParams(cmd, qry);
                da.Fill(ds);

                CheckoutOutputParams(cmd, qry);

                cmd.Dispose();
                da.Dispose();

                return ds;
            }
        }



        /// <summary>
        /// Private helper method to check the version of MySQL.
        /// 
        /// This is important because MySQL versions prior to 5.x
        /// did not support the standard INFORMATION_SCHEMA views.
        /// </summary>
        /// <param name="VersionLine">Version line returned from the server.</param>
        /// <returns></returns>
        internal static bool SupportsInformationSchema(string VersionLine)
        {
            try
            {
                int majorVersion = Convert.ToInt16(VersionLine.Substring(0, 1));

                if (majorVersion > 4)
                {
                    return true;
                }
            }
            catch { }

            return false;
        }

        /// <summary>
        /// Private helper to create a parameter table for returning
        /// from the GetSPParams method.
        /// 
        /// There is no standard way to get parameters from MySQL 
        /// stored procedures.  We have to do a string level parse to
        /// hack out the parameters.  Unfortunately this does not give
        /// us an IDataReader interface to return from teh GetSPParams
        /// method.  Inorder to provide this interface return we build 
        /// a datatable with the SP Params and returna DataTableReader.
        /// </summary>
        /// <returns></returns>
        internal static DataTable CreateParameterTable()
        {
            DataTable dt = new DataTable("parameters");

            DataColumn dc = new DataColumn("Name", typeof(string));
            dt.Columns.Add(dc);

            dc = new DataColumn("DataType", typeof(string));
            dt.Columns.Add(dc);

            dc = new DataColumn("Mode", typeof(string));
            dt.Columns.Add(dc);

            dt.AcceptChanges();

            return dt;
        }

        public override string[] GetForeignKeyTables(string tableName) {
            return new string[] { "" };
            //throw new Exception("The method or operation is not implemented.");
        }

        public override string GetTableNameByPrimaryKey(string pkName, string providerName) {
            // TODO: Look in to the use of this method and program if possible.

            return string.Empty;
        }

        internal override string GetDatabaseVersion(string providerName)
        {
            string retVal = "Unknown";

            AutomaticConnectionScope conn = new AutomaticConnectionScope(this);

            try
            {
                retVal = conn.GetConnection<MySqlConnection>().ServerVersion;
            }
            catch
            { }
            finally
            {
                if (!conn.IsUsingSharedConnection)
                {
                    conn.Dispose();
                }
            }

            return retVal;
        }
    }
}

By viewing downloads associated with this article you agree to the Terms of Service and the article's licence.

If a file you wish to view isn't highlighted, and is a text file (not binary), please let us know and we'll add colourisation support for it.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Web Developer
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions