WWW2Exec - atexit(), TLS Storage & Other mangled Pointers

Reading time: 8 minutes

tip

AWS 해킹 배우기 및 연습하기:HackTricks Training AWS Red Team Expert (ARTE)
GCP 해킹 배우기 및 연습하기: HackTricks Training GCP Red Team Expert (GRTE)

HackTricks 지원하기

__atexit Structures

caution

요즘 이걸 악용하는 것은 매우 이상합니다!

**atexit()**는 다른 함수들이 매개변수로 전달되는 함수입니다. 이 함수들exit() 또는 mainreturn을 실행할 때 실행됩니다.
만약 이 함수들 중 하나의 주소를 예를 들어 쉘코드로 가리키도록 수정할 수 있다면, 프로세스제어할 수 있습니다. 하지만 현재 이는 더 복잡합니다.
현재 실행될 함수들에 대한 주소는 여러 구조 뒤에 숨겨져 있으며, 결국 가리키는 주소는 함수의 주소가 아니라 XOR로 암호화되고 무작위 키변위된 것입니다. 그래서 현재 이 공격 벡터는 x86x64_86에서는 그리 유용하지 않습니다.
암호화 함수는 **PTR_MANGLE**입니다. m68k, mips32, mips64, aarch64, arm, hppa와 같은 다른 아키텍처암호화 함수를 구현하지 않으며, 입력으로 받은 것과 같은 값을 반환합니다. 따라서 이러한 아키텍처는 이 벡터로 공격할 수 있습니다.

이 작동 방식에 대한 자세한 설명은 https://m101.github.io/binholic/2017/05/20/notes-on-abusing-exit-handlers.html에서 확인할 수 있습니다.

이 게시물에서 설명한 바와 같이, 프로그램이 return 또는 exit()를 사용하여 종료되면 __run_exit_handlers()가 실행되어 등록된 소멸자를 호출합니다.

caution

프로그램이 _exit() 함수를 통해 종료되면, exit syscall을 호출하고 종료 핸들러는 실행되지 않습니다. 따라서 __run_exit_handlers()가 실행되는지 확인하려면 그에 대한 중단점을 설정할 수 있습니다.

중요한 코드는 (source):

c
ElfW(Dyn) *fini_array = map->l_info[DT_FINI_ARRAY];
if (fini_array != NULL)
{
ElfW(Addr) *array = (ElfW(Addr) *) (map->l_addr + fini_array->d_un.d_ptr);
size_t sz = (map->l_info[DT_FINI_ARRAYSZ]->d_un.d_val / sizeof (ElfW(Addr)));

while (sz-- > 0)
((fini_t) array[sz]) ();
}
[...]




// This is the d_un structure
ptype l->l_info[DT_FINI_ARRAY]->d_un
type = union {
Elf64_Xword d_val;	// address of function that will be called, we put our onegadget here
Elf64_Addr d_ptr;	// offset from l->l_addr of our structure
}

map -> l_addr + fini_array -> d_un.d_ptr를 사용하여 호출할 함수의 배열의 위치를 계산하는 방법에 주목하세요.

몇 가지 옵션이 있습니다:

  • map->l_addr의 값을 덮어써서 **임의 코드를 실행할 지시사항이 있는 가짜 fini_array**를 가리키게 합니다.
  • l_info[DT_FINI_ARRAY]l_info[DT_FINI_ARRAYSZ] 항목(메모리에서 거의 연속적임)을 덮어써서 위조된 Elf64_Dyn 구조체를 가리키게 하여 array가 공격자가 제어하는 메모리 영역을 가리키게 합니다.
  • 이 글l_info[DT_FINI_ARRAY].bss에 있는 제어된 메모리의 주소로 덮어써서 가짜 fini_array를 포함합니다. 이 가짜 배열은 먼저 one gadget 주소를 포함하고, 이 주소가 실행된 후 이 가짜 배열의 주소와 map->l_addr의 값 사이의 차이를 포함하여 *array가 가짜 배열을 가리키게 합니다.
  • 이 기술의 주요 게시물과 이 글에 따르면, ld.so는 ld.so의 이진 link_map을 가리키는 포인터를 스택에 남깁니다. 임의 쓰기를 통해 이를 덮어쓰고 공격자가 제어하는 가짜 fini_array를 가리키게 할 수 있으며, 예를 들어 one gadget의 주소를 포함할 수 있습니다.

이전 코드 다음에 코드가 포함된 또 다른 흥미로운 섹션을 찾을 수 있습니다:

c
/* Next try the old-style destructor.  */
ElfW(Dyn) *fini = map->l_info[DT_FINI];
if (fini != NULL)
DL_CALL_DT_FINI (map, ((void *) map->l_addr + fini->d_un.d_ptr));
}

이 경우 map->l_info[DT_FINI]의 값을 조작된 ElfW(Dyn) 구조체를 가리키도록 덮어쓸 수 있습니다. 자세한 정보는 여기에서 확인하세요.

TLS-Storage dtor_list 덮어쓰기 in __run_exit_handlers

여기에서 설명된 바와 같이, 프로그램이 return 또는 exit()를 통해 종료되면 **__run_exit_handlers()**가 실행되어 등록된 모든 소멸자 함수를 호출합니다.

_run_exit_handlers()의 코드:

