Thursday, May 31, 2012

Blog Index

I have been writing tutorials and posting different projects for a while now, I decided to write an index for easy look up for the different post. They are divided to a few section as the follow. I hope you can find what you are looking for, if not, try to use the search feature located in the lower right side. If you have an question, please feel free to email me or leave me a message in the comment.

Python Tutorial
  • Python Reference
    A list of useful website and textbook review
  • csci133c1.py
  • Basic Hello World, declare variables, simple for loop control statement
  • csci133c2.py
  • Nested for loops, list, counting, if statement
  • csci133c3.py
  • Introduction to function, string's class function, useful tip for handling string
  • csci133c4.py
  • Opening a file, and using everything we know together. Additional to a brief review practice problem, introduce dictionary
  • csci133c5.py
    Talks about function, what are they, how to define them
  • csci133c6.py
    A taste of python's GUI, Tkinter. Introducing the title, frame, button, input widget, and what they can do with each other
  • csci133buildin.py
    Discuss what are the build-in data type (Object) in Python
  • csci133number.py
    Document Integer, Float, Long, and Complex number
  • csci133class.py
    Some notes I have on python's class, tkinter's other module
  • csci133ifelif
    Demonstration of the uses of if and elif (else-if) keyword
  • csci133c7.py
    Classic how to clean up a string and storing the string's corresponding line numbers, it discuss the use all the things we learned so far
  • csci133c8.py
    Some notes on the python's class, and subclass too
  • csci133allCombination.py
    Example of why nest while loop is bad, and how to use one if you really must have it. Plus counter solutions.
  • csci133rep1.py
    An example of how to validate input of telephone number in a specific format, demonstrating simple use of regular expression in python.
  • csci133averageGPA.py
    Simple exercise program to calculate the grade point average
  • csci133rockPaperScissors.py
    A game of rock, paper, scissor implemented in python
  • csci133clock.py
    An example of how to make a clock with tkinter in Python
  • csci133timer.py
    A tutorial on how to build a timer with tkinter in Python

Stackoverflow Goodies


C++ Tutorial

Tuesday, May 22, 2012

Python: How to make a stop watch timer using tkinter

First thing we have to understand is how the time actually work. If you do, you can skip ahead to the next section. I was not completely sure how the time work. I confirmed from the search on google and here is what it said.

1 min = 60 seconds 1 seconds = 100 centiseconds


We use the similar code as the Clock, there is a Lable (a textbox) called timeText, and we will update it every 1 centisecond, and increment our time sturcture by 1 as well. Take a look at the way it is designed.
# timer is a list of integer, in the following order
timer = [minutes, seconds, centiseconds]
Notice in the actual code it is initialized to 0,0,0. But it then created a problem of not being show as 00:00:00 as a normal stop watch would. One way to get around this is to use the string's format.() function.
pattern = '{0:02d}:{1:02d}:{2:02d}'
timeString = pattern.format(timer[0], timer[1], timer[2])

{0:02d}, the first 0 means which parameter in the format() function call, 02d means, it is expecting an integer of length 2, the 02 means it is padding with leading zeros infront of it. Take note of this feature, as it is really powerful, you can mix and match different parameters, instead of {0} {1} {2}, you can do creative things like {2} {1} {1} {2} {0}, (such as different order, multiple use of the same varaible, etc).



The following program contains 4 buttons (start, pause, reset, quit). Which they do what they are named after respectly. The reset function work both running and paused clock. Maybe it is a good idea to add a time lap feature?

import Tkinter as tk

# Note: Python 2.6 or higher is required for .format() to work
def update_timeText():
    if (state):
        global timer
        # Every time this function is called, 
        # we will increment 1 centisecond (1/100 of a second)
        timer[2] += 1
        
        # Every 100 centisecond is equal to 1 second
        if (timer[2] >= 100):
            timer[2] = 0
            timer[1] += 1
        # Every 60 seconds is equal to 1 min
        if (timer[1] >= 60):
            timer[0] += 1
            timer[1] = 0
        # We create our time string here
        timeString = pattern.format(timer[0], timer[1], timer[2])
        # Update the timeText Label box with the current time
        timeText.configure(text=timeString)
        # Call the update_timeText() function after 1 centisecond
    root.after(10, update_timeText)

# To start the kitchen timer
def start():
    global state
    state = True

# To pause the kitchen timer
def pause():
    global state
    state = False

# To reset the timer to 00:00:00
def reset():
    global timer
    timer = [0, 0, 0]
    timeText.configure(text='00:00:00')

# To exist our program
def exist():
    root.destroy()

# Simple status flag
# False mean the timer is not running
# True means the timer is running (counting)
state = False

root = tk.Tk()
root.wm_title('Simple Kitchen Timer Example')

# Our time structure [min, sec, centsec]
timer = [0, 0, 0]
# The format is padding all the 
pattern = '{0:02d}:{1:02d}:{2:02d}'

# Create a timeText Label (a text box)
timeText = tk.Label(root, text="00:00:00", font=("Helvetica", 150))
timeText.pack()

startButton = tk.Button(root, text='Start', command=start)
startButton.pack()

pauseButton = tk.Button(root, text='Pause', command=pause)
pauseButton.pack()

resetButton = tk.Button(root, text='Reset', command=reset)
resetButton.pack()

quitButton = tk.Button(root, text='Quit', command=exist)
quitButton.pack()

update_timeText()
root.mainloop()

Python: How to make a clock in tkinter using time.strftime

This is a tutorial on how to create a clock / Timer using tkinter in Python, note you might have to change Tkinter to tkinter depending on your version of the Python you have. I am using Python 3.2 at the moment. The code itself is quite simple, the only part you need to know is how to get the current time, using time.strftime. You can also get the day of the week, the current month, etc, by changing the parameter you are supplying the function. (See the link for the full table of possible options). But yes, almost anything you can think of any use of, it is there already. :) So this can actual be developed to a calendar like GUI.

Related Tutorial with source code
Stop watch GUI (for counting time): http://ygchan.blogspot.com/2012/05/python-stop-watch-timer-source-code.html


import Tkinter as tk
import time

def update_timeText():
    # Get the current time, note you can change the format as you wish
    current = time.strftime("%H:%M:%S")
    # Update the timeText Label box with the current time
    timeText.configure(text=current)
    # Call the update_timeText() function after 1 second
    root.after(1000, update_timeText)

root = tk.Tk()
root.wm_title("Simple Clock Example")

# Create a timeText Label (a text box)
timeText = tk.Label(root, text="", font=("Helvetica", 150))
timeText.pack()
update_timeText()
root.mainloop()
Reference: http://docs.python.org/library/time.html#time.strftime
Reference: http://docs.python.org/library/string.html#formatstrings

Sunday, May 20, 2012

Python: How to load and display an image (GIF) in tkinter














Reference: http://stackoverflow.com/q/10675551/1276534
Credits: mg_, Carlos, George, Bryan Oakley

This is a simple code that get the input from the inputBox to myText, and also display a picture (gif only) to the tkinter window. Depending on what else you need to check or do, you can add more functions to it. Notice you might have to play around with the order of the line image = tk.PhotoImage(data=b64_data). Because if you put it right after b64_data = .... It will gives you error. See reference at the bottom if you want to learn more.

import tkinter as tk
import urllib.request
import base64

# Download the image using urllib
URL = "http://www.contentmanagement365.com/Content/Exhibition6/Files/369a0147-0853-4bb0-85ff-c1beda37c3db/apple_logo_50x50.gif"

u = urllib.request.urlopen(URL)
raw_data = u.read()
u.close()

b64_data = base64.encodestring(raw_data)

# The string you want to returned is somewhere outside
myText = 'empty'

def getText():
    global myText
    # You can perform check on some condition if you want to
    # If it is okay, then store the value, and exist
    myText = inputBox.get()
    print('User Entered:', myText)
    root.destroy()

