Usando objetos nomeados

O exemplo a seguir ilustra o uso de nomes de objeto criando e abrindo um mutex nomeado.

Primeiro Processo

O primeiro processo usa a função CreateMutex para criar o objeto mutex. Observe que essa função é bem-sucedida mesmo se houver um objeto existente com o mesmo nome.

#include <windows.h>
#include <stdio.h>
#include <conio.h>

// This process creates the mutex object.

int main(void)
{
    HANDLE hMutex; 

    hMutex = CreateMutex( 
        NULL,                        // default security descriptor
        FALSE,                       // mutex not owned
        TEXT("NameOfMutexObject"));  // object name

    if (hMutex == NULL) 
        printf("CreateMutex error: %d\n", GetLastError() ); 
    else 
        if ( GetLastError() == ERROR_ALREADY_EXISTS ) 
            printf("CreateMutex opened an existing mutex\n"); 
        else printf("CreateMutex created a new mutex.\n");

    // Keep this process around until the second process is run
    _getch();

    CloseHandle(hMutex);

    return 0;
}

Segundo Processo

O segundo processo usa a função OpenMutex para abrir um identificador para o mutex existente. Essa função falhará se um objeto mutex com o nome especificado não existir. O parâmetro de acesso solicita acesso completo ao objeto mutex, o que é necessário para que o identificador seja usado em qualquer uma das funções de espera.

#include <windows.h>
#include <stdio.h>

// This process opens a handle to a mutex created by another process.

int main(void)
{
    HANDLE hMutex; 

    hMutex = OpenMutex( 
        MUTEX_ALL_ACCESS,            // request full access
        FALSE,                       // handle not inheritable
        TEXT("NameOfMutexObject"));  // object name

    if (hMutex == NULL) 
        printf("OpenMutex error: %d\n", GetLastError() );
    else printf("OpenMutex successfully opened the mutex.\n");

    CloseHandle(hMutex);

    return 0;
}

Nomes de objeto

Usando objetos Mutex