13

我在 C++ 应用程序中使用来自http://fastcgi.com/的库作为后端,使用 nginx Web 服务器作为前端。

从 HTML 表单成功发布文件,并且可以在 nginx 服务器端看到临时文件。但我不知道如何使用 fastcgi_stdio 访问多部分 POST 请求的主体。这是我的 HTML 表单。

<html>
    <head>
        <title>Test Server</title>
        <script src="http://code.jquery.com/jquery.min.js"></script>
    </head>
    <body>
        <form id="upload-form" method="post" target="upload_target"   enctype="multipart/form-data" action="/upload">
            <input name="file" id="file" size="27" type="file" /><br />
            <input type="submit" name="action" value="Upload" /><br />
            <iframe id="upload_target" name="upload_target" src="" style="width:100%;height:100px;border:0px solid #fff;"></iframe>
        </form>
    </body>
</html>

我的 nginx 配置文件:

location /upload {

# Pass altered request body to this location
upload_pass @test;

# Store files to this directory
# The directory is hashed, subdirectories 0 1 2 3 4 5 6 7 8 9 should exist
upload_store /www/test;

# Allow uploaded files to be read only by user
upload_store_access user:rw group:r all:r;

# Set specified fields in request body
upload_set_form_field $upload_field_name.name $upload_file_name;
upload_set_form_field $upload_field_name.content_type "$upload_content_type";
upload_set_form_field $upload_field_name.path "$upload_tmp_path";

# Inform backend about hash and size of a file
upload_aggregate_form_field "$upload_field_name.md5" "$upload_file_md5";
upload_aggregate_form_field "$upload_field_name.size" "$upload_file_size";

upload_pass_form_field "^submit$|^description$";
upload_cleanup 400 404 499 500-505;
}

include fastcgi.conf;

# Pass altered request body to a backend
location @test {
        fastcgi_pass  localhost:8080
}

现在,如何在我的 fastcgi c++ 应用程序中处理/获取 POST 请求正文,以及如何在 fastcgi 应用程序端将其写入适当的文件中?

有没有更好的快速模块来实现这一点?

谢谢你。

4

2 回答 2

12

您可以通过流访问POST正文。FCGI_stdin例如,您可以使用 一次读取一个字节FCGI_getchar,它是FCGI_fgetc(FCGI_stdin). 您可以使用FCGI_fread. 所有这一切都是我在查看源代码时发现的。这些资料来源经常引用一个叫做“H&S”的东西——它代表“Harbison and Steele”,C: A Reference Manual一书的作者,数字指的是该书的章节和章节。

顺便说一下,它被称为“stdio”,代表“标准输入/输出”。不是“工作室”。这些函数应该大多表现得像没有FCGI_前缀的对应函数。getchar因此,有关详细信息,请查看 等的手册页fread

在应用程序中获得字节后,您可以使用普通的 stdio 操作或通过FCGI_fopen. 但是请注意,输入流不会直接对应于上传文件的内容。相反,MIME 编码用于传输所有表单数据,包括文件。如果要访问文件数据,则必须解析该流。

于 2012-10-18T14:10:44.453 回答
4

用这个:

char * method = getenv("REQUEST_METHOD");
if (!strcmp(method, "POST")) {
    int ilen = atoi(getenv("CONTENT_LENGTH"));
    char *bufp = malloc(ilen);
    fread(bufp, ilen, 1, stdin);
    printf("The POST data is<P>%s\n", bufp);
    free(bufp);
}
于 2015-11-18T23:42:06.997 回答