1 / 52

Advanced Composite Types

Advanced Composite Types. You will learn in this section of notes how to create single and generic instances of non-homogeneous composite types that are used for different scenarios. Composite Variables To Be Covered. Strings

valbert
Download Presentation

Advanced Composite Types

An Image/Link below is provided (as is) to download presentation Download Policy: Content on the Website is provided to you AS IS for your information and personal use and may not be sold / licensed / shared on other websites without getting consent from its author. Content is provided to you AS IS for your information and personal use only. Download presentation by click this link. While downloading, if for some reason you are not able to download a presentation, the publisher may have deleted the file from their server. During download, if you can't get a presentation, the file might be deleted by the publisher.

E N D

Presentation Transcript


  1. Advanced Composite Types You will learn in this section of notes how to create single and generic instances of non-homogeneous composite types that are used for different scenarios.

  2. Composite Variables To Be Covered Strings Lists (characteristics that differ from the array type from other programming languages). Tuples Dictionaries Classes

  3. Small Example Programs Using Strings They can be found in UNIX in the directory: /home/231/examples/composites string1.py (passing a whole string to a function) string2.py (indexing the parts of a string) string3.py (demonstrating the immutability of strings) string4.py (string slicing) string5.py (strings as sets, test for inclusion using ‘in’) string6.py (strings that are repetitive sequence) string7.py (using string functions: converting string input to numerical) string8.py (using string functions that return modified versions of a string) string9.py (string search functions)

  4. String Strings are just a series of characters (e.g., alpha, numeric, punctuation etc.) Similar to lists a string can be treated as one entity. def fun (aString): print aString # MAIN aString = “Goodbye cruel world!” fun (aString) Or much like a list the individual elements (characters) can be accessed via an index. # MAIN aString = "hello" print aString[1], print aString[4],

  5. Strings Are Immutable Even though it may look a string can change they actually cannot be edited. # MAIN aString = "good-bye" print aString aString = "hello" print aString aString[0] = "G“ # Error

  6. String Slicing Slicing a string will return a portion of a string (In other programming languages this is described as getting a ‘sub-string’ of a string). Format: string_name [start_index : end_index] Example: aString = "abcdefghij" print aString temp = aString [2:5] print temp temp = aString [:5] print temp temp = aString [7:] print temp

  7. Strings Can Be Conceptualized As Sets The ‘in’ and ‘not in’ operations can be performed on a string. Branching passwords = "aaa abc password xxx" password = raw_input ("Password: ") if password in passwords: print "You entered an existing password, enter a new one“ Looping (iterating through the elements) sentence = "hihi there!" for temp in sentence: sys.stdout.write(temp)

  8. Repetitive Strings A string with a number of repeated characters can be initialized in a number of ways. aString = “xxxxxxxx” aString = “hi!” * 5

  9. String Testing Functions1 These functions test a string to see if a given condition has been met and return either “True” or “False” Format: string_name.function_name () 1 These functions will return false if the string is empty (less than one character).

  10. String Testing Functions (2)

  11. Applying A String Testing Function # MAIN ok = False while (ok == False): temp = raw_input ("Enter numbers not characters: ") ok = temp.isdigit() if (ok == False): print temp, "is not a number" else: print "done" num = int (temp) num = num + num print num

  12. Functions That Modify Strings These functions return a modified version of an existing string (leaves the original string intact).

  13. Example Uses Of Functions That Modify Strings aString = "talk1! AbouT" print aString aString = aString.upper () print aString aString = "xxhello there" print aString aString = aString.lstrip ('x') print aString aString = "xxhellx thxrx" aString = aString.lstrip ('x') print aString

  14. Functions To Search Strings

  15. Examples Of Functions To Search Strings temp = raw_input ("Enter a sentence: ") if not ((temp.endswith('.')) or (temp.endswith('!')) or (temp.endswith ('?'))): print "Not a sentence" temp = "XXabcXabcabc" index = temp.find("abc") print index temp = temp.replace("abc", "Abc") print temp

  16. The List Revisited So far the list that you have seen all contain elements that store the same type of information (homogenous). Arrays in most programming languages must be homogenous. Lists in Python do not have the requirement where the elements are all of the same type. They can be homogenous as they were in the previous examples. But lists can also be non-homogenous.

  17. The List Revisited (2) Why is their a need for non-homogenous composite type? What if different types of information needs to be tracked as a composite type? • Example, storing information about a client: • First name • Last name • Phone number • Address • Postal code • Email address • Total purchases made • …series of characters • …series of characters • …numerical or character • …series of characters • …series of characters • …series of characters • …numerical or character

  18. The List Revisited (3) If just a few clients need to be tracked then a simple list can be employed: firstClient = ["James", "Tam", "(403)210-9455", "ICT 707, 2500 University Dr NW", "T2N-1N4", "tamj@cpsc.ucalgary.ca", 0]

  19. The List Revisited (4) (Or as a small example) def display (firstClient): print "DISPLAYING CLIENT INFORMATION" print "-----------------------------" for i in range (0, 7, 1): print firstClient [i] # MAIN firstClient = ["James", "Tam", "(403)210-9455", "ICT 707, 2500 University Dr NW", "T2N-1N4", "tamj@cpsc.ucalgary.ca", 0] display (firstClient)

  20. The List Revisited (5) If only a few instances of the composite type (e.g., “Clients”) need to be created then multiple single lists can be employed. firstClient = ["James", "Tam", "(403)210-9455", "ICT 707, 2500 University Dr NW", "T2N-1N4", "tamj@cpsc.ucalgary.ca", 0] secondClient = ["Peter", "Griffin", "(708)123-4567", "725 Spoon Street", "NA", "griffinp@familyguy.com", 100]

  21. The List Revisited (6) If a large number of composite types need to be tracked (e.g., many clients) then you can employ lists of lists. (This means that each list element consists of another list).

  22. Example: List Of Lists The full example can be found in UNIX under: /home/231/examples/composites/list_of_lists.py MAX = 4 def initialize (myClients): for i in range (0, MAX, 1): temp = [(i+1), "first name", "last name", "(111)111-1111", "address", "X0X-0X0", "foo@bar.com", 0] myClients.append(temp)

  23. Example: Lists Of Lists (2) def display (myClients): for i in range (0, MAX, 1): print myClients[i] # MAIN myClients = [] initialize (myClients) display(myClients)

  24. Small Example Programs Using Lists They can be found in UNIX in the directory: /home/231/examples/composites list1.py (concatenation and repetition) list2.py (membership)

  25. Some List Operations

  26. Examples: Concatenation And Repetition list1 = [1, 2.0, "foo"] list2 = [[1,2,3], "salam"] print list1 print list2 list1 = list1 * 2 print list1 list3 = list1 + list2 print list3

  27. Examples: Membership print "Example 1: " recall_list = ["vpn123", "ncc1946", "gst7"] item = raw_input ("Product code: ") if item in recall_list: print "Your product was on the recall list, take it back" else: print "You're safe" print print "Example 2:" days = ["Sun", "Mon", "Tue", "Wed", "Thur", "Fri", "Sat"] for temp in days: print temp

  28. Some Useful List Operations

  29. Drawback Of Using Lists Lists (and lists of lists) can be used to track relatively simple information e.g., grades, text-based virtual worlds. It is less effective at storing more complex information (e.g., client list). Some problems: Which field contains what type of information? This isn’t immediately clear from looking at the program statements. Is there any way to specify rules about the type of information to be stored in a field e.g., a data entry error could allow alphabetic information to be entered in the phone number field.

  30. Classes Can be used define a generic template for a new non-homogeneous composite type. It can label and define more complex entities than a list. This template defines what an instance or example of this new composite type would consist of but it doesn’t create an instance.

  31. Defining A Class Format: class <Name of the class>: name of first field = <default value> name of second field = <default value> Example: class Client: firstName = "default" lastName = "default" phone = "(123)456-7890" address = "default address" postalCode = "XXX-XXX" email = "foo@bar.com" purchases = 0 Describes what information that would be tracked by a “Client” but doesn’t actually create a client in memory

  32. Creating An Instance Of A Class Format: <reference name> = <name of class> () Example: firstClient = Client ()

  33. Defining A Class Vs. Creating An Instance Of That Class Defining a class A template that describes that class: how many fields, what type of information will be stored by each field, what default information will be stored in a field. Creating a class Instances of that class (instantiations) which can take on different forms.

  34. Accessing And Changing The Fields Format: <reference name>.<field name> Example: firstClient.firstName = "James"

  35. The Client List Example Implemented Using Classes The full version can be found in UNIX under /home/231/examples/composites/client.py class Client: firstName = "default" lastName = "default" phone = "(123)456-7890" address = "default address" postalCode = "XXX-XXX" email = "foo@bar.com" purchases = 0

  36. The Client List Example Implemented Using Classes (2) firstClient = Client () firstClient.firstName = "James" firstClient.lastName = "Tam" firstClient.email = tamj@cpsc.ucalgary.ca print firstClient.firstName print firstClient.lastName print firstClient.phone print firstClient.address print firstClient.postalCode print firstClient.email print firstClient.purchases

  37. What Is The Benefit Of Defining A Class It allows new types of variables to be declared. The new type can model information about most any arbitrary entity: Car Movie Your pet A biological entity in a simulation A ‘critter’ a video game An ‘object’ in a video game Etc.

  38. What Is The Benefit Of Defining A Class (2) Unlike creating a composite type by using a list a predetermined number of fields can be specified and those fields can be named. class Client: firstName = "default" lastName = "default" phone = "(123)456-7890" address = "default address" postalCode = "XXX-XXX" email = "foo@bar.com" purchases = 0 firstClient = Client () print firstClient.middleName

  39. What Is The Benefit Of Defining A Class (2) Unlike creating a composite type by using a list a predetermined number of fields can be specified and those fields can be named. class Client: firstName = "default" lastName = "default" phone = "(123)456-7890" address = "default address" postalCode = "XXX-XXX" email = "foo@bar.com" purchases = 0 firstClient = Client () print firstClient.middleName There is no field by this name

  40. Tuples Much like a list, a tuple is a composite type whose elements can consist of any other type. Tuples support many of the same operators as lists such as indexing. However tuples are immutable. Tuples are used to store data that should not change.

  41. Creating Tuples Format: tuple_name = (value1, value2...valuen) Example: tup = (1,2,"foo",0.3)

  42. A Small Example Using Tuples The example can found in UNIX under: /home/231/examples/composites/tuples1.py tup = (1,2,"foo",0.3) print tup print tup[2] tup[2] = "bar" Error: “TypeError: object does not support item assignment”

  43. Function Return Values Although it appears that functions in Python can return multiple values they are in fact consistent with how functions are defined in other programming languages. Functions can either return zero or exactly one value only. Specifying the return value with brackets merely returns one tuple back to the caller. def fun (): return (1,2,3) Def fun (num): if (num > 0): print “pos” return elif (num < 0): print “neg” return Returns: A tuple with three elements Nothing is returned back to the caller

  44. Dictionaries A special purpose composite type that maps keys (which can be any immutable type) to a value (like lists it can be any value). The keys can be used to later lookup information about the value e.g., looking up the definition for a word in a dictionary.

  45. Small Example Programs Using Dictionaries They can be found in UNIX in the directory: /home/231/examples/composites dictionary1.py (creating dictionaries) dictionary2.py (deleting entries from the dictionary, checking for membership)

  46. Creating A Small Dictionary Format (defining the entire dictionary all at once) <dictionary_name> = {key1:value1, key2:value2...keyn:valuen} Example: (defining the entire dictionary all at once) dict = {"one":"yut", "two":"yee", "three":"saam"}

  47. Creating A Large Dictionary Format: dictionary_name = {} dictionary_name[key1] = value1 dictionary_name[key2] = value2 : : : dictionary_name[keyn] = valuen Example: dict = {} dict ["word1"] = ["Dictionary definition for word1"] dict ["word2"] = ["Dictionary definition for word2"]

  48. Examples Of Creating Dictionaries dict = {} dict ["word1"] = ["Dictionary definition for word1"] dict ["word2"] = ["Dictionary definition for word2"] dict ["word3"] = ["Dictionary definition for word3"] temp = raw_input ("Enter dictionary definition for word4: ") dict ["word4"] = [temp] print dict dict = {"one" : "yut", "two" : "yee", "three" : "saam"} print dict word = raw_input ("Enter word to translate: ") print "English:", word, "\t", "Chinese", dict[word]

  49. Removing Dictionary Entries Format: del <dictionary_name> [key] Example: del dict ["one"]

  50. Example: Deletion And Checking For Membership dict = {} dict ["one"] = "Sentence one" dict ["two"] = "Sentence two" dict ["three"] = "Sentence three" if "one" in dict: print "key one is in the dictionary" del dict["one"] if "one" not in dict: print "key one is NOT in the dictionary"

More Related