Click here to Skip to main content
15,868,016 members
Articles / Programming Languages / Visual Basic

Fluent Database Access

Rate me:
Please Sign up or sign in to vote.
4.88/5 (33 votes)
1 Mar 2016CPOL5 min read 66.7K   3.3K   60   32
Fluent database access

Introduction

I've always thought that connecting to a database is unnecessary verbose.
If we take a look at a schoolbook example:

C#
SqlConnection Connection = default(SqlConnection);
SqlCommand Command = default(SqlCommand);
try
{
    Connection = new SqlConnection("MyConnectionString");
    Command = Connection.CreateCommand();
    Command.CommandText = "Select * From MyTable";
    Connection.Open();
    return Command.ExecuteReader();
}
finally
{
    if (Command != null)
        Command.Dispose();
    if (Connection != null)
        Connection.Dispose();
}
VB.NET
Dim Connection As SqlConnection
Dim Command As SqlCommand
Try
    Connection = New SqlConnection("MyConnectionString")
    Command = Connection.CreateCommand
    Command.CommandText = "Select * From MyTable"
    Connection.Open()
    Return Command.ExecuteReader
Finally
    If Not IsNothing(Command) Then Command.Dispose()
    If Not IsNothing(Connection) Then Connection.Dispose()
End Try

That's lot of repetitive code for every time I want to do something with the database.
I'm almost always using one and the same Connection, the same code for creating the Command and opening the connection.
And in 99% of the cases, I'm disposing the command and closing the Connection afterwards.

I also like fluent interfaces, so what if the same code could look like this instead:

C#
DbAccess.GetDbConnection("MyConnection").GetCommand("Select * From MyTable").GetDataReader();
VB.NET
GetDbConnection("MyConnection").GetCommand("Select * From MyTable").GetDataReader

Or even better:

C#
return MyDB.GetConnection.GetCommand("Select * From MyTable").GetDataReader();
VB.NET
Return MyDB.GetCommand("Select * From MyTable").GetDataReader

So I decided to create that code.

The Connection

So what design requirements should I have besides being fluent?
Well, first of, I'd like it to be database agnostic, and secondly I want to use the Connectionstrings section in the config file so I can change database without recompiling.
And I also want to use ADO.NET so that I'm reasonably sure it will have support from many Db vendors, and stays working when the next update to the framework comes.
That's all.

So to avoid inventing the wheel again, I decided to use the DbProviderFactories Class.

So let's start with a Shared Class and add a function that returns a DbProviderFactory, if it's installed.

C#
private readonly static DataTable FactoriesTable = DbProviderFactories.GetFactoryClasses();

private static DbProviderFactory GetFactory(ConnectionStringSettings ConnectionStringSetting)
{
    foreach (DataRow row in FactoriesTable.Rows)
    {
        if (Convert.ToString(row["InvariantName"]) == ConnectionStringSetting.ProviderName)
        {
            return DbProviderFactories.GetFactory(ConnectionStringSetting.ProviderName);
        }
    }
    return null;
}
VB.NET
Private ReadOnly FactoriesTable As DataTable = DbProviderFactories.GetFactoryClasses()

Private Function GetFactory(ConnectionStringSetting As ConnectionStringSettings) As DbProviderFactory
    For Each row As DataRow In FactoriesTable.Rows
        If CStr(row("InvariantName")) = ConnectionStringSetting.ProviderName Then
            Return DbProviderFactories.GetFactory(ConnectionStringSetting.ProviderName)
        End If
    Next
    Return Nothing
End Function

And use this function to create a DbConnection:

C#
private static DbConnection CreateDbConnection(ConnectionStringSettings ConnectionStringSetting)
{
    DbProviderFactory Factory = GetFactory(ConnectionStringSetting);
    if ((Factory != null))
    {
        DbConnection Connection = Factory.CreateConnection();
        if ((Connection != null))
        {
            Connection.ConnectionString = ConnectionStringSetting.ConnectionString;
            return Connection;
        }
    }
    return null;
}
VB.NET
Private Function CreateDbConnection(ConnectionStringSetting As ConnectionStringSettings) As DbConnection
    Dim Factory As DbProviderFactory = GetFactory(ConnectionStringSetting)
    If Not IsNothing(Factory) Then
        Dim Connection As DbConnection = Factory.CreateConnection()
        If Not IsNothing(Connection) Then
            Connection.ConnectionString = ConnectionStringSetting.ConnectionString
            Return Connection
        End If
    End If
    Return Nothing
