Fork me on Github

Fork me on GitHub

Sep 19, 2012

The Zebra Puzzle implemented in FSharp

Yesterday I had the opportunity to show a solution at the Zurich FSharp Users Meetup Group.

I chose to show a small example of the Zebra Puzzle and an implementation of the solution to it in F#.

The implementation is rather basic as it uses simple integers to assign the attributes to the house. A more type safe implementation using a discriminated union for each attribute type is a good idea, more to follow on that in a later blog post with an improved example. Please find the code below.

Credits to Tomas Petricek, whose implementation of the permutations of a list I used from Stack Overflow.

The solution is shown below or under this link.

//http://en.wikipedia.org/wiki/Zebra_Puzzle
// Zebra Puzzle
//
//1 There are five houses.
//
//2 The Englishman lives in the red house.
//
//3 The Spaniard owns the dog.
//
//4 Coffee is drunk in the green house.
//
//5 The Ukrainian drinks tea.
//
//6 The green house is immediately to the right of the ivory house.
//
//7 The Old Gold smoker owns snails.
//
//8 Kools are smoked in the yellow house.
//
//9 Milk is drunk in the middle house.
//
//10 The Norwegian lives in the first house.
//
//11 The man who smokes Chesterfields lives in the house next to the man with the fox.
//
//12 Kools are smoked in a house next to the house where the horse is kept.
//
//13 The Lucky Strike smoker drinks orange juice.
//
//14 The Japanese smokes Parliaments.
//
//15 The Norwegian lives next to the blue house.
//
//Who drinks water? Who owns the zebra?
//
//Each house is painted a different color, and their inhabitants are of different nationalities, own different pets, drink different beverages and smoke different brands of American cigarettes.
namespace ZebraDemo
module programOrdered =
let rec permutations inputlist taken =
seq { if Set.count taken = List.length inputlist then yield [] else
for l in inputlist do
if not (Set.contains l taken) then
for perm in permutations inputlist (Set.add l taken) do
yield l::perm }
let myperms = permutations [1;2;3] Set.empty
Seq.length myperms
Seq.toList myperms
let splitToTuple = function
| [fst; sec; thrd; fth; ffth] -> (fst, sec, thrd, fth, ffth)
| _ -> failwith "wrong list format"
let nextTo (frst, sec) =
frst - 1 = sec || frst + 1 = sec
let myHouses = [1..5]
let myHousePerms = permutations myHouses Set.empty
Seq.length myHousePerms
let myOrderedAnswer =
[for myCountryList in myHousePerms do
let (England, Spain, Ukraine, Japan, Norway) = splitToTuple myCountryList
if Norway = 1 then
for myColorList in myHousePerms do
let (red, green, ivory, yellow, blue) = splitToTuple myColorList
if England = red &&
green - 1 = ivory &&
nextTo (Norway, blue) then
for myDrinkList in myHousePerms do
let (coffee, tea, milk, oj, WATER) = splitToTuple myDrinkList
if Ukraine = tea &&
green = coffee &&
milk = 3 then
for mySmokeList in myHousePerms do
let (oldGold, kools, chesterfields, luckyStrike, parliaments) = splitToTuple mySmokeList
if yellow = kools &&
luckyStrike = oj &&
Japan = parliaments then
for myPetList in myHousePerms do
let (dog, snail, horse, fox, ZEBRA) = splitToTuple myPetList
if Spain = dog &&
oldGold = snail &&
nextTo(chesterfields, fox) &&
nextTo(kools, horse) then
yield [("red", red); ("green", green); ("ivory", ivory); ("yellow", yellow); ("blue", blue);
("England", England); ("Spain", Spain); ("Ukraine", Ukraine); ("Japan", Japan); ("Norway", Norway);
("coffee", coffee); ("tea", tea); ("milk", milk); ("oj", oj); ("WATER", WATER);
("dog", dog); ("snail", snail); ("horse", horse); ("fox", fox); ("ZEBRA", ZEBRA);
("oldGold", oldGold); ("kools", kools); ("chesterfields", chesterfields); ("luckyStrike", luckyStrike); ("parliaments", parliaments)] ]
let ans = List.head myOrderedAnswer
let selectFromList houseNum =
List.filter (fun (fst, snd) -> snd = houseNum) ans
|> List.map (fun (fst, snd) -> fst)
printfn "house 1:"
printfn "%A" (selectFromList 1)
printfn "house 2:"
printfn "%A" (selectFromList 2)
printfn "house 3:"
printfn "%A" (selectFromList 3)
printfn "house 4:"
printfn "%A" (selectFromList 4)
printfn "house 5:"
printfn "%A" (selectFromList 5)
view raw zebra.fs hosted with ❤ by GitHub

