好的,所以我的程序假设创建一个数组大小[8]然后一旦打印我正在使用For循环来查找数组中的最小数字。我遇到的问题是,似乎总是停在第二个元素并将其声明为最小元素。任何人都可以告诉我我的代码有什么问题
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
void main(int argc, char* argv[])
{
const int len = 8;
int a[len];
int i;
srand(time(0));
//Fill the array
for(i = 0; i < len; ++i) {
a[i] = rand() % 100;
}
//Print the array
for (i = 0; i < len; ++i) {
printf("%d ", a[i]);
}
printf("\n");
getchar();
int smallest;
for (i = 1; i < len; i++) {
if (a[i] < smallest)
smallest = a[i];
{
printf("The smallest integer is %d at position %d\n", a[i], i);
break;
getchar();
}
}
}
答案 0 :(得分:0)
{
printf("The smallest integer is %d at position %d\n", a[i], i);
break;
getchar();
}
此块在if
条件的同时执行,这意味着一旦遇到小于a[i]
的{{1}},您就会突然退出循环。 smallest
。
另外,您可能希望在进入循环之前将smallest
初始化为a[0]
。
答案 1 :(得分:0)
Int smallest=a[0];
for (int i=1;i<len;i++)
{
if(a[i]<smallest)
Smallest=a[i];
}
答案 2 :(得分:0)
您的代码中存在一些错误,例如:
1 - 在初始化之前使用变量int smallest。 2-最后一个for循环内部的逻辑是错误的。
正确的代码是:
void main(int argc, char* argv[])
{
const int len = 8;
int a[len];
int smallest;
int location =1;
int i;
srand(time(0));
//Fill the array
for(i = 0; i < len; ++i)
{
a[i] = rand() % 100;
}
//Print the array
for (i = 0; i < len; ++i)
{
printf("%d ", a[i]);
}
printf("\n");
smallest = a[0];
for ( i= 1 ; i < len ; i++ )
{
if ( a[i] < smallest )
{
smallest = a[i];
location = i+1;
}
}
printf("Smallest element is present at location %d and it's value is %d.\n", location, smallest );
getch();
}