4

好的,

所以我被困在这里。我有一个程序的代码,该程序根据算法系统地执行站成一圈的人,但我遇到了它在发布模式下崩溃的问题。如果我使用调试器(代码块)运行它,我的代码运行良好,但如果我不这样做,它就会崩溃。我在网上环顾四周,唯一发现的是未初始化的变量,但我尝试在声明时立即为变量设置值,但并没有解决问题。

如果有人能看到我的问题是什么,我将不胜感激。

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

// if the program does not work, please run in debugger mode. It will work.

void remove_person(int** array, int arraySize, int position)
{
    int i;
    for (i = 0; i < arraySize; ++i)
        printf("%d ", (*array)[i]);
    printf("\n");

    int* temp = malloc((arraySize - 1) * sizeof(int)); // create temporary array smaller by one element

    memmove(temp,*array,(position+1)*sizeof(int)); // copy entire array before position

    memmove(temp+position,(*array)+(position+1),(arraySize - position)*sizeof(int)); // copy entire array after postion

    for (i = 0; i < arraySize - 1; ++i)
        printf("%d ", (temp)[i]);
    printf("\n");

    free (*array);
    *array = temp;
}


int kill(int** a, int n)
{
    int pos = 0;
    int round = 1;
    while(n > 1)
    {
        pos = pos + 2 - (round % 2);

        while(pos >= n)
            pos = pos - n;

        remove_person(a,n,pos);
        n--;

        while(pos >= n)
            pos = pos - n;
        round++;
    }
    return *a[0];
}

void main()
{
    int n, survivor, i;
    int* people;

    printf("Enter number of people for Russian Roulette: \n");
    scanf("%d", &n);

    people = (int*) malloc(n*sizeof(int));

    for(i=0; i < n; i++)
    {
        people[i] = i;
    }

    survivor  = kill(&people, n);
    printf("The survivor is person #%d\n", survivor);
}
4

2 回答 2

6

标题问题(“为什么某些 C 程序在调试中工作而不在发布中工作?”)的基本答案是“当它们调用未定义的行为时”。

在此处

memmove(temp,*array,(position+1)*sizeof(int)); // copy entire array before position

memmove(temp+position,(*array)+(position+1),(arraySize - position)*sizeof(int)); // copy entire array after postion

你复制太多了。要了解原因,请观察第一个memmove副本到temp[0], temp[1], ..., temp[position],第二个副本到temp[position], temp[position+1], ..., temp[position+arraySize-position-1] = temp[arraySize-1](注意重叠temp[position])。但是temp只有arraySize-1元素的空间——你复制的比允许的多一个,所以你得到未定义的行为

它可能在调试而不是发布模式下工作,因为堆的布局不同(调试模式分配器可能会用额外的空间填充分配,以在调试器或分析器下运行时捕获此类错误)。

于 2013-04-05T21:13:37.983 回答
0

如果我输入 4(甚至高于 4 的数字)作为输入,程序会出现段错误,但我不会进入代码来查看为什么会发生这种情况。

除了该程序运行良好之外,问题是您看不到输出,因为我认为您在 Windows 上运行它。

话虽如此,您应该scanf("%d", &n);在末尾添加类似的内容或 run cmd.exe,转到包含可执行文件的目录并从那里运行它。

于 2013-04-05T21:13:27.823 回答