在Windows 8上,我们遇到FreeConsole的问题。它似乎关闭了stdio句柄,而没有关闭文件流。
这可能是Windows 8的问题,或者可能是因为我根本不理解Windows控制台/ GUI应用程序子系统的工作方式(完全荒谬)。
发生了什么事?
下面的最小例子。经过编译器测试:VS2005,VS2013,VS2017,使用静态链接的CRT。
#include <windows.h>
#include <io.h>
#include <stdio.h>
static void testHandle(FILE* file) {
HANDLE h = (HANDLE)_get_osfhandle(fileno(file));
DWORD flags;
if (!GetHandleInformation(h, &flags)) {
MessageBoxA(0, "Bogus handle!!", "TITLE", MB_OK);
}
}
int main(int argc, char** argv)
{
freopen("NUL", "wb", stdout); // Demonstrate the issue with NUL
// Leave stderr as it is, to demonstrate the issue with handles
// to the console device.
FreeConsole();
testHandle(stdout);
testHandle(stderr);
}
答案 0 :(得分:5)
答案 1 :(得分:1)
在不同的Windows版本上拆解FreeConsole的代码后,我找出了问题的原因。
FreeConsole是一个非常不起眼的功能!我确实为你关闭了大量的手柄,即使它没有自己的#34;那些句柄(例如stdio函数拥有的HANDLEs)。
并且,Windows 7和8中的行为不同,并且在10中再次更改。
在提出解决方案时,这是一个两难选择:
close(1)
或freopen(stdout)
或任何您喜欢的内容,但如果有一个打开的文件描述符引用控制台,如果您想将stdout切换到新的NUL,将调用CloseHandle处理
在FreeConsole之后。GetStdHandle(STD_OUTPUT_HANDLE)
)。而且,如果你先调用FreeConsole,那么就无法修复stdio对象而不会导致它们对CloseHandle进行无效调用。通过消除,我得出结论,唯一的解决方案是使用未记录的函数,如果公共函数只是不起作用。
// The undocumented bit!
extern "C" int __cdecl _free_osfhnd(int const fh);
static HANDLE closeFdButNotHandle(int fd) {
HANDLE h = (HANDLE)_get_osfhandle(fd);
_free_osfhnd(fd); // Prevent CloseHandle happening in close()
close(fd);
return h;
}
static bool valid(HANDLE h) {
SetLastError(0);
return GetFileType(h) != FILE_TYPE_UNKNOWN || GetLastError() == 0;
}
static void openNull(int fd, DWORD flags) {
int newFd;
// Yet another Microsoft bug! (I've reported four in this code...)
// They have confirmed a bug in dup2 in Visual Studio 2013, fixed
// in Visual Studio 2017. If dup2 is called with fd == newFd, the
// CRT lock is corrupted, hence the check here before calling dup2.
if (!_tsopen_s(&newFd, _T("NUL"), flags, _SH_DENYNO, 0) &&
fd != newFd)
dup2(newFd, fd);
if (fd != newFd) close(newFd);
}
void doFreeConsole() {
// stderr, stdin are similar - left to the reader. You probably
// also want to add code (as we have) to detect when the handle
// is FILE_TYPE_DISK/FILE_TYPE_PIPE and leave the stdio FILE
// alone if it's actually pointing to disk/pipe.
HANDLE stdoutHandle = closeFdButNotHandle(fileno(stdout));
FreeConsole(); // error checking left to the reader
// If FreeConsole *didn't* close the handle then do so now.
// Has a race condition, but all of this code does so hey.
if (valid(stdoutHandle)) CloseHandle(stdoutHandle);
openNull(stdoutRestore, _O_BINARY | _O_RDONLY);
}