I\'m new to the Scala language.
I need Range for Long type.
I need a List of [1, 2, 3 ... 10000000] with step 1. If I use until/to I get an error because of
You can instead use NumericRange[Long] from the standard library.
You can create such a range by using the following syntax:
val range = 1L to 10000000L
The 'L' is mandatory to inform the compiler that the litterals are longs and not ints.
You can then use almost all List
methods on the instance range
. It should not fill you memory because the intermediate values are generated when needed. The range can be passed to any method expecting a Traversable[Long]
, a Seq[Long]
, an Iterable[Long]
, etc.
However, if you really need a List
just call range.toList
(and increase the heap size to accommodate all the list elements)...
You probably do not need a range. I would take a Stream and iterate over it.
def stream(i: Long = 1): Stream[Long] = i #:: stream(i + 1)
produces an infinit Stream where the difference between the elements is 1. Because Stream is a lazy collection you will not gett any Errors. To iterate over 10000000 elements you simply use the following:
val range = stream take 10000000
for (i <- range) {
...
}
take 10000000
will return a Stream
with size 10000000. Because Stream
is an Iterable
you can pass it to a for comprehansion.