End Function

Now we have the base for a couple of methods that returns a DbConnection.

C#
public static DbConnection GetDbConnection()
{
    DbConnection Connection = null;
    foreach (ConnectionStringSettings ConnectionStringSetting in ConfigurationManager.ConnectionStrings)
    {
        Connection = CreateDbConnection(ConnectionStringSetting);
        if ((Connection != null))
        {
            return Connection;
        }
    }
    throw new DataException("Check the ConnectionString Section in the ConfigFile");
}

public static DbConnection GetDbConnection(string ConnectionName)
{
    foreach (ConnectionStringSettings ConnectionStringSetting in ConfigurationManager.ConnectionStrings)
    {
        if (ConnectionName == ConnectionStringSetting.Name)
        {
            return CreateDbConnection(ConnectionStringSetting);
        }
    }
    throw new DataException(string.Format("Check the ConnectionString Section 
            in the ConfigFile if a connectionString named {0} exists", ConnectionName));
}
VB.NET
Public Function GetDbConnection() As DbConnection
    Dim Connection As DbConnection = Nothing
    For Each ConnectionStringSetting As ConnectionStringSettings _
                 In ConfigurationManager.ConnectionStrings
        Connection = CreateDbConnection(ConnectionStringSetting)
        If Not IsNothing(Connection) Then
            Return Connection
        End If
    Next
    Throw New DataException("Check the ConnectionString Section in the ConfigFile")
End Function

Public Function GetDbConnection(ConnectionName As String) As DbConnection
    For Each ConnectionStringSetting As ConnectionStringSettings _
                         In ConfigurationManager.ConnectionStrings
        If ConnectionName = ConnectionStringSetting.Name Then
            Return CreateDbConnection(ConnectionStringSetting)
        End If
    Next
    Throw New DataException(string.Format("Check the ConnectionString Section in the _
                 ConfigFile if a connectionString named {0} exists", ConnectionName))
End Function

In most of the cases, I only use one database, so the function simply returns a DbConnection for the first ConnectionString that has an installed Provider.
But often enough, you want to name the connection, so there's an overload for that too.

The Command

The creator of a DbCommand doesn't take any parameters, so we need to wrap that up in a function too.

C#
public static DbCommand GetCommand(this DbConnection Connection,
    string CommandText,
    IEnumerable<DbParameter> Parameters = null,
    CommandType CommandType = System.Data.CommandType.Text)
{
    if (Connection == null) { throw new ArgumentNullException("Connection is null"); }
    if (string.IsNullOrWhiteSpace(CommandText)) 
             { throw new ArgumentNullException("CommandText is null"); }

    DbCommand Command = Connection.CreateCommand();
    Command.CommandText = CommandText;
    Command.CommandType = CommandType;
    if ((Parameters != null))
    {
        foreach (DbParameter Parameter in Parameters)
        {
            Command.Parameters.Add(Parameter);
        }
    }
    return Command;
}
VB.NET
<Extension> _
Public Function GetCommand(Connection As DbConnection,
                           CommandText As String,
                           Optional Parameters As IEnumerable(Of DbParameter) = Nothing,
                           Optional CommandType As CommandType = System.Data.CommandType.Text) _
                                         As DbCommand

    If Connection Is Nothing Then Throw New ArgumentNullException("Connection is null")
    If String.IsNullOrWhiteSpace(CommandText) _
               Then Throw New ArgumentNullException("CommandText is null")

    Dim Command As DbCommand = Connection.CreateCommand()
    Command.CommandText = CommandText
    Command.CommandType = CommandType
    If (Parameters IsNot Nothing) Then
        For Each Parameter As DbParameter In Parameters
            Command.Parameters.Add(Parameter)
        Next
    End If
    Return Command
End Function

Executing the Command

Normally, you would simply take the Command and ExecuteReader or ExecuteNonQuery, but we need to clean up after ourselves so those need to be wrapped too.

C#
public static DbDataReader GetDataReader(this DbCommand Command, 
CommandBehavior CommandBehavior = CommandBehavior.CloseConnection | CommandBehavior.KeyInfo)
{
    if (Command == null) { throw new ArgumentNullException("Command is null"); }
    if (Command.Connection == null) { throw new ArgumentNullException("Connection is null"); }

    using (Command)
    {
        DbConnection Connection = Command.Connection;
        if (Connection.State != ConnectionState.Open)
        {
            Connection.Open();
        }
        return Command.ExecuteReader(CommandBehavior);
    }
}

public static DataTable GetDataTable(this DbCommand Command, String TableName = "")
{
    if (Command == null) { throw new ArgumentNullException("Command is null"); }
    if (Command.Connection == null) { throw new ArgumentNullException("Command.Connection is null"); }

    using (DbConnection Connection = Command.Connection)
    using (Command)
    {
        DbProviderFactory Factory = DbProviderFactories.GetFactory(Connection);
        using (DbDataAdapter Adapter = Factory.CreateDataAdapter())
        {
            Adapter.SelectCommand = Command;
            DataTable dt = new DataTable(TableName);
            Adapter.Fill(dt);
            return dt;
        }
    }
}

public static object GetScalar(this DbCommand Command)
{
    if (Command == null) { throw new ArgumentNullException("Command is null"); }
    if (Command.Connection == null) { throw new ArgumentNullException("Connection is null"); }

    using (Command)
    {
         using (DbConnection Connection = Command.Connection)
        {
            if (Connection.State != ConnectionState.Open)
            {
                Connection.Open();
            }
            return Command.ExecuteScalar();
        }
    }
}

public static T GetScalar<T>(this DbCommand Command)
{
    if (Command == null) { throw new ArgumentNullException("Command is null"); }
    if (Command.Connection == null) { throw new ArgumentNullException("Connection is null"); }

    using (Command)
    {
        using (DbConnection Connection = Command.Connection)
        {
            if (Connection.State != ConnectionState.Open)
            {
                Connection.Open();
            }
            object Value = Command.ExecuteScalar();
            if ((object.ReferenceEquals(Value, DBNull.Value)) || (Value == null))
            {
                return default(T);
            }
            else if (object.ReferenceEquals(typeof(T), Value.GetType()) || 
                               typeof(T).IsAssignableFrom(Value.GetType()))
            {
                return (T)Value;
            }
            else if (typeof(T).IsGenericType && 
                   typeof(T).GetGenericTypeDefinition() == typeof(Nullable<>))
            {
                return (T)Convert.ChangeType(Value, typeof(T).GetGenericArguments()[0]);
            }
            else
            {
                return (T)Convert.ChangeType(Value, typeof(T));
            }
        }
    }
}

public static int GetNonQuery(this DbCommand Command)
{
    if (Command == null) { throw new ArgumentNullException("Command is null"); }
    if (Command.Connection == null) { throw new ArgumentNullException("Connection is null"); }

    using (Command)
    {
        using (DbConnection Connection = Command.Connection)
        {
            if (Connection.State != ConnectionState.Open)
            {
                Connection.Open();
            }
            return Command.ExecuteNonQuery();
        }
    }
}
VB.NET
<Extension>
    Public Function GetDataReader(Command As DbCommand, _
          Optional CommandBehavior As CommandBehavior = DirectCast(CommandBehavior.CloseConnection + _
          CommandBehavior.KeyInfo, CommandBehavior)) As DbDataReader
    If Command Is Nothing Then Throw New ArgumentNullException("Command is null")
    If Command.Connection Is Nothing Then Throw New ArgumentNullException("Connection is null")

    Using Command
        Dim Connection As DbConnection = Command.Connection
    
        If Connection.State <> ConnectionState.Open Then
            Connection.Open()
        End If
        Return Command.ExecuteReader(CommandBehavior)
    End Using
End Function

<Extension>
Public Function GetDataTable(Command As DbCommand, Optional TableName As [String] = "") As DataTable
    If Command Is Nothing Then Throw New ArgumentNullException("Command is null")
    If Command.Connection Is Nothing Then Throw New ArgumentNullException("Command.Connection is null")

    Using Connection As DbConnection = Command.Connection
        Using Command
            Dim Factory As DbProviderFactory = DbProviderFactories.GetFactory(Connection)
            Using Adapter As DbDataAdapter = Factory.CreateDataAdapter()
                Adapter.SelectCommand = Command
                Dim dt As New DataTable(TableName)
                Adapter.Fill(dt)
                Return dt
            End Using
        End Using
    End Using
End Function

<Extension>
Public Function GetScalar(Command As DbCommand) As Object
    If Command Is Nothing Then Throw New ArgumentNullException("Command is null")
    If Command.Connection Is Nothing Then Throw New ArgumentNullException("Connection is null")

    Using Command
        Using Connection As DbConnection = Command.Connection
            If Connection.State <> ConnectionState.Open Then
                Connection.Open()
            End If
            Return Command.ExecuteScalar()
        End Using
    End Using
End Function

<Extension>
Public Function GetScalar(Of T)(Command As DbCommand) As T
    If Command Is Nothing Then Throw New ArgumentNullException("Command is null")
    If Command.Connection Is Nothing Then Throw New ArgumentNullException("Connection is null")

    Using Command
        Using Connection As DbConnection = Command.Connection
            If Connection.State <> ConnectionState.Open Then Connection.Open()

            Dim Value As Object = Command.ExecuteScalar()
            If (Object.ReferenceEquals(Value, DBNull.Value)) OrElse (Value Is Nothing) Then
                Return Nothing
            ElseIf Object.ReferenceEquals(GetType(T), Value.[GetType]()) _
                   OrElse GetType(T).IsAssignableFrom(Value.[GetType]()) Then
                Return DirectCast(Value, T)
            ElseIf GetType(T).IsGenericType AndAlso _
               GetType(T).GetGenericTypeDefinition() = GetType(Nullable(Of )) Then
                Return DirectCast(Convert.ChangeType(Value, GetType(T).GetGenericArguments()(0)), T)
            Else
                Return DirectCast(Convert.ChangeType(Value, GetType(T)), T)
            End If
        End Using
    End Using
End Function

<Extension>
Public Function GetNonQuery(Command As DbCommand) As Integer
    If Command Is Nothing Then Throw New ArgumentNullException("Command is null")
    If Command.Connection Is Nothing Then Throw New ArgumentNullException("Connection is null")

    Using Command
        Using Connection As DbConnection = Command.Connection
            If Connection.State <> ConnectionState.Open Then
                Connection.Open()
            End If
            Return Command.ExecuteNonQuery()
        End Using
    End Using
End Function

GetNonQuery? Isn't that a really silly name?
Well yes, but I've used the "Get" prefix for all other methods so far, and I like to be consistent. And ExecuteNonQuery does indeed return a value, so it's not entirely bad.
Please feel free to rename the methods if you feel like it, but "ExecuteNonQueryAndTerminateResourcesAndConnections" felt a bit silly too.

Anyway, now we've come as far that we can execute a datareader in one line while disposing all resources.

C#
Return DbAccess.GetDbConnection("MyConnection").GetCommand("Select * From MyTable").GetDataReader();
VB.NET
Return GetDbConnection("MyConnection").GetCommand("Select * From MyTable").GetDataReader

But If Don't Like to Use a String Parameter for My databaseconnection?

Then, we need to add another function to this library:

C#
private static DbConnection CreateDbConnection(ConnectionStringSettings ConnectionStringSetting)
{
    DbProviderFactory Factory = GetFactory(ConnectionStringSetting);
    if ((Factory != null))
    {
        DbConnection Connection = Factory.CreateConnection();
        if ((Connection != null))
        {
            Connection.ConnectionString = ConnectionStringSetting.ConnectionString;
            return Connection;
        }
    }
    return null;
}
VB.NET
Public Function GetDbConnection(ConnectionStringSetting As ConnectionStringSettings) As DbConnection
    Dim Connection As DbConnection = CreateDbConnection(ConnectionStringSetting)
    If Connection Is Nothing Then
        Throw New DataException("Provider not installed")
    Else
        Return Connection
    End If
End Function

Now we have the possibility to add a small function that adds Intellisense to the Connectionstrings. But note that this needs to be done per project.

C#
public static class NorthWind
{
    public static SqlConnection GetConnection()
    {
        return SqlAccess.GetSQLConnection("Northwnd");
    }
}
VB.NET
Public Module MyConnections
    Function Northwind() As SqlConnection
        Return GetSQLConnection("Northwnd")
    End Function
End Module

This starts to look good.

C#
return Northwnd.GetDbConnection.GetCommand("Select * From MyTable").GetDataReader();
VB.NET
Return Northwnd.GetCommand("Select * From MyTable").GetDataReader

What about Transactions?

Transactions are meant to be executed in a block, that's the whole point with them.
But let's add a couple of methods that make life a little bit easier.

C#
public static DbCommand GetCommand(this DbTransaction Transaction, 
    string CommandText, 
    IEnumerable<DbParameter> Parameters = null, 
    CommandType CommandType = System.Data.CommandType.Text)
{
    if (Transaction == null) { throw new ArgumentNullException("Transaction is null"); }
    if (string.IsNullOrWhiteSpace(CommandText)) 
            { throw new ArgumentNullException("CommandText is null"); }

    DbCommand Command = Transaction.Connection.CreateCommand();
    Command.CommandText = CommandText;
    Command.CommandType = CommandType;
    if ((Parameters != null))
    {
        foreach (DbParameter Parameter in Parameters)
        {
            Command.Parameters.Add(Parameter);
        }
    }
    return Command;
}
VB.NET
Public Function GetCommand(Transaction As DbTransaction,
                           CommandText As String,
                           Optional Parameters As IEnumerable(Of DbParameter) = Nothing,
                           Optional CommandType As CommandType = System.Data.CommandType.Text) As DbCommand
    If Transaction Is Nothing Then Throw New ArgumentNullException("Transaction is null")
    If String.IsNullOrWhiteSpace(CommandText) Then Throw New ArgumentNullException("CommandText is null")

    Dim Command As DbCommand = Transaction.Connection.CreateCommand()
    Command.CommandText = CommandText
    Command.CommandType = CommandType
    If (Parameters IsNot Nothing) Then
        For Each Parameter As DbParameter In Parameters
            Command.Parameters.Add(Parameter)
        Next
    End If
    Return Command
End Function

Now we can execute a block of commands together like this:

C#
using (DbConnection Connection = GetDbConnection())
{
    Connection.Open();
    using (DbTransaction Transaction = Connection.BeginTransaction())
    {
        try
        {
            using (DbCommand FirstCommand = Transaction.GetCommand_
                 ("INSERT INTO MyTable1 (Column1,Column2) VALUES (1,2)"))
            {
                FirstCommand.ExecuteNonQuery();
            }

            using (DbCommand LastCommand = Transaction.GetCommand_
                 ("INSERT INTO MyTable2 (ColumnA,ColumnB) VALUES ('X','Y')"))
            {
                LastCommand.ExecuteNonQuery();
            }

            Transaction.Commit();
        }
        catch (Exception ex)
        {
            Transaction.Rollback();
            throw;
        }
    }
}
VB.NET
Using Connection As DbConnection = GetDbConnection()
    Connection.Open()
    Using Transaction As DbTransaction = Connection.BeginTransaction()

        Try
            Using FirstCommand As DbCommand = Transaction.GetCommand_
                    ("INSERT INTO MyTable1 (Column1,Column2) VALUES (1,2)")
                FirstCommand.ExecuteNonQuery()
            End Using

            Using LastCommand As DbCommand = Transaction.GetCommand_
                    ("INSERT INTO MyTable2 (ColumnA,ColumnB) VALUES ('X','Y')")
                LastCommand.ExecuteNonQuery()
            End Using

            Transaction.Commit()
        Catch ex As Exception
            Transaction.Rollback()
            Throw
        End Try
    End Using
End Using

I don't see any way to make it less verbose if you want to dispose of all resources.
Also note that I didn't use GetNonQuery as it would have closed the connection prematurely.
But still a bit cleaner.

And What about DbParameters?

Bugger.
Here's the big problem with using DbCommands. Both DbCommand and DbParameter are abstract Classes.
So since the type of a DbParameter instance cannot be inferred from the usage, we have to either specify it or use Command.CreateParameter.

C#
DbCommand Command = GetDbConnection().GetCommand("MyCommandText");
DbParameter Parameter = Command.CreateParameter();
Parameter.ParameterName = "PName";
Parameter.Value = 5;
Command.Parameters.Add(Parameter);
Command.GetNonQuery();
VB.NET
Dim Command as DbCommand = GetDbConnection.GetCommand("MyCommandText")
Dim Parameter as DbParameter = Command.CreateParameter
Parameter.ParameterName = "PName"
Parameter.Value = 5
Command.Parameters.Add(Parameter)
Command.GetNonQuery()

This totally not what I wanted. It's very verbose.

So what about specifying the type? Let's add an overload to GetCommand.

C#
SqlParameter[] Parameters = { new SqlParameter { ParameterName = "P1",Value = 2 } };
DbCommand Command = GetSQLConnection().GetCommand("MyCommandText", Parameters);
VB.NET
Dim Parameters As SqlParameter() = {New SqlParameter With {.ParameterName = "P1", .Value = 2}}
Dim Command As DbCommand = GetSQLConnection.GetCommand("MyCommandText", Parameters)

This works fine, but only if the DbCommand actually is of the type SqlCommand.
So with this method, it's quite possible to create what might become bugs later in the application's life. And this also goes quite against the point of using a DbProviderFactory.

So instead, I had to make a wrapper for Parameters as well.
Here's one example of how it looks like, there are several overloads.

C#
public static DbCommand AddDbParameter
  (this DbCommand Command, string ParameterName, DbType DbType, object Value)
{
    DbParameter Parameter = Command.CreateParameter();
    Parameter.ParameterName = ParameterName;
    Parameter.DbType = DbType;
    Parameter.Value = Value;
    Command.Parameters.Add(Parameter);
    return Command;
}
VB.NET
<extension>
Function AddDbParameter(Command As DbCommand, ParameterName As String, DbType As DbType, Value As Object) As DbCommand
    Dim Parameter As DbParameter = Command.CreateParameter()
    Parameter.ParameterName = ParameterName
    Parameter.DbType = DbType
    Parameter.Value = Value
    Command.Parameters.Add(Parameter)
    Return Command
End Function</extension>

There are of course some drawbacks with this approach.
The biggest one in my opinion is that the parameters are only positional, not named.
You also cannot use database specific Types.

So for those cases when a DbProviderFactory just isn't enough, I have also created classes for SqlAccess and OracleAccess. They are also available as downloads.
And it's very easy to build it out to other Providers as well.

Anything Else We Can Do to Simplify?

Yes, why not add some functions to skip GetCommand.
Like this:

C#
public static DbDataReader GetDataReader(this DbConnection Connection,
    string CommandText,
    CommandType CommandType = System.Data.CommandType.Text,
    IEnumerable<DbParameter> Parameters = null)
{
    DbCommand Command = GetCommand(Connection, CommandText, CommandType, Parameters);
    return GetDataReader(Command);
}
VB.NET
<Extension>Public Function GetDataReader(Connection As DbConnection,
                              CommandText As String,
                              Optional CommandType As CommandType = System.Data.CommandType.Text,
                              Optional Parameters As IEnumerable(Of DbParameter) = Nothing) _
                                     As DbDataReader
    Dim Command As DbCommand = GetCommand(Connection, CommandText, CommandType, Parameters)
    Return GetDataReader(Command)
End Function

which can be used like this:

C#
MyDB.GetConnection.GetDataReader("Select * From MyTable");
VB.NET
MyDB.GetDataReader("Select * From MyTable")

Similar functions have been added to GetScalar and GetNonQuery.

Points of Interest

Keep in mind that GetConnection() takes the first usable ConnectionString it finds in your config file.
If you have a local install of SqlServer, this first connectionstring might be "LocalSqlServer" in Machine.Config.

The code in this article also works very fine together with the code in my other article, A propertymapping Extension for DataReaders[^].
Use them together like this:

C#
MyDB.GetConnection.GetDataReader("Select * From MyTable").AsEnumerable<MyClass>();
VB.NET
MyDB.GetDataReader("Select * From MyTable").AsEnumerable(of MyClass)

or:

C#
MyDB.GetConnection.GetDataReader("Select * From MyTable").ToList<MyClass>();
VB.NET
MyDB.GetDataReader("Select * From MyTable").ToList(of MyClass)

History

  • 6th October, 2014: v1.0 First release
  • 18th February, 2014: v1.1 Cleaned up the mass of overloads into methods with optional parameters. Added GetScalar<T>
  • 12th February, 2016: v1.2 Added parameter handling and GetDataTable

License

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


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

Comments and Discussions

 
GeneralMy vote of 5 Pin
Robert_Dyball2-Jan-18 15:16
professionalRobert_Dyball2-Jan-18 15:16 
GeneralMy vote of 5 Pin
Muhammad Shahid Farooq8-Jun-16 2:19
professionalMuhammad Shahid Farooq8-Jun-16 2:19 
GeneralMy vote of 5 Pin
Santhakumar M4-Mar-16 3:10
professionalSanthakumar M4-Mar-16 3:10 
GeneralRe: My vote of 5 Pin
Jörgen Andersson4-Mar-16 9:52
professionalJörgen Andersson4-Mar-16 9:52 
GeneralRe: My vote of 5 Pin
Santhakumar M6-Mar-16 7:30
professionalSanthakumar M6-Mar-16 7:30 
GeneralMy vote of 5 Pin
MarkBoreham2-Mar-16 9:06
professionalMarkBoreham2-Mar-16 9:06 
GeneralRe: My vote of 5 Pin
Jörgen Andersson2-Mar-16 9:23
professionalJörgen Andersson2-Mar-16 9:23 
QuestionMy Vote 5 Pin
Simon_Whale2-Mar-16 0:13
Simon_Whale2-Mar-16 0:13 
AnswerRe: My Vote 5 Pin
Jörgen Andersson2-Mar-16 3:02
professionalJörgen Andersson2-Mar-16 3:02 
BugResource leaks Pin
sx200815-Feb-16 8:32
sx200815-Feb-16 8:32 
GeneralRe: Resource leaks Pin
Jörgen Andersson15-Feb-16 11:58
professionalJörgen Andersson15-Feb-16 11:58 
GeneralRe: Resource leaks Pin
sx200816-Feb-16 9:04
sx200816-Feb-16 9:04 
GeneralRe: Resource leaks Pin
Jörgen Andersson16-Feb-16 9:42
professionalJörgen Andersson16-Feb-16 9:42 
Generalbut.. it has already been done. Pin
Magnus Gudmundsson20-Feb-15 1:55
professionalMagnus Gudmundsson20-Feb-15 1:55 
GeneralRe: but.. it has already been done. Pin
pt140113-Feb-16 23:28
pt140113-Feb-16 23:28 
GeneralRe: But.. it has already been done. But it needs to be done again... Pin
Steve Naidamast15-Feb-16 6:48
professionalSteve Naidamast15-Feb-16 6:48 
GeneralRe: But.. it has already been done. But it needs to be done again... Pin
pt14013-Aug-16 4:19
pt14013-Aug-16 4:19 
GeneralRe: But.. it has already been done. But it needs to be done again... Pin
Steve Naidamast3-Aug-16 4:49
professionalSteve Naidamast3-Aug-16 4:49 
GeneralMy vote of 5 Pin
Humayun Kabir Mamun19-Feb-15 18:03
Humayun Kabir Mamun19-Feb-15 18:03 
GeneralRe: My vote of 5 Pin
Jörgen Andersson19-Feb-15 20:13
professionalJörgen Andersson19-Feb-15 20:13 
GeneralSome comments. Pin
Paulo Zemek19-Feb-15 10:19
mvaPaulo Zemek19-Feb-15 10:19 
GeneralRe: Some comments. Pin
Jörgen Andersson19-Feb-15 21:28
professionalJörgen Andersson19-Feb-15 21:28 
GeneralMy vote of 5 Pin
mekDroid19-Feb-15 4:17
mekDroid19-Feb-15 4:17 
GeneralRe: My vote of 5 Pin
Jörgen Andersson19-Feb-15 20:13
professionalJörgen Andersson19-Feb-15 20:13 
GeneralThoughts Pin
PIEBALDconsult5-Dec-14 15:00
mvePIEBALDconsult5-Dec-14 15:00 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.