Advance Praise for Head First Python Part 10 potx

44 196 0
Advance Praise for Head First Python Part 10 potx

Đang tải... (xem toàn văn)

Tài liệu hạn chế xem trước, để xem đầy đủ mời bạn chọn Tải xuống

Thông tin tài liệu

you are here 4 415 dealing with complexity If we have a match, great. If not, we look for the closest match and work from there If it’s not in the dictionary, it can’t be found. The data in the row_data dictionary originally comes from the spreadsheet and is read into your program from the CSV file. If the data value entered into the recorded_time variable is in the dictionary, things are going to be fine, because there’s a match. However, if the data entered into the recorded_time variable doesn’t match anything in the dictionary, you’ll get a KeyError. But how is this “problem” handled during training? The entered time for a 20k run (59:59) falls between these two values on the pace sheet. 416 Chapter 11 close enough Search for the closest match All you need to do is search the row of data for the closest match, right? And guess what? The Head First Code Review Team think they have some functions that might help here. There’s nothing better than sharing our code with our fellow Python programmers. Check out our “find_it” module. This code is in a file called “find_it.py” and you can download a copy from this book’s support website. Here’s an example of a nested function, which is allowed in Python. Given two values, this function returns the difference between them. The “find_closest” function does a simple linear search, returning the value in “target_data” that most closely matches the “look_for” argument. This may not be the most efficient search code ever written, but it works. you are here 4 417 dealing with complexity Let’s test the find_it.py module to try and determine if it meets the requirements of your application. Load the module into IDLE and then press F5 or choose Run Module from the Run menu: >>> find_closest(3.3, [1.5, 2.5, 4.5, 5.2, 6]) 2.5 >>> find_closest(3, [1, 5, 6]) 1 >>> find_closest(3, [1, 3, 4, 6]) 3 >>> find_closest(3.6, [1.5, 2.5, 4.5, 5.2, 6]) 4.5 >>> find_closest(3, [1, 4, 6]) 4 >>> find_closest(2.6, [1.5, 2.5, 4.5, 5.2, 6]) 2.5 Given a value to look for and some target data, the “find_closest” function seems to be doing the trick. Let’s try it with some of data that more closely resembles your CSV data: >>> find_closest('59:59', ['56:29', '57:45', '59:03', '1:00:23', '1:01:45']) Traceback (most recent call last): File "<pyshell#23>", line 1, in <module> find_closest('59:59', ['56:29', '57:45', '59:03', '1:00:23', '1:01:45']) File "/Users/barryp/HeadFirstPython/chapter11/find_it.py", line 15, in find_closest if diff == 0: File "/Users/barryp/HeadFirstPython/chapter11/find_it.py", line 11, in whats_the_difference TypeError: unsupported operand type(s) for -: 'str' and 'str' Yikes! Something’s seriously broken here. What do you think has gone wrong here? Why does the find_closest() function crash when asked to work with data from your CSV file? 418 Chapter 11 time trials The trouble is with time The data in your CSV file is a representation of timing values. Rather than actual numbers, the values in the CSV are strings. This is great for you, because you understand what the representation means. Python, on the other hand, sees the data only as strings. When you send your data to the find_closest() function, Python attempts to treat your strings as numbers and chaos ensues. What might work would be to convert the time-strings into numbers. But how? When I have to work with times, I always convert my time strings to seconds first Yeah, of course! Didn’t we write the “tm2secs2tm” module to handle this sort of thing? you are here 4 419 dealing with complexity Here’s the guy’s “tm2secs2tm.py” module. Grab a copy of this code from this book’s support website. Given a “time string”, convert it to a value in seconds. Convert a value in seconds to a “time string”. The time-to-seconds-to-time module The Head First Code Review Team’s generosity knows no bounds. Sure enough, their rather strangely name tm2secs2tm.py module looks like it might help. This function ensures that all times are formatted in “HH:MM:SS” format. This helps keep things simple when doing conversions to seconds. Now that you have the tm2secs2tm.py and find_it.py modules, let’s create a function that uses the facilities provided by these modules to solve your searching problem. Your new function, called find_nearest_time(), takes two arguments: the time to look for and a list of times to search. The function returns the closest time found as a string: from find_it import find_closest from tm2secs2tm import time2secs, secs2time def find_nearest_time(look_for, target_data): The code you need has been started for you. Unlike in the previous chapter, it is possible to do what you need to do here in only four lines of code. 420 Chapter 11 time to string Now that you have the tm2secs2tm.py and find_it.py modules, you were to create a function that uses the facilities provided by these modules to solve your searching problem. Your new function, called find_nearest_time(), takes two arguments: the time to look for and a list of times to search. The function returns the closest time found as a string: from find_it import find_closest from tm2secs2tm import time2secs, secs2time def find_nearest_time(look_for, target_data): what = time2secs(look_for) where = [time2secs(t) for t in target_data] res = find_closest(what, where) return(secs2time(res)) Import the team’s code. The function takes two arguments, a time string and a list of time strings. Convert the time string you are looking for into its equivalent value in seconds. Convert the lines of time strings into seconds. Call “find_closest()”, supplying the converted data. Return the closest match to the calling code, after converting it back to a time string. Let’s try out your code at the IDLE shell to see if your time “problems” have been resolved: >>> find_nearest_time('59:59’, ['56:29', '57:45', '59:03', '1:00:23', '1:01:45']) '01:00:23' >>> find_nearest_time('1:01:01', ['56:29', '57:45', '59:03', '1:00:23', '1:01:45']) '01:00:23' >>> find_nearest_time('1:02:01', ['56:29', '57:45', '59:03', '1:00:23', '1:01:45']) '01:01:45' >>> find_nearest_time('57:06', ['56:29’, '57:45', '59:03', '1:00:23', '1:01:45']) '00:56:29' Here’s some of your pace data. Let’s work with data from the “20k” row. Great! This appears to be working fine. you are here 4 421 dealing with complexity Test Drive With all this code available to you, it’s an easy exercise to put it all together in your program and produce a complete solution to the Marathon Club’s prediction problem. Let’s take it for a test run. This code is used “as is”. Find the nearest time within the data. Extract the column heading. Search for a predicted time at the desired distance and display it on screen. After all that, you’re getting the same error as before. Bummer. Another “KeyError”… Try out your program with the same data input from earlier. 422 Chapter 11 more time trials The trouble is still with time… Or, to be more precise, with how the tm2secs2tm.py module formats time strings. Take another look at the results from the previous IDLE Session. Do you notice anything strange about the results returned by the call to the find_nearest_time() function? >>> find_nearest_time('59:59’, ['56:29', '57:45', '59:03', '1:00:23', '1:01:45']) '01:00:23' >>> find_nearest_time('1:01:01', ['56:29', '57:45', '59:03', '1:00:23', '1:01:45']) '01:00:23' >>> find_nearest_time('1:02:01', ['56:29', '57:45', '59:03', '1:00:23', '1:01:45']) '01:01:45' >>> find_nearest_time('57:06', ['56:29’, '57:45', '59:03', '1:00:23', '1:01:45']) '00:56:29' All the returned times use the “HH:MM:SS” format. When your code takes one of these returned values and tries to index into your dictionary, there’s no match found, because your dictionary’s keys do not confirm to the HH:MM:SS format. The solution to this problem is to ensure that every time you use a time-string in your code, make sure it’s in HH:MM:SS format: Import the “format_time()” function from the “tm2secs2tm.py” module. Use the function to ensure the times used internally by your code are formatted in “HH:MM:SS” format. you are here 4 423 dealing with complexity Test Drive Let’s try your code one more time. Hopefully, now that all of the time strings within the system conform to HH:MM:SS format, your code will behave itself. This is the previous test, which crashed with a “KeyError”. This time around, your program behaves itself and works fine. Another test confirms that things are working well. And one final test makes sure. This is working well. You’ve solved your application’s central problem: your program reads in the spreadsheet data from the CSV file, turns it into a dictionary of dictionaries, and lets you interact with your user to acquire the recorded time at a particular distance before predicting a time for another distance. Not counting the code provided by the Head First Code Review Team, you’ve written fewer than 40 lines of code to solve this problem. That’s quite an achievement. All that’s left to do is to port your program to the club’s Android’s phones. And porting to Android won’t take too long, will it? 424 Chapter 11 android interface Port to Android Your code is working great. Now it’s time to port your text-based Python program to Android. Most of your code doesn’t need to change, only the parts that interact with your user. Obviously, you’ll want to make things as easy to use as possible for users of your latest Android app, providing an interface not unlike this one. 1. Start by picking a distance run… 2. Enter the recorded time… 3. Select a distance to predict to… 4. After the lookup, display the predicted time. These are both “dialogSetSingleChoiceItems” dialog boxes. This is a “dialogSetItems” dialog box. This is a “dialogGetInput” dialog box. [...]... text in IDLE 4 books Dive Into Python 3 (CreateSpace) 445 Head First HTML with CSS & XHTML (O’Reilly) 374 Head First Programming (O’Reilly) 443 Head First SQL (O’Reilly) 313 Learning Python (O’Reilly) 445 Mastering Regular Expressions (O’Reilly) 440 Programming in Python 3 (Addison-Wesley Professional) 445 Python Essential Reference (Addison-Wesley Professional) 445 Python for Unix and Linux System Administration... in Python by Python programmers for other Python programmers what else could you ask for? The WingWare Python IDE More general tools also exist If you are running Linux, the KDevelop IDE integrates well with Python And, of course,there are all those programmer editors which are often all you’ll ever need Many Mac OS X programmers swear by the TextMate programmer’s editor There’s more than a few Python. .. things go, so drop us a line at the Head First Labs website, www.headfirstlabs.com, and let us know how Python is paying off for YOU! you are here 4 433 appendix: leftovers The Top Ten Things (we didn’t cover) I don’t know about you, but I think it could do with more spam You’ve come a long way But learning about Python is an activity that never stops The more Python you code, the more you’ll need... data interchange format bundling with code See classes duplicates in, removing 161–163, 166–167 external See database management system; files for GAE webapps See datastore, for GAE nonuniform, cleaning 148–153 race conditions with 309– 310 Robustness Principle for 384–387 searching for closest match 416–417 sending to web server 275, 291 sorting 144–147, 172 storing See persistence transforming, list... toolkits target Python 2, although support for Python 3 is on its way Search the Web for any of the project names to learn more Oh, look: it’s one of the GUIs created in Head Firstd Programming”…and yes, I sai I wouldn’t mention THAT I book again, but isn’t this GU beautiful? § you are here 4 443 your bugs, my bugs, and threads #9: Stuff to avoid When it comes to stuff to avoid when using Python, there’s... exist in Python but should be avoided where possible This has nothing to do with the quality of Python s threading library and everything to do with Python s implementation, especially the implementation known as CPython (which is more than likely the one you’re running now) Python is implemented using a technology known as the Global Interpreter Lock (GIL), which enforces a restriction that Python can... with Python until the GIL restriction is removed…if it ever is 444 appendix Don’t you like my threads ? leftovers #10: Other books There are lots of great books that cover Python in general, as well as specifically within a particular problem domain Here is a collection of my favorite Python books, which we have no hestitation in recommending to you If you are a sysadmin, then this is the Python book for. .. 18 A “a” access mode 110 access modes for files 110, 133 addition operator (+) 138 Alt-N keystroke, IDLE 5 Alt-P keystroke, IDLE 5 AndFTP app 288–289 Android apps accepting input from 278–282, 295, 304–307 converting from Python code 424–430 creating 274–277, 281–282 data for See JSON data interchange format integrating with SQLite 342–348 running on phone 288–289 scripting layer for See SL4A troubleshooting... is the WingWare Python IDE This professional-level development tool is specifically geared toward the Python programmer, is written by and maintained by Python programmers, and is itself written in Python WingWare Python IDE comes in various licencing flavor: it’s free if you’re a student or working on an open source project, but you’ll need to pay for it if you are working within a for- profit development... your Python skills and techniques to great use here Whether you’re building an app for the smallest handheld device or the biggest web server, your Python skills help you get the job done Congratulations! you are here 4 431 python toolbox Your Python Toolbox CHAPTER 11 You’ve got Chapter 11 under your belt and you’ve demonstrated a mastery of your Python toolbox Congratulations and well done! Python . '1:01:45']) File "/Users/barryp/HeadFirstPython/chapter11/find_it.py", line 15, in find_closest if diff == 0: File "/Users/barryp/HeadFirstPython/chapter11/find_it.py", line. beginning your Python journey and you’re in the driver’s seat. We’re dying to hear how things go, so drop us a line at the Head First Labs website, wwwheadfirstlabscom, and let us know how Python. user to acquire the recorded time at a particular distance before predicting a time for another distance. Not counting the code provided by the Head First Code Review Team, you’ve written

Ngày đăng: 05/08/2014, 22:22

Từ khóa liên quan

Tài liệu cùng người dùng

  • Đang cập nhật ...

Tài liệu liên quan