Interview questions – Change for a dollar

By James at March 22, 2010 12:19
Filed Under: Inland Empire .NET UG, Life in General, Technology in General

So, in my quest to become gainfully employed, I am going through the interview process, mainly technical interviews with hands-on developers. Unfortunately, they seem to want people that 1) either *just* graduated from Computer Science school, or 2) can memorize obscure bits of code, and recite the Visual Studio help files verbatim.

At my last interview, I walked in – after a two-hour car ride, and trying to find a parking spot – to a “Hi, let’s write some code on the white board” situation. Ok, I say to myself, “let’s give this a try”. Their first question, “write code to calculate the optimum number of coins to return when giving change after a purchase.”

Hmm, I think. And I stumbled around for a bit, eventually ending up writing some pseudo-code that involved some long division. The Inland Empire .NET User’s Group’s next meeting was the following Tuesday, and I decided to ask them the same question – however they had the luxury of being in a friendly environment with soda and pizza in their fiery little bellies.

Below are the two answers that UG members sent to me, and it got me to thinking. What I would like to do is have you write your code in the comments, so I can see how many different ways there are to write this method.

From member Daniel Lopez, “Just for grins. If you have suggestion on how to make it better, let me know.”

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace GiveChange
{
      class Program
      {
            static void Main(string[] args)
            {
                  DoChange(8.92);
            }

            private static void DoChange(double Tendered)
            {
                  double _DecimalPart = Math.Round(1-( Tendered - Math.Floor(Tendered)),2);
                  do
                  {
                        if (_DecimalPart >= .25)
                        {
                              Change.Quarters += 1;
                              _DecimalPart -= .25;
                        }
                        else if (_DecimalPart >= .10)
                        {
                              Change.Dines += 1;
                              _DecimalPart -= .1;
                        }
                        else if (_DecimalPart >= .05)
                        {
                              Change.Nickles += 1;
                              _DecimalPart -= .05;
                        }
                        else 
                        {
                              Change.Pennies += (int)(_DecimalPart * 100);
                              _DecimalPart -= _DecimalPart;
                        }
                  }
                  while (_DecimalPart > 0);

                  StringBuilder sb = new StringBuilder();

                  sb.Append(string.Format( "Quarters: {0}", Change.Quarters));
                  sb.AppendLine();
                  sb.Append(string.Format("Dines: {0}", Change.Dines));
                  sb.AppendLine();
                  sb.Append(string.Format("Nickles: {0}", Change.Nickles));
                  sb.AppendLine();
                  sb.Append(string.Format("Pennies: {0}", Change.Pennies));

                  Console.WriteLine(sb.ToString());
                  Console.ReadLine();            
            }      
      }

      public  static  class Change
      {
            public static int Quarters { get; set; }
            public static int Dines { get; set; }
            public static int Nickles { get; set; }
            public static int Pennies { get; set; }
      }
}

And from member Henry Vander Leest, "Hi James, Was thinking about the comments you made at the meeting about the interview you had the the question about the code to make change. Well, here's my solution... I don't believe I could have written this in 5 minutes under stressful circumstances. Live Long and prosper."

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
 
namespace ChangeMaker1
{
    class Program
    {
        static void Main(string[] args)
        {
            //takes command line arg from 1 to 99 to make change for a dollar
            int quarters;
            int dimes;
            int nickels;
            int pennies;
            int tendered = 100;
            int cost = Convert.ToInt32(args[0]);
 
            int change = tendered - cost;
            quarters = change / 25;
            change -= quarters * 25;
 
            dimes = change / 10;
            change -= 10 * dimes;
 
            nickels = change / 5;
            change -= nickels * 5;
 
            pennies = change;
 
            Console.WriteLine("Quarters {0}, Dimes {1}, Nickels {2},  Pennies {3}, 
This is the change for item costing {4} cents",
quarters, dimes, nickels, pennies, cost ); } } }

I tested both, and they work like a champ. Now I just need to memorize these for my next round of interviews. So tell me, how would you do this “simple” exercise.

Time to work…

James

Comments (12) -

3/22/2010 1:13:46 PM #

KristoferA

Ok, here's my stab at it...