Jul 3, 2012

Calculating outcomes of Texas Holdem poker, functional approach with CSharp

Taking part in the Udacity CS212 course inspired me to take a look at how to calculate outcomes for Texas Holdem poker.

I created an C# application to calculate poker outcomes and uploaded it onto my GitHub account.


Looking at other programming languages has been really instructive in that it has changed the way that I look at my C# code.

For example I used the following two list comprehensions with LINQ.

        // returns all pairs, disregarding order, 
        // that can be chosen from the remaining cards in the deck
        public static IEnumerable<List<PokerEntities.Card>> GeneratePairs(
              this List<PokerEntities.Card> remainingCards)
        {
            var allPairs =
                from cardOne in remainingCards
                from cardTwo in remainingCards
                where !cardOne.Equals(cardTwo)
                where cardOne.CompareTo(cardTwo) == 1
                select new List<PokerEntities.Card> {cardOne, cardTwo};

            return allPairs;
        }

        // returns all triples, disregarding order, 
        // that can be chosen from the seven cards in the flop
               public static IEnumerable<List<PokerEntities.Card>>
                    GenerateTriples(this List<PokerEntities.Card> theFlop)
        {
            var allFlopTriples = from cardOne in theFlop
                                 from cardTwo in theFlop
                                 from cardThree in theFlop
                                 where !cardOne.Equals(cardTwo)
                                 where !cardTwo.Equals(cardThree)
                                 where !cardThree.Equals(cardOne)
                                 where cardOne.CompareTo(cardTwo) == 1
                                 where cardTwo.CompareTo(cardThree) == 1
                                 select new List<PokerEntities.Card> { cardOne, cardTwo, cardThree };
            return allFlopTriples;
        }
I have implemented all the functionality as pure functions, which renders a bit of performance penalty in C#. More blog entries will follow on how I optimize the code to get rid of these performance bottlenecks.

Jun 23, 2012

Starting with Clojure

This post shares some tips and tricks for getting going with Clojure on a mac. First step is to install clojure from here. To get a nice a not too fast-paced introduction to the language I read the Clojure chapter in the great book Seven Languages in Seven Weeks.

Then you will want to install Leiningen, which is a building tool for Clojure that also provides a REPL.

There was a small trick required first, and that is to add the place where you put the Leiningen file to the $PATH.
I put the lein file into ~/bin and added this folder to the path by creating a .bash_profile file in my home directory with the command
vim .bash_profile

in the file I added
export PATH="$HOME/bin:$PATH"

restarted the terminal window, and saw that it worked by
echo $PATH

you launch it by using the command
lein repl


