我的VS2012编译器出现了一个奇怪的问题,似乎没有出现在GCC中。解除分配过程最终需要几分钟而不是几秒钟。有人对此有任何意见吗?步调试显示在调用RtlpCollectFreeBlocks()时显着挂起。我在调试和发布模式下都有这个问题。我正在运行Windows 7 32位,但我在64位7上遇到了同样的问题。
#include "stdafx.h"
#include <iostream>
#include <stdint.h>
#include <cstdlib>
#define SIZE 500000
using namespace std;
typedef struct
{
uint32_t* thing1;
}collection;
/*
* VS2012 compiler used.
* Scenarios:
* 1) Don't allocate thing1. Program runs poorly.
* 2) Allocate thing1 but don't delete it. Program runs awesome.
* 3) Allocate thing1 and delete it. Program runs poorly.
*
* Debug or Release mode does not affect outcome. GCC's compiler is fine.
*/
int _tmain(int argc, _TCHAR* argv[])
{
collection ** colArray = new collection*[SIZE];
for(int i=0;i<SIZE;i++)
{
collection * mine = new collection;
mine->thing1 = new uint32_t; // Allocating without freeing runs fine. Either A) don't allocate or B) allocate and delete to make it run slow.
colArray[i] = mine;
}
cout<<"Done with assignment\n";
for(int i=0;i<SIZE;i++)
{
delete(colArray[i]->thing1); // delete makes it run poorly.
delete(colArray[i]);
if(i > 0 && i%100000 == 0)
{
cout<<"100 thousand deleted\n";
}
}
delete [] colArray;
cout << "Done!\n";
int x;
cin>>x;
}
答案 0 :(得分:8)
您所看到的性能影响来自Windows调试堆功能,即使在发布版本中,它在启用自身方面也有点隐蔽。
我冒昧地构建了一个更简单程序的64位调试图像,然后发现了这个:
对我来说特别感兴趣的是msvcr110d.dll!_CrtIsValidHeapPointer
的正文,结果是:
if (!pUserData)
return FALSE;
// Note: all this does is checks for null
if (!_CrtIsValidPointer(pHdr(pUserData), sizeof(_CrtMemBlockHeader), FALSE))
return FALSE;
// but this is e-x-p-e-n-s-i-v-e
return HeapValidate( _crtheap, 0, pHdr(pUserData) );
HeapValidate()
电话是残酷的。
好的,也许我会在调试版本中期待这个。但肯定不会发布。事实证明,这会变得更好,但请看一下调用堆栈:
这很有意思,因为当我先运行它,然后使用IDE(或WinDbg)连接到正在运行的进程而不允许它控制执行启动环境时,此调用栈将停在ntdll.dll!RtlFreeHeap()
。换句话说,不会调用在IDE RtlDebugFreeHeap
外部运行。但为什么??
我心想,以某种方式调试器正在翻转一个开关以启用堆调试。在做了一些挖掘后,我发现“switch”是调试器本身。如果正在运行的进程是由调试器生成的,则Windows使用特殊的调试堆函数(RtlDebugAllocHeap
和RtlDebugFreeHeap
)。 This man-page from MSDN on WinDbg以及其他关于在Windows下进行调试的有趣花絮:
来自使用WinDbg调试用户模式进程
调试器创建的进程(也称为生成进程)的行为与调试器未创建的进程略有不同。
调试器创建的进程使用特殊的调试堆,而不是使用标准堆API。您可以使用_NO_DEBUG_HEAP环境变量或-hd命令行选项强制生成的进程使用标准堆而不是调试堆。
现在我们到了某个地方。为了测试这个,我简单地删除sleep()
一段时间,让我附加调试器,而不是用它生成进程,然后让它以快乐的方式运行。果然,如前所述,它全速前进。
根据该文章的内容,我可以自由更新我的发布模式构建,以在我的项目文件的执行环境设置中定义_NO_DEBUG_HEAP=1
。我显然仍然对调试版本中的粒度堆活动感兴趣,因此这些配置保持原样。执行此操作后,在VS2012(和VS2010)下运行的发布版本的整体速度基本更快,我邀请您尝试。