14

Consider the following string building statement:

s="svn cp %s/%s/ %s/%s/" % (root_dir, trunk, root_dir, tag)

Using four %s can be confusing, so I prefer using variable names:

s="svn cp {root_dir}/{trunk}/ {root_dir}/{tag}/".format(**SOME_DICTIONARY)

When root_dir, tag and trunk are defined within the scope of a class, using self.__dict__ works well:

s="svn cp {root_dir}/{trunk}/ {root_dir}/{tag}/".format(**self.__dict__)

But when the variables are local, they are not defined in a dictionary, so I use string concatenation instead:

s="svn cp "+root_dir+"/"+trunk+"/ "+root_dir+"/"+tag+"/"

I find this method quite confusing, but I don't know any way to construct a string using in-line local variables.

How can I construct the string using variable names when the variables are local?

Update: Using the locals() function did the trick.

Note that mixing local and object variables is allowed! e.g.,

s="svn cp {self.root_dir}/{trunk}/ {self.root_dir}/{tag}/".format(**locals())
Adam Matan
  • 128,757
  • 147
  • 397
  • 562

3 Answers3

26

You can use locals() function

s="svn cp {root_dir}/{trunk}/{root_dir}/{tag}/".format(**locals())

EDIT:

Since python 3.6 you can use string interpolation:

s = f"svn cp {root_dir}/{trunk}/{root_dir}/{tag}/"
Kiro
  • 920
  • 10
  • 24
  • 1
    Thanks, completely forgot `locals()`. – Adam Matan Jul 04 '13 at 13:55
  • note that '{a}'.format(**locals()), '{a}'.format(a=a) and '{0}'.format(a) are timed at 450ns, 410 and 215 respectivelly. (ok it's ns...) – comte May 11 '15 at 16:44
  • note string interpolation (which is pretty awesome and works for the vast majority of use cases) will format immediately; in some cases (like template string arguments), you might want to call the `format` method at a later time, after initial string assignment – user2561747 Feb 21 '19 at 03:10
2

Have you tried s="svn cp {root_dir}/{trunk}/ {root_dir}/{tag}/".format(**locals()) ?

yahe
  • 1,708
  • 1
  • 9
  • 6
0

less cryptic and faster

"my name is {__name__}".format_map(locals())

str.format_map(mapping)

Similar to str.format(**mapping), except that mapping is used directly and not copied to a dict.

milahu
  • 2,447
  • 1
  • 18
  • 25