Sunday, October 14, 2012

Loop-safe List

I recently worked on a problem (of while I will probably write about later in more detail) that required looping over the elements in a list, and ran into this classic mistake:

List<int> list = new List<int>() { 1, 2, 3, 4, 5, 6, 7, 8, 9 };
List<int> toRemove = new List<int>() { 2, 4, 6, 8 };
foreach(int item in list)
{
    if(toRemove.Contains(item))
    {
        list.Remove(item);
    }
}


Of course when this code runs, you immediately get the "Collection was modified; enumeration may not execute." error. Easily fixed by looping over a copy of the original list:

List<int> list = new List<int>() { 1, 2, 3, 4, 5, 6, 7, 8, 9 };
List<int> toRemove = new List<int>() { 2, 4, 6, 8 };
List<int> listCopy = new List<int>(list);
foreach(int item in listCopy)
{
    if(toRemove.Contains(item))
    {
        list.Remove(item);
    }
}


So, I created my own "loop-safe" list class, called LoopList, as so:

/// <summary>
/// List that allows modification inside a foreach loop.
/// </summary>
/// <typeparam name="T">The type of object contained in the list.</typeparam>
public class LoopList<T> : IList<T>
{
    /// <summary>
    /// The items in the LoopList.
    /// </summary>
    List<T> _items;

    /// <summary>
    /// Default LoopList constructor, takes an optional isReadOnly flag.
    /// </summary>
    /// <param name="isReadOnly">Whether this will be a read-only collection.</param>
    public LoopList(bool isReadOnly = false)
    {
        _items = new List<T>();
        IsReadOnly = isReadOnly;
    }

    /// <summary>
    /// Constructor that takes an input collection to copy, also takes an optional isReadOnly flag.
    /// </summary>
    /// <param name="collection">The input collection to copy.</param>
    /// <param name="isReadOnly">Whether this will be a read-only collection.</param>
    public LoopList(IEnumerable<T> collection, bool isReadOnly = false)
    {
        _items = new List<T>(collection);
        IsReadOnly = isReadOnly;
    }

    /// <summary>
    /// Constructor that takes an initial capacity to allocate, also takes an optional isReadOnly flag.
    /// </summary>
    /// <param name="capacity">The initial capacity to allocate.</param>
    /// <param name="isReadOnly">Whether this will be a read-only collection.</param>
    public LoopList(int capacity, bool isReadOnly = false)
    {
        _items = new List<T>(capacity);
        IsReadOnly = isReadOnly;
    }

    /// <summary>
    /// Get the Index of an item in the LoopList.
    /// </summary>
    /// <param name="item">The item to find the index of.</param>
    /// <<returns>The index of the specified item.</returns>
    public int IndexOf(T item)
    {
        return _items.IndexOf(item);
    }

    /// <summary>
    /// Insert an item at the specified index.
    /// </summary>
    /// <param name="index">The index at which to insert the item.</param>
    /// <param name="item">The item to insert.</param>
    public void Insert(int index, T item)
    {
        if (IsReadOnly)
        {
            throw new InvalidOperationException("Attempt to Insert item into ReadOnly LoopList");
        }
        _items.Insert(index, item);
    }

    /// <summary>
    /// Remove the item at the specified index.
    /// </summary>
    /// <param name="index">The index of the item to remove.</param>
    public void RemoveAt(int index)
    {
        if (IsReadOnly)
        {
            throw new InvalidOperationException("Attempt to Remove item from ReadOnly LoopList");
        }
        _items.RemoveAt(index);
    }

    /// <summary>
    /// Get or set the item at a specified index.
    /// </summary>
    /// <param name="index">The index of the item to get or set.</param>
    /// <returns>The item at the specified index.</returns>
    public T this[int index]
    {
        get
        {
            return _items[index];
        }
        set
        {
            if (IsReadOnly)
            {
                throw new InvalidOperationException("Attempt to set item value in ReadOnly LoopList");
            }
            _items[index] = value;
        }
    }

    /// <summary>
    /// Add an item to the LoopList.
    /// </summary>
    /// <param name="item">The item to add.</param>
    public void Add(T item)
    {
        if (IsReadOnly)
        {
            throw new InvalidOperationException("Attempt to Add item to ReadOnly LoopList");
        }
        _items.Add(item);
    }

    /// <summary>
    /// Remove all items from the LoopList.
    /// </summary>
    public void Clear()
    {
        if (IsReadOnly)
        {
            throw new InvalidOperationException("Attempt to Clear ReadOnly LoopList");
        }
        _items.Clear();
    }

    /// <summary>
    /// Check if the LoopList contains an item.
    /// </summary>
    /// <param name="item">The item to look for.</param>
    /// <<returns>True if the LoopList contains the item, false otherwise.</returns>
    public bool Contains(T item)
    {
        return _items.Contains(item);
    }

