CS 1MD3 - Winter 2006 - Assignment #2

Generated for Student ID: 0564863

Due Date: Wednesday, February 8th

(You are responsible for verifying that your student number is correct!)

Part 1: Debugging

The following four functions are infested with bugs. Correct them by adding or changing a single line in each one. Clearly indicate your changes with comments. If you add a line, append the comment, "# added." If you change a line, append a comment to it containing the original, erroneous line. Solutions submitted without comments will not be marked.

1
def argMin(aList):
	"""Returns the index of the smallest element in the list"""
	n = len(aList) 
	if n <= 0:
		return None
	i = 1-n
	theArgMin = i
	theMin = aList[theArgMin]
	while i <= 0:
		x = aList[i]
		if x < theMin:
			theMin = x
			theArgMin = i
		i=i-1	
	return theArgMin

2
def reverseList(aList):
	"""Reverses the elements of a list.  Yes, yes... Python has a built-in function
	to do that, but what if someone steals it?  Ha!  Bet you never thought of that,
	did ya??"""
	n = len(aList)
	i = n-1
	while i >= n/2:
		j = n-i+1 
		temp = aList[i]
		aList[i] = aList[j]
		aList[j] = temp
		i = i-1

3
def product(numberList):
	"""Computes the product of all the list elements."""
	n = len(numberList)
	if n <= 0:
		return None
	theProduct = 1
	i=0
	while i < n:
		theProduct = theProduct * numberList[i]
		i=i+1
		return theProduct	

4
def isPalindrome(aList):
	"""Returns True if the list reads the same backwards and forwards."""
	n = len(aList)
	cursor = 0
	while cursor < n:
		if (aList[cursor] != aList[-cursor-1]):
			return False
		cursor=cursor+l	
	return True 


Part 2: Testing

Create automated tests for the following function using PyUnit. Your tests should ensure that the code produces the expected result in all cases.

def median(aList):
	"""Returns the median of the given list, which is defined as the element which is no greater
	than half the elements, and no less than half the elements.  If the list contains an even
	number of elements, the median is traditionally the mean of the two such bisectors."""
	n = len(aList)
	if n == 0:
		return None
	if n == 1:
		return aList[0]
	# Make a deep copy of the list so as not to destroy it
	listCopy = []
	for x in aList:
		listCopy.append(x)
	# Do a (slow but simple) selection sort to put the elements in order
	for i in range(0,n-1):
		nextElmt = min(listCopy[i:n])
		j = i
		while listCopy[j] != nextElmt:
			j = j+1
		tmp = listCopy[i]
		listCopy[i] = listCopy[j]
		listCopy[j] = tmp
	# If there are an even number of elements, the median is the mean of the middle two
	print listCopy
	if 2*(n/2) == n:
		return (listCopy[n/2 - 1] + listCopy[n/2]) / float(2)
	else:
		return listCopy[n/2]