Формат строки Python ()

Метод string format () форматирует заданную строку в более удобный вывод на Python.

Синтаксис format()метода:

 template.format (p0, p1,…, k0 = v0, k1 = v1,…)

Здесь p0, p1,… - позиционные аргументы, а k0, k1,… - аргументы ключевого слова со значениями v0, v1,… соответственно.

И шаблон представляет собой смесь кодов формата с заполнителями для аргументов.

Формат строки () Параметры

format()принимает любое количество параметров. Но, делится на два типа параметров:

  • Позиционные параметры - список параметров, к которым можно получить доступ, указав индекс параметра в фигурных скобках.(index)
  • Параметры ключевого слова - список параметров типа ключ = значение, к которым можно получить доступ с помощью ключа параметра в фигурных скобках(key)

Возвращаемое значение из формата String ()

format()Метод возвращает отформатированную строку.

Как работает String format ()?

Объект format()считывает тип переданных ему аргументов и форматирует его в соответствии с кодами формата, определенными в строке.

Для позиционных аргументов

Позиционные аргументы

Здесь аргумент 0 - это строка «Адам», а аргумент 1 - плавающее число 230.2346.

Примечание. В Python список аргументов начинается с 0.

Строка "Hello (0), your balance is (1:9.3f)"- это строка шаблона. Он содержит коды формата для форматирования.

Фигурные скобки - это просто заполнители для размещения аргументов. В приведенном выше примере (0) является заполнителем для «Адама», а (1: 9.3f) - заполнителем для 230.2346.

Поскольку строка шаблона ссылается на format()аргументы как (0)и (1), аргументы являются позиционными аргументами. На них обоих также можно ссылаться без чисел as, ()и Python внутренне преобразует их в числа.

Внутри

  • Поскольку «Адам» является 0- м аргументом, он помещается вместо (0). Поскольку, (0)не содержит никаких других кодов формата, он не выполняет никаких других операций.
  • Однако это не относится к 1- му аргументу 230.2346. Здесь (1:9.3f)230.2346 помещается на его место и выполняется операция 9.3f.
  • f указывает формат работы с числом с плавающей запятой. Если не правильно указать, выдаст ошибку.
  • Часть перед "." (9) определяет минимальную ширину / заполнение, которое может принимать число (230.2346). В этом случае 230.2346 отводится минимум 9 мест, включая ".".
    Если параметр выравнивания не указан, он выравнивается по правому краю оставшихся пробелов. (Для строк он выравнивается по левому краю.)
  • Часть после "." (3) обрезает десятичную часть (2346) до заданного числа. В этом случае 2346 усекается после 3 разрядов.
    Остальные числа (46) округляем, получая 235.

Для аргументов ключевого слова

Аргументы ключевого слова

Мы использовали тот же пример выше, чтобы показать разницу между ключевыми и позиционными аргументами.

Здесь вместо параметров мы использовали пару "ключ-значение" для параметров. А именно name = "Adam" и blc = 230.2346.

Поскольку на эти параметры ссылаются их ключи как (имя) и (blc: 9.3f), они известны как ключевое слово или именованные аргументы.

Внутри

  • Заполнитель (имя) заменяется значением имени - «Адам». Поскольку он не содержит никаких других кодов формата, помещается «Адам».
  • Для аргумента blc = 230.2346 заполнитель (blc: 9.3f) заменяется значением 230.2346. Но перед его заменой, как и в предыдущем примере, он выполняет над ним операцию 9.3f.
    Это выводит 230.235.0. Десятичная часть обрезается после трех знаков, а оставшиеся цифры округляются. Аналогично, общая ширина назначена 9, оставляя два пробела слева.

Базовое форматирование с помощью format ()

format()Метод позволяет использовать простые заполнители для форматирования.

Пример 1. Базовое форматирование для аргументов по умолчанию, позиционных и ключевых слов

 # default arguments print("Hello (), your balance is ().".format("Adam", 230.2346)) # positional arguments print("Hello (0), your balance is (1).".format("Adam", 230.2346)) # keyword arguments print("Hello (name), your balance is (blc).".format(name="Adam", blc=230.2346)) # mixed arguments print("Hello (0), your balance is (blc).".format("Adam", blc=230.2346))

Вывод

Здравствуйте, Адам, ваш баланс 230,2346. Здравствуйте, Адам, ваш баланс 230,2346. Здравствуйте, Адам, ваш баланс 230,2346. Здравствуйте, Адам, ваш баланс 230,2346.

