In Python2, print was a keyword which introduced a statement:

print "Hi"

In Python3, print is a function which may be invoked:

print ("Hi")

In both versions, % is an operator which requires a string on the left-hand side and a value or a tuple of values or a mapping object (like dict) on the right-hand side.

So, your line ought to look like this:

print("a=%d,b=%d" % (f(x,n),g(x,n)))

Also, the recommendation for Python3 and newer is to use {}-style formatting instead of %-style formatting:

print('a={:d}, b={:d}'.format(f(x,n),g(x,n)))

Python 3.6 introduces yet another string-formatting paradigm: f-strings.

print(f'a={f(x,n):d}, b={g(x,n):d}')
Answer from Robᵩ on Stack Overflow
🌐
W3Schools
w3schools.com › python › python_string_formatting.asp
Python String Formatting
Python Variables Variable Names Assign Multiple Values Output Variables Global Variables Variable Exercises Code Challenge Python Data Types
Discussions

printf - How to print a C format in python - Stack Overflow
A python newbie question: I would like to print in python with the c format with a list of parameters: agrs = [1,2,3,"hello"] string = "This is a test %d, %d, %d, %s" How can I print using python... More on stackoverflow.com
🌐 stackoverflow.com
Will bad things happen if there was a printf() in Python 3?
Would it really help though? How big is the difference between print(f"Your string: {here}") and printf("Your string: {here}") Maybe I am missing a use case More on reddit.com
🌐 r/Python
9
0
November 3, 2020
language design - What are the differences between designing a print function Python-style as opposed to C-style? - Programming Language Design and Implementation Stack Exchange
They may or may not have a function that's similar to printf, combining the string templating with printing: when combining a string-printing function with a template formatting function is simple enough, there's no need for a function that does both. For example, in Python, the equivalent ... More on langdev.stackexchange.com
🌐 langdev.stackexchange.com
June 24, 2023
Python String Formatting - Technical Feedback - Developer Forum
This post was triggered by a discussion between @ideasman42 and myself in D8072: API docs: intro overhaul. To provide some context to this post: Python has three different approaches for string formatting: printf-sty… More on devtalk.blender.org
🌐 devtalk.blender.org
6
June 23, 2020
🌐
Python documentation
docs.python.org › 3 › tutorial › inputoutput.html
7. Input and Output — Python 3.14.3 documentation
To use formatted string literals, begin a string with f or F before the opening quotation mark or triple quotation mark. Inside this string, you can write a Python expression between { and } characters that can refer to variables or literal values.
🌐
GeeksforGeeks
geeksforgeeks.org › python › python-output-formatting
Python - Output Formatting - GeeksforGeeks
The format() method was introduced in Python 2.6 to enhance string formatting capabilities. This method allows for a more flexible way to handle string interpolation by using curly braces {} as placeholders for substituting values into a string. It supports both positional and named arguments, making it versatile for various formatting needs.
Published   July 11, 2025
🌐
Readthedocs
nrn.readthedocs.io › en › 8.0.2 › python › programming › io › printf.html
Printf (Formatted Output) — NEURON documentation
h.printf("\tpi=%-20.10g sin(pi)=%f\n", h.PI, h.sin(h.PI)) pi=3.141592654 sin(pi)=0.000000 42 · Pure Python equivalent example: import math print('\tpi=%-20.10g sin(pi)=%f' % (math.pi, math.sin(math.pi))) Note · The parentheses around the print argument are supplied in this way to allow it to work with both Python 2 and Python 3.
Find elsewhere
🌐
Python documentation
docs.python.org › 3 › library › stdtypes.html
Built-in Types — Python 3.14.3 documentation
3 weeks ago - Strings also support two styles of string formatting, one providing a large degree of flexibility and customization (see str.format(), Format String Syntax and Custom String Formatting) and the other based on C printf style formatting that handles a narrower range of types and is slightly harder to use correctly, but is often faster for the cases it can handle (printf-style String Formatting).
🌐
Quora
quora.com › What-is-the-printf-operator-in-Python
What is the printf operator in Python? - Quora
Answer (1 of 5): There is no printf in Python. There is print, which is a built-in function, but it’s not an operator. If what you’re asking is how can you get the printf functionality in Python, that we can do. printf, which first appeared ...
🌐
Real Python
realpython.com › python-string-formatting
Python String Formatting: Available Tools and Their Features – Real Python
December 2, 2024 - The different types of string formatting in Python include f-strings for embedding expressions inside string literals, the .format() method for creating string templates and filling them with values, and the modulo operator (%), an older method used in legacy code similar to C’s printf() function.
Top answer
1 of 3
9