c
/* Call all functions registered with `atexit' and `on_exit',
in the reverse of the order in which they were registered
perform stdio cleanup, and terminate program execution with STATUS.  */
void
attribute_hidden
__run_exit_handlers (int status, struct exit_function_list **listp,
bool run_list_atexit, bool run_dtors)
{
/* First, call the TLS destructors.  */
#ifndef SHARED
if (&__call_tls_dtors != NULL)
#endif
if (run_dtors)
__call_tls_dtors ();

**__call_tls_dtors()**의 코드:

c
typedef void (*dtor_func) (void *);
struct dtor_list //struct added
{
dtor_func func;
void *obj;
struct link_map *map;
struct dtor_list *next;
};

[...]
/* Call the destructors.  This is called either when a thread returns from the
initial function or when the process exits via the exit function.  */
void
__call_tls_dtors (void)
{
while (tls_dtor_list)		// parse the dtor_list chained structures
{
struct dtor_list *cur = tls_dtor_list;		// cur point to tls-storage dtor_list
dtor_func func = cur->func;
PTR_DEMANGLE (func);						// demangle the function ptr

tls_dtor_list = tls_dtor_list->next;		// next dtor_list structure
func (cur->obj);
[...]
}
}

각 등록된 함수에 대해 **tls_dtor_list**에서 **cur->func**의 포인터를 디망글링하고 **cur->obj**를 인수로 호출합니다.

GEF의 포크에서 tls 함수를 사용하면 실제로 **dtor_list**가 스택 카나리PTR_MANGLE 쿠키에 매우 가깝다는 것을 알 수 있습니다. 따라서 이를 오버플로우하면 쿠키스택 카나리덮어쓸 수 있습니다.
PTR_MANGLE 쿠키를 덮어쓰면 PTR_DEMANLE 함수를 0x00으로 설정하여 우회할 수 있으며, 이는 실제 주소를 얻기 위해 사용되는 **xor**가 설정된 주소와 같음을 의미합니다. 그런 다음 **dtor_list**에 쓰면 함수 주소와 그 인수로 여러 함수를 체인할 수 있습니다.

마지막으로 저장된 포인터는 쿠키와 xored될 뿐만 아니라 17비트 회전도 수행된다는 점에 유의하세요:

armasm
0x00007fc390444dd4 <+36>:	mov    rax,QWORD PTR [rbx]      --> mangled ptr
0x00007fc390444dd7 <+39>:	ror    rax,0x11		        --> rotate of 17 bits
0x00007fc390444ddb <+43>:	xor    rax,QWORD PTR fs:0x30	--> xor with PTR_MANGLE

다음 주소를 추가하기 전에 이 점을 고려해야 합니다.

원본 게시물에서 예를 찾아보세요.

**__run_exit_handlers**의 다른 망가진 포인터

이 기술은 여기에서 설명됩니다 및 프로그램이 **return 또는 exit()**을 호출하여 종료될 때 다시 의존하므로 **__run_exit_handlers()**가 호출됩니다.

이 함수의 코드를 더 살펴보겠습니다:

c
while (true)
{
struct exit_function_list *cur;

restart:
cur = *listp;

if (cur == NULL)
{
/* Exit processing complete.  We will not allow any more
atexit/on_exit registrations.  */
__exit_funcs_done = true;
break;
}

while (cur->idx > 0)
{
struct exit_function *const f = &cur->fns[--cur->idx];
const uint64_t new_exitfn_called = __new_exitfn_called;

switch (f->flavor)
{
void (*atfct) (void);
void (*onfct) (int status, void *arg);
void (*cxafct) (void *arg, int status);
void *arg;

case ef_free:
case ef_us:
break;
case ef_on:
onfct = f->func.on.fn;
arg = f->func.on.arg;
PTR_DEMANGLE (onfct);

/* Unlock the list while we call a foreign function.  */
__libc_lock_unlock (__exit_funcs_lock);
onfct (status, arg);
__libc_lock_lock (__exit_funcs_lock);
break;
case ef_at:
atfct = f->func.at;
PTR_DEMANGLE (atfct);

/* Unlock the list while we call a foreign function.  */
__libc_lock_unlock (__exit_funcs_lock);
atfct ();
__libc_lock_lock (__exit_funcs_lock);
break;
case ef_cxa:
/* To avoid dlclose/exit race calling cxafct twice (BZ 22180),
we must mark this function as ef_free.  */
f->flavor = ef_free;
cxafct = f->func.cxa.fn;
arg = f->func.cxa.arg;
PTR_DEMANGLE (cxafct);

/* Unlock the list while we call a foreign function.  */
__libc_lock_unlock (__exit_funcs_lock);
cxafct (arg, status);
__libc_lock_lock (__exit_funcs_lock);
break;
}

if (__glibc_unlikely (new_exitfn_called != __new_exitfn_called))
/* The last exit function, or another thread, has registered
more exit functions.  Start the loop over.  */
goto restart;
}

*listp = cur->next;
if (*listp != NULL)
/* Don't free the last element in the chain, this is the statically
allocate element.  */
free (cur);
}

__libc_lock_unlock (__exit_funcs_lock);

변수 finitial 구조체를 가리키며, f->flavor의 값에 따라 다른 함수가 호출됩니다.
값에 따라 호출할 함수의 주소는 다른 위치에 있지만, 항상 demangled 상태입니다.

또한, 옵션 ef_on 및 **ef_cxa**에서는 인수를 제어할 수도 있습니다.

디버깅 세션에서 GEF를 실행하여 **gef> p initial**로 initial 구조체를 확인할 수 있습니다.

이를 악용하려면 PTR_MANGLE 쿠키를 leak하거나 지운 다음, system('/bin/sh')initialcxa 항목을 덮어써야 합니다.
이와 관련된 예시는 기술에 대한 원래 블로그 게시물에서 찾을 수 있습니다.

tip

AWS 해킹 배우기 및 연습하기:HackTricks Training AWS Red Team Expert (ARTE)
GCP 해킹 배우기 및 연습하기: HackTricks Training GCP Red Team Expert (GRTE)

HackTricks 지원하기