Примечание. В случае смешанных аргументов аргументы ключевого слова всегда должны следовать за позиционными аргументами.

Форматирование чисел с помощью format ()

Вы можете форматировать числа, используя описатель формата, указанный ниже:

Типы форматирования чисел
Тип Смысл
d Десятичное целое число
c Соответствующий символ Юникода
б Двоичный формат
о Восьмеричный формат
Икс Шестнадцатеричный формат (нижний регистр)
Икс Шестнадцатеричный формат (верхний регистр)
п То же, что и d. За исключением того, что для разделителя чисел используется текущий языковой стандарт.
е Экспоненциальная запись. (строчная е)
E Exponential notation (uppercase E)
f Displays fixed point number (Default: 6)
F Same as 'f'. Except displays 'inf' as 'INF' and 'nan' as 'NAN'
g General format. Rounds number to p significant digits. (Default precision: 6)
G Same as 'g'. Except switches to 'E' if the number is large.
% Percentage. Multiples by 100 and puts % at the end.

Example 2: Simple number formatting

 # integer arguments print("The number is:(:d)".format(123)) # float arguments print("The float number is:(:f)".format(123.4567898)) # octal, binary and hexadecimal format print("bin: (0:b), oct: (0:o), hex: (0:x)".format(12))

Output

 The number is: 123 The number is:123.456790 bin: 1100, oct: 14, hex: c

Example 3: Number formatting with padding for int and floats

 # integer numbers with minimum width print("(:5d)".format(12)) # width doesn't work for numbers longer than padding print("(:2d)".format(1234)) # padding for float numbers print("(:8.3f)".format(12.2346)) # integer numbers with minimum width filled with zeros print("(:05d)".format(12)) # padding for float numbers filled with zeros print("(:08.3f)".format(12.2346))

Output

 1 2 1 2 3 4 1 2 . 2 3 5 0 0 0 1 2 0 0 1 2 . 2 3 5 

Here,

  • in the first statement, (:5d) takes an integer argument and assigns a minimum width of 5. Since, no alignment is specified, it is aligned to the right.
  • In the second statement, you can see the width (2) is less than the number (1234), so it doesn't take any space to the left but also doesn't truncate the number.
  • Unlike integers, floats has both integer and decimal parts. And, the mininum width defined to the number is for both parts as a whole including ".".
  • In the third statement, (:8.3f) truncates the decimal part into 3 places rounding off the last 2 digits. And, the number, now 12.235, takes a width of 8 as a whole leaving 2 places to the left.
  • If you want to fill the remaining places with zero, placing a zero before the format specifier does this. It works both for integers and floats: (:05d) and (:08.3f).

Example 4: Number formatting for signed numbers

 # show the + sign print("(:+f) (:+f)".format(12.23, -12.23)) # show the - sign only print("(:-f) (:-f)".format(12.23, -12.23)) # show space for + sign print("(: f) (: f)".format(12.23, -12.23))

Output

+12.230000 -12.230000 12.230000 -12.230000 1 2. 2 3 0 0 0 0 - 1 2. 2 3 0 0 0 0

Форматирование чисел с выравниванием

Операторы and =используются для выравнивания при присвоении номерам определенной ширины.

Форматирование чисел с выравниванием
Тип Смысл
< Выровнен по левому краю по оставшемуся пространству
^ Центр выровнен по оставшемуся пространству
> Выровнен по правому краю по оставшемуся пространству
знак равно Переводит знак (+) (-) в крайнее левое положение

Пример 5: Форматирование чисел с выравниванием влево, вправо и по центру

 # integer numbers with right alignment print("(:5d)".format(12)) # float numbers with center alignment print("(:^10.3f)".format(12.2346)) # integer left alignment filled with zeros print("(:<05d)".format(12)) # float numbers with center alignment print("(:=8.3f)".format(-12.2346))

Вывод

1 2 1 2. 2 3 5 1 2 0 0 0 - 1 2. 2 3 5

Примечание: выравнивание по левому краю, заполненное нулями для целых чисел, может вызвать проблемы, как в третьем примере, который возвращает 12000, а не 12.

Форматирование строки с помощью format ()

Как числа, строка может быть отформатирована аналогичным образом с помощью format().

Example 6: String formatting with padding and alignment

 # string padding with left alignment print("(:5)".format("cat")) # string padding with right alignment print("(:>5)".format("cat")) # string padding with center alignment print("(:^5)".format("cat")) # string padding with center alignment # and '*' padding character print("(:*^5)".format("cat"))

