2-complex
2-complex

Reputation: 353

How to write float -> string and get the same digits as "%.f"

Today I wrote a naive function that converts a float to a string by repeatedly modding by 10 and dividing by 10.

def to_string(x):
    r = ""
        while x >= 1.0:
            r = str(int(x%10)) + r
            x /= 10.0
    return r

I then tested my function against Python's built-in capability to convert a float to a string. Not too surprisingly, my function differs on large numbers.

>>> to_string(1e30)
'1000000000000000424684240284426'

>>> "%.f"%1e30
'1000000000000000019884624838656'

So, my question is: what computation do I have to do to get the digits that Python gets?

Upvotes: 2

Views: 118

Answers (1)

Eric Postpischil
Eric Postpischil

Reputation: 222486

Here is a very simple solution. It is not intended to be efficient or to handle any values other than positive integers.

#!/usr/bin/python

import math

# This code represents a hexadecimal number using a list in which each item
# is a single hexadecimal digit (an integer from 0 to 15).

# Divide the base-16 digit-list in x by digit d.  This uses grade-school
# division, for a single-digit divisor.  It returns the quotient in a new
# digit-list and the remainder as a plain integer.
def Divide(x, d):

    # If the first digit is smaller than d, start an empty quotient with
    # a remainder being carried.
    if x[0] < d:
        q = []
        r = x[0]
    # Otherwise, start the quotient by dividing the first digit by d.
    else:
        q = [x[0] / d]
        r = x[0] % d

    # For the remaining digits, multiply the remainder by the base and
    # add the new digit.  Then divide by d, calculating a new digit of the
    # quotient and a new remainder to carry.
    for i in x[1:]:
        r = r*16 + i
        q.append(r/d)
        r = r % d

    return (q, r)

# Convert a positive integer floating-point value to decimal and print it.
def to_string(x):

    # Convert input to base 16.  This has no rounding errors since the
    # floating-point format uses base two, and 16 is a power of two.
    t= []
    while 0 < x:
        # Use remainder modulo 16 to calculate the next digit, then insert it.
        t.insert(0, int(x % 16))
        # Remove the digit from x.
        x = math.floor(x/16)

    # Start an empty output string.
    output = ""

    # Divide the number by 10 until it is zero (is an empty digit list).
    # Each time we divide, the remainder is a new digit of the answer.
    while t != []:
        (t, r) = Divide(t, 10)
        output = str(r) + output

    print output


to_string(1e30)

Upvotes: 1

Related Questions