Friday, September 7, 2012

Sending email from C# code using the GMail SMTP server

Here's how you send email through your Gmail account using C#.

using System;
using System.Net.Mail;
public static class EmailUtility
{
public static void SendEmail(string from, string[] to, string[] cc, string subject, string body, bool isHTML)
{
MailMessage message = new MailMessage
{
Subject = subject,
Body = body,
IsBodyHtml = isHTML,
From = new MailAddress(from),
};
Array.ForEach(to, c => message.To.Add(c));
Array.ForEach(cc, c => message.CC.Add(c));
SmtpClient SmtpMailer = new SmtpClient
{
Host = "smtp.gmail.com",
Port = 587,
Timeout = 50000,
EnableSsl = true
};
SmtpMailer.Credentials = new System.Net.NetworkCredential("youremail@gmail.com", "yourgmailpassword");
SmtpMailer.Send(message);
}
}
view raw EmailUtility.cs hosted with ❤ by GitHub

Wednesday, September 5, 2012

Utility to perform a parameterized SQL Query using ADO.NET

Here's a quick utility method to perform an ADO.NET SQL query. The main tricks are the use of a regular expression to parse out the parameters and the use of a queue to conveniently get the next parameter.

using System.Data.SqlClient;
using System.Text.RegularExpressions;
using System.Collections;
public static class SqlUtility
{
public static T ExecuteScalar<T>(string connStr, string query, params object[] queryParams)
{
using (var con = new SqlConnection(connStr))
using (var cmd = new SqlCommand(query, con))
{
var queue = new Queue(queryParams);
var matches = Regex.Matches(query, @"@\w+");
foreach (Match match in matches)
cmd.Parameters.AddWithValue(match.Value, queue.Dequeue());
con.Open();
T result = (T)cmd.ExecuteScalar();
return result;
}
}
}
view raw SqlUtility.cs hosted with ❤ by GitHub

Tuesday, August 28, 2012

Deep copy of C# object properties

Sometimes you have two different class types with the same properties and you want to copy all the property values from one to the other.

One way is to simply hand code one assignment statement for each field they have in common.

Another option is to use an open source mapping library like AutoMapper

Still other times you might find yourself in the middle ground of not wanting to hand code all the assignments and also not wanting to deal with a 3rd party library.

Here is an example of how you can roll your own automapper in a few lines of code.  This snippet copies like-named properties from a source to a target.  It recurses on any properies that don't have a type starting with "System." and it ignores source properties with value of null.

static void CopyProperties(object sourceObject, object targetObject, bool deepCopy = true)
{
if (sourceObject != null && targetObject != null)
{
(from sourceProperty in sourceObject.GetType().GetProperties().AsEnumerable()
from targetProperty in targetObject.GetType().GetProperties().AsEnumerable()
where sourceProperty.Name.ToUpper() == targetProperty.Name.ToUpper()
let sourceValue = sourceProperty.GetValue(sourceObject, null)
where sourceValue != null
select CopyProperty(targetProperty, targetObject, sourceValue, deepCopy))
.ToList()
.ForEach(c => c());
}
}
static Action CopyProperty(PropertyInfo propertyInfo, object targetObject, object sourceValue, bool deepCopy)
{
if (!deepCopy || sourceValue.GetType().FullName.StartsWith("System."))
return () => propertyInfo.SetValue(targetObject, sourceValue, null);
else
return () => CopyProperties(sourceValue, propertyInfo.GetValue(targetObject, null));
}

Friday, August 24, 2012

RadioButton panel based on an enum type in a C# WinForms application


public class RadioButtonPanel<T> : FlowLayoutPanel
{
public RadioButtonPanel()
{
var graphics = this.CreateGraphics();
var zeroPadding = new Padding(0);
var initialPadding = new Padding(10, 0, 0, 0);
int radioButtonCircleWidth = 30;
graphics.MeasureString("a", RadioButton.DefaultFont);
bool first = true;
foreach (object value in Enum.GetValues(typeof(T)))
{
string name = Enum.GetName(typeof(T), value);
var button = new RadioButton
{
Text = name,
Checked = first,
Padding = zeroPadding,
Margin = first ? initialPadding : zeroPadding,
Width = (int)graphics.MeasureString(name, RadioButton.DefaultFont).Width + radioButtonCircleWidth
};
first = false;
button.CheckedChanged += (s, e) =>
{
if (button.Checked && this.Selected != null)
{
T current = (T)Enum.Parse(typeof(T), name);
this.Current = current;
Selected(current);
}
};
this.Controls.Add(button);
}
this.Current = (T)(object)0;
this.Padding = zeroPadding;
this.Margin = zeroPadding;
}
public event SelectedEvent Selected;
public delegate void SelectedEvent(T t);
public T Current { get; set; }
}

Friday, August 17, 2012

How do mixins work in C#?

