Esta é a maneira correta de obter uma mensagem de erro do sistema para um HRESULT
(denominado hresult neste caso, ou você pode substituí-lo por GetLastError()
):
LPTSTR errorText = NULL;
FormatMessage(
// use system message tables to retrieve error text
FORMAT_MESSAGE_FROM_SYSTEM
// allocate buffer on local heap for error text
|FORMAT_MESSAGE_ALLOCATE_BUFFER
// Important! will fail otherwise, since we're not
// (and CANNOT) pass insertion parameters
|FORMAT_MESSAGE_IGNORE_INSERTS,
NULL, // unused with FORMAT_MESSAGE_FROM_SYSTEM
hresult,
MAKELANGID(LANG_NEUTRAL, SUBLANG_DEFAULT),
(LPTSTR)&errorText, // output
0, // minimum size for output buffer
NULL); // arguments - see note
if ( NULL != errorText )
{
// ... do something with the string `errorText` - log it, display it to the user, etc.
// release memory allocated by FormatMessage()
LocalFree(errorText);
errorText = NULL;
}
A principal diferença entre isso e a resposta de David Hanak é o uso da FORMAT_MESSAGE_IGNORE_INSERTS
bandeira. O MSDN não está claro como as inserções devem ser usadas, mas Raymond Chen observa que você nunca deve usá-las ao recuperar uma mensagem do sistema, pois não há como saber quais inserções o sistema espera.
FWIW, se você estiver usando Visual C ++, você pode tornar sua vida um pouco mais fácil usando a _com_error
classe:
{
_com_error error(hresult);
LPCTSTR errorText = error.ErrorMessage();
// do something with the error...
//automatic cleanup when error goes out of scope
}
Não faz parte do MFC ou ATL diretamente, tanto quanto sei.