    /// <summary>
    /// Copy the items in the LoopList to an array.
    /// </summary>
    /// <param name="array">The array to copy items into.</param>
    /// <param name="arrayIndex">The index in the array to start copying items to.</param>
    public void CopyTo(T[] array, int arrayIndex)
    {
        _items.CopyTo(array, arrayIndex);
    }
        
    /// <summary>
    /// The number of items in the LoopList.
    /// </summary>
    public int Count
    {
        get { return _items.Count; }
    }

    /// <summary>
    /// A flag indicating whether the LoopList is read-only.
    /// </summary>
    public bool IsReadOnly
    {
        get;
        private set;
    }

    /// <summary>
    /// Remove the specified item from the LoopList.
    /// </summary>
    /// <param name="item">The item to remove.</param>
    /// <returns>True if the item was successfully removed, false otherwise.</returns>
    public bool Remove(T item)
    {
        if (IsReadOnly)
        {
            throw new InvalidOperationException("Attempt to Remove item from ReadOnly LoopList");
        }
        return _items.Remove(item);
    }

    /// <summary>
    /// Get an enumerator to loop over the items in the LoopList.
    /// </summary>
    /// <returns>An Enumerator over items of the type contained in the LoopList.</returns>
    public IEnumerator<T> GetEnumerator()
    {
        List<T> tempItems = new List<T>(_items);
        return tempItems.GetEnumerator();
    }

    /// <summary>
    /// Get an enumerator to loop over the items in the LoopList.
    /// </summary>
    /// <returns>An Enumerator over items of the type contained in the LoopList.</returns>
    System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator()
    {
        return GetEnumerator();
    }
}


And, voila! It works:

LoopList<int> list = new LoopList<int>() { 1, 2, 3, 4, 5, 6, 7, 8, 9 };
List<int> toRemove = new List<int>() { 2, 4, 6, 8 };
foreach (int item in list)
{
    if (toRemove.Contains(item))
    {
        list.Remove(item);
    }
}

Friday, October 12, 2012

SQL Server inserting to two tables linked via an auto-increment ID column

I recently ran into an interesting SQL problem...thought I would share what I came up with and see if anyone has an other ideas.

So, the basic layout of the problem is this:

I have a record set (in a temp table) with some columns that need to be inserted into one table, and some columns that will be inserted into another. Only some of the records are going to be inserted. The first table that I'm inserting to has an auto-incremented ID column, and the value from this column will need to be copied to the corresponding rows in the second table. The values that will be inserted into the first table are not necessarily unique in and of themselves, so I can't just insert into the first table and then select out the matching IDs that were generated.

My solution was to generate an "insert index" value for each record to be inserted in the input record set, insert these records (in order), grab the last ID allocated, and then use this to update the input temp table so it can then be inserted into the second output table.

Luckily, if you use an order by when inserting into a table with an auto-increment ID column, SQL Server guarantees that the new IDs will be allocated in the order you specify (although the records may by physically inserted in a different order).

Anyway, without further ado, here is some example code...feel free to let me know what you think:


-- @TempA is the first output table
DECLARE @TempA TABLE ( id INT IDENTITY(320, 1), something VARCHAR(100) )

-- @TempB is the temp table that contains the data to be inserted
DECLARE @TempB TABLE (
      
rowindex INT IDENTITY(1, 1),
      
insertindex INT NULL,
      
doinsert bit,
      
id INT NULL,
      
something VARCHAR(100),
      
somethingelse VARCHAR(100 )
)

-- some variables...
DECLARE @id INT, @insertindex INT

-- populate the "insert" data set along with flags determining
-- whether the record will be inserted
INSERT INTO @TempB
( something, somethingelse, doinsert )
VALUES
( 'something1', 'else1', 0 ),
(
'something2', 'else2', 1 ),
(
'something1', 'else3', 1 ),
(
'something2', 'else4', 0 ),
(
'something1', 'else5', 1 ),
(
'something2', 'else6', 1 ),
(
'something1', 'else7', 1 )

-- initialize the counter variable
SET @insertindex = 0

-- generate ordering values for the records to be inserted
UPDATE @TempB
SET @insertindex = insertindex = @insertindex + 1
WHERE doinsert = 1

-- insert the records that are to be inserted
INSERT INTO @TempA
( something )
SELECT something
FROM @TempB
WHERE doinsert = 1
ORDER BY rowindex

-- grab the last identity that was auto-generated by the insert
SET @id = @@identity

-- update the temp table with the input record set with the
-- auto-generated ID so it can be inserted into the other table
UPDATE @TempB SET id = (@id - @insertindex) + insertindex
WHERE doinsert = 1

-- check to make sure the correct IDs were copied
SELECT * FROM @TempB

Thursday, September 13, 2012

ConcatWith Extension Method for IEnumerable

So, I recently contributed some code to the dnpextensions project to allow easily concatenation of the contents of an IEnumerable<T> into a string using a specified separator (which defaults to a comma).  Thought I'd post it here in case anyone might find it useful:

