Yes, you can format a floating-point number to show two decimal places without rounding by converting it to a string and then slicing it. Here’s how you can do it:
Using String Manipulation
num = 458.541315
formatted_num = str(num) # Convert to string
if '.' in formatted_num:
formatted_num = formatted_num[:formatted_num.index('.') + 3] # Keep two decimal places
print(formatted_num) # Output: 458.54
Using Decimal for Exact Control
You can also use the Decimal class from the decimal module, which allows for more precise control over the formatting:
from decimal import Decimal
num = Decimal('458.541315')
formatted_num = num.quantize(Decimal('0.00'), rounding='ROUND_DOWN')
print(formatted_num) # Output: 458.54
In this example, ROUND_DOWN ensures that the number is truncated rather than rounded.
