Создание daCL

Создание правильного списка управления доступом на усмотрение (DACL) является необходимой и важной частью разработки приложений. Так как daCL NULL разрешает доступ ко всем типам пользователей, не используйте списки DACCL NULL.

В следующем примере показано, как правильно создать daCL. Пример содержит функцию CreateMyDACL, которая использует язык определения дескриптора безопасности (SDDL) для определения предоставленного и запрещенного управления доступом в DACL. Чтобы предоставить другой доступ для объектов приложения, при необходимости измените функцию CreateMyDACL.

Ознакомьтесь со следующим примером:

  1. Основная функция передает адрес структуры SECURITY_ATTRIBUTES в функцию CreateMyDACL.

  2. Функция CreateMyDACL использует строки SDDL для:

    • Запретить доступ гостевым и анонимным пользователям входа.
    • Разрешить доступ для чтения, записи и выполнения для пользователей, прошедших проверку подлинности.
    • Разрешите полный контроль администраторам.

    Дополнительные сведения о форматах строк SDDL см. в разделе "Формат строки дескриптора безопасности".

  3. Функция CreateMyDACL вызывает функцию ConvertStringSecurityDescriptorToSecurityDescriptor для преобразования строк SDDL в дескриптор безопасности. Дескриптор безопасности указывает на элемент lpSecurityDescriptor структуры SECURITY_ATTRIBUTES . CreateMyDACL отправляет возвращаемое значение из ConvertStringSecurityDescriptorToSecurityDescriptor в основную функцию.

  4. Основная функция использует обновленную структуру SECURITY_ATTRIBUTES , чтобы указать DACL для новой папки, созданной функцией CreateDirectory .

  5. После завершения основной функции с помощью структуры SECURITY_ATTRIBUTES основная функция освобождает память, выделенную для члена lpSecurityDescriptor , вызывая функцию LocalFree .

Примечание

Чтобы успешно скомпилировать функции SDDL, такие как ConvertStringSecurityDescriptorToSecurityDescriptor, необходимо определить константу _WIN32_WINNT как 0x0500 или более поздней версии.

 

#define _WIN32_WINNT 0x0500

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

#pragma comment(lib, "advapi32.lib")

BOOL CreateMyDACL(SECURITY_ATTRIBUTES *);

void main()
{
     SECURITY_ATTRIBUTES  sa;
      
     sa.nLength = sizeof(SECURITY_ATTRIBUTES);
     sa.bInheritHandle = FALSE;  

     // Call function to set the DACL. The DACL
     // is set in the SECURITY_ATTRIBUTES 
     // lpSecurityDescriptor member.
     if (!CreateMyDACL(&sa))
     {
         // Error encountered; generate message and exit.
         printf("Failed CreateMyDACL\n");
         exit(1);
     }

     // Use the updated SECURITY_ATTRIBUTES to specify
     // security attributes for securable objects.
     // This example uses security attributes during
     // creation of a new directory.
     if (0 == CreateDirectory(TEXT("C:\\MyFolder"), &sa))
     {
         // Error encountered; generate message and exit.
         printf("Failed CreateDirectory\n");
         exit(1);
     }

     // Free the memory allocated for the SECURITY_DESCRIPTOR.
     if (NULL != LocalFree(sa.lpSecurityDescriptor))
     {
         // Error encountered; generate message and exit.
         printf("Failed LocalFree\n");
         exit(1);
     }
}


// CreateMyDACL.
//    Create a security descriptor that contains the DACL 
//    you want.
//    This function uses SDDL to make Deny and Allow ACEs.
//
// Parameter:
//    SECURITY_ATTRIBUTES * pSA
//    Pointer to a SECURITY_ATTRIBUTES structure. It is your
//    responsibility to properly initialize the 
//    structure and to free the structure's 
//    lpSecurityDescriptor member when you have
//    finished using it. To free the structure's 
//    lpSecurityDescriptor member, call the 
//    LocalFree function.
// 
// Return value:
//    FALSE if the address to the structure is NULL. 
//    Otherwise, this function returns the value from the
//    ConvertStringSecurityDescriptorToSecurityDescriptor 
//    function.
BOOL CreateMyDACL(SECURITY_ATTRIBUTES * pSA)
{
     // Define the SDDL for the DACL. This example sets 
     // the following access:
     //     Built-in guests are denied all access.
     //     Anonymous logon is denied all access.
     //     Authenticated users are allowed 
     //     read/write/execute access.
     //     Administrators are allowed full control.
     // Modify these values as needed to generate the proper
     // DACL for your application. 
     TCHAR * szSD = TEXT("D:")       // Discretionary ACL
        TEXT("(D;OICI;GA;;;BG)")     // Deny access to 
                                     // built-in guests
        TEXT("(D;OICI;GA;;;AN)")     // Deny access to 
                                     // anonymous logon
        TEXT("(A;OICI;GRGWGX;;;AU)") // Allow 
                                     // read/write/execute 
                                     // to authenticated 
                                     // users
        TEXT("(A;OICI;GA;;;BA)");    // Allow full control 
                                     // to administrators

    if (NULL == pSA)
        return FALSE;

     return ConvertStringSecurityDescriptorToSecurityDescriptor(
                szSD,
                SDDL_REVISION_1,
                &(pSA->lpSecurityDescriptor),
                NULL);
}