我正在学习上一次的考试(是的!),遇到了一个我很难搞清楚的问题。这是一个旧的考试问题,你应该找到至少两个可以在读取ppm图像文件的函数中利用的漏洞。我可以识别的唯一问题是,如果cols和/或行被赋予意外值,要么太大(导致整数溢出),要么为负,这会导致img->栅格具有不正确的大小,从而打开堆的可能性 - 基于缓冲区溢出攻击。
据我所知,未经检查的malloc不应被利用。
struct image *read_ppm(FILE *fp)
{
int version;
int rows, cols, maxval;
int pixBytes=0, rowBytes=0, rasterBytes;
uint8_t *p;
struct image *img;
/* Read the magic number from the file */
if ((fscanf(fp, " P%d ", &version) < 1) || (version != 6)) {
return NULL;
}
/* Read the image dimensions and color depth from the file */
if (fscanf(fp, " %d %d %d ", &cols, &rows, &maxval) < 3) {
return NULL;
}
/* Calculate some sizes */
pixBytes = (maxval > 255) ? 6 : 3; // Bytes per pixel
rowBytes = pixBytes * cols; // Bytes per row
rasterBytes = rowBytes * rows; // Bytes for the whole image
/* Allocate the image structure and initialize its fields */
img = malloc(sizeof(*img));
if (img == NULL) return NULL;
img->rows = rows;
img->cols = cols;
img->depth = (maxval > 255) ? 2 : 1;
img->raster = (void*)malloc(rasterBytes);
/* Get a pointer to the first pixel in the raster data. */
/* It is to this pointer that all image data will be written. */
p = img->raster;
/* Iterate over the rows in the file */
while (rows--) {
/* Iterate over the columns in the file */
cols = img->cols;
while (cols--) {
/* Try to read a single pixel from the file */
if (fread(p, pixBytes, 1, fp) < 1) {
/* If the read fails, free memory and return */
free(img->raster);
free(img);
return NULL;
}
/* Advance the pointer to the next location to which we
should read a single pixel. */
p += pixBytes;
}
}
/* Return the image */
return img;
}
原文(最后一个问题):http://www.ida.liu.se/~TDDC90/exam/old/TDDC90%20TEN1%202009-12-22.pdf
感谢您的帮助。
答案 0 :(得分:3)
创建一个大文件,以便阅读row
和cols
都是否定的。 rasterBytes = pixBytes * rows * cols
肯定所以一切都会好到p = img->raster;
。但此时你有两个无限循环,程序可能会覆盖堆。
另一项攻击是设置row
和cols
,使其有不同的符号。您可以选择任一值为-1
,而另一个值足以读取您想要的数据。分配
img->raster = (void*)malloc(rasterBytes);
将失败,导致img-&gt;栅格指向NULL。这意味着
fread(p, pixBytes, 1, fp) < 1
将尝试将文件内容读入内核内存。如果此代码在内核模式下执行,则取决于系统(假设使用不使用内存段的旧unix),那么您将使用文件内容覆盖内核内存的内容。不使用内存段的内核不依赖于分段错误,而是依赖于页面错误(没有分配任何实际页面的虚拟地址)。问题在于存在虚拟存储器设计,使得第一个真实页面被直接分配给内核页面。即内核虚拟地址0x0对应于0x0处的实际内存,并且完全有效(在内核中)。
编辑:在这两种情况下,攻击者的目标是将输入文件的内容(完全由他控制)注入他不应该访问的内存区域to,虽然无法修改函数read_ppm()
。
答案 1 :(得分:0)
还有一个事实是没有检查此分配是否成功。可能导致DoS。
img->raster = (void*)malloc(rasterBytes);
答案 2 :(得分:0)
如果分配失败,请执行以下操作:
img->raster = (void*)malloc(rasterBytes);
你可能正在通过一些你并不打算写的记忆。
该分配的大小由文件中的数据控制。