A small thing that I had to look up is how to add some set functions (not part of the core Clojure libraries)
The command is:
(require '[clojure.set])


Another gotcha is the difference between symbols and keywords.
Keywords are like erlang atoms and symbols are referring to something else than itself, like say a let-binding. All keywords are prefixed with a colon in Clojure, like so 
:car


A handy way to find out more about functions, is the doc feature, like so:
(doc str)


Anonymous functions in Clojure are defined with the command:
(fn [parameters] (function))


An abbreviation for the fn command is the hash symbol #, and this is what is used for declaring lambda expressions.








May 30, 2012

Heathrow route planning with Erlang, FSharp and CSharp

I have started a journey to learn more languages and comparing their benefits and drawbacks

An interesting problem that I recently came across is this one from learnyousomeerlang.com. The problem is to calculate the shortest distance to the end nodes in the grid. Here how I solved it using Erlang:

-module(heathrow).
-compile([debug_info, export_all]).
mainFunc() ->
BottomGraphVal = {{0,[]},{0,[]}},
MoveCosts = [{50, 10, 30}, {5, 90, 20}, {40, 2, 25}, {10, 8,0}],
AccIn = {BottomGraphVal, [], []},
RetVal = lists:foldl( fun(X,Acc) ->
{AMove, BMove, XMove} = X,
{{{AVal,AMoves}, {BVal,BMoves}}, AMovesList, BMovesList} = Acc,
Res = calcNewSetAndMoves({{AVal, AMoves}, {BVal, BMoves}}, AMove, BMove, XMove),
{{NewASetVal, NewAMoves}, {NewBSetVal, NewBMoves}} = Res,
{{{NewASetVal, NewAMoves}, {NewBSetVal, NewBMoves}}, [lists:reverse(NewAMoves) | AMovesList], [lists:reverse(NewBMoves) | BMovesList]}
end, AccIn, MoveCosts),
{{{AVal, APath}, {BVal, BPath}}, _, _} = RetVal,
{{AVal, BVal}, lists:reverse(APath), lists:reverse(BPath)}.
calcNewSetAndMoves(CurValsMoves, AFwd, BFwd, XCross) ->
{{AVal, AMoves}, {BVal, BMoves}} = CurValsMoves,
ValToAStraightFromA = AVal + AFwd,
ValToACrossFromB = BVal + BFwd + XCross,
NewASetVal = erlang:min(ValToAStraightFromA, ValToACrossFromB),
NewAMoves =
if ValToAStraightFromA < ValToACrossFromB ->
[aFwd | AMoves];
true -> % works as an else branch
[xCross , bFwd | BMoves]
end,
%-------------------------
ValToBStraightFromB = BVal + BFwd,
ValToBCrossFromA = AVal + AFwd + XCross,
NewBSetVal = erlang:min(ValToBStraightFromB, ValToBCrossFromA),
NewBMoves =
if ValToBStraightFromB < ValToBCrossFromA ->
[bFwd | BMoves];
true -> % works as an else branch
[xCross, aFwd | AMoves]
end,
{{NewASetVal, NewAMoves}, {NewBSetVal, NewBMoves}}.
view raw heathrow.erl hosted with ❤ by GitHub


After having solved with Erlang, my second attempt was FSharp. I expected that these two could be very similar due to their shared functional paradigm, and indeed that came out fairly clearly.

type Move =
| AFwd
| BFwd
| XCross
// list of amove, bmove, xcross moves tuples (costs)
let moveCosts = [(50, 10, 30); (5, 90, 20); (40, 2, 25); (10, 8,0)]
let bottomGraphVal = ((0, ([]: Move list)), (0, ([] : Move list)))
let calcNewSetAndMoves ((aVal, (aRoute)), (bVal, (bRoute))) (aFwd, bFwd, xCross) =
let valToAStraightFromA = aVal + aFwd
let valToACrossFromB = bVal + bFwd + xCross
let newAVal = min valToAStraightFromA valToACrossFromB
let newAMoves =
if valToAStraightFromA < valToACrossFromB then AFwd :: aRoute
else XCross :: BFwd :: bRoute
//-----------------------------------
let valToBStraightFromB = bVal + bFwd
let valToBCrossFromA = aVal + aFwd + xCross
let newBVal = min valToBStraightFromB valToBCrossFromA
let newBMoves =
if valToBStraightFromB < valToBCrossFromA then BFwd :: bRoute
else XCross :: AFwd :: aRoute
((newAVal, newAMoves), (newBVal, newBMoves))
let myTestRes = calcNewSetAndMoves bottomGraphVal (50, 10, 30)
let foldAccFn =
fun (curState) (curEntry ) ->
calcNewSetAndMoves curState curEntry
let main =
let retVal = List.fold foldAccFn bottomGraphVal moveCosts
let ((aVal,aList),(bVal,bList)) = retVal
(aVal, List.rev aList, bVal, List.rev bList)
view raw heathrow.fsx hosted with ❤ by GitHub


I also decided to solve the problem with CSharp, which has a less explicit functional orientation. I kept the main approach from the Erlang and FSharp implementations, which may have contributed to the CSharp solution not being very idiomatically coded. Any suggestions on how you would have gone about the problem solving in CSharp differently are most welcome (please comment on the post)

using System;
using System.Collections.Generic;
using System.Linq;
namespace CSHeathrow
{
class Program
{
static void Main(string[] args)
{
var init = new RoutePair(0, new List<string>(), 0, new List<string>() );
Functions.CalcNewRoutePair(init, 50, 10, 30);
var moveSteps = new List<MoveStep>
{
new MoveStep(50, 10, 30),
new MoveStep(5, 90, 20),
new MoveStep(40, 2, 25),
new MoveStep(10, 8, 0)
};
var myResult = moveSteps.Aggregate(init,
(curState, curEntry) =>
Functions.CalcNewRoutePair(curState, curEntry.AFwd, curEntry.BFwd, curEntry.XCross));
Console.WriteLine("A Value: {0}", myResult.AVal);
Console.WriteLine("A Path: ");
foreach (var str in myResult.AMoves)
{
Console.WriteLine(str);
}
Console.WriteLine();
Console.WriteLine("B Value: {0}", myResult.BVal);
Console.WriteLine("B Path: ");
foreach (var str in myResult.BMoves)
{
Console.WriteLine(str);
}
Console.WriteLine();
}
}
class MoveStep
{
public int AFwd { get; private set; }
public int BFwd { get; private set; }
public int XCross { get; private set; }
public MoveStep(int aFwd, int bFwd, int xCross)
{
this.AFwd = aFwd;
this.BFwd = bFwd;
this.XCross = xCross;
}
}
class RoutePair
{
public int AVal { get; private set ; }
public List<string> AMoves { get; private set; }
public int BVal { get; private set; }
public List<string> BMoves { get; private set; }
public RoutePair(int aVal, List<string> aMoves, int bVal, List<string> bMoves)
{
this.AVal = aVal;
this.AMoves = aMoves;
this.BVal = bVal;
this.BMoves = bMoves;
}
}
class Functions
{
public static RoutePair CalcNewRoutePair(RoutePair currentPair, int aVal, int bVal, int xCrossVal)
{
var valToAStraightFromA = currentPair.AVal + aVal;
var valToACrossFromB = currentPair.BVal + bVal + xCrossVal;
var newAVal = Math.Min(valToAStraightFromA, valToACrossFromB);
List<string> newAMoves;
if(valToAStraightFromA < valToACrossFromB)
{
newAMoves = new List<string>(currentPair.AMoves);
newAMoves.Add("AFwd");
}
else
{
newAMoves = new List<string>(currentPair.BMoves);
newAMoves.Add("BFwd");
newAMoves.Add("XCross");
}
//----------------------------------------------
var valToBStraightFromB = currentPair.BVal + bVal;
var valToBCrossFromA = currentPair.AVal + aVal + xCrossVal;
var newBVal = Math.Min(valToBStraightFromB, valToBCrossFromA);
List<string> newBMoves;
if (valToBStraightFromB < valToBCrossFromA)
{
newBMoves = new List<string>(currentPair.BMoves);
newBMoves.Add("BFwd");
}
else
{
newBMoves = new List<string>(currentPair.AMoves);
newBMoves.Add("AFwd");
newBMoves.Add("XCross");
}
return new RoutePair(newAVal, newAMoves, newBVal, newBMoves);
}
}
}
view raw heathrow.cs hosted with ❤ by GitHub



Apr 20, 2012

Starting with Haskell

First disclaimer/setting of context. I am a beginner when it comes to Haskell, so this post will not contain any deep insights into the Haskell language, rather some links, tips and tricks and code snippets that I have been playing with during my first hours discovering the language.
(the purpose of this write-up is a note to self and hopefully it can also help other beginners to get started with the basics)



A really useful resource that I have spent some time with, both reading full sections and using as a reference, is learnyouahaskell.com. It is a book published in its entirety on the web and that also can be bought if you find a soft copy easier. Another good a freely available book is Real World Haskell.

Getting Haskell going on a PC has proved to be easy, I just went to haskell.org and downloaded the Windows version. From the Win Haskell package I use WinGhci, which seems very stable and is straight forward to work with. If you come from an FSharp background, you can think of this tool as the FSharp interactive window that you are used to from Visual Studio.

A gotcha is that you need to use the ghci specific let keyword to make definitions in the interactive window.

Some commands, more focusing on the handling of the IDE than actually showing any Haskell (the book examples are the best resource for that).

To toggle type display in ghci:

:set +t
:unset +
view raw gistfile1.hs hosted with ❤ by GitHub

to load a haskell file (file extension .hs)
:load
--used like
:load myFirstProgram.hs
-- Good one to note, including packages is different and done with<br />
:import
-- used like
:import Data.List
view raw gistfile1.hs hosted with ❤ by GitHub

To find out details about a name, you can use the :info ghci command, more details here.

A really useful resource to find out more about Haskell commands, is hackage. This can be used as a programming reference. I have used it to find out more about the Base package, which is the standard package that is loaded whenever you start Haskell.

A syntax that has stood out to me as really powerful so far in Haskell is List comprehensions. You can surely  find better and more detailed explanations of it here and here, but in short you specify an output function and generators/predicates. The syntax looks like this:

-- [output function | generators/predicates]
-- like this
[ x * 2| x <- [1..4]]
-- can be read as take x and multiply it with two, and get x from the list consisting of 1 to 4.
-- [2,4,6,8]
-- or like this
[ (x * 2, y - 3)| x <- [1..3], y <- [2..4]]
--[(2,-1),(2,0),(2,1),(4,-1),(4,0),(4,1),(6,-1),(6,0),(6,1)]
view raw gistfile1.hs hosted with ❤ by GitHub

List comprehensions can be very useful for solving combinatorial problems.

Another really useful resource is Hoogle. It is a search engine for haskell functions and great help as a syntax reference.




Mar 11, 2012

Google Apps Script - Find from right

I am getting familiar with Google Spreadsheets and Google Apps Script.

For a sheet used for expense tracking I needed a findFromRight function in Google Apps Script.

I let myself be inspired from the Excel VBA world and found something from Chris Rae's site that could be modified:


// inspired by Chris Rae's VBA site: http://chrisrae.com/vba/
function findRight(findIn, findWhat) {
var findLoc=0;
for(findLoc=(findIn.length - findWhat.length + 1);findLoc>=1;findLoc--)
{
if (findIn.substring(findLoc,(findLoc + findWhat.length)) === findWhat) {return findLoc;}
}
return -1;
}

To add testing to this Google Apps Script, I decided to try out the GAS-Unit testing framework.


var q = 'http://gas-unit.googlecode.com/svn/trunk/gas-unit/gasUnit.js';
var s = UrlFetchApp.fetch(q).getContentText();
eval(s);
function runFindRightAssertions() {
var testFixture = new TestFixture('Tests on findRight function');
testFixture.addTest(
"third space character in string returns 2",
function () {
this.assertAreEqual(2,findRight("VB ", " "));
});
testFixture.addTest(
"not containing character returns -1",
function () {
this.assertAreEqual(-1,findRight("VB ", "A"));
});
testFixture.addTest(
"searching empty string returns -1",
function () {
this.assertAreEqual(-1,findRight("", "A"));
});
testFixture.addTest(
"flipped order search returns -1",
function () {
this.assertAreEqual(-1,findRight("BA", "AB"));
});
testFixture.addTest(
"searching partially matched string returns -1",
function () {
this.assertAreEqual(-1,findRight("BAQ", "BAQH"));
});
testFixture.addTest(
"complete match returns 0",
function () {
this.assertAreEqual(-1,findRight("BAQH", "BAQH"));
});
var retVal = testFixture.runTests().getResultsSummary();
Logger.log(testFixture.createTextTestReport());
//MailApp.sendEmail("myname@example.com", "test report", Logger.getLog(), {htmlBody: testFixture.runTests().createHtmlTestReport() });
return retVal;
}


There are two ways to view the test results. The code above only prints to the log view (View-> Logs in the menus). It is also possible to receive the test result as a formatted report per mail (by including the outcommented line and updating the email address).

All in all, I find that using the testing framework can be of good help to establish that the functions are working as expected (and keep working as expected when redesigned).

Mar 4, 2012

Select arrays in Microsoft Excel 2010

I am getting comfortable with changing from Excel 2003 to Excel 2010.

One difference that I have noticed in the two versions, is how the array formula entry behaves on already existing arrays (pressing ctrl-shift return).

In Excel 2003, after array formula entry, the current array gets selected.
In Excel 2010, after array formula entry, the current cell gets selected.

Please see illustrated example below:

Excel 2003

A basic array formula is entered


After array formula entry (ctrl-shift return), the current array is selected


Excel 2010
A basic array formula is entered

After array formula entry (ctrl-shift return), the current cell is selected

If we want to select the current array in Excel 2010, another method is necessary
Select goto special in the ribbon menu

and choose current array in the panel that shows