Trabb Pardo Knuth Algorithm
April 27, 2012
In their 1973 paper “The Early Development of Programming Languages,” Luis Trabb Pardo and Donald Knuth give the following algorithm as a means of assessing programming languages:
ask for 11 numbers to be read into a sequence S
reverse sequence S
for each item in sequence S
call a function to do an operation
if result overflows
alert user
else
print result
Though it is trivial, the algorithm involves arrays, indexing, mathematical functions, subroutines, I/O, conditionals and iteration, and thus exposes many basic operations of a programming language.
Your task is to write a program that implements the Trabb Pardo Knuth algorithm. When you are finished, you are welcome to read or run a suggested solution, or to post your own solution or discuss the exercise in the comments below.
[…] today’s Programming Praxis exercise, our goal is to implement a simple algorithm that could serve as an […]
My Haskell solution (see http://bonsaicode.wordpress.com/2012/04/27/programming-praxis-trabb-pardo-knuth-algorithm/ for a version with comments):
Implementation in C. The algorithm doesn’t check if overflow occurred when reading input from the user
Here’s a fairly literal implementation in Python 2.7:
Note: “input()” is generally not safe, because it actually executes the user input.
[…] latest Programming Praxis Exercise is interesting. Back in 1973, Luis Trabb Pardo and Don Knuth published an algorithm that was meant […]
Almost the same as Mike’s, here as Python3. My personal preference is with fewer intermediate variables in this case.
‘input’ in Python3 is the same as ‘raw_input’ in Python2, i.e. it doesn’t eval the input, but just returns it as a string. This means I cast to float before passing to my function ‘sqrt’. I broaden the scope of error catching from OverflowError to all ValueErrors, which includes failure to convert the entered string into a float.
Remco, I think a Haskell solution truer to the spirit of the exercise would probably use something like GHC’s exception system to handle numeric overflow. Yours forbids it, rather than actually dealing with it.
Forth version, just don’t enter a double precision number.
Execution
my implementation in Python:
def tbk():
s = raw_input("Enter 11 numbers separated by space: ")
s = s.split(‘ ‘)
s.reverse()
for i in s:
try:
result = pow(9.9, int(i))
except OverflowError:
print "Overflow error for {}".format(i)
else:
print result
Benjamin, see the link “Howto: posting source code” in the blog titlebar for how to post source code in your comments. Personally I found the third of the three described methods simplest.
I saw that one after asking here. Should have search around before asking. Haha! Thanks anyway!
In Scala:
`
Seq.fill(11){Console.readInt}.reverse.map(i => Try(sqrt(i)).foreach {
case Success(root) => println(root)
case Failure(_) => println(“Could not compute sqrt”)
}
`