作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有一个整数数组,我试图根据某些条件将 for 循环迭代回它访问的最后一个索引,假设我有 2 9 15 19 23 28 37
元素在该循环中,我给出了一个条件,即如果该循环的每个元素都大于一个数字(假设为 8),它将再次处理该元素。
我的代码是
List<Integer> result = new ArrayList<Integer>();
int n = 6;
for (int i = 0; i < n; i++) {
int h = 8;
int r = a[i] - h;
if (r <= 0) {
result.add(1);
} else if (r >= 0) {
result.add(1);
}
}
这里 h 是保存声明元素的数组。r 是一个整数,用于检查元素是否大于命中元素,即 8。所以条件是如果元素小于 h,arraylist 将加 1,否则控件将返回操作 int r = a[i] -h,对于相同的元素。例如,2 小于 8,arraylist 将添加 1,但对于 9,控件将执行相同的减操作并得出else部分将arraylist加1。循环处理的最后一个元素如果不为零则不会加入list。有可能吗?请帮忙。
最佳答案
--i
可以让你退后一步:
if (a[i] - h > 0) {
// a[i] is greater than h
--i; // process a[i] again on the next iteration
}
作为@Stefan Warminski注意到它会导致无限循环,因为我们总是处理第一个大于 h
的元素。
解决方法是创建一个数组 int[] changes
与原始列表长度相同,并将一个值放入适当的单元格中,该单元格将指示 changes[i]
我们处理一个 a[i]
元素:
if (a[i] - h > 0 && changes[i]++ < N) { ... }
其中 N
是您要处理元素的次数。
完整的代码片段:
int[] a = {2, 9, 15, 19, 23, 28, 37};
int[] changes = new int[a.length];
int h = 8;
int N = 2;
for (int i = 0; i < a.length; i++) {
if (a[i] - h > 0 && changes[i]++ < N) {
System.out.println(a[i] + " is processed " + changes[i] + " times");
--i;
}
}
输出:
9 is processed 1 times
9 is processed 2 times
15 is processed 1 times
15 is processed 2 times
19 is processed 1 times
19 is processed 2 times
23 is processed 1 times
23 is processed 2 times
28 is processed 1 times
28 is processed 2 times
37 is processed 1 times
37 is processed 2 times
提示:在for
语句外声明h
变量,它在内部不会改变(不需要在每次迭代时都创建一个变量)。
关于java - 如何将for循环迭代回它在java中访问的最后一个索引,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/44017382/
我是一名优秀的程序员,十分优秀!