You are here: Home > Dive Into Python > Native Datatypes > Formatting Strings | << >> | ||||
Dive Into PythonPython from novice to pro |
Python supports formatting values into strings. Although this can include very complicated expressions, the most basic usage is to insert values into a string with the %s placeholder.
String formatting in Python uses the same syntax as the sprintf function in C. |
Note that (k, v) is a tuple. I told you they were good for something.
You might be thinking that this is a lot of work just to do simple string concatentation, and you would be right, except that string formatting isn't just concatenation. It's not even just formatting. It's also type coercion.
>>> uid = "sa" >>> pwd = "secret" >>> print pwd + " is not a good password for " + uid secret is not a good password for sa >>> print "%s is not a good password for %s" % (pwd, uid) secret is not a good password for sa >>> userCount = 6 >>> print "Users connected: %d" % (userCount, ) Users connected: 6 >>> print "Users connected: " + userCount Traceback (innermost last): File "<interactive input>", line 1, in ? TypeError: cannot concatenate 'str' and 'int' objects
As with printf in C, string formatting in Python is like a Swiss Army knife. There are options galore, and modifier strings to specially format many different types of values.
>>> print "Today's stock price: %f" % 50.4625 Today's stock price: 50.462500 >>> print "Today's stock price: %.2f" % 50.4625 Today's stock price: 50.46 >>> print "Change since yesterday: %+.2f" % 1.5 Change since yesterday: +1.50
<< Declaring variables |
| 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | |
Mapping Lists >> |