root = tk.Tk()

# Just a simple title
simpleTitle = tk.Label(root)
simpleTitle['text'] = 'Please enter your input here'
simpleTitle.pack()

# The image (but in the label widget)
image = tk.PhotoImage(data=b64_data)
imageLabel = tk.Label(image=image)
imageLabel.pack()

# The entry box widget
inputBox = tk.Entry(root)
inputBox.pack()

# The button widget
button = tk.Button(root, text='Submit', command=getText)
button.pack()

tk.mainloop()


Here is the reference if you want to know more about the Tkinter Entry Widget: http://effbot.org/tkinterbook/entry.htm
Reference on how to get the image: Stackoverflow Question

Friday, May 11, 2012

Python: Rock, Paper, Scissor Game Source Code

I implemented a simple game of rock, paper, scissors game in python as a after school project. The game itself is really simple, not that I need to. But I pay a quick visit to wiki's page, and read through it. The original program has a long list of if statement, but as I was thinking through it, it comes to me quickly, that you actually does not need to have that many control statement, just three is enough. Since there is only three possible outcome.

The logic goes like this:
  1. If you and the computer's outcome (choice) is the same, then you are tie. Regardless of what kind of choice you or your computer made. A tie is a tie.
  2. Then there is 3 possible ways you can win. 
    1. You are Rock, computer is Scissors
    2. You are Paper, computer is Rock
    3. You are Scissors, computer is Paper
  3. If you didn't tie, and you didn't win, your only option is to lose the game. 
You can easily put a while (myResponse is not 'quit') loop, and have this game goes on forever. Below is the source code for the game. I found out I win quite often... for what ever reason.

# Hunter College CSCI133 Python Project
# Rock Paper Scissors Game Source code in Python
# Implemented by George Chan, 5/2/2012
# Email: ygchan89@gmail.com
# A simple game to play rock, paper, scissors with the computer

import random
# Create the list of of choices, which stored at string
gameChoices = ['rock', 'paper', 'scissors']
# Our default ready flag is false
ready = False

print('rock, paper, scissors Game!')
while (not ready):
    myResponse = raw_input('Please enter which option you are going with: ')
    myResponse = myResponse.lower()
    # We will change our flag to true and break out of the loop
    # if and only if the input is equiv to one of our choices
    if (myResponse in gameChoices):
        ready = True

# Randomly pick a choice from the list gameChoices
computerResponse = random.choice(gameChoices)
print('Computer picked:', computerResponse)

# There are three possible condition of the game, either you tie,
# with the computer or you win, else you lose
# Tie condition is when you and computer choice is the same 
if (myResponse == computerResponse):
    print('Tie Game')
# Win condition is the below three possible one
elif (myResponse == 'rock' and computerResponse == 'scissors' or
      myResponse == 'paper' and computerResponse == 'rock' or
      myResponse == 'scissors' and computerResponse == 'paper'):
    print('You win')
# If you didn't tie, didn't win, then you must lose
else:
    print('You lose!')
Sample Output:
rock, paper, scissors Game!
Please enter which option you are going with: rock
('Computer picked:', 'rock')
Tie Game

rock, paper, scissors Game!
Please enter which option you are going with: rock
('Computer picked:', 'scissors')
You win

Saturday, April 7, 2012

Python: How to insert characters to the string at the end

Reference: http://stackoverflow.com/q/10059554/1276534
Credits: user1319219, Akavall, Mark Byers