Output

 c a t c a t c a t * c a t * 

Example 7: Truncating strings with format()

 # truncating strings to 3 letters print("(:.3)".format("caterpillar")) # truncating strings to 3 letters # and padding print("(:5.3)".format("caterpillar")) # truncating strings to 3 letters, # padding and center alignment print("(:^5.3)".format("caterpillar"))

Output

 c a t c a t c a t 

Formatting class and dictionary members using format()

Python internally uses getattr() for class members in the form ".age". And, it uses __getitem__() lookup for dictionary members in the form "(index)".

Example 8: Formatting class members using format()

 # define Person class class Person: age = 23 name = "Adam" # format age print("(p.name)'s age is: (p.age)".format(p=Person()))

Output

 Adam's age is: 23 

Here, Person object is passed as a keyword argument p.

Inside the template string, Person's name and age are accessed using .name and .age respectively.

Example 9: Formatting dictionary members using format()

 # define Person dictionary person = ('age': 23, 'name': 'Adam') # format age print("(p(name))'s age is: (p(age))".format(p=person))

Output

 Adam's age is: 23 

Similar to class, person dictionary is passed as a keyword argument p.

Inside the template string, person's name and age are accessed using (name) and (age) respectively.

There's an easier way to format dictionaries in Python using str.format(**mapping).

 # define Person dictionary person = ('age': 23, 'name': 'Adam') # format age print("(name)'s age is: (age)".format(**person))

** is a format parameter (minimum field width).

Arguments as format codes using format()

You can also pass format codes like precision, alignment, fill character as positional or keyword arguments dynamically.

Example 10: Dynamic formatting using format()

 # dynamic string format template string = "(:(fill)(align)(width))" # passing format codes as arguments print(string.format('cat', fill='*', # dynamic float format template num = "(:(align)(width).(precision)f)" # passing format codes as arguments print(num.format(123.236,>

Output

 * * c a t * * 1 2 3 . 2 4 

Here,

  • In the first example, 'cat' is the positional argument is to be formatted. Likewise, fill='*', align='^' and width=5 are keyword arguments.
  • In the template string, these keyword arguments are not retrieved as normal strings to be printed but as the actual format codes fill, align and width.
    The arguments replaces the corresponding named placeholders and the string 'cat' is formatted accordingly.
  • Likewise, in the second example, 123.236 is the positional argument and, align, width and precision are passed to the template string as format codes.

Extra formatting options with format()

format() also supports type-specific formatting options like datetime's and complex number formatting.

format() internally calls __format__() for datetime, while format() accesses the attributes of the complex number.

You can easily override the __format__() method of any object for custom formatting.

Example 11: Type-specific formatting with format() and overriding __format__() method

 import datetime # datetime formatting date = datetime.datetime.now() print("It's now: (:%Y/%m/%d %H:%M:%S)".format(date)) # complex number formatting complexNumber = 1+2j print("Real part: (0.real) and Imaginary part: (0.imag)".format(complexNumber)) # custom __format__() method class Person: def __format__(self, format): if(format == 'age'): return '23' return 'None' print("Adam's age is: (:age)".format(Person()))

Output

 It's now: 2016/12/02 04:16:28 Real part: 1.0 and Imaginary part: 2.0 Adam's age is: 23 

Here,

  • For datetime:
    Current datetime is passed as a positional argument to the format() method.
    And, internally using __format__() method, format() accesses the year, month, day, hour, minutes and seconds.
  • For complex numbers:
    1+2j is internally converted to a ComplexNumber object.
    Then accessing its attributes real and imag, the number is formatted.
  • Overriding __format__():
    Like datetime, you can override your own __format__() method for custom formatting which returns age when accessed as (:age)

Вы также можете использовать объекты __str__()и __repr__()функции с сокращенными обозначениями, используя format().

Например __format__(), вы можете легко переопределить объекты __str__()и __repr_()методы.

Пример 12: __str () __ и __repr () __ сокращенное обозначение! R и! S с использованием format ()

 # __str__() and __repr__() shorthand !r and !s print("Quotes: (0!r), Without Quotes: (0!s)".format("cat")) # __str__() and __repr__() implementation for class class Person: def __str__(self): return "STR" def __repr__(self): return "REPR" print("repr: (p!r), str: (p!s)".format(p=Person()))

Вывод

 Цитаты: 'cat', Без кавычек: cat repr: REPR, str: STR 

Интересные статьи...