时间:2021-07-01 10:21:17 帮助过:9人阅读
- static ngx_int_t ngx_http_echo_handler(ngx_http_request_t *r)
- {
- ngx_int_t rc;
- ngx_buf_t *b;
- //ngx_chain_t是关于ngx_buf_t的一个链表
- ngx_chain_t out;
- ngx_http_echo_loc_conf_t *elcf; //读取我们写在nginx.conf文件中的配置信息
- elcf = ngx_http_get_module_loc_conf(r, ngx_http_echo_module);
- if(!(r->method & (NGX_HTTP_HEAD|NGX_HTTP_GET|NGX_HTTP_POST)))
- {
- return NGX_HTTP_NOT_ALLOWED;
- }
- //headers_out我们可以认为是响应头部的处理
- r->headers_out.content_type.len = sizeof("text/html") - 1;
- r->headers_out.content_type.data = (u_char *) "text/html";
- r->headers_out.status = NGX_HTTP_OK;
- r->headers_out.content_length_n = elcf->ed.len;
- if(r->method == NGX_HTTP_HEAD) {
- rc = ngx_http_send_header(r);
- if(rc != NGX_OK) {
- return rc;
- }
- }
- b = ngx_pcalloc(r->pool, sizeof(ngx_buf_t));
- if(b == NULL)
- {
- ngx_log_error(NGX_LOG_ERR, r->connection->log, 0, "Failed to allocate response buffer.");
- return NGX_HTTP_INTERNAL_SERVER_ERROR;
- }
- //设置ngx_chain_t中的ngx_buf_t链表,next为NULL则说明该链表结束
- out.buf = b;
- out.next = NULL;
- //设置缓存内容
- b->pos = elcf->ed.data;
- b->last = elcf->ed.data + (elcf->ed.len);
- b->memory = 1;
- //当前ngx_buf_t已经是ngx_chain_t链表中的最后一项
- b->last_buf = 1;
- rc = ngx_http_send_header(r);
- if(rc != NGX_OK)
- {
- return rc;
- }
- return ngx_http_output_filter(r, &out);
- }
就像我们代码中出现的那样,现在解析两个函数,其一ngx_http_send_request,代码如下
这段代码实现的并不直接是发送功能,而是根据过滤模块的ngx_http_top_header_filter链表将请求头部进行处理,接下来就是ngx_http_output_filter函数了,
- ngx_http_send_header(ngx_http_request_t *r)
- {
- if (r->header_sent) {
- ngx_log_error(NGX_LOG_ALERT, r->connection->log, 0,
- "header already sent");
- return NGX_ERROR;
- }
- if (r->err_status) {
- r->headers_out.status = r->err_status;
- r->headers_out.status_line.len = 0;
- }
- return ngx_http_top_header_filter(r);
- }
该函数定义如下:
可以看到ngx_http_output_filter最终调用的是ngx_http_top_body_filter函数,这里面用到了两个参数,一个是ngx_http_request_t请求,一个是ngx_chain_t链表,其实就是将传递的ngx_chain_t添加到请求的out(也是ngx_chain_t数据类型的)的尾部,在进行输出的时候,将其内容添加到尾部。这样一个页面就输出了
- ngx_int_t
- ngx_http_output_filter(ngx_http_request_t *r, ngx_chain_t *in)
- {
- ngx_int_t rc;
- ngx_connection_t *c;
- c = r->connection;
- ngx_log_debug2(NGX_LOG_DEBUG_HTTP, c->log, 0,
- "http output filter \"%V?%V\"", &r->uri, &r->args);
- rc = ngx_http_top_body_filter(r, in);
- if (rc == NGX_ERROR) {
- /* NGX_ERROR may be returned by any filter */
- c->error = 1;
- }
- return rc;
- }
以上就介绍了Nginx 输出处理过程,包括了方面的内容,希望对PHP教程有兴趣的朋友有所帮助。