# Chapter3.py Functions ''' Principles of Programming Law of Demeter https://en.wikipedia.org/wiki/Law_of_Demeter DRY https://en.wikipedia.org/wiki/Don%27t_repeat_yourself ''' ''' Functions vs Methods Functions -> themselves Methods -> something else ? what object passing it to (that obj has to exist) classes page 53 ''' # Basic Functions page 38 ''' Stuck in coding? 1. did I define it? aka does it exist? 2. did I give it value? Law of Demeter 3. did I return it? function->itself method->something else ''' ''' 3 types of functions/methods myFunction() # empty function aka we are not passing it any data myFunction(param1, param2, ...) # parameterized function, which means it EXPECTS you to pass args to it myFunction(param1, param2="value") # Query String Parameter or Default Value Parameter (fullname, vipStatus=False) arg (Bob Smith) -> (Bob Smith, False) arg (Bob Smith, True) -> (Bob Smith, True) arg (Bob Smith, False) -> (Bob Smith, False) Python REQUIRES all default value params to be at the end ====> Know your data models! (fName, mInitial="", lName, vipsStatus=False) -> error in Python (fName, lName, mInitial="", vipStatus=False) -> ok ''' def ccInfoInput(): # Ask the user to enter their credit card informaion, using ccNum, ccExp, ccCode and ccZip print("=== Please provide your credit card info for your purchase ===") # Credit Card Number ccNum = input('Enter you credit card number: ') # Expiration Date ccExp = input('Enter Expiration Date (mm/yyyy): ') # Security Code ccCode = input('Enter your Security Code: ') # Zip Code ## Use 5 digit format, not 5-4 format ccZip = input('Enter your zip code (12345): ') # Create a tuple with the user-supplied inputs ccInfo = (ccNum, ccExp, ccCode, ccZip) print(ccInfo) # function return ccNum, ccInfo # method # Calling the Function ccInfoInput() # We see the ccInfo tuple from the print() # Create an instance from the Method resultNum, resultInfo = ccInfoInput() # Use the return of the value, using the methods return keyword and assigns that value to result print(resultNum) print(resultInfo) # print the variable result # EOF