Value Or Reference? A C# Puzzle
Written by Balamurugan Boominathan   
Article Index
Value Or Reference? A C# Puzzle
Solution

Solution

It doesn't work and its all due to the use of a value type within the foreach loop.

Because Product entity has been declared as struct which is value type  you can not directly update the Quantity property of a  Product entity which is being used as the iteration variable.

It even generates a compiler error message:

“Cannot modify p because it is foreach iteration variable.”

This doesn't happen if the Product entity is declared as a Class which is a reference type. In this case

p.Quantity = p.Quantity - Quantity;

will work because it modifies the object that p refers to rather than the value of p.

If you want to use a value type in a loop in this way you have to do the job more explicity and avoid using it as the loop variable.

For example:.

for (int i = 0; i < lstProducts.Count; i++)
{
Product p = lstProducts[i];
if (p.Name == ProductName)
{
p.Quantity = p.Quantity - Quantity;
lstProducts[i] = p;
}
}

In this case we have to retrieve the value type from the collection before we work on it.

Pattern

The only real solution is to avoid using value types within sophisticated data structures. In other words, always prefer a class to a struct. This also avoids the potential problem of some future programmer converting your struct to a class thinking that it doesn't make any difference.

 csharp

Further reading:

Inside C# 4 Data Structs

Value and Reference

 

Banner

raspberry pi books

 

Comments




or email your comment to: comments@i-programmer.info

To be informed about new articles on I Programmer, sign up for our weekly newsletter, subscribe to the RSS feed and follow us on Twitter, Facebook or Linkedin.

More Puzzles

Sharpen Your Coding Skills
The Best Sub-Array Problem

At first glance this puzzle seems trivial, all you have to do is find a sub-array, in an array of numbers,  that sums to the largest value. It sounds almost too easy to need a solution, let alone [ ... ]


Sharpen Your Coding Skills
Self-Descriptive Arrays

Put on your thinking cap for another set of conundrums that will exercise your coding skills. This time Melvin Frammis introduces his junior partner Bugsy Cottman to some classic number puzzles that c [ ... ]


Sharpen Your Coding Skills
The Post Production Problem

Joe Celko has posed another puzzle that requires you to think like a programmer. This one is all about Post tag machines, which have absolutely nothing to do with mail of any type but a lot to do with [ ... ]


Other Articles