First, a class for defining coin denominations with value and name (sing/plur). The reason for this is that there are different denominations in different countries, and every now and then some countries add or remove available denominations...

internal class Coin
{
    internal Coin(decimal value, string nameSingular, string namePlural)
    {
        Value = value;
        NameS = nameSingular;
        NameP = namePlural;
    }

    internal decimal Value { get; private set; }
    internal string NameS { get; private set; }
    internal string NameP { get; private set; }
}

...once we have that, the available denominations are defined in a single place (here hardcoded, but in real life from app.config/web.config/a database/...:

//define available denominations
internal List<Coin> _availableDenominations = new List<Coin>
{
    //for illustration: new Coin (0.50M, "Half Dollar", "Half Dollars"),
    new Coin (0.25M, "Quarter", "Quarters"),
    new Coin (0.10M, "Dime", "Dimes"),
    new Coin (0.05M, "Nickel", "Nickels"),
    new Coin (0.01M, "Penny", "Pennies")
};

...turning that into change is easy-peasy:

internal List<KeyValuePair<Coin, int>> GetChange(decimal amount)
{
    List<KeyValuePair<Coin, int>> change = new List<KeyValuePair<Coin, int>>();

    //get the paper money out of the way
    amount = amount % 1;

    //find # of each for each denomination
    foreach (Coin coin in _availableDenominations)
    {
        change.Add(new KeyValuePair<Coin, int>(coin, (int)(amount / coin.Value)));
        amount = amount % coin.Value;
    }
    return change;
}

...the above spits out a list of all denominations and counts of each. If we want to turn it into text, a short linq query comes in handy:

internal string SpellOutChange(List<KeyValuePair<Coin, int>> change)
{
    //spell out as text
    return string.Join(", ",
        (
            change
                .Where(c => c.Value > 0)
                .Select(co => co.Value.ToString()
                    + " "
                    + (co.Value == 1 ? co.Key.NameS : co.Key.NameP))
        ).ToArray());
}

KristoferA | Reply

3/22/2010 2:24:23 PM #

KristoferA

Ok, an iterator would be overkill in this case, but just for fun... (replaces GetChange in my previous comment):

internal IEnumerable<KeyValuePair<Coin, int>> GetChange(decimal amount)
{
    //get the paper money out of the way
    amount = amount % 1;

    //find # of each for each denomination
    foreach (Coin coin in _availableDenominations)
    {
        int coinsNeeded = (int)(amount / coin.Value);
        if (coinsNeeded > 0)
        {
            yield return new KeyValuePair<Coin, int>(coin, coinsNeeded);
        }
        amount = amount % coin.Value;
        if (amount == 0)
        {
            yield break;
        }
    }
}

KristoferA | Reply

3/22/2010 7:12:42 PM #

James

@kristofer I totally forgot about Half Dollars, and I remember now, they did ask about foreign currency. Is this a valid question in a technical interview?

James

James | Reply

3/23/2010 10:33:22 AM #

Ignas

Ok im learning python right now, so i thought it would be nice to write this. Thats how i did it (the coin is index of changeValues e.g. 0 - quater)

changeValues = (25, 10, 5, 1)

def calculate(change, coin, sum = 0):
    if coin > 3 or sum == change:
        return
    if change >= (sum + changeValues[coin]):
        print changeValues[coin]
        calculate(change, coin, (sum + changeValues[coin]))
    else:
        calculate(change, coin+1, sum)

calculate(69, 0) // test it

Ignas | Reply

3/23/2010 5:14:31 PM #

KristoferA

@James Not sure if it is a valid question, but I guess they're trying to see if the candidate is good at covering possible scenarios.

Personally I don't like tech interview questions (or tech interviews). They make me too nervous, so I don't think I have ever passed (or will ever pass) a tech interview... Smile

KristoferA | Reply

3/24/2010 2:26:44 AM #

valera kolupaev

Nice f# solution:

let change sum =
    let coins = [0.25m; 0.10m; 0.05m; 0.01m]
    let rec change_rec sum coins =
        match coins with
        | h :: t ->
            let temp = System.Math.Floor((decimal)(sum / h))
            temp :: (change_rec (sum - h*temp) t)
        | [] -> []
    List.zip coins (change_rec (sum - System.Math.Floor(sum)) coins) |> List.map(fun (a, c) -> (a.ToString() + " - " + c.ToString()))

printfn "Change %A:" (change 2.96m)

valera kolupaev | Reply

3/24/2010 5:55:09 AM #

Tristan

public class getChange{
public static void main(String args){
  double cost = 8.92;//should make sure this has been cleansed and is actually no
  //more than 2 digit places.
  int costInt = (int) cost * 100;
  int remainders = costInt % 25;
  int quarters = costInt / 25;
  int dimes = remainders /10;
  remainders = remainders % 10;
  int nickels = remainders / 5;
  remainders = remainders % 5;
  System.out.println("quarters:"+quarters+" dimes:" +dimes+" nickels:"+nickels+" pennies:"+remainders);
}
//prints out quarters:35 dimes:1 nickels:1 pennies:2
}

But thats just because it doesn't say anything about paper money, could be a vending machine that only has coins etc, doesn't cover bases of what to do if that many coins aren't available etc.

99/100 they aren't looking for the code, they are looking for the critical thinking that requires asking what context they require the code for. if it is a vending machine then you need error handling based on dispensing coins. However they asked for optimal number of coins to return, which is what they got.

Tristan | Reply

3/25/2010 6:06:35 PM #

Igor Ostrovsky

How about this:

    public static void DoChange(double price, double paid)
    {
        int cents = (int)(100 * (paid-price));
        Console.WriteLine(
            "Quarters {0}, Dimes {1}, Nickels {2},  Pennies {3}",
            (cents/25, (cents%25)/10, (cents%10)/5, cents%5);
    }

Igor Ostrovsky | Reply

6/16/2010 12:45:57 AM #

Best Laptop Computer

    public static void DoChange(double price, double paid)
    {
        int cents = (int)(100 * (paid-price));
        Console.WriteLine(
            "Quarters {0}, Dimes {1}, Nickels {2},  Pennies {3}",
            (cents/25, (cents%25)/10, (cents%10)/5, cents%5);
    }

this equal size component

Best Laptop Computer | Reply

7/27/2011 6:26:00 AM #

Jeu de combat

public static void DoChange(double price, double paid)
    {
        int cents = (int)(50 * (price));
    
            "Quarters {0}, Dimes {1}, Nickels {2},  Pennies {3}",
            (cents/25, (cents%25)/10, (cents%10)/5, cents%5);
    }

Jeu de combat France | Reply

8/5/2011 4:21:39 AM #

BCG Interview

Facing similar interviews. Thanks for all the possible codes.

BCG Interview United States | Reply

6/12/2012 6:02:14 PM #

Movies For Download

All that for a crummy 9 to 5, your better off working freelance, you'll make way more money. The reason why these companies prefer recent graduates is because they have less wage demands, more likely to follow exactly what their told and are generally just easier to deal with, because ultimately, the work your doing just isn't worth the salary.

Movies For Download United Kingdom | Reply

Add comment




  Country flag
biuquote
  • Comment
  • Preview
Loading


About the author

James James is a five time and current Microsoft MVP in Client App Development, a Telerik Insider, a past Director on the INETA North America Board, a husband and dad, and has been developing software since the early days of Laser Discs and HyperCard stacks. As the Founder and President of the Inland Empire .NET User's Group, he has fondly watched it grow from a twice-a-month, early Saturday morning group of five in 2003, to a robust and rambunctious gathering of all types and sizes of .NET developers.

James loves to dig deep into the latest cutting edge technologies - sometimes with spectacular disasters - and spread the word about the latest and greatest bits, getting people excited about developing web sites and applications on the .NET platform, and using the best tools for the job. He tries to blog as often as he can, but usually gets distracted by EF, LINQ, MVC, ASP, SQL, XML, and most other types of acronyms. To keep calm James plays a mean Djembe and tries to practice his violin. You can follow him on twitter at @latringo.

And as usual, the comments, suggestions, writings and rants are my own, and really shouldn't reflect the opinions of my employer. That is, unless it really does.

James Twitter Feed

Recent Comments

Comment RSS

Month List