Learn Python, Microsoft 365 and Google Workspace
//
Operator in Python?The //
operator in Python is the floor division operator. It divides two numbers and returns the quotient, rounded down to the nearest whole number (integer if both operands are integers, or a float if at least one operand is a float).
/
and //
Operator| Operator | Description | Example |
|———-|————|———|
| /
(Division) | Returns the exact quotient (floating-point result). | 7 / 2 = 3.5
|
| //
(Floor Division) | Returns the quotient rounded down to the nearest whole number. | 7 // 2 = 3
|
# Using / operator (Division)
print(7 / 2) # Output: 3.5
print(9 / 4) # Output: 2.25
# Using // operator (Floor Division)
print(7 // 2) # Output: 3
print(9 // 4) # Output: 2
# Works with negative numbers too
print(-7 // 2) # Output: -4 (because -3.5 rounds down to -4)
//
Operatorstudents = 100
group_size = 7
num_groups = students // group_size # 100 // 7 = 14
print(num_groups) # Output: 14
This tells us that we can form 14 full groups of 7 students.
hours = 50
days = hours // 24 # 50 // 24 = 2
print(days) # Output: 2
It tells us we have 2 full days in 50 hours.
total_comments = 500
comments_per_page = 20
total_pages = total_comments // comments_per_page # 500 // 20 = 25
print(total_pages) # Output: 25
This ensures 25 full pages of comments.
tasks = 120
workers = 5
tasks_per_worker = tasks // workers # 120 // 5 = 24
print(tasks_per_worker) # Output: 24
Each worker gets 24 full tasks.
//
)?When we say “rounded down”, it means the quotient is always reduced to the nearest smaller whole number (or integer). This happens even if the result is negative.
For example:
7 // 2 = 3
→ The exact result is 3.5
, but it rounds down to 3
.9 // 4 = 2
→ The exact result is 2.25
, but it rounds down to 2
.-7 // 2 = -4
→ The exact result is -3.5
, but rounding down moves it to -4
(towards more negative).For detailed information on operators, see Use of Operators in Python