Better Programming

Advice for programmers.

Follow publication

Member-only story

How to Create Python range() in JavaScript

Guy Ariely
Better Programming
Published in
3 min readAug 4, 2021

Photo by Yudi Silvercloud on Unsplash

What is the Python range() type?

If you’re not familiar with Python, range() refers to the use of the range type to create an immutable sequence of numbers.

“The range type represents an immutable sequence of numbers and is commonly used for looping a specific number of times in for loops.” — docs.python.org

The range() constructor has two forms of definition:

range(stop)
range(start, stop[, step])

A concise explanation of the parameters, return value, etc. can be found on programiz.

A few examples:

Building the range() function in JavaScript

For simplicity sake, we will ignore the optional step argument.

By using the Array constructor, fill and map, you could work out a simple solution in a quick one-liner:

new Array(stop - start).fill(start).map((el, i) => el + i)

And maybe then offer a more complete solution, covering the case of calling range with only one argument:

But it’s not quite it yet. Can you see why this solution is wrong?

Remember, calling Python range returns an immutable sequence of numbers. Notice how in order to get the familiar list data structure, the Python examples above wrap the return value of range with list().

An equal example in JavaScript should probably look something like this:

Create an account to read the full story.

The author made this story available to Medium members only.
If you’re new to Medium, create a new account to read this story on us.

Or, continue in mobile web

Already have an account? Sign in

Guy Ariely
Guy Ariely

Written by Guy Ariely

Web Developer and Computer Science student 👨🏻‍💻

Responses (1)

Write a response

This can be done way more concisely with a generator:
```
function* range(start, stop, step=1) {
for (let i = start; i < stop; i += step) yield i;
}
for (let x of range(2, 7))...

10