我正在研究一个格式字符串漏洞实验室,在那里我们得到了以下代码:
#define SECRET1 0x44
#define SECRET2 0x55
int main(int argc, char *argv[])
{
char user_input[100];
int *secret;
int int_input;
int a, b, c, d; /* other variables, not used here.*/
/* The secret value is stored on the heap */
secret = (int *) malloc(2*sizeof(int));
/* getting the secret */
secret[0] = SECRET1;
secret[1] = SECRET2;
printf("The variable secret's address is 0x%.8x (on stack)\n", &secret);
printf("The variable secret's value is 0x%.8x (on heap)\n", secret);
printf("secret[0]'s address is 0x%.8x (on heap)\n", &secret[0]);
printf("secret[1]'s address is 0x%.8x (on heap)\n", &secret[1]);
printf("Please enter a decimal integer\n");
scanf("%d", &int_input); /* getting an input from user */
printf("Please enter a string\n");
scanf("%s", user_input); /* getting a string from user */
/* vulnerable place */
printf(user_input);
printf("\n");
/* Verify whether your attack is successful */
printf("The original secrets: 0x%x -- 0x%x\n", SECRET1, SECRET2);
printf("The new secrets: 0x%x -- 0x%x\n", secret[0], secret[1]);
return 0;
}
我们根本不应该修改代码。仅使用输入,我们有 4 个目标:使程序崩溃,打印 secret[1] 处的值,修改 secret[1] 处的值,以及将 secret[1] 处的值修改为预定值。
我得到的示例输出是:
The variable secret's address is 0xbfffe7cc (on stack)
The variable secret's value is -x0804a008 (on heap)
secret[0]'s address is 0x0804a008 (on heap)
secret[1]'s address is 0x0804a00c (on heap)
Please enter a decimal integer
65535
Please enter a string
%08x.%08x.%08x.%08x.%08x.%08x.%08x%08x.
bfffe7d0.00000000.00000000.00000000.00000000.0000ffff.0804a008.78383025
因此,通过输入 8 "%08x"s,我打印了 secret + 4 的地址,然后我打印了整数 a、b、c 和 d 的地址——但由于我从未给它们一个值,所以它们没有指向任何地方,只显示0。接下来是我输入的小数点,选择这样“ffff”将清晰可见。接下来是 secret[0] 的地址,然后我进入程序中存储的其他值。
如果我要输入AAAA.%08x.%08x.%08x.%08x.%08x.%08x.%08x%08x.
.0804a008 之后将是 .41414141,因为字符串输入中的 A 将存储在那里。
程序很容易崩溃:字符串输入上足够的 %s 会导致段错误。不过,现在我需要读取 secret[1] 的值,我完全迷失了。我试图以某种方式将地址放在堆栈上,方法是将其放在字符串的开头,如下所示:\xd0\xe7\xff\xbf_%08x.%08x.%08x.%08x.%08x.%08x.%s
,但地址没有被推送到任何地方,我只是打印 secret[0] (好奇的是'D')。我尝试了各种地址,但过了一会儿我意识到我只是将它们全部存储为一个字符串,这些 A 之前出现过。他们没有被转换为十六进制或任何东西。
我在 SA 和其他地方看到了很多关于此代码的讨论,但我还没有看到有人谈论你如何在 secret[1] 上获得这些值。
任何帮助将不胜感激。