It's mainly related to the basics of the type system, but sometimes related to other considerations on the philosophy of the language.

print with arbitrary values

Some languages have a print function that accepts arbitrary values. Others need the program to explicitly convert data to a string. What makes the difference is whether the language makes it possible to infer how to convert the data with some default conversion mechanism (e.g. integers printed in decimal, lists printed as something like the language's list constructor syntax, etc.).

In a dynamically typed language like Python, it's easy. All values have runtime type information, so the printing function can use that to determine how to print the argument.

In statically typed languages, there typically isn't enough information at runtime to find a sensible way to convert a value's representation to a string. For example, a word in memory could contain an integer or a float or a pointer and there's no way to find out which. So any automatic conversion to string has to follow some rules at compile time, where the compiler generates the correct formatting function based on the argument's static type.

C has no such mechanism. C is a low-level language which gives the programmer a lot of control. If you want to print an integer, you have to specify whether you want it in decimal, hexadecimal or octal. If you want to print a floating-point value, you have to specify how many digits of precision. This philosophy is prevalent in C, so the design of the language doesn't include any mechanism for selecting between different implementations of a function based on the argument type. (From C11 onwards there is such a mechanism, but it's restricted to selecting between floating point types for a few built-in functions.)

Many statically typed languages have an overloading mechanism that allows the selection of different implementations of a function based on the argument's type. For example, in C++, the << operator selects between different printing functions based on the type of its right-hand argument, so you can write cout << 1, cout << 1.5, cout << "hello", etc. (And << even selects between being a printing function and a bitwise operator, based on the type of its left-hand argument.) This is a compile-time mechanism: the compiler knows that there are many << functions, each with their type. In Haskell, this is the Show type class, with an instance for each type or type constructor for which a printing mechanism exists.

printf with a template

Almost all general-purpose languages have function that's similar to C's sprintf, often with a similar template syntax. They may or may not have a function that's similar to printf, combining the string templating with printing: when combining a string-printing function with a template formatting function is simple enough, there's no need for a function that does both.

For example, in Python, the equivalent of C's sprintf is the % operator, which uses a printf-like template syntax. This templating mechanism from the original version of the language is somewhat deprecated in modern Python in favor of a different template syntax that is accessible via the format method on the template string; the syntax is different, but the core principle is the same. Python only has a sprintf equivalent, not a printf equivalent, because there wouldn't be much point: it's almost as easy to write print(template % (arg1, arg2)) or print(template.format(arg1, arg2)) as it would be to write print(template, arg1, arg2).

Having separate functions requires constructing the resulting string in memory. In C, that's a big deal: you have to allocate enough memory, and C gives you a choice of allocators: you can use a global buffer, or a buffer on the stack, or a buffer allocated by malloc, or a buffer allocated by some custom allocator. So it's convenient to have a function that can directly print out the data piece by piece. In a high-level language like Python, the allocation is done entirely under the hood and allocating a string in memory is not considered a big deal.

The main reason some general-purpose don't have a printf or sprintf-like function is that it's hard to fit into a static type system. You have to match the content of the template string with the types of the other arguments, and even with the number of other arguments. In C, that's not a problem because the type system is very far from sound. It's the responsibility of the programmer to pass the correct number of arguments with the correct types. In dynamically typed languages, that's not a problem because the templating function can check argument types at runtime.

Many statically typed languages arrange some printf-like mechanism anyway, with various degree of “compiler magic”, i.e. you couldn't implement printf as a library function. For example, Pascal has special handling for some functions like write which accept multiple argument types and even a field width formatting syntax. You can write write('x=', x:3) but you can't make your own function that accepts a variable number of arguments, or that takes the extra width annotation :3. In Ocaml, the printf mechanism requires the template to be a string literal, which the compiler parses to deduce the expected type of the argument list: printf itself has a special type for which you can't build values normally, but sprintf "x=%3" has the type int -> string.

