Home >Backend Development >Python Tutorial >How to Generate a Range of Floats Using Python\'s range() Function?
Generating a Range of Floats with range()
Python's built-in range() function is well-known for producing a sequence of integers. However, when dealing with floating-point numbers, a dilemma arises: the default step argument only supports increments of integers.
To overcome this limitation, there are a few approaches you can adopt:
Using Division with List Comprehension:
One solution is to divide the integers generated by range() by an appropriate float. For instance, to create a sequence of floats with a step of 0.5, you can use the following list comprehension:
<code class="python">[x / 10.0 for x in range(5, 50, 15)] # [0.5, 1.5, 2.5, 3.5, 4.5]</code>
Lambdas and map() Function:
Alternatively, you can utilize the map() function with a lambda expression to perform the division:
<code class="python">map(lambda x: x/10.0, range(5, 50, 15)) # [<map object at 0x7fe5c0e80950>] # (Convert to list to display values) list(map(lambda x: x/10.0, range(5, 50, 15))) # [0.5, 1.5, 2.5, 3.5, 4.5]</code>
By employing these techniques, you can effortlessly generate sequences of floating-point numbers with specified intervals using Python's range() function.
The above is the detailed content of How to Generate a Range of Floats Using Python\'s range() Function?. For more information, please follow other related articles on the PHP Chinese website!