Just in case you wondering what are the ways to insert character to the string at the front or back (beginning or end) of a string. Here are the ways to do it. Notice, string is immutable object, so you can not insert anymore characters into it. All we are doing is create a new string, and assign it to the variable. (That's why I did not use the same name, because I want to emphasize they are NOT the same string). But you can just as well use text = (any method)

# Create a new string that have 1 x in the beginning, and 2 x at the end
# So I want the string to look like this 'xHello Pythonxx'
text = 'Hello Python'

# Method 1, string concatenation
new_text = 'x' + text + 'xx'

# Method 2, create a new string with math operators
i = 1
j = 2
new_text = ('x'*i) + text + ('x'*j)

# Method 3, use the string's join() method
# You are actually joining the 3 part into a originally empty string
new_text = ''.join(('x', text, 'xx'))
And in case you don't trust me and want to see the output:
xHello Pythonxx
xHello Pythonxx
xHello Pythonxx

Python: How to find the integer and float in a string

Reference: http://stackoverflow.com/a/10059001/1276534
Credits: MellowFellow, hexparrot

If you have a string from somewhere, say a textbook, or an input. The string contain the data information you need. How do you extract the string? There are quite a few way to do it, range from hard code accessing it from index, to finding the E=, to using regular expression. In this example we will go over the middle of the range one. Because as beginner, it might not be the best idea to introduce regular expression yet. Plus this is the version I understand, maybe the regular expression version will be provided soon. (If you can't wait, you can check out from the reference link from above, there is the regular expression solution as well.)
# Assume you get this string from either a file or input from user
text_string = 'The voltage is E=500V and the current is I=6.5A'

# The starting index of this locating the voltage pattern
voltage_begin = text_string.find('E=')
# The ending index, note we are ending at 'V'
voltage_end = text_string.find('V', voltage_begin)

voltage_string = text_string[voltage_begin:voltage_end]
print(voltage_string, 'is at index:', voltage_begin, voltage_end)

#Since we know about the first to index is not useful to us
voltage_string = text_string[voltage_begin+2:voltage_end]

# So since now we have the exact string we want, we can cast it to an integer
voltage_as_int = int(voltage_string)
print(voltage_as_int)

Python: How to search a list of class element by their data (self.name) variable

Reference: http://stackoverflow.com/q/10052322/1276534
Credits: nitin, kindall

Imagine you have a class of Food, and you want to create a list that store your class of Food. How do you search your class element within your list? Take a look at the code.
class Food:
    def __init__(self, name):
        self.name = name

chicken = Food('Egg')
cow = Food('Beef')
potato = Food('French Fries')

# And then you create the list of food?
myFoodList = [chicken, cow, potato]
The way you want to implement your class so you can search through them by their name variable is done via dictionary. (This is one way to do it, set also might work depend on your class's implementation and required functionality).
class Food:
    lookup = {}
    def __init__(self, name):
        self.name = name
        Food.lookup[name] = self

chicken = Food('Egg')
cow = Food('Beef')
potato = Food('French Fries')

# Example of a lookup from the dictionary
# If your name is in your class Food's lookup dictionary
if 'Egg' in Food.lookup:
    # Do something that you want
    print (Food.lookup['Egg'].name)

Friday, April 6, 2012

Python: How to remove, or pop an element randomly from a list

Reference: http://stackoverflow.com/q/10048069/1276534
Credit: Henrik, F.J, Óscar López, Niklas B.

Assuming you want to randomly remove an element from your list, you can use the random module, to generate a random number, between the valid index in your list. Take a look at the code below.
# Import the random module
import random

# This is your list with some number
# But you can of course have anything you in your list
myList = [1, 3, 5, 7, 9, 11]

# Method #1
myList.pop(random.randrange(len(myList)))

# Method #2 (This one will change your list)
random.shuffle(myList)
# While my list is not empty
while myList:
    myList.pop

(Method 1) Let's studying this code from the inner to the outer layer.
  1. We get the length of the list, with my len(myList)
  2. Then we call randrange(), what randrange does it return a number that is pick randomly between the range we provide it. But except we do not actually create this list. Like range() would.
  3. Then finally we pop it from our list.
(Method 2) This will be good, if you want to use your list all together, instead of just popping one element. This is used in the csci133 example in the playing deck, since you have to shuffle your whole deck and then pick 1 card at a time. It make sense to have it shuffled.

    Thursday, April 5, 2012

    Python: When NOT To use Global Variable, Use Return!

    Reference: http://stackoverflow.com/q/10036747/1276534
    Credit: Ricky, jdi, Maty

    Using global variable in your Python function is really easy, but today I read a post that explain why not to use it. And I found it make a lot of sense, I am not used to write without the pass by reference. Take a look at this code below.
    def getSalary():
        global a, b, c
        a = input("Please enter the boss's salary")
        b = input("Please enter the director's salary")
        c = input("Please enter the factory worker's salary")
    

    Notice this function, it asks the user for 3 different salary and store them in a, b, c respectively. But it is not a good practice, instead we should use the return function.

    def getSalary():
        a = input("Please enter the boss's salary")
        b = input("Please enter the director's salary")
        c = input("Please enter the factory worker's salary")
        return a, b, c
    
    # And to way to use this function is like
    a, b, c = getSalary()
    
    This make the code a lot more readable, and useable. Imagine if you make a mistake in the program, if you use global variable, you will have a very hard time tracking where exactly does your value get changed. While doing it the second method, you will know a, b, c is changed on the getSalary line's return. And you can print them as you writing your program to debug it.

    And as jdi pointed out, it is always always better to use more meaningful variable name than a,b,c,d, or x,y,z. Imagine you use bossSalary, directorSalary, factoryWorkerSalary, the code is a lot easier to understand. Granted, maybe a little bit long. But maybe you can use workerSalary at least!

    And when you have a function that modify your object, such as your own class, a list. Maybe (depending on the situation), you might want to create a new variable and assign it, or you can overwrite it too!
    def newSalary(salary):
        return salary + salary * 0.02
    
    # Use it like this
    nextYearSalary = newSalary(salary)
    # Or overwrite the old one
    mySalary = newSalary(salary)
    

    Tuesday, April 3, 2012

    Python: How to print the ValueError Error Message

    try:
        ...
    except ValueError as e:
        print(e)
    
    

    Python Tkinter: How to set the window size without using canvas

    Reference: http://stackoverflow.com/q/9996599/1276534
    Credit: George, Bryan Oakley

    Here is the code on how to set the window size without using canvas, it is great if you just starting, or do not want to use canvas to do this. You can specify your dimension in your frame, and then use pack_progate(0) flag to tell tkinter to use your size.
    import tkinter as tk
    
    root = tk.Tk()
    frame = tk.Frame(root, width=400, height=400)
    frame.pack_propagate(0) # set the flag to use the size
    frame.pack() # remember to pack it or else it will not be pack
    
    textBox = tk.Label(frame, text="(x,y): ")
    textBox.pack()
    
    root.mainloop()
    
    Note: If your frame is not big enough to how the items, it will expand to fit your items). And the pack_progate(0) is a flag, it does not replace pack() method, you still have to call it or otherwise it will not appear. Hope this help.

    Reference: stackoverflow 1, stackoverflow 2

    Monday, April 2, 2012

    Python: [] vs. {} vs. ()

    Reference: http://stackoverflow.com/q/4407873/1276534
    Authors: Zolomon, Greg Hewgill, Andrew Jaffe

    It is a good note post to make sure we remember what is [] vs. {} vs. ()

    () - tuple

    A tuple is a sequence of items that can't be changed (immutable).

    [] - list

    A list is a sequence of items that can be changed (mutable).

    {} - dictionary or set

    A dictionary is a list of key-value pairs, with unique keys (mutable). From Python 2.7/3.1, {} can also represent a set of unique values (mutable).

    Python: Regular Expression 101 Example Code

    Reference: http://stackoverflow.com/q/9980381/1276534
    Authors: Rajeev, George

    In computer science theory class, we learned about regular expression. But it is unclear what exactly can it do at first, today I would like to introduce data validation as an example that uses the concept of regular expression. Python itself, like other language I assume (heard), has an implementation of regular expression. It comes standard from python too, see: http://docs.python.org/library/re.html

    For example, you would like to ask the user for a telephone number, in the format of: 917-222-1234, if it is not in the format of XXX-XXX-XXXX, it will ask the user again until it is store. Let's take a look at the sample code.
    import re
    
    while True:
        # Get the user's input into the string
        myString = input('Enter your telephone number: ')
        
        # Matching it with the regular expresssion
        # isGoodTelephone will return True if it matches
        isGoodTelephone = re.match('^[0-9]{3}-[0-9]{3}-[0-9]{4}$', myString)
        
        if (isGoodTelephone):
            print('Great! Got your phone number into the system')
            print('Entry:', myString)
        else:
            print('Not in the correct format. Ex: xxx-xxx-xxxx')
        print()
    
    
    Output of the csci133rep1.py:
    Enter your telephone number: 917-123-1234
    Great! Got your phone number into the system
    Entry: 917-123-1234
    
    Enter your telephone number: 9171231234
    Not in the correct format. Ex: xxx-xxx-xxxx
    
    Actually the basic of the regular expression is not too hard to learn, take a look at the bottom and you will able to figure out how to use it with no problem. Didn't need to put too much comment to make it understandable. Although there are much more ways to use it than just the telephone.
    ^[0-9]{3}-[0-9]{3}-[0-9]{4}$
    ^       # mark the start of the telephone string
    [0-9]   # any one of the 0123456789
    {3}     # match it exactly three times, no less
    -       # a hyphen symbol
    [0-9]   # any one of the number between 0 and 9
    {3}     # exactly three copies
    -       # another hyphen symbol
    [0-0]   # any one of the number 0-9
    {4}     # four times
    $       # mark the end of the telephone string
    

    Sunday, April 1, 2012

    Python: Calculate Grade Point Average In a 4.0 Scale

    This is a simple program that take a list of grade, and then convert it to a 4.0 GPA scale with 1 decimal point, finally calculate the grade point average.
    # Take the list of grade as input, assume list is not empty
    def convertGrade(myGrades):
        myResult = [] # List that store the new grade
        for grade in myGrades:
            gpa = (grade / 20) -1
            # Depending on how many deciaml you want
            gpa = round(gpa, 1)
            myResult.append(gpa)
        return myResult
    
    # The list of grades, can be more than 5 if you want to
    grades = [88.3, 93.6, 50.2, 70.2, 80.5]
    convertedGrades = convertGrade(grades)
    print(convertedGrades)
    
    total = 0
    # If you want the average of them
    for grade in convertedGrades:
        total += grade # add each grade into the total
        
    average = total / len(convertedGrades)
    print('Average GPA is:', average)
    
    Output:
    [3.4, 3.7, 1.5, 2.5, 3.0]
    Average GPA is: 2.82
    

    Saturday, March 31, 2012

    Python: Get the most frequent elements from list when there is more than one

    Reference: stackoverflow
    Authors: james_kansas, Niklas B.

    The question is: When you are given a list that is unsorted, how do you get the most frequent appeared element, in particular, when there is more than one.
    from collections import Counter
    
    def myFunction(myDict):
        myMax = 0 # Keep track of the max frequence
        myResult = [] # A list for return
        for key in myDict:
            # Finding out the max frequence
            if myDict[key] >= myMax:
                if myDict[key] == myMax:
                    myMax = myDict[key]
                    myResult.append(key)
                # Case when it is greater than, we will delete and append
                else:
                    myMax = myDict[key]
                    del myResult[:]
                    myResult.append(key)
        return myResult
    
    foo = ['1', '1', '5', '2', '1', '6', '7', '10', '2', '2']
    print('The list:', foo)
    myCount = Counter(foo)
    print(myCount)
    
    print(myFunction(myCount))
    
    Output
    The list: ['1', '1', '5', '2', '1', '6', '7', '10', '2', '2']
    Counter({'1': 3, '2': 3, '10': 1, '5': 1, '7': 1, '6': 1})
    ['1', '2']
    
    
    More Reading: http://stackoverflow.com/questions/1518522/python-most-common-element-in-a-list

    csci133allCombination.py

    Reference: http://stackoverflow.com/q/9961077/1276534
    Authors: PePe, Li-aung Yip

    Overview: Example of this nested while loop is a bad idea, and noting the while loop in python require resetting the loop counter to be 0. And for usage of getting the combination of everything, use either nested for loop with range() function, or itertools, which takes list and return every possible combination from each element in the list you give as argument. And also, xrange() is replaced by range() at 3.0.

    In C++, although it might not be recommended, we can write a nested while loop and the following code will work. Because of unknown reason.
    a = 0
    b = 0
    c = 0
    while a <= 5:
        while b <=3:
            while c <= 8:
                print(a , b , c)
                c += 1
            b += 1
        a += 1
    
    Output is the following
    0 0 0
    0 0 1
    0 0 2
    0 0 3
    0 0 4
    0 0 5
    0 0 6
    0 0 7
    0 0 8
    
    Answer Because we need to remember to reset the loop's counter, a, b, c respectively on each iteration. But this method is kind of funky.
    a = 0
    b = 0
    c = 0
    
    while a <= 5:
        while b <=3:
            while c <= 8:
                print(a , b , c)
                c += 1
            b += 1
            c = 0 # reset
        a += 1
        b = 0 # reset
        c = 0 # reset
    
    I think most python programmer would prefer using the for loop over the range() function. It is interesting also to note and learn that, xrange() is the range() function, if you are using python 2.x. From 3.0 on, use range instead. :)
    for a in range(5+1): # Note xrange(n) produces 0,1,2...(n-1) and does not include n.
        for b in range (3+1):
            for c in range (8+1):
                print(a, b, c)
    
    But then wait... from the Li-aung Yip, there is a better way. Check out this solution which involve using itertools.product()
    import itertools
    for a, b, c in itertools.product(range(5+1), range(3+1), range(8+1)):
        print a,b,c
    For even more reading: Dan Goodger's "Code Like a Pythonista: Idiomatic Python" Thought: I think 2 second way resemble C++ the most to me, I don't know if I want to use while loop even in C++. But it is great to learn another function from the itertools, the itertools.product(). And nice to see the use for for a, b, c. I think it is powerful, but never use it in my code yet, should practice using it.
    import itertools
    
    colors = ['red', 'green', 'blue']
    vehicles = ['car', 'train', 'ship', 'boat']
    numbers = [1, 2, 3, 4, 5]
    
    """Pints out all the possible combination of number of color vehicles"""
    for color, vehicle, number in itertools.product(colors, vehicles, numbers):
        print(number, color, vehicle)
    
    
    More reference: http://docs.python.org/library/itertools.html

    Wednesday, March 28, 2012

    csci133c7.py

    or known as csci133cleanup.py

    In this tutorial we will write a program that clean up the string, it is one of the most classic program. Almost every student will be given a novel text file or input text file and ask them to do something on the data. So the first thing is to "open and load" the text file, and get the English letters into a new string. This tutorial looks long, because I included the full source code of every single program, but in fact it is only minor changes. Read on!
    # Version 1 of csci133cleanup.py
    # Full implementation of cleanup
    wordList = [] # Create a list to store our words
    abc = 'abcdefghijklmnopqrstuvwxyz'
    
    with open('novel.text') as book:
        for line in book:
            cleanline = ''
            for character in line.tolower():
                if character in abc:
                    cleanline += character
                else:
                    # Important! We have append a space!
                    cleanline += ' '
            for word in cleanline.split():
                if word not in wordList:
                    wordList.append(word)
    
    The first version we are only cleaning up the string text, so there are nothing too special about it. But notice, on line 18, we appended a space to it. Why? Take a moment to think about it, or try to clean 'Doctor--John' on a piece of paper.

    Answer: Because we need this mechanism to separate possible words, for example, here is a string Doctor--John. If we did not append a space, we will get 'DoctorJohn' in one word. When we want every single word in the file, we want to separate them instead of keeping them as the same one.
    # without space append: Doctor--John, result in DoctorJohn
    # with space append: Doctor--John, result in Doctor  John (YES!)
    
    Of course this is not without its problem, for example, we will be left with a lot of 's', so we will want to check if it is already in the list or not. (See line 16), if they are in the list, we might not want to append it again. *Depend on your need, maybe you can add a line number to it. See the next example.
    # Version 2 of csci133cleanup.py
    # Insert the line numbers into the dictionary
    wordList = {} # Create a dictionary to store them
    abc = 'abcdefghijklmnopqrstuvwxyz'
    
    with open('novel.text') as book:
        for line in book:
            lineNumber = 1 # Starting at line 1
            cleanline = ''
            for character in line.tolower():
                if character in abc:
                    cleanline += character
                else:
                    # Important! We have append a space!
                    cleanline += ' '
            for word in cleanline.split():
                if word in wordList:
                    wordList[word].append(lineNumber)
                else:
                    # Store the value as a list that contain 1 item
                    wordList[word] = [lineNumber]
            lineNumber += 1
    
    Take a moment to read and compare the code. The very first line is different. We are using a dictionary instead of list. Because when we want to check if the item is in the dictionary already or not, we want to use its build in function, instead of going them one by one. And the other difference is, we are now appending the line number into a list of them. There is an interesting part to it, See line 21.
    wordList[word] = [lineNumber]
    Notice, we can not use wordList[word] = lineNumber. Because we are creating the first value for the dictionary's key. We instead will create this value as a list that contain one integer. I actually did not aware of this when I was learning python, I keep running into error, because I only used a single interger. And when I try to append to this single integer, it does not work.

    The last version we want to search it, we want to look up our dictionary we just created. Take a look at the last couple of lines.
    # Version 3 of csci133cleanup.py
    # This version include part 1 - 3
    wordList = {}
    abc = 'abcdefghijklmnopqrstuvwxyz'
    
    with open('novel.text') as book:
        lineNumber = 1
        for line in book:
            cleanline = ''
            for character in line.tolower():
                if character in abc:
                    cleanline += character
                else:
                    cleanline += ' '
            for word in cleanline.split():
                if word in wordList:
                    # do something, such as append line number
                    wordList[word].append(lineNumber)
                else:
                    wordList[word] = [lineNumber]
            lineNumber += 1
    
    while True:
        word = input('Enter a word here: ' )
        if word in wordList:
             print('Found on lines:, wordList[word])
        else:
             print('Not found.')
    
    wordList = {'apple':[2, 25, 55, 100], 'banana':[5, 10, 36, 90]' ...}
    
    This is the first time we see a while statement in python, the structure of the while loop is simple. while (condition is true), it will execute all the code within it once, and then check if the condition is true, if it is true, do it again, if it is not, it will exist and go to the next statement. See we have 'True' as the condition, that means this loop will run forever, until we kill it with keyboard interrupt.

    Keyboard interrupt hot key: Control + C

      Tuesday, March 27, 2012

      csci133ifelif.py

      Reference: http://stackoverflow.com/questions/7052393/python-elif-or-new-if
      Today when I am reading on the python exercises, I came across one of the exercise program it uses elif (in chapter 10). For a second I am not sure what does it mean because it is called differently. But when I read closely to the source file. It looks like it is trying to replaces some of the other if else statements. Finally I look it up online, I found out it is a little bit more than just if else loops.
      def foo(var):
          # Check if var is 5
          if var == 5:
              var = 6
          elif var == 6:
              var = 8
          else:
              var = 10
          return var
      
      def bar(var):
          if var == 5:
              var = 6
          if var == 6:
              var = 8
          if var not in (5, 6):
              var = 10
          return var
      
      print foo(5) # 6
      print bar(5) # 8
      
      You can see the exam of foo(5), if the val is 5. Then the rest of them are treated as (else) loop. The elif is a nested else if loop. It is good (maybe) if you want a cleaner looking program, because you don't have the nested else if loops, the indent level is smaller, and faster compare to a sequence of if, if, if statements, because you are not checking explicitly for every single if statement. Note: always try to put the most common condition on the top, so things can check off the 'list of conditions' faster.

      For example: If you want to check if a string is English word or not, you would want to check if "isalpha()" or not, and then you start to clean up the letters. So that way, your loop will exist as soon as it knows it contain non-letter characters.

      Friday, March 23, 2012

      csci133class.py

      Tkinter module provide many data types, such as Frames, Labels, and Buttons. They equipped with their own sub routines, get for Entry, some of them is standard, like pack, and after. But wouldn't it be nice if we can do their to all the data type (class) we create?

      For our ice cream store, we want to create memebership account (Object).
      standardMember = Account('George Chan')
      standardMember.deposit(100)
      
      Or, for a worker timesheet program, we can create worker that contain other datatype object)
      class iceCreamMember:
      def __init__(self, name, age):
          self.myName = name
          self.myAge = age
      def getAge(self):
          return self.myAge
      def getName(self):
          return self.myName
      
      member1 = iceCreamMember('George', 23)
      member2 = iceCreamMember('Gerry', 29)
      
      print(member1.getAge())
      print(member2.getName())
      
      In python, when we want to create a new datatype (new class), we would use a class statement. The keyword class tells python that it is a new datatype we are creating, notice it is a good style to always name your class with a upper case letter.

      And when we want to create an instance of the iceCreamMemeber, an individual object of this new type, we will use the class name as it is a function.
      member1 = iceCreamMember('George', 23)
      
      This create a new iceCreamMember object, and member1 refers to it. Remember the constructor is called when we create an instance of the object in C++? In python, the __init__ function will be called right away.
      def __init__(self, name, age):
      
      Look at this line, the __init__ function takes 3 parameters, but look at the line #20, we only actually passing 2 to it. Why? Because the first argument is always set to refer to the new instance we just created. (Self, itself). You can name it anything, but the first one is always point to the object itself, so it makes senss to use 'self'. The order of ('George', 23) is important, because name gets 'George', as a string, and age gets 23, as an integer.

      Different from C++, python's class instance does not have member variable pre say. They have attributes, and you do it with the syntax of.
      self.myName = name
      self.myAge = age
      
      To create a function for our userdefined class, we just use def like we always do, with the difference of giving it a (self) parameter. Notice, when we call the function .getName(), we don't have to give it anything. Since the self argument is generated automatically.

      But if we try to print(member1), something weird will happen, try it. It actually let us learn another fact about how python work.
      >>> 
      <__main__.iceCreamMember object at 0x0000000002EE1E48>
      
      The reason why we get the memory address like output, it is because we have yet to "teach" python how we want to print this. python is computer, and that's what the iceCreamMemeber to python is at this moment, let's add another method to our class.
      def __str__(self):
          return self.myName + ', and age ' + str(self.myAge)
      
      So when we ask python to print, it will know what to print.

      *Important* : self vs. Deck
      class goldMemeber(iceCreamMemeber):
      def __init__(self, discount):
          iceCreamMemeber.__init__(self)
          self.myDiscount = discount
      def __str__(self):
          return "{0}% of discount for member".format(self.myDiscount)
      
      We can understand this new class as: GoldMemeber is a kind of iceCreamMemeber. And the GoldMemeber inherits all the function the iceCreamMemeber has. So the getName, getAge function, will be provided to the GoldMemeber automically.
      iceCreamMemeber.__init__(self)
      
      *Important*: We must use the explicitly passing method to to pass the instead. If we use self.__init__(), we will be instead calling the goldMember.__init__ function. Which is the function we are trying to define right now at this moment.

      Monday, March 19, 2012

      csci133number.py

      Reference: http://docs.python.org/library/stdtypes.html#numeric-types-int-float-long-complex
      Please, please, please click on it and read it if you want to know the full details of the information. The reference page tell you exactly everything you ever need to understand them!

      There are total of 4 number type (or Numeric Type): integers, float, long, complex.
      • Integer - implemented using long in C, have 32bits of precisions.  Integers can be positive and negative, but they are whole numbers. (1,2, 3, 4, 5, 0, -1, -2..)
      • Floating point - implemented using double in C. When you need decimal point, you can use floating point. Such as 1234.5 + 1234.5.
      • Long integers - have unlimited amount of precisions. (See here for long integers). It is useful if you are calculating the amount of debt United States is under. (wink wink)
      • Complex - have real and imaginary component to it. (See here for Complex numbers). I think it is very useful, but I am not yet familiar with it yet, I shall come back to it soon.
      If floating point is not enough for your usage, you can also use fraction, and decimal. Python is very nice because it support mixed arithmetic, when you do this, python will convert the broader type into narrower type. For example: Integer * Floating point = Integer.

      The relationship is the follow: Complex > Floating point > Long Integer > Integer
      # Get the absolute value 
      abs(-5)
      
      # Convert something into integer
      myNumberInString = '100'
      anotherNumber = 50
      result = 0
      result += int(myNumberInString) + anotherNumber
      
      # The power of x function 2^3
      pow(2, 3)

      There is a thing called module, it is a package of tools. Similar to header files in C++, remember the math class in C++? There is one similar to it in python, and it is called math too. We have to always import the module before we can use its tool. There are many of them, feel free to experiment with it, they provide you a lot of useful subroutine.
      # Sample code for math moduele
      import math
      print(math.pi)
      >>> 3.1415926535897931
      

      csci133Buildin.py

      Everything in Python are objects, and python's build-in types are objects too. When you use the build-in types, you don't have to worry about anything such as memory allocation, implement insert, search, sort, list, print, and get routines. We can start immediately work on our code. *In C++, we usually call them functions, In JAVA, we call them methods and finally, in Python, they are called routines. Here is a list of reason why you should try to use build-in types as much as you can.
      1. They are easy- if you need simple program, they are great for fast development , easy to write, debug, and for others to read and understand your code. You can write a program to calculate expense in just about 5 mins using the build in types.
      2. They are useful - you can use them to build more complex object. They are like lego, you can stack them and form different tools.
      3. Efficient - if you want performance, look no further, they are perfected by developer, and will only get better as more release follow. It is less likely you will write a more efficient routines than them, although maybe for highly specialized input.
      4. Always here - every python comes with them, you don't have to download anything extra, and they are standardize cross everyone. Everyone has the same copies when they download the Python.

      Name
      Example
      Sample Code
      Reference
      Number
      12345, 1234.5
      String
      ‘Hello Python’
      List
      [1, 2, 3] [‘a’, ‘b’, ‘c’]
      csci133list.py
      Dictionary
      {‘username’:’password’}
      csci133dictionary.py
      Boolean
      True, False
      csci133boolean.py

      Here is an index of some of the basic build in types offered by python, please note there are a lot more other kinds that I didn't have a chance to cover! Although it is my goal, to write about all the build in data types :) . Python is dynamically typed (instead of declaring the type and compile the code), and strongly typed (means you can not perform other type function on another type). It is something to keep in mind when you are learning other languages.

      Friday, March 16, 2012

      csci133p6.py

      This is a taste of graphical user interface, and including myself too. When the program is run with a GUI, the feeling is just so much "different", you are able to change your option with a click of bottom, there are now colors! You can change the color of the background easily. And the very sample program that you write are now so much more interesting. But the planning is now more important than ever as well, because you need to figure out what is it you want to be display on the screen before you start.

      The focus we are using in this series of tutorial is from Tkinter, or known as TK.
      from Tkinter import *
      
      root = Tk()
      # Change the background color to light green
      root['bg'] = 'light green'
      
      # Create a title widget in the frame of root
      simpleTitle = Label(root)
      simpleTitle['text'] = 'Hello Tkinter!'
      simpleTitle.pack()
      
      mainloop()
      
      The output of the program above is like this, it is a simple window with the string, 'Hello Tkinter!', but try to make the window size better!


      Do you see the green color? That's the light green background color we set. It is not shown when the GUI launched, you can resize the window, by moving your mouse pointer to the border of the window, and then just drag it larger. So there you have it you see the background color. You can also change the color of the text label if you want it too.


      Look at line 1:
      from Tkinter import *
      We have to import the module of Tkinter, because although python does ship with this, you have to let python know you want to use this.
      We create a Tk() object named root, this is like a base frame. And then we can change the background color, by accessing its ['bg'] indexed variable, and assign it to 'light green'. If you want, you can change it to 'light pink' as well.
      Look at line 8:
      simpleTitle = Label(root)
      simpleTitle['text'] = 'Hello Tkinter!'
      simpleTitle.pack()
      We here create a Label named simpleLabel, it is based on the root's frame, that's the reason. If there is another frame, we would replace root with the name of the frame. For example: myLabel = Label(anotherFrame). Just like ['bg'] field, there is a ['text'] field associate with it too, we access it the same way we access the background color, we can assign a string to it. And at last, we have to call .pack(), to ask Tk to draw it onto the screen. When we make changes, we have to always do .pack(). Notice pack() is a function, it actually takes parameters!

      Reference: http://docs.python.org/library/tkinter.html#packer-options
      Here is the list of possible options:
      • expand: if it is set to true, it will expand as the window's size get bigger. Ex: foo.pack(expand=YES)
      • fill: it is to screen, there are 3 options to it, either X, Y, BOTH
        Ex: foo.pack(fill=BOTH)
      • side: it get where your widget want to be positioned. TOP (default), BOTTOM, LEFT, RIGHT
        Ex: foo.pack(side=LEFT)
      • anchor: which way it snaps on to, it is think as a compass, has 8 directions. "n", "ne", "e", "se", "s", "sw", "w", "nw", "center"
        Ex: foo.pack(anchor=w)

      Example of such chained options:
      foo.pack(expand=YES, side=LEFT, fill=X)

      Wednesday, March 14, 2012

      csci133c5.py

      In python, there is an extremely useful data type called dictionary. What a dictionary is a collection of unordered (key, value) pairs. Notice, one value can be mapped to one key only, so if you try to add another value with the same key, it will change the value it originally assigned to it. It makes sense because if you have a few values mapped to the same key, you have no idea which is which.

      Take a look at the example for the dictionary below
      passwords = {'george':'dog', 'gerry':'cat', 'stephen':'chicken'}
      name = input('Username: ')
      password = input('Password: ')
      if name == passwords[password]:
         print('Correct, welcome:', name)
      else:
         print('Sorry, bad password.')
      
      Output:
      Username: george
      Password: dog
      Correct, welcome: george
      
      Username: george
      Password: cat
      Sorry, bad password.
      
      Reference: http://docs.python.org/tutorial/datastructures.html#dictionaries
      And lastly, we can not use a list as the key either, because you can modify a list by accessing it with the index assignment, slice assignment or other methods. You create a dictionary with a pair of braces{}, it is now an empty dictionary. You separate the entries by comma, and you give the value to the key by :. key: value is the syntax for the dictionary entries.
      • keys(), which return a list of all the keys used in the dictionary
      • del dictionary[key], delete the key:value pair
      • if you store a key that is already has a value, the old value will be gone
      • the keys can be strings and numbers 
      • the value can be objects of any kind
      When you want to look up a key and see what its value is, do this:
      passwords['george']
      # Return value will be 'dog'
      Look at line 4, there is a if statement, similar to C++, if is a control flow statement. You can write a else statement that allow it to be executed when the if statement condition is not satisfy. But you can just use if statement by itself too.
      myNum = 10
      if myNum > 5:
          print('My number is greater than 5') # Totally cool too
      
      So, now you know for loop, you know how to open a file, and a if else. Let's start to create some program with them. It is like lego, when you have more parts, you can create more complex (powerful) projects.

      Monday, February 20, 2012

      csci133c4.py

      Since we downloaded a txt file, this tutorial is about opening it. Here is the code.
      with open('book.txt') as book:
          # The book is a list containing all lines
          for line in book:
              # If the line contain the string 'yourselves'
              if 'yourselves' in line:
                  print(line)
      
      The first line there is a reserved python keyword with, followed by open('filename'). It is actually a path name between the (), but if you don't provide a path, it is assumed it is the current directory. In case you have to access a file from a different folder, you would provide it a path with the file name. Such as ../../csci133/ch1/csci133c4.py.

      You would open the text file into another object . You don't have to call it book, you can call it anything you want, that would be list containing all the "lines". In the event of it is actually a text file with strings after strings, you does make sense to call it something along the line of data, book, and myFile. You can try to iterate through it with for loop.
      for object in objects:
          # do something here
      
      Example problem #1: Count the number of words contained in the txt file
      count = 0
      with open('book.txt') as book:
          for line in book:
                  # += is the same as count = count + count
                  count += len(line.split())
      print('There are', count, 'of words.')
      
      Before we are done, there is also way to get input from the user, you would set up a variable, and assign it the value of the input.
      Example problem #2: Take an input from the user (like cin in C++)
      name = input('What is your name?')
      print('Hello, nice to meet you', name) 
      Python's list comprehension
      It is a handy way to write code in a very short way, compare the two code. They do the same thing. I heard from people, it is a way to pretend to be smart, on the other hand, it seems useful to write code in a short way I guess. I prefer slightly the longer way, but I have a feeling in the professional world, everyone use list comprehension. Because it is faster, and less likely to create errors.
      for number in numbers:
          data[number] = data[years][time] 
          return data
      the data to be changed for object in objects
      return [data[number][time] for number in years]
      # Regular code
      iceCreams = IceCreamFlavor()
      iceCreamMenu = [] # iceCreamMenu is a list
      for number in range(5):
          iceCreamMenu = iceCreams.random()
      
      # Same code with list comprehension
      iceCreams = IceCreamFlavor()
      iceCreamMenu = [iceCreams.random() for number in range(5)]
      
      The more I use it, the more I think it is useful. Just like all functions and methods (well, most of them). It is meant to help us write program faster and easier. Just like a a lot of the helper function is build in, this is build in to help us not have to spend as much time to get what we want.

      Notice the range(5)? That means it is created a list of 5 numbers, [1, 2, 3, 4, 5]. Useful tool as well! Instead of doing a = [1, 2, 3, 4, 5]. And for number in a.
      # The range(5)
      for number in range(5):
          # Statement
      
      # Same as this
      numbers = [0, 1, 2, 3, 4]
      for number in numbers:
          # Statement
      Reference: http://docs.python.org/library/functions.html#range
      range([start], stop[, step]) 
      It is very commonly used in for loops, the start and stop arguments must be integers, if you didn't give it a step argument, it will be default to 1. If you didn't give it a start argument, it will be default to 0.
      The range() function create a list with the number 0, 1, 2, 3, 4. Notice python is zero based, so if you need to print out from 1 to 5. You would not want to offset the number variable. <Correct way: to use the start argument>
      # To print 1-5 the correct way
      for number in range(1,6):
          print(number)
      
      Output:
      >>> for number in range(1,6):
      ...     print(number)
      ... 
      1
      2
      3
      4
      5
      >>>  
      As for the step argument, it is what the increment is used. If you use the step of 2. Ex: range(0, 10, 2), it will give you [2, 4, 6, 8, 10]

      Practice Problem:
      # Write a range(start, stop, step) that generate the following results
      [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
      [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
      [0, 2, 4, 6, 8, 10]
      [1, 3, 5, 7, 9, 11]
      [0, 50, 100]
      [3, 9, 12, 15, 18, 21]
      

      Answer to the problems: Notice for the question when it ask you where to stop, you can either stop at the next value (11) for the case of 10, or stop at the next increment value, 150 for the case of 100, or 101 for the case of 100. It will still work the same. I just like to do it this way, if you get the same answer, then you should be good to go.
      >>> for number in range(10):
      >>> for number in range(1, 11):
      >>> for number in range(0, 12, 2):
      >>> for number in range(1, 13, 2):
      >>> for number in range(0, 150, 50):
      >>> for number in range(3, 23, 3):
      
      Note: Because reading again on the range() documentation, I thought the only way to do print 1-5 is to offset. Which show us how important and good it is to read the reference.

      Monday, February 6, 2012

      csci133c3.py

      Welcome to the 3rd notes for the python programming lab. Let's take a look at the code and see what does it do. Today we will talk about the function. Function is a block of code that do varies kind of thing, and might or might not return the value it get.
      line = 'This is a sample line of text.'
      # Measure the length of the line string
      print(len(line))
      
      # Split the line string by spaces, return a list
      print(line.split())
      
      # Measure how many word are there now
      print(len(line.split()))
      
      Output:
      30
      ['This', 'is', 'a', 'sample', 'line', 'of', 'text.']
      7
      
      Pay close attention to line #3, when we call a function (or to use a function). We can also pass some data if the function accept it, that data is called parameter, or argument. So we passed the line into the length function, len(line). And the function returned the result of 30, and then it is being passed to the print function and print on the screen. That is why it is outputed as 30.

      Whenever we want to print thing on the screen, we are always actually calling the print function, and passing the number, letter, or word into the function. What about the split function? What does it do? From the python's web manual.
      http://docs.python.org/library/stdtypes.html#str.split
      str.split([sep[, maxsplit]])

      Return a list of the words in the string, using sep as the delimiter string. If maxsplit is given, at most maxsplit splits are done (thus, the list will have at most maxsplit+1 elements). If maxsplit is not specified, then there is no limit on the number of splits (all possible splits are made).

      For example, ' 1 2 3 '.split() returns ['1', '2', '3'], and ' 1 2 3 '.split(None, 1) returns ['1', '2 3 '].
      The function require a string to be invoked on, that's why it has str.split(), the split function actually takes argument. But at the moment we just want it to split with blanks, or spaces. Note each data type has their own set of functions build in to them.

      Example Problem #1: Turn a string into all lower case
      If you want to turn a string to lower case
      word = 'THE QUEEN'
      word = 'THE APPLE'
      newWord = word.lower()
      print('Before:', word)
      print('After:', newWord)
      
      Output:
      Before: THE QUEEN
      After: the queen
      
      Example Problem #2: Turn every word into lower case, remove the symbols, print them one by one. (One on each line). String is from a random novel on the web.
      line = 'http://www.gutenberg.org/cache/epub/39133/pg39133.txt'
      newLine = ''
      for char in line:
          if char in 'abcdefghijklmnopqrstuvwxyz':
              newLine = newLine + char
          else:
              newLine = newLine + ' '
      print('Before:', line)
      print('After:', newLine)
      print('Split it:', newLine.split())
      for word in newLine.split():
          print(word)
      
      Output:
      Before: http://www.gutenberg.org/cache/epub/39133/pg39133.txt
      After: http   www gutenberg org cache epub       pg      txt
      Split it: ['http', 'www', 'gutenberg', 'org', 'cache', 'epub', 'pg', 'txt']
      http
      www
      gutenberg
      org
      cache
      epub
      pg
      txt 
      So before we go, let's go to this link, download the file into our current dir. Because the next tutorial we will use that file! http://www.gutenberg.org/cache/epub/39133/pg39133.txt , and rename it to book.txt

      Practice Problem:  Write a program to clean up the following string, turn all letters into lower case, and print one word per line.
      foo = '[_He approaches Fabiani._]'
      Output:
      he
      approaches
      fabiani
      

      Wednesday, February 1, 2012

      Pydev in Eclipse on Mac

      When you downloaded Pydev for Eclipse, you have to set up the Python interpreter before you can start using it. Here is the instruction.

      To configure a Python or Jython interpreter in 
      Eclipse > Preferences > PyDev



      When you are in Preferences, find PyDev, and click on the Interpreter - Python



      Choose New in the upper right and enter /usr/bin/python
      Eclipse will then take care of the rest for you – ie. updating the $PYTHONPATH
        Reference & Credit: On Using Pydev on a Mac.

        Friday, January 20, 2012

        Python Reference Link

        In this post I will include all the reference I used when I am learning Python, some of them are textbook, some of them are website.

        • http://effbot.org/tkinterbook/tkinter-whats-tkinter.htm
          Very easy and simple to read, proivde a good starting point if you never done any kind of GUI before. It is very short and to the point, there are no complicated theory or other information. Not to say it is not important however, but to get you up to speed and start writing software, it is great!
        • http://stackoverflow.com/questions/tagged/python
          A google for programming related question, actually it is a really good idea to just read the questions and the answers. Sometimes it is like little trick and tips, sometimes it is the concept explained in another point of view that is not like from a textbook, but from a working professional programmer. It fits the bill of learning something everyday ;)
        • http://python.net/~goodger/projects/pycon/2007/idiomatic/handout.html
          It is like a python programming guide with a lot of cool tips and trick that a new programmers might overlook. Good read, and interesting.
        • http://docs.python.org/tutorial/
          The best tutorial there is for beginner learning how to write program in python. It talks about a lot of the buildin function, type, module. It shows great example code as well as the required parameters and return type.

        Python's Doc Tutorial Notes

        Chapter 1: Whetting Your Appetite

        Python is really simple to use, but at the same time it offer more structure and support for large program. In particular, the error checking is very well developed compare to C. Where in C, they expect you to make judgement yourself, and handle the possible problem yourself. And of course, Python has a lot of high-level data types built in, such as flexible array and dictionaries, which can be apply to all types, even your own class. Similar to C++'s vector, you can put your class object into the vector.

        Python follows the main heart idea of OOP, it allows user to separate and export their program into modules. And then you can reuse or extend it as needed. There are quite a few module that comes standard with all the python installation, such as file I/O, system calls, sockets, and graphical user interface toolkit such as tkinter.

        Python is an interpreted language, so you don't have to worry about comilating and linking your file. Remember when you write a c program, instead of just pressing a "run" button, or F5 in the default IDE, you will instead go to your terminal, type in: g++ -Wall -o csci133p1 csci133p1.cpp ccsci133myClass.cpp. These sort of goodies, after you type them, and then you are hit with a wall of error message that is not very human-readable, but except telling you line number x is broken?

        And a couple of key note-worthy characteristic:
        1. Python can do complex operations in 1 liner, and in fact most python programmer love the 1 liner solutions a lot.
        2. Python's statement grouping is done by indentation, instead of the ending brackets {}
        3. There are no variable type declaration, and similarly, there is no return type specified. You can return as many things as your heart desire, by doing return my_number, my_home, my_food

        Python's name has nothing to do with the reptiles, it is because the author like the BBC show "Monty Python's Flying Cirus". But despite reading this, I still think about python as "a big snake". :)

        Chapter 2.1 Notes

        Thursday, January 19, 2012

        csci133c2.py

        After we learn how to write a loop, we can do more by combining two or more of them. It is actually very easy too. Say I want to list all the possible combination of ice cream. I want to create something that will output this.
        # Output desired
        I like Vanilla ice cream with Gummy Bear
        I like Vanilla ice cream with Cookies
        I like Vanilla ice cream with Nuts
        I like Vanilla ice cream with Chips
        I like Chocolate ice cream with Gummy Bear
        I like Chocolate ice cream with Cookies
        I like Chocolate ice cream with Nuts
        I like Chocolate ice cream with Chips
        
        There are 2 kinds of ice cream and 4 kinds of topping in this program, so we most likely going to need 2 list, and then we loop them each through another.
        # Solution code for the example above
        iceCreams = ['Vanilla', 'Chocolate']
        toppings = ['Gummy Bear', 'Cookies', 'Nuts', 'Chips']
        # Looping through the ice creams
        for iceCream in iceCreams:
            # Looping through the toppings
            for topping in toppings:
                print('I like', iceCream, 'ice cream with', topping)
        
        There you have it, it is actually very simply to check for all possible combinations of the items you have in your list, does not matter if they are food, student, car, dog, anything you want. Anyway, so now let say you only want Cookies as your topping on your ice cream, you will need to check if topping is cookies, here is how to do it in python!
        # if statement example
        numbers = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
        prime = [1, 2, 3, 5, 7]
        for number in numbers:
            # Check if the number is in the list of prime we have
            if number in prime:
               print('The number', number, 'is a prime!')
        
        Output:
        The number 1 is a prime!
        The number 2 is a prime!
        The number 3 is a prime!
        The number 5 is a prime!
        The number 7 is a prime!
        
        Note, this is just an example to showcase the example of the if statement, in real life this is not how it is done. A much more useful example: The vowels example:
        # Example problem that check for vowels
        vowels = 'aeiou'
        words = ['apple', 'banana', 'orange', 'grapes', 'mango']
        for word in words:
            for letter in word:
                    if letter in vowels:
                       print(letter, 'is in the word:', word)
        
        Output:
        a is in the word: apple
        e is in the word: apple
        a is in the word: banana
        a is in the word: banana
        a is in the word: banana
        o is in the word: orange
        a is in the word: orange
        e is in the word: orange
        a is in the word: grapes
        e is in the word: grapes
        a is in the word: mango
        o is in the word: mango
        
        Practice Problem:
        Write a program that checks the word 'google', and print what are the vowels.
        Write a program that print one type of ice cream on each line
        # Use this list of ice cream for the practice problem
        iceCreams = ['Vanilla', 'Chocolate', 'Strawberry',
                     'Neapolitan', 'Chocolate Chip', 'French vanilla', 
                     'Cookies and Cream', 'Vanilla Fudge Ripple', 'Praline pecan']
        
        Write a program that print 'I love ice cream' 50 times :)
        # Tip: Don't write print() 16 times, think about loop, n * n = 16...?
        Write a program that count down from 20 to 1
        # Tip: Create an integer counter, and -1 each time you run through
        20
        19
        18
        17
        16
        15
        14
        13
        12
        11
        10
        9
        8
        7
        6
        5
        4
        3
        2
        1
        
        Write a program that check the vowel in the ice cream name list
        # Use this list of ice cream for the practice problem
        iceCreams = ['Vanilla', 'Chocolate']
        
        Solution
        # Solution on the question
        iceCreams = ['Vanilla', 'Chocolate']
        vowels = 'aeiou'
        for iceCream in iceCreams:
            for letter in iceCream:
                for letter in vowels:
                    print(iceCream, 'has vowel', letter, 'in it')
        

        Thursday, January 5, 2012

        csci133c1.py

        In the first program we are going to start with "Hello World", in python it is actually really simple to do. Type the below code into the file, and press save and run!
        # Example: Hello World
        print('Hello World! Python is fun!')
        Output:
        Hello World! Python is fun!
        Notice in the single quote signs, what is between ' ' is viewed as a sequence of characters. Unlike in C++, python is an interrupt language, we don't need to complie, we just need to save and run it. (Control + Save) Then (F5) And in python, you can comment with " # " sign, the python will not do anything to that line, it is for reference and notes. It is always good habit to document your code, and keep the comments outdated when you make changes.

        Let's create a string variable name food, and we print "I like that food".
        # Example: Printing with variable
        food = 'cookies'
        print('I like', food)
        
        Output:
        I like cookies
        Here there we learn two things, one is the way the python declare the variable, without a type. It takes care of figuring out what is the type, base on what you give it. In this case the food is a string variable, and the way to include the variable in the print, we separate it with a comma (,).  And let's take a closer look at the first line, the equal sign does not mean food is equal to cookies, rather it mean we assign cookies to the object data named food. There is a difference there, it would be best if we read it as, "food is the name of the string for cookies", or "cookie is now food" in our program. Below is another example to demonstrate how to use a few variable at the time in the print.
        # Example: What do you eat everyday?
        breakfast = 'milk'
        lunch = 'burger'
        dinner = 'steak'
        print('I eat', breakfast, lunch, dinner, 'everyday.')
        
        Output:
        I eat milk, burger, steak everyday.
        This example we can see we can chain more variables in the print statement, you can do it with different variables if you have other. And take a note on the following piece of example, guess what is the output?
        # Little Quiz 
        breakfast = egg
        print('Today"'"s breakfast:', breakfast
        breakfast = sandwich
        print('Today"'"s breakfast:', breakfast
        Can you guess what is the output?
        Here is the answer!
        Today's breakfast: egg
        Today's breakfast: sandwich
        If you guessed correctly, good job! And if you wonder why I used double quotes ( " ), it is because it is the only way to print single quote. You need to wrap the single quote in a double quotes. "'". Try it and see if it works!

        But it is kind of hard to type out all this, if we have many many different kind of food for breakfast, what if we have 5 different foods, do we need to write 5 identical print lines? The answer is no! Check out the following example.
        # Simple for loop example
        foods = ['egg', 'juice', 'apple', 'bread', 'cookies']
        for food in foods:
            print('Today"'"s breakfast:', food)
        Output
        Today's breakfast: egg
        Today's breakfast: juice
        Today's breakfast: apple
        Today's breakfast: bread
        Today's breakfast: cookies
        Don't you think it is a lot easier this way? And feel free to type your own favorite food for breakfast. For these who are new to python programming, there is actually a lot going on in this example.
        1. The object we created in the example above is a list, in this case it is a list contain 5 string objects, a list is a sequence of objects. We create list in python by separating the string objects with commas, and enclose the sequence with square brackets. Another example of a list contain 2 student: ['Sam', 'Kelly']
        2. You can create a list of other types too, with integers, whole numbers, such as 1, 2, 3, 4, 5, including negative numbers too. Example: dates = [1, 5, 12, 19, 20]. We have here a list object name dates, containing 5 integers.
        3. There is control statement, or as call it, a for loop. The structure of the statement is like this:
          # Example for a for loop control statement
          for object in objects:
          <Indentation> statement
          <Indentation> statement
          The python only know the statement is "inside" a loop when you indent it, otherwise it has no way of knowing. It is different from say other language like C++, as they use {} to create a block of code. And although we don't have to end every single statement with " ; ", but in the case for the loop, we need to add a colon " : ", to let python know this is the end of the condition. I provide readers with a few more example here:
          # Always object for object(s)
          for line in lines:
          <Indentation> statement
          
          for car in cars:
          <Indentation> statement
          
          for class in classes:
          <Indentation> statement 
        However, python doesn't care what name we use, just like in other programming language, the name (identifier) is for the programmers (human) to read. So there is nothing stopping you to do something silly like this.
        # A really bad example
        aawhjwb = [1, 5, 20, 55]
        for bbb in aawhjwb:
            print('Visit doctor at: ', bbb, 'of this month')
        But it will be very hard to remember what is going on, so try to use something that make sense, that way it is easier to debug and for other programmers to read your code. Please do not do not do this.

        Practice Problem:
        Write a program that produce the following output:
        Tip: Create a list contain 3 student's name.
        Hello George
        Hello Peter
        Hello Joe
        
        Write a program that produce the following output:
        Tip: To print an empty line, do print(), this will produce an empty line
        Red Car
        Red Truck
        Red Tank
        Red Boat
        
        Blue Car
        Blue Truck
        Blue Tank 
        Blue Boat
        
        Green Car
        Green Truck
        Green Tank
        Green Boat