Haskell's type classes (a very fancy overloading mechanism) are powerful enough to define a printf function in the base library, but it requires runtime validation of the template against its type. The types of the arguments determine the type class of the template, which determines the implementation of the template-to-string conversion. The template-to-string conversion uses the template string to determine exactly what must be printed, but needs to validate that it matches the expected types for the arguments. For example, printf template 1 results in code that knows that it needs to format one integer, and will accept x=%3d as a template but not x=%s or x=%3d, y=%3d.

2 of 3
6

There is a price you need to pay for print to look like it does in python. Ask yourself if it is an acceptable price that fits well into your balance of goals and compromises.

The price is one of the following:

  • Dynamic type system with a runtime dispatch. With all the consequences - boxed values all over, limited static analysis availability, runtime overhead.
  • Function/method overloading (like in C++) - you no longer know what is the exact type of function arguments by looking at it. With an IDE with type hints you would not care, but not all languages have IDE integration ready, especially true for the small DSLs / amateur or toy languages. Also, presence of overloading may mess up badly with certain type systems (HM can handle it, but also at some extra cost).
  • Typed macro metaprogramming (e.g., as in Rust) - in my book, by far the preferable choice, but there is a lot of people with irrational fear of macros, and you're going to alienate them if you bake macros into such a core functionality of your standard library.
🌐
Pilosus
blog.pilosus.org › posts › 2020 › 01 › 24 › python-f-strings-in-logging
Python logging: why printf-style string formatting may be better than f-strings
January 25, 2020 - Python provides more than one way to format strings: %-formatting, str.format(), string.Template and f-strings. What format developers use is the matter of personal aesthetic reasons rather than anything else. Still there are use cases where good old printf-style %-formatting may have advantages over other formats.
🌐
Python Course
python-course.eu › python-tutorial › formatted-output.php
22. Formatted Output | Python Tutorial | python-course.eu
One can go as far as to say that this answer is not true. So there is a "printf" in Python? No, but the functionality of the "ancient" printf is contained in Python. To this purpose the modulo operator "%" is overloaded by the string class to perform string formatting.
🌐
Blender Developer Forum
devtalk.blender.org › technical feedback
Python String Formatting - Technical Feedback - Developer Forum
June 23, 2020 - This post was triggered by a discussion between @ideasman42 and myself in D8072: API docs: intro overhaul. To provide some context to this post: Python has three different approaches for string formatting: printf-style percent formatting formatted = "ssh %s@%s" % (username, hostname) str.format() calls: formatted = "ssh {0}@{1}".format(username, hostname) f-strings: formatted = f"ssh {username}@{hostname}" Part of the changes in D8072 is moving from the first to the second style of ...
🌐
TestMu AI Community
community.testmuai.com › ask a question
How to use printf style formatting in Python 3? - TestMu AI Community
November 12, 2024 - How can I print like printf in Python 3? In Python 2, I used the following syntax: print "a=%d,b=%d" % (f(x, n), g(x, n)) However, when I try to do this in Python 3, I get an error: print("a=%d,b=%d") % (f(x, n), g(x…
🌐
Yale
neuron.yale.edu › neuron › static › py_doc › programming › io › printf.html
Printf (Formatted Output) — NEURON 7.7 documentation
For code written in Python, it is generally more practical to use Python string formatting and file IO. ... h.printf places output on the standard output. h.fprint places output on the file opened with the h.wopen(filename) command (standard output if no file is opened).
🌐
Mooc
programming-24.mooc.fi › part-4 › 5-print-statement-formatting
Print statement formatting - Python Programming MOOC 2024
Python Programming MOOC 2024 · MOOC.fi · Create a new accountLog in · Part 4 · After this section · You will know how to use arguments to format the result of the print command · You will be able to use f-strings to format printouts · So far we have learnt three methods for formulating the argument given to the print command.
🌐
PyFormat
pyformat.info
PyFormat: Using % and .format() for great good!
In Python 3 there exists an additional conversion flag that uses the output of repr(...) but uses ascii(...) instead.