How do I get a decimal value when using the division operator in Python?

前端 未结 13 2035
旧巷少年郎
旧巷少年郎 2020-12-01 06:18

For example, the standard division symbol \'/\' rounds to zero:

>>> 4 / 100
0

However, I want it to return 0.04. What do I use?

13条回答
  •  没有蜡笔的小新
    2020-12-01 06:30

    Add the following function in your code with its callback.

    # Starting of the function
    def divide(number_one, number_two, decimal_place = 4):
        quotient = number_one/number_two
        remainder = number_one % number_two
        if remainder != 0:
            quotient_str = str(quotient)
            for loop in range(0, decimal_place):
                if loop == 0:
                    quotient_str += "."
                surplus_quotient = (remainder * 10) / number_two
                quotient_str += str(surplus_quotient)
                remainder = (remainder * 10) % number_two
                if remainder == 0:
                    break
            return float(quotient_str)
        else:
            return quotient
    #Ending of the function
    
    # Calling back the above function
    # Structure : divide(, , )
    divide(1, 7, 10) # Output : 0.1428571428
    # OR
    divide(1, 7) # Output : 0.1428
    

    This function works on the basis of "Euclid Division Algorithm". This function is very useful if you don't want to import any external header files in your project.

    Syntex : divide([divident], [divisor], [decimal place(optional))

    Code : divide(1, 7, 10) OR divide(1, 7)

    Comment below for any queries.

提交回复
热议问题