在Java语言中并没有Range的这个概念,但是在Kotlin中添加了Range的这个概念。
Kotlin中可以用下面的两种凡是来表示区间的概念:
val range: IntRange = 0..1024 // 表示的是[0,1024]
// 在Kotlin中没有纯开区间的定义,但是存在半开区间的定义方式
val range_exinlucive: IntRange = 0 until 1024 // 表示的是 [0,1024) = [0,1023]
通过Ranges的源码我们可以看到,Ranges中主要包含了一下几个类
IntRange
CharRange
LongRange
ComparableRange
ClosedFloatRange
ClosedDoubleRange
这些类都实现了ClosedRange接口
/**
* Represents a range of values (for example, numbers or characters).
* See the [Kotlin language documentation](http://kotlinlang.org/docs/reference/ranges.html) for more information.
*/
public interface ClosedRange<T: Comparable<T>> {
/**
* The minimum value in the range.
*/
public val start: T
/**
* The maximum value in the range (inclusive).
*/
public val endInclusive: T
/**
* Checks whether the specified [value] belongs to the range.
*/
public operator fun contains(value: T): Boolean = value >= start && value <= endInclusive
/**
* Checks whether the range is empty.
*/
public fun isEmpty(): Boolean = start > endInclusive
}
同过了解源码做了以下几点的测试,来了解ClosedRange中提供的方法都分别是什么作用
package com.example.administrator.kotlinrangestudemo
import android.support.v7.app.AppCompatActivity
import android.os.Bundle
class MainActivity : AppCompatActivity() {
val range: IntRange = 0..1024 // 纯闭区间 [0,1024]
val rangeExinclusive: IntRange = 0 until 1024 // 半开区间 [0,1024) = [0,1023]
val emptyRange: IntRange = 0..-1 // 空区间
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
println(emptyRange.isEmpty())
println(range.contains(1024))
println(1024 in rangeExinclusive)
println(1023 in rangeExinclusive)
println("range : $range")
for (i in rangeExinclusive) {
print("$i,")
}
}
}
输出结果为:
true
true
false
true
range : 0..1024
0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,...,1023,1023,
总结:
Range的意思为区间,区间即指某一范围内。
1..1024 表示 [1,1024]
1 until 1024 表示 [1,1024) = [1,1023]
1 in 0..1024 表示判断 1 是否在区间 [1,1024] 中
网友评论