/// <summary>
/// Concatenate a list of items using the provided separator.
/// </summary>
/// <param name="items">An enumerable collection of items to concatenate.</param>
/// <param name="separator">The separator to use for the concatenation (defaults to ",").</param>
/// <param name="formatString">An optional string formatter for the items in the output list.</param>
/// <returns>The enumerable collection of items concatenated into a single string.</returns>
/// <example>
///    <code>
///        List&lt;double&gt; doubles = new List&lt;double&gt;() { 123.4567, 123.4, 123.0, 4, 5 };
///        string concatenated = doubles.ConcatWith(":", "0.00");  // concatenated = 123.46:123.40:123.00:4.00:5.00
///     </code>
/// </example>
public static string ConcatWith<T>(this IEnumerable<T> items, string separator = ",", string formatString = "")
{
    if (items == null) throw new ArgumentNullException("items");
    if (separator == null) throw new ArgumentNullException("separator");

    // shortcut for string enumerable
    if (typeof(T) == typeof(string))
    {
        return string.Join(separator, ((IEnumerable<string>)items).ToArray());
    }

    if (string.IsNullOrEmpty(formatString))
    {
        formatString = "{0}";
    }
    else
    {
        formatString = string.Format("{{0:{0}}}", formatString);
    }

    return string.Join(separator, items.Select(x => string.Format(formatString, x)).ToArray());
}
 

Friday, September 07, 2012

MSFT Fail?

So I decided to install Visual Studio 2012 and SQL Server 2012 today...the SQL Server install went alright, but the VS install hangs at applying Microsoft Web Deploy 3.0 and when I try to post a question about it on the MSDN/Live forums, I get into an infinite redirect loop.  Nice.
Got VS2012 and SQL Server 2012 successfully installed on my home machine and got it all hooked up to CodePlex...might do some more work on the dnpextensions library soon.

Tuesday, September 04, 2012

ARB (A Request Broker)

So, I'm working on an idea for a new project that I will likely host on CodePlex...I'm not sure how useful it will be general, but mostly it's an excuse to mess around with various .NET technologies and figure out how to do a bunch of potentially useful things, using C# 5.0 and the .NET Framework 4.5.

The idea is something like a Request Broker, but with some additional functionality, such as:

  • Hosting 3rd-party add-ins, which will most likely run as their own applications (a discussion of the reasoning behind this to come eventually)
  • Serving up a unified method of communication for external processes to call methods in the add-ins, and otherwise communication with them (as well as for the add-ins to communicate with each other)
  • Running/monitoring arbitrary external processes, with the ability to monitor (and notify about)...
    • Database connectivity
    • File system availability
    • Network availability
    • Memory usage
    • etc.
  • Running in tandem on multiple servers, and successfully negotiating operations
  • Load balancing tasks between multiple servers
  • Gracefully handling clustered environments, such as NLB/ACE, and a methodology to easily extend to other methods of clustering
  • Provide a tiered caching mechanism for 3rd-party add-ins
  • Task scheduling
  • etc.?
I'm thinking it would be great to implement this in such a way that it can be run as a Windows service, or as a "normal" executable.

Things to hash out before proceeding:

  • Where will we store persistent information (database, file, configurable?)
  • How will our processes communicate with each other (.NET Remoting, WCF, other?)
  • How will we handle database access, and what databases can/will we support?
  • How will we handle logging?
  • What will the 3rd party add-ins look like?

Errata

So, I've now posted my dozen-th Errata on C# 5.0 in a Nutshell...feels like they should be paying me as an editor...

Friday, June 01, 2012

on mah way to the brick

Sunday, May 20, 2012

just finished avengers now need to find some shawarma

Tuesday, May 08, 2012

planted tomatoes...have many extra plants...anyone interested? they are roma and fair warning: they are a bit leggy

Saturday, May 05, 2012

kid at menards didn't think the prius could take 32 cu ft of garden soil...when proven wrong he said "mathematically impossible"

Saturday, April 14, 2012

trying to decide if i think it's safe to move my tomato plants outside this weekend...looks like it's going to get cold on monday night so i might just wait another week

Tuesday, April 10, 2012

Todos los baños están ocupados, todos los empleados están constipados.

Sunday, March 25, 2012

officially giving up on the brick box office

Saturday, March 24, 2012

stupid cat ran out just as i was ready for bed and made me spend about 25 minutes herding her back in

Monday, March 19, 2012

"what you seek is a bridge" "like an einstein-rosen bridge?" "more like a rainbow bridge"

Sunday, March 18, 2012

started tomato and pepper seed trays today...have many extra seeds if anyone is interested

Sunday, March 11, 2012

what goes better with a knob creek old fashioned? thor, or girl with the dragon tattoo (swedish)?

Tuesday, March 06, 2012

from the outside you can't understand it, from the inside you can't explain it

Sunday, March 04, 2012

test status update