我想创建一个程序来模拟 Unix 服务器上的内存不足(OOM)情况。我创造了这个超级简单的记忆吞噬者:
#include <stdio.h>
#include <stdlib.h>
unsigned long long memory_to_eat = 1024 * 50000;
size_t eaten_memory = 0;
void *memory = NULL;
int eat_kilobyte()
{
memory = realloc(memory, (eaten_memory * 1024) + 1024);
if (memory == NULL)
{
// realloc failed here - we probably can't allocate more memory for whatever reason
return 1;
}
else
{
eaten_memory++;
return 0;
}
}
int main(int argc, char **argv)
{
printf("I will try to eat %i kb of ram\n", memory_to_eat);
int megabyte = 0;
while (memory_to_eat > 0)
{
memory_to_eat--;
if (eat_kilobyte())
{
printf("Failed to allocate more memory! Stucked at %i kb :(\n", eaten_memory);
return 200;
}
if (megabyte++ >= 1024)
{
printf("Eaten 1 MB of ram\n");
megabyte = 0;
}
}
printf("Successfully eaten requested memory!\n");
free(memory);
return 0;
}
它消耗的内存相当于 memory_to_eat
中定义的内存,而 memory_to_eat
现在正好是50GB 的 RAM。它以1MB 的大小分配内存,并精确地打印出未能分配更多内存的点,这样我就知道它设法吞噬了哪个最大值。
问题在于它能正常工作,即使是在拥有1GB 物理内存的系统上。
当我检查 top 时,我看到进程消耗了50GB 的虚拟内存,而驻留内存只有不到1MB。有没有办法创造一个真正消耗记忆的吞噬者?
系统规范: Linux 内核3.16(Debian)很可能启用了过度提交(不确定如何检出) ,没有交换和虚拟化。