Extension methods which target a common marker interface can be viewed as partial implementations of that interface.

If you place such extension methods in different namespaces then it is possible to utilize a technique of "Mixing In" the implementations used by a class.

This is demonstrated in code below.  The one part of this that I took a minute to get my head around was that ILogger loses the semantics of an interface.  The methods available to it are those extension methods which are visible to the compiler as dictated by the using statements.

Some links I learned from before writing this:
namespace MixinDemo
{
public interface ILogger
{
}
}
view raw ILogger.cs hosted with ❤ by GitHub
using System;
namespace MixinDemo.Logger1.Log
{
public static class Mixin
{
public static void Log(this ILogger logger, string message)
{
Console.WriteLine("Logger1 Log: " + message);
}
}
}
view raw Log.cs hosted with ❤ by GitHub
using System;
namespace MixinDemo.Logger2.LogError
{
public static class Mixin
{
public static void LogError(this ILogger logger, string message)
{
Console.WriteLine("Logger2 LogError: " + message);
}
}
}
view raw LogError.cs hosted with ❤ by GitHub
using System;
namespace MixinDemo
{
// Mix in the ILogger functionality required by the implementation of the Program class
using Logger1.Log;
using Logger2.LogError;
class Program
{
ILogger logger = null; // OK to leave uninitialized since only extension methods will be called
static void Main(string[] args)
{
new Program().Execute();
}
private void Execute()
{
try
{
logger.Log("Hello World");
(null as object).GetType(); // error
}
catch (Exception ex)
{
logger.LogError(ex.Message);
}
}
}
}
view raw Program.cs hosted with ❤ by GitHub

Thursday, July 12, 2012

What are extension methods in C#?

Here's a really basic example.


An extension method in C# is a static method defined in a static class with the this keyword placed in front of the first parameter.
public static MyStaticClass {
   public static void DescribeYourself(this int value)
   {
       System.Console.WriteLine("I am an integer with value " + value);
   }
}

public static void Main() {
   int i = 5;
   i.DescribeYourself();
}

Output:
I am an integer with value 5

Do you see what's going on here?  The keyword this causes that static method to effectively behave as though you added an instance method to the int class.

 

Now let's look at a real world example.

Database frameworks often generate code from a data model.  The code follows the pattern of a  container class with properties that expose sets of entitity classes which have properties exposing data.

The container is the gateway to the database and sets of entities to tables with their elements to rows and properties to columns.

For example:

public class Container {
    public Set<Entity> Entities { get; set; }
}

public class Entity {
   public int Id { get; set; }
   public string Name { get; set; }
}

A typical usage of the above would be:
var db = new Container();
var query = db.Entities.Where(c => c.Name == "Foo");
Console.WriteLine("The entity named Foo has Id = " + query.Single());

What if we want something that was a bit more graceful?

Something like:

var db = new Container();
var query = db.Entities.QueryByName("Foo");
Console.WriteLine("The entity named Foo has Id = " + query.Single());

The logical answer starts with, "We have to add a method to the class which defines the type of db.Entities."

Looking to the Container class we see the type of Entities is Set<Entity>.  Can we add a method to that type?  No we cannot (to this point I'm 99% sure but please correct me if I'm wrong here).

Here is where an extension method can give us what we want.

public static class EntityExtensions {
   public static IQueryable<Entity>(
                   this Set<Entity> entities, 
                   string name) {
          return entities.Where(c => c.Name == "Foo");
   }
}

See how we got around that fact that we couldn't add a method to the type Set<Entity>?  The net effect as as if we did though.  It's quite cool.

Thursday, June 28, 2012

Quick way to display a grid of information in a WinForms application.

This C# snippet can be used in a WinForms application to quickly display a grid of information.

Note how the column names are defined using LINQ to Objects.
if (EomAppCommon.Settings.DebugEomDatabase)
{
var form = new System.Windows.Forms.Form();
var grid = new System.Windows.Forms.DataGridView {
AutoGenerateColumns = true,
Dock = System.Windows.Forms.DockStyle.Fill,
DataSource =
(from c in new [] {
Tuple.Create("DADatabaseR1ConnectionString", this.DADatabaseR1ConnectionString),
Tuple.Create("StatsYear", this.StatsYear.ToString()),
Tuple.Create("StatsMonth", this.StatsMonth.ToString()),
Tuple.Create("StatsDaysInMonth", this.StatsDaysInMonth.ToString()),
Tuple.Create("PubReportSubjectLine", this.PubReportSubjectLine),
} select new {
Key = c.Item1,
Value = c.Item2,
}).ToList(),
AutoSizeColumnsMode = System.Windows.Forms.DataGridViewAutoSizeColumnsMode.Fill,
};
form.Controls.AddRange(new[] { grid, });
form.ShowDialog();
}
view raw gistfile1.cs hosted with ❤ by GitHub