1

我正在尝试输出ifor the loop的值index(i),但仅在最后一次迭代中。我要么得到一个错误,要么它输出i. 这是我到目前为止所拥有的:

boolean sequentialSearch(int x) {

       for(int i = 0; i < n; i++)  //n comes from function length()

           if(n != 0) {

               if(list[i] == x) {

                   return true;
               }

               return false;
           }
}
4

5 回答 5

2

Try:

for(int i = 0; i < n; ++i) {
    if(list[i] == x) { // an array is 0-indexed
        System.out.println("Found at index: " + i);
        return true;   // return true if found
    }
}
System.out.println("Not found!");
return false;      // here, x has never been found, so return false
于 2013-08-06T14:53:17.213 回答
0

为什么你检查 i!=0,而不是从i=1;

for(int i = 1; i < n; i++) 
 {
    if(list[i] == x) 
    { 
        return true;
    }
    return false;
 }

这要容易得多。:-)

于 2013-08-06T14:57:05.290 回答
0

你真的想打印i并返回一个布尔值吗?既然-1经常用于not found,为什么不把它分成两种方法。现在您可以搜索任何您想要的目的,即使它是一个System.out在 Web 应用程序中不可用的系统。

boolean sequentialSearch(int x) {
    for(int i = 0, n = list.length; i < n; i++) { 
        if(list[i] == x) {
            return i;
        }
    }
    return -1;
}

// Later
int index = sequentialSearch(y);
if (index != -1) {
    System.out.println(y + " found at index " + index);
} else {
    System.out.println(y + " not found");
}    
于 2013-08-06T15:18:49.413 回答
0

我想你需要这样的东西:

boolean sequentialSearch(int x) {
    for(int i=0;i<n;i++) { //n comes from function length()
        if(list[i]==x){   // list comes from somewhere too
            System.out.println(i); // print i
            return true;
        }
    }
    return false;
}

如果您需要i从数组尾部打印最后可能的开始:

boolean sequentialSearch(int x) {
    for(int i=n-1;i>=0;i--) { //n comes from function length()
        if(list[i]==x){   // list comes from somewhere too
            System.out.println(i); // print i
            return true;
        }
    }
    return false;
}
于 2013-08-06T14:56:25.897 回答
0

如何单独打印最后一个值?

import java.util.Scanner;

public class Fibonacci {

    public static void main(String[] arguments) {
        int n1 = 0, n2 = 1, n3;

        @SuppressWarnings("resource")
        Scanner s = new Scanner(System.in);
        System.out.print("Enter the value of n: ");
        int n = s.nextInt();
        for (int i = 0; i < n; ++i) {   
            n3 = n1 + n2;

            n1 = n2;
            n2 = n3;
        System.out.println(""+n3);
        }
    }
}
于 2015-07-23T05:21:07.697 回答