首页 > 解决方案 > 指针从函数返回后,我无法打印它

问题描述

我对 C 比较陌生。我的程序应该用随机数填充数组,我必须使用 1 函数找到最大值和最小值。该程序运行良好,直到我必须返回我的 2 个指针从函数中获得的值。当我去打印它们时,porgram 停止工作并以 3221225477 的返回值退出。我已经尝试修复这个问题 3 小时,我要疯了。请以任何方式提供帮助,我真的很感激。

#include <stdio.h>
#include <stdlib.h>
#include <time.h>

void MaxMin(int size, int *B, int *Max, int *Min);

int main(int argc, char *argv[])
{
    int N, i,*A,*MAX,*MIN;
    srand(time(NULL));
    
    
    /*Making sure the user enters a proper value for the array*/
    do
    {
        printf("Give the number of spaces in the Array\n");
        scanf("%d",&N);
    }
    while(N<1);
    
    A = (int *) malloc(N*(sizeof(N)));
    
    
    
    /*Giving random numbers to the array and printing them so i can make sure my code is finding the max min*/
    for(i=0;i<N;i++)
    {
        A[i]=rand()%100;
        printf("\n%d\n",A[i]);
    }
    
    
    
    
    /*Calling my void function so that the pointers MAX and MIN have a value assigned to them */
    MaxMin(N, A, MAX, MIN);
    
    
    /*Printing them*/
    printf("\nMax = %d\nMin = %d",*MAX,*MIN);
    free(A);
    return 0;
}



/*The function*/
void MaxMin(int size, int *B, int *Max, int *Min)
{
    /*using 2 temporary ints to get max min cause pointers and arrays confuse me*/
    int max=B[0],min=B[0],i;
    for(i=1;i<size;i++)
    {
        if(max<B[i])
        {
            max = B[i];
        }
        if(min>B[i])
        {
            min = B[i];
        }
    }
    
    /*These have the proper value last i chekced */
    Max = &max;
    Min = &min;
}

(编辑)解决方案 Ty 非常需要帮助!

#include <stdio.h>
#include <stdlib.h>
#include <time.h>

void MaxMin(int size, int *B, int *Max, int *Min);

int main(int argc, char *argv[])
{
    int N, i,*A,MAX ,MIN ;
    srand(time(NULL));
    
    
    /*Making sure the user enters a proper value for the array*/
    do
    {
        printf("Give the number of spaces in the Array\n");
        scanf("%d",&N);
    }
    while(N<1);
    
    A = (int *) malloc(N*(sizeof(int)));
    
    
    
    /*Giving random numbers to the array and printing them so i can make sure my code is finding the max min*/
    for(i=0;i<N;i++)
    {
        A[i]=rand()%100;
        printf("\n%d\n",A[i]);
    }
    
    
    
    
    /*Calling my void function so that the pointers MAX and MIN have a value assigned to them */
    MaxMin(N, A, &MAX, &MIN);
    
    
    /*Printing them*/
    printf("\nMax = %d\nMin = %d",MAX,MIN);
    free(A);
    return 0;
}



/*The function*/
void MaxMin(int size, int *B, int *Max, int *Min)
{
    *Max=B[0];
    *Min=B[0];
    int i;
    for(i=1;i<size;i++)
    {
        if(*Max<B[i])
        {
            *Max = B[i];
        }
        if(*Min>B[i])
        {
            *Min = B[i];
        }
    }
}

标签: ccrashpass-by-referencepass-by-valuefunction-definition

解决方案


你有三个错误:

  1. main中,您不分配MAXMIN任何值。所以你把垃圾传递给MaxMin.

  2. MaxMinMax即将Min超出范围。在超出范围之前更改它们的值对任何事情都没有影响。

  3. main中,您不会创建任何位置来保存最大值和最小值。那么您希望它们存储在哪里?


推荐阅读