1

我正在为遗传算法编写代码,但我被困在无法释放未使用内存的地步。这是我的 main() 代码:

    szChromosomes = initial_population(&data[0]);
while (iCurrentGen <= data->m_iMaxGenerations)
{
    arrfSelectedChromosomes = selection(&data[0], szChromosomes);
    iSelectedLen = order_descending_grid(arrfSelectedChromosomes);
    szAuxGen = crossover(&data[0], arrfSelectedChromosomes, szChromosomes);
    free_generation(&data[0], szChromosomes);//Error line
    szChromosomes = szAuxGen;
    szAuxGen = NULL;
}

initial_population(&data[0]) 创建 szChromosomes 数组(我稍后尝试释放),如下所示:

char** initial_population(struct INPUT_DATA* d)
{
int i, j = 0;
float fMember = 0.0;
char** szChromosomes = (char**)malloc(d->m_iPopulationSize * sizeof(char*));

srand(time(NULL));
for (i = 0; i < d->m_iPopulationSize; ++i)
{
    szChromosomes[i] = (char*)malloc(d->m_iBitsPChromosome * sizeof(char));
    for (j = 0; j < d->m_iBitsPChromosome; ++j)
    {
        szChromosomes[i][j] = rand_1_0(0.0, 1.0) == 1? '1' : '0';
    }
    szChromosomes[i][j] = '\0';
}

return szChromosomes;

}

当我调用 free_generation 函数时,会执行下面的 For 循环:

    int i;

for (i = 0; i < d->m_iPopulationSize; ++i)
{
    free(szChromosomes[i]);
}

free(szChromosomes);
szChromosomes = NULL;

当第一次调用 free(szChromosomes[i]); 发生,我收到以下错误:

检测到堆损坏:在正常块 (#99) 之后。CRT 检测到应用程序在堆缓冲区结束后写入内存。

4

2 回答 2

2
char** initial_population(struct INPUT_DATA* d)
{
int i, j = 0;
float fMember = 0.0;
char** szChromosomes = (char**)malloc(d->m_iPopulationSize * sizeof(char*));

srand(time(NULL));
for (i = 0; i < d->m_iPopulationSize; ++i)
{
    szChromosomes[i] = (char*)malloc(d->m_iBitsPChromosome * sizeof(char));
    for (j = 0; j < d->m_iBitsPChromosome; ++j)
    {
        szChromosomes[i][j] = rand_1_0(0.0, 1.0) == 1? '1' : '0';
    }
    szChromosomes[i][j] = '\0';
}

return szChromosomes;

您在每个字符串 szChromosomes[i] 的末尾插入一个 '\0' 但只使用长度为 d->m_iBitsPChromosome 的 malloc

因此,您尝试在内存中写得太远。要改变这一点,只需将您的第二个 malloc 更改为:

szChromosomes[i] = (char*)malloc((d->m_iBitsPChromosome + 1) * sizeof(char));
于 2013-02-27T16:22:18.603 回答
1
szChromosomes[i][j] = '\0';

此行写入您不拥有的内存。

例如。举这个例子

char * p;
p = malloc(2);
p[0] = 'a';
p[1] = 'b';

你不应该这样做

p[2] = '\0'

在此之后,因为您只分配了 2 个字节,但您正在写入 3 个字节。

您可以通过两种方式解决此问题

  1. 你需要'\0'吗?除非您打算使用其中一个函数<string.h>需要 '\0' 来检查结尾,否则您需要用 '\0' 终止它。在您自己的遍历数组的代码中,您可以使用以 . 结尾的 for 循环进行遍历ctr < d->m_iBitsPChromosome

  2. 或者你可以分配malloc(d->m_iBitsPChromosome + 1)

于 2013-02-27T16:21:17.997 回答