问题是已经为我填充了10000个数组。填充数组的数字范围在0到2500之间。数组未排序。我的目标是通过一次线性搜索找到1320的存在,第二次线性搜索将检查数字1320出现了多少次。该数组是随机数组。
我尝试设置线性搜索,该搜索将检查数组中的数字是否存在。我还尝试设置线性搜索,该搜索将检查数组存在多少次。都不起作用,这是我第一次使用数组,所以我不确定是否正确地执行了操作
public static void main(String[] args) {
// Finish adding Code
boolean DoesItExist;
int iHowMany;
final int SIZE = 10000, ENTRY = 1320;
int[] NumArray = new int[SIZE];
OwenHeading.getHeader("Assignment 9: Arrays.");
fillTheArray(NumArray, SIZE);
System.out.println("DONE");
}
public static void fillTheArray(int[] iTempArray, int SIZE) {
final int RANGE = 2500;
Random rand = new Random();
for (int index = 0; index <= SIZE - 1; index++)
iTempArray[index] = rand.nextInt(RANGE);
}
public static boolean linearSearchOne(int[] iTempArray, int SIZE, int ENTRY) {
boolean TempDoesItExist;
return TempDoesItExist;
}
public static int linearSearchTwo(int[] iTempArray, int SIZE, int ENTRY) {
int HowManyExist;
return HowManyExist;
}
public static void programOutput(boolean TempDoesItExist, int TempHowMany) {
if (TempDoesItExist)
System.out.println("does");
// Cool, you found the number 1320
else
System.out.println("does not");
// Dang, you didn't find the number 1320
}
}
我并没有要求确切的答案,只是一些帮助,可以使我朝正确的方向前进。我觉得如果我从头开始,我可以更轻松地完成这个项目,但是我的老师希望我们使用他的入门项目。
答案 0 :(得分:1)
初始化您的布尔值和计数器
Bool doesItExist = false;
Int iHowManyTimes = 0;
您可以像这样以线性方式检查Java数组中的值:
for (int number : NumArray) {
if (anItemInArray == myValue) {
doesItExist = true;
return;
}
}
然后重新做一遍并增加计数器
for (int number : NumArray) {
if (number == ENTRY) {
iHowMany += 1;
}
}
编辑:Return语句已添加到第一个循环中,因为找到该值后没有理由继续
答案 1 :(得分:0)
您似乎没有调用线性搜索方法。对于线性搜索,您可以执行以下操作:
found=false;
howManyCounter=0;
for (int x=0, x<array.length; x++){
if (array[x]==numberYouWant){
found=true;
howManyCounter++;
}
}
答案 2 :(得分:0)
您可以通过这种方式修改线性搜索的两种方法,这将起作用: 只需声明一个计数器,并在每次找到您的ENTRY号时将其递增即可。
public static boolean linearSearchOne(int[] iTempArray, int SIZE, int ENTRY) {
for (int i = 0; i < SIZE; i++) {
if (iTempArray[i] == ENTRY) {
return true;
}
}
return false
}
public static int linearSearchTwo(int[] iTempArray, int SIZE, int ENTRY) {
int HowManyExist;
for (int i = 0; i < SIZE; i++) {
if (iTempArray[i] == ENTRY) {
HowManyExist ++;
}
}
return HowManyExist;
}