我正在练习我的 C 技能,尝试编写一个程序,通过使用创建的名为 Bubbleswap 的函数按升序重新排列数组元素。为了填充数组,我使用了随机数生成器。
当我使用以下代码时,我会收到一条消息,提示 Bubblesort 函数缺少返回值,而它不应该需要返回值。因此我认为使用 bubbleswap 功能的请求无法正常工作。
//Opgave bubblesort functie
#include "toolbox.h"
#include <ansi_c.h>
#include <stdio.h>
#include <time.h>
// functies //
double bubblesort (double arrayA[], int n)
{
int a,b,swap;
for (a =0;a<(n - 1);a++)
{
for (b=0;b<(n - a - 1);b++)
{
if(arrayA[b]>arrayA[b+1]) // for decreasing order use <
{
swap = arrayA[b];
arrayA[b]= arrayA[b+1];
arrayA[b+1]=swap;
}
}
}
}
// main script //
int main()
{
int aantal,i; //variables
double arrayA[1000],arrayB[1000] ;
float r;
srand(time(NULL)); // to start the random seeds
printf(" Typ het aantal getallen in. \n"); //request the elements
scanf("%d", &aantal);
for(i=0; i<aantal;i++) // fill the array with random numbers
{
arrayA[i]=rand();
}
printf("Getallen in volgorde \n"); //re-arrange the numbers with the help of bubblesort
for (i=0; i<aantal;i++)
{
r = bubblesort(arrayA, aantal); //request the function bubblesort //r =arrayA[i];
printf("%.0f \n", r);
}
getchar();
getchar();
}
如果我根据您的评论正确理解了
//r =arrayA[i];
,为了实现这一点,您可以更改:
r = bubblesort(arrayA, aantal,i);
和:
double bubblesort (double arrayA[], int n,int i)
{
int a,b,swap;
for (a =0;a<(n - 1);a++)
{
for (b=0;b<(n - a - 1);b++)
{
if(arrayA[b]>arrayA[b+1]) // for decreasing order use <
{
swap = arrayA[b];
arrayA[b]= arrayA[b+1];
arrayA[b+1]=swap;
}
}
}
return arrayA[i];
}
您将函数声明为
double bubblesort (double arrayA[], int n)
所以编译器需要一个返回值。如果您不需要,请不要以这种方式声明该函数。
函数签名如下
double bubblesort(double arrayA[], int n)
^
arguments
^
function name
^
return value
因此,您声明
bubblesort
返回类型为 double
的值,但代码中没有 return
语句。
有两种情况可能会发生这种情况:
在这种情况下,像
bubblesort
这样的函数根据其规范不应返回任何内容,因此您应该将 double
更改为 void
以明确说明这一点。
但是在排队
r = bubblesort(arrayA, aantal); //request the function bubblesort //r =arrayA[i];
printf("%.0f \n", r);
您存储函数冒泡排序的返回值。 所以改变返回值类型的时候,也要把这两行去掉。
您需要使用
bubblesort
函数对数组进行排序,对吗?那么您不必从函数中返回任何内容。因为通过将数组发送到函数,您发送了它的引用,并且数组的元素将按排序顺序设置。但是,如果您想从函数中返回任何内容(就像您所写的那样,您将从数组中返回双精度值),则必须返回该数据类型的值。但你没有这样做。这就是程序无法正确编译的原因。