Kotlin之for循环

常用的:

遍历一个数组/集合,只取出下标:
val array = arrayOf(“a”, “b”, “c”)
for (index in array.indices){
println(“index=$index”)//输出0,1,2
}

 

遍历一个数组/集合,只取出元素:
val array = arrayOf(“a”, “b”, “c”)
for (index in array){
println(“index =$index ”)//输出a,b,c
}

//他俩差别是array后面有没有indices

 

//顺序 遍历0-100 包括0和100
        for (index in 0..100) {
            Log.d(TAG, "- $index")
        }

 //倒序 遍历0-100 包括0和100
        for (index in 100 downTo 0) {
            Log.d(TAG, "$index")
        }

  //顺序 遍历0-99 注意:不包括100(until 排除结束元素)
        for (index in 0 until 100) {
            Log.d(TAG, "$index")
        }

   //遍历0-100 步长为5 输出0 5 10 15 20..
        for (index in 0..100 step 5) {
            Log.d(TAG, "$index")
        }

     val list_test = listOf(User("张三", 25), User("李四", 26), User("王五", 27))

    //取出集合中的每个元素  输出:User(name=张三, age=25) User(name=李四, age=26) User(name=王五, age=27)
        for (user in list_test) {
            Log.d(TAG, "$user")
        }

    //取出下标 输出 0 1 2
        for (index in list_test.indices) {
            Log.d(TAG, "$index")
        }

    /**
         *   取出下标和值  输出: IndexedValue(index=0, value=User(name=张三, age=25)) IndexedValue(index=1, value=User(name=李四, age=26))...
         *   使用"index.index"取出下标
         *   使用"index.value"取出User
         */
        for (index in list_test.withIndex()) {
            Log.d(TAG, "${index.value}")
        }

 

//想同时取出下标和元素

val array = arrayOf(“a”, “b”, “c”)
for ((index,e) in array.withIndex()){
println(“下标=index−−−−元素= index----元素=index−−−−元素=e”)
}
 

原文:https://blog.csdn.net/weixin_44810052/article/details/91974314

 

你可能感兴趣的:(Kotlin之for循环)