登录 用户中心() [退出] 后台管理 注册
   
您的位置: 首页 >> 程序员学前班[不再更新,只读] >> 主题: 一些 fastcgi 直接调用的例子     [回主站]     [分站链接]
标题
一些 fastcgi 直接调用的例子
clq
浏览(0) + 2010-04-18 14:30:58 发表 编辑

关键字:

[2023-11-19 01:36:45 最后更新]
一些 fastcgi 直接调用的例子

fastcgi 官网下载的 echo-cpp 例子不知道为什么不能直接运行,调试了一下发现是没有开始一个监听端口或者是 pipe ,导致 FCGX_Accept_r 调用失败。

要加上这个

    //--------------------------------------------------
int listenQueueBacklog = 1000;
int listen_socket = FCGX_OpenSocket(":9009", listenQueueBacklog);
if (listen_socket < 0) {
   printf("quit:%m\n");
   exit(1);
}

    //--------------------------------------------------

clq
2010-4-18 14:31:43 发表 编辑

http://hi.baidu.com/looar/blog/item/18826a3cb4d76be055e7230f.html
--------------------------------------------------
fcgi in c
2010-03-21 02:22

用c语言写fastcgi程序是一个很容易的事情,借助www.fastcgi.com提 供的libary,可以很方便的写出一相应程序:

不过这个库有些古怪的地方,不同于一般的console程序,它替换了一些c标准库的实现。

示例:

#include <fcgi_stdio.h>
#include <stdlib.h>
#include <time.h>
#include <string.h>

int error_log(char* fname, char* msg)
{
FILE* f = fopen(fname, "a+");
fwrite(msg, strlen(msg), 1, f);
fwrite("\n", 1, 1, f);
fclose(f);
return 0;
}
int main(void)
{
error_log("fc.log", "start");
if (FCGX_Init()) {
   printf("quit:%m\n");
   exit(1);
}
error_log("fc.log", "init");
printf("init done.\n");
int listenQueueBacklog = 1000;
int listen_socket = FCGX_OpenSocket(":9009", listenQueueBacklog);
if (listen_socket < 0) {
   printf("quit:%m\n");
   exit(1);
}
char buf[1024];
sprintf(buf, "listen 9009, fd is %d", listen_socket);
error_log("fc.log", buf);
FCGX_Request request;
if (FCGX_InitRequest(&request, listen_socket, 0)) {
   printf("quit:%m\n");
   exit(1);
}
printf("start accept:\n");
while (FCGX_Accept_r(&request) >= 0) {
   FCGX_FPrintF(request.out, "X-Server: fcgi by c\r\n");
   FCGX_FPrintF(request.out, "Content-type: text/html\r\n\r\n");
   FCGX_FPrintF(request.out, "{\"now\":%d}", (int)time(NULL));
   FCGX_Finish_r(&request);
}
printf("done:%m\n");
return 0;
}

文档:http://www.fastcgi.com/devkit/doc/fcgi-devel-kit.htm

与nginx搭配使用:

location ~ \.c$ {
    root           html;
    fastcgi_pass   127.0.0.1:9009;
    fastcgi_index index.c;
    fastcgi_param SCRIPT_FILENAME $document_root/$fastcgi_script_name;
    include        fastcgi_params;
}

参考:http://forum.nginx.org/read.php?11,4849



clq
2010-4-18 14:34:33 发表 编辑

http://blog.csdn.net/wwwsq/archive/2008/05/22/2468007.aspx
--------------------------------------------------

原创  FastCGI的并发处理 收藏

我还没找到异步处理的方式。如果有异步的实现方式,那就可以单线程异步处理多个并发请求了。

不 过我在FastCGI的sample里面找到了多线程的方式,多线程的方式封装一下应该也可以达到异步的效果的。比如,doit()线程把FCGX_Request request 丢给另一个线程A处理,然后doit()线程阻塞的等待线程A的返回结果。那么线程A实际上就可以采取异步的方式来处理请求了。

以 下是FastCGI的sample里面的多线程实现:

/*
 * threaded.c -- A simple multi-threaded FastCGI application.
 
*/


#ifndef lint
static const char rcsid[] = "$Id: threaded.c,v 1.9 2001/11/20 03:23:21 robs Exp $";
#endif /* not lint */

#include 
"fcgi_config.h"

#include 
<pthread.h>
#include 
<sys/types.h>

#ifdef HAVE_UNISTD_H
#include 
<unistd.h>
#endif

#include 
"fcgiapp.h"


#define THREAD_COUNT 20

static int counts[THREAD_COUNT];

static void *doit(void *a)
{
    
int rc, i, thread_id = (int)a;
    pid_t pid 
= getpid();
    FCGX_Request request;
    
char *server_name;

    FCGX_InitRequest(
&request, 00);

    
for (;;)
    
{
        
static pthread_mutex_t accept_mutex = PTHREAD_MUTEX_INITIALIZER;
        
static pthread_mutex_t counts_mutex = PTHREAD_MUTEX_INITIALIZER;

        
/* Some platforms require accept() serialization, some don't.. */
        pthread_mutex_lock(
&accept_mutex);
        rc 
= FCGX_Accept_r(&request);
        pthread_mutex_unlock(
&accept_mutex);

        
if (rc < 0)
            
break;

        server_name 
= FCGX_GetParam("SERVER_NAME", request.envp);

        FCGX_FPrintF(request.
out,
            
"Content-type: text/html "
            
" "
            
"<title>FastCGI Hello! (multi-threaded C, fcgiapp library)</title>"
            
"<h1>FastCGI Hello! (multi-threaded C, fcgiapp library)</h1>"
            
"Thread %d, Process %ld<p>"
            
"Request counts for %d threads running on host <i>%s</i><p><code>",
            thread_id, pid, THREAD_COUNT, server_name 
? server_name : "?");

        sleep(
2);

        pthread_mutex_lock(
&counts_mutex);
        
++counts[thread_id];
        
for (i = 0; i < THREAD_COUNT; i++)
            FCGX_FPrintF(request.
out"%5d " , counts[i]);
        pthread_mutex_unlock(
&counts_mutex);

        FCGX_Finish_r(
&request);
    }


    
return NULL;
}


int main(void)
{
    
int i;
    pthread_t id[THREAD_COUNT];

    FCGX_Init();

    
for (i = 1; i < THREAD_COUNT; i++)
        pthread_create(
&id[i], NULL, doit, (void*)i);

    doit(
0);

    
return 0;
}



另外,FCGX_Accept_r()可以在FCGX_Finish_r()之前连续accept多个 request,这应该也代表着一种异步的方法。不过需要构造多个request对象给FCGX_Accept_r()。

clq
2010-4-18 14:48:33 发表 编辑

在 http://www.fastcgi.com/devkit/doc/overview.html 有 " cgi-fcgi The CGI-to-FastCGI bridge source code."

看样子实际上是发送一个 socket 请求给一个已经监听的 fastcgi 程序,那么象 apache 下的 php 那样有多个进程的是如何实现的呢? 自己生成多个程序,自己切换?
--------------------------------------------------
/*
* cgifcgi.c --
*
* CGI to FastCGI bridge
*
*
* Copyright (c) 1996 Open Market, Inc.
*
* See the file "LICENSE.TERMS" for information on usage and redistribution
* of this file, and for a DISCLAIMER OF ALL WARRANTIES.
*
*/
#ifndef lint
static const char rcsid[] = "$Id: cgi-fcgi.c,v 1.15 2001/09/01 01:14:28 robs Exp $";
#endif /* not lint */

#include <assert.h>
#include <ctype.h>
#include <errno.h>
#include <fcntl.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>

#include "fcgi_config.h"

#ifdef HAVE_NETDB_H
#include <netdb.h>
#endif

#ifdef _WIN32
#include <stdlib.h>
#include <io.h>
#else
extern char **environ;
#endif

#ifdef HAVE_SYS_PARAM_H
#include <sys/param.h>
#endif

#ifdef HAVE_SYS_TIME_H
#include <sys/time.h>
#endif

#ifdef HAVE_UNISTD_H
#include <unistd.h>
#endif

#include "fcgimisc.h"
#include "fcgiapp.h"
#include "fastcgi.h"
#include "fcgios.h"


static int wsReadPending = 0;
static int fcgiReadPending = 0;
static int fcgiWritePending = 0;

static void ScheduleIo(void);


/*
* Simple buffer (not ring buffer) type, used by all event handlers.
*/
#define BUFFLEN 8192
typedef struct {
char *next;
char *stop;
char buff[BUFFLEN];
} Buffer;

/*
*----------------------------------------------------------------------
*
* GetPtr --
*
* Returns a count of the number of characters available
* in the buffer (at most n) and advances past these
* characters. Stores a pointer to the first of these
* characters in *ptr.
*
*----------------------------------------------------------------------
*/

static int GetPtr(char **ptr, int n, Buffer *pBuf)
{
int result;
*ptr = pBuf->next;
result = min(n, pBuf->stop - pBuf->next);
pBuf->next += result;
return result;
}

/*
*----------------------------------------------------------------------
*
* MakeHeader --
*
* Constructs an FCGI_Header struct.
*
*----------------------------------------------------------------------
*/
static FCGI_Header MakeHeader(
int type,
int requestId,
int contentLength,
int paddingLength)
{
FCGI_Header header;
ASSERT(contentLength >= 0 && contentLength <= FCGI_MAX_LENGTH);
ASSERT(paddingLength >= 0 && paddingLength <= 0xff);
header.version = FCGI_VERSION_1;
header.type = (unsigned char) type;
header.requestIdB1 = (unsigned char) ((requestId >> 8) & 0xff);
header.requestIdB0 = (unsigned char) ((requestId ) & 0xff);
header.contentLengthB1 = (unsigned char) ((contentLength >> 8) & 0xff);
header.contentLengthB0 = (unsigned char) ((contentLength ) & 0xff);
header.paddingLength = (unsigned char) paddingLength;
header.reserved = 0;
return header;
}

/*
*----------------------------------------------------------------------
*
* MakeBeginRequestBody --
*
* Constructs an FCGI_BeginRequestBody record.
*
*----------------------------------------------------------------------
*/
static FCGI_BeginRequestBody MakeBeginRequestBody(
int role,
int keepConnection)
{
FCGI_BeginRequestBody body;
ASSERT((role >> 16) == 0);
body.roleB1 = (unsigned char) ((role >> 8) & 0xff);
body.roleB0 = (unsigned char) (role & 0xff);
body.flags = (unsigned char) ((keepConnection) ? FCGI_KEEP_CONN : 0);
memset(body.reserved, 0, sizeof(body.reserved));
return body;
}


static int bytesToRead; /* number of bytes to read from Web Server */
static int appServerSock = -1; /* Socket connected to FastCGI application,
* used by AppServerReadHandler and
* AppServerWriteHandler. */
static Buffer fromAS; /* Bytes read from the FCGI application server. */
static FCGI_Header header; /* Header of the current record. Is global
* since read may return a partial header. */
static int headerLen = 0; /* Number of valid bytes contained in header.
* If headerLen < sizeof(header),
* AppServerReadHandler is reading a record header;
* otherwise it is reading bytes of record content
* or padding. */
static int contentLen; /* If headerLen == sizeof(header), contentLen
* is the number of content bytes still to be
* read. */
static int paddingLen; /* If headerLen == sizeof(header), paddingLen
* is the number of padding bytes still
* to be read. */
static int requestId; /* RequestId of the current request.
* Set by main. */
static FCGI_EndRequestBody erBody;
static int readingEndRequestBody = FALSE;
/* If readingEndRequestBody, erBody contains
* partial content: contentLen more bytes need
* to be read. */
static int exitStatus = 0;
static int exitStatusSet = FALSE;

static int stdinFds[3];


/*
*----------------------------------------------------------------------
*
* FCGIexit --
*
* FCGIexit provides a single point of exit. It's main use is for
* application debug when porting to other operating systems.
*
*----------------------------------------------------------------------
*/
static void FCGIexit(int exitCode)
{
if(appServerSock != -1) {
OS_Close(appServerSock);
appServerSock = -1;
}
OS_LibShutdown();
exit(exitCode);
}

#undef exit
#define exit FCGIexit


/*
*----------------------------------------------------------------------
*
* AppServerReadHandler --
*
* Reads data from the FCGI application server and (blocking)
* writes all of it to the Web server. Exits the program upon
* reading EOF from the FCGI application server. Called only when
* there's data ready to read from the application server.
*
*----------------------------------------------------------------------
*/

static void AppServerReadHandler(ClientData dc, int bytesRead)
{
int count, outFD;
char *ptr;

/* Touch unused parameters to avoid warnings */
dc = NULL;

assert(fcgiReadPending == TRUE);
fcgiReadPending = FALSE;
count = bytesRead;

if(count <= 0) {
if(count < 0) {
exit(OS_Errno);
}
if(headerLen > 0 || paddingLen > 0) {
exit(FCGX_PROTOCOL_ERROR);
}
if(appServerSock != -1) {
OS_Close(appServerSock);
appServerSock = -1;
}
/*
* XXX: Shouldn't be here if exitStatusSet.
*/
exit((exitStatusSet) ? exitStatus : FCGX_PROTOCOL_ERROR);
}
fromAS.stop = fromAS.next + count;
while(fromAS.next != fromAS.stop) {
/*
* fromAS is not empty. What to do with the contents?
*/
if(headerLen < sizeof(header)) {
/*
* First priority is to complete the header.
*/
count = GetPtr(&ptr, sizeof(header) - headerLen, &fromAS);
assert(count > 0);
memcpy(&header + headerLen, ptr, count);
headerLen += count;
if(headerLen < sizeof(header)) {
break;
}
if(header.version != FCGI_VERSION_1) {
exit(FCGX_UNSUPPORTED_VERSION);
}
if((header.requestIdB1 << 8) + header.requestIdB0 != requestId) {
exit(FCGX_PROTOCOL_ERROR);
}
contentLen = (header.contentLengthB1 << 8)
+ header.contentLengthB0;
paddingLen = header.paddingLength;
} else {
/*
* Header is complete (possibly from previous call). What now?
*/
switch(header.type) {
case FCGI_STDOUT:
case FCGI_STDERR:
/*
* Write the buffered content to stdout or stderr.
* Blocking writes are OK here; can't prevent a slow
* client from tying up the app server without buffering
* output in temporary files.
*/
count = GetPtr(&ptr, contentLen, &fromAS);
contentLen -= count;
if(count > 0) {
outFD = (header.type == FCGI_STDOUT) ?
STDOUT_FILENO : STDERR_FILENO;
if(OS_Write(outFD, ptr, count) < 0) {
exit(OS_Errno);
}
}
break;
case FCGI_END_REQUEST:
if(!readingEndRequestBody) {
if(contentLen != sizeof(erBody)) {
exit(FCGX_PROTOCOL_ERROR);
}
readingEndRequestBody = TRUE;
}
count = GetPtr(&ptr, contentLen, &fromAS);
if(count > 0) {
memcpy(&erBody + sizeof(erBody) - contentLen,
ptr, count);
contentLen -= count;
}
if(contentLen == 0) {
if(erBody.protocolStatus != FCGI_REQUEST_COMPLETE) {
/*
* XXX: What to do with FCGI_OVERLOADED?
*/
exit(FCGX_PROTOCOL_ERROR);
}
exitStatus = (erBody.appStatusB3 << 24)
+ (erBody.appStatusB2 << 16)
+ (erBody.appStatusB1 << 8)
+ (erBody.appStatusB0 );
exitStatusSet = TRUE;
readingEndRequestBody = FALSE;
}
break;
case FCGI_GET_VALUES_RESULT:
/* coming soon */
case FCGI_UNKNOWN_TYPE:
/* coming soon */
default:
exit(FCGX_PROTOCOL_ERROR);
}
if(contentLen == 0) {
if(paddingLen > 0) {
paddingLen -= GetPtr(&ptr, paddingLen, &fromAS);
}
/*
* If we've processed all the data and skipped all the
* padding, discard the header and look for the next one.
*/
if(paddingLen == 0) {
headerLen = 0;
}
}
} /* headerLen >= sizeof(header) */
} /*while*/
ScheduleIo();
}

static Buffer fromWS; /* Buffer for data read from Web server
* and written to FastCGI application. Used
* by WebServerReadHandler and
* AppServerWriteHandler. */
static int webServerReadHandlerEOF;
/* TRUE iff WebServerReadHandler has read EOF from
* the Web server. Used in main to prevent
* rescheduling WebServerReadHandler. */

static void WriteStdinEof(void)
{
static int stdin_eof_sent = 0;

if (stdin_eof_sent)
return;

*((FCGI_Header *)fromWS.stop) = MakeHeader(FCGI_STDIN, requestId, 0, 0);
fromWS.stop += sizeof(FCGI_Header);
stdin_eof_sent = 1;
}

/*
*----------------------------------------------------------------------
*
* WebServerReadHandler --
*
* Non-blocking reads data from the Web server into the fromWS
* buffer. Called only when fromWS is empty, no EOF has been
* received from the Web server, and there's data available to read.
*
*----------------------------------------------------------------------
*/

static void WebServerReadHandler(ClientData dc, int bytesRead)
{
/* Touch unused parameters to avoid warnings */
dc = NULL;

assert(fromWS.next == fromWS.stop);
assert(fromWS.next == &fromWS.buff[0]);
assert(wsReadPending == TRUE);
wsReadPending = FALSE;

if(bytesRead < 0) {
exit(OS_Errno);
}
*((FCGI_Header *) &fromWS.buff[0])
= MakeHeader(FCGI_STDIN, requestId, bytesRead, 0);
bytesToRead -= bytesRead;
fromWS.stop = &fromWS.buff[sizeof(FCGI_Header) + bytesRead];
webServerReadHandlerEOF = (bytesRead == 0);

if (bytesToRead <= 0)
WriteStdinEof();

ScheduleIo();
}

/*
*----------------------------------------------------------------------
*
* AppServerWriteHandler --
*
* Non-blocking writes data from the fromWS buffer to the FCGI
* application server. Called only when fromWS is non-empty
* and the socket is ready to accept some data.
*
*----------------------------------------------------------------------
*/

static void AppServerWriteHandler(ClientData dc, int bytesWritten)
{
int length = fromWS.stop - fromWS.next;

/* Touch unused parameters to avoid warnings */
dc = NULL;

assert(length > 0);
assert(fcgiWritePending == TRUE);

fcgiWritePending = FALSE;
if(bytesWritten < 0) {
exit(OS_Errno);
}
if((int)bytesWritten < length) {
fromWS.next += bytesWritten;
} else {
fromWS.stop = fromWS.next = &fromWS.buff[0];
}

ScheduleIo();
}


/*
* ScheduleIo --
*
* This functions is responsible for scheduling all I/O to move
* data between a web server and a FastCGI application.
*
* Results:
* None.
*
* Side effects:
* This routine will signal the ioEvent upon completion.
*
*/
static void ScheduleIo(void)
{
int length;

/*
* Move data between standard in and the FastCGI connection.
*/
if(!fcgiWritePending && appServerSock != -1 &&
((length = fromWS.stop - fromWS.next) != 0)) {
if(OS_AsyncWrite(appServerSock, 0, fromWS.next, length,
AppServerWriteHandler,
(ClientData)appServerSock) == -1) {
FCGIexit(OS_Errno);
} else {
fcgiWritePending = TRUE;
}
}

/*
* Schedule a read from the FastCGI application if there's not
* one pending and there's room in the buffer.
*/
if(!fcgiReadPending && appServerSock != -1) {
fromAS.next = &fromAS.buff[0];

if(OS_AsyncRead(appServerSock, 0, fromAS.next, BUFFLEN,
AppServerReadHandler,
(ClientData)appServerSock) == -1) {
FCGIexit(OS_Errno);
} else {
fcgiReadPending = TRUE;
}
}

/*
* Schedule a read from standard in if necessary.
*/
if((bytesToRead > 0) && !webServerReadHandlerEOF && !wsReadPending &&
!fcgiWritePending &&
fromWS.next == &fromWS.buff[0]) {
if(OS_AsyncReadStdin(fromWS.next + sizeof(FCGI_Header),
BUFFLEN - sizeof(FCGI_Header),
WebServerReadHandler, STDIN_FILENO)== -1) {
FCGIexit(OS_Errno);
} else {
wsReadPending = TRUE;
}
}
}


/*
*----------------------------------------------------------------------
*
* FCGI_Start --
*
* Starts nServers copies of FCGI application appPath, all
* listening to a Unix Domain socket at bindPath.
*
*----------------------------------------------------------------------
*/

static void FCGI_Start(char *bindPath, char *appPath, int nServers)
{
int listenFd, i;

/* @@@ Should be able to pick up the backlog as an arg */
if((listenFd = OS_CreateLocalIpcFd(bindPath, 5)) == -1) {
exit(OS_Errno);
}

if(access(appPath, X_OK) == -1) {
fprintf(stderr, "%s is not executable\n", appPath);
exit(1);
}

/*
* Create the server processes
*/
for(i = 0; i < nServers; i++) {
if(OS_SpawnChild(appPath, listenFd) == -1) {
exit(OS_Errno);
}
}
OS_Close(listenFd);
}

/*
*----------------------------------------------------------------------
*
* FCGIUtil_BuildNameValueHeader --
*
* Builds a name-value pair header from the name length
* and the value length. Stores the header into *headerBuffPtr,
* and stores the length of the header into *headerLenPtr.
*
* Side effects:
* Stores header's length (at most 8) into *headerLenPtr,
* and stores the header itself into
* headerBuffPtr[0 .. *headerLenPtr - 1].
*
*----------------------------------------------------------------------
*/
static void FCGIUtil_BuildNameValueHeader(
int nameLen,
int valueLen,
unsigned char *headerBuffPtr,
int *headerLenPtr) {
unsigned char *startHeaderBuffPtr = headerBuffPtr;

ASSERT(nameLen >= 0);
if (nameLen < 0x80) {
*headerBuffPtr++ = (unsigned char) nameLen;
} else {
*headerBuffPtr++ = (unsigned char) ((nameLen >> 24) | 0x80);
*headerBuffPtr++ = (unsigned char) (nameLen >> 16);
*headerBuffPtr++ = (unsigned char) (nameLen >> 8);
*headerBuffPtr++ = (unsigned char) nameLen;
}
ASSERT(valueLen >= 0);
if (valueLen < 0x80) {
*headerBuffPtr++ = (unsigned char) valueLen;
} else {
*headerBuffPtr++ = (unsigned char) ((valueLen >> 24) | 0x80);
*headerBuffPtr++ = (unsigned char) (valueLen >> 16);
*headerBuffPtr++ = (unsigned char) (valueLen >> 8);
*headerBuffPtr++ = (unsigned char) valueLen;
}
*headerLenPtr = headerBuffPtr - startHeaderBuffPtr;
}


#define MAXARGS 16
static int ParseArgs(int argc, char *argv[],
int *doBindPtr, int *doStartPtr,
char *connectPathPtr, char *appPathPtr, int *nServersPtr) {
int i,
x,
err = 0,
ac;
char *tp1,
*tp2,
*av[MAXARGS];
FILE *fp;
char line[BUFSIZ];

*doBindPtr = TRUE;
*doStartPtr = TRUE;
*connectPathPtr = '\0';
*appPathPtr = '\0';
*nServersPtr = 0;

for(i = 0; i < MAXARGS; i++)
av[i] = NULL;
for(i = 1; i < argc; i++) {
if(argv[i][0] == '-') {
if(!strcmp(argv[i], "-f")) {
if(++i == argc) {
fprintf(stderr,
"Missing command file name after -f\n");
return 1;
}
if((fp = fopen(argv[i], "r")) == NULL) {
fprintf(stderr, "Cannot open command file %s\n", argv[i]);
return 1;
}
ac = 1;
while(fgets(line, BUFSIZ, fp)) {
if(line[0] == '#') {
continue;
}
if((tp1 = (char *) strrchr(line,'\n')) != NULL) {
*tp1-- = 0;
while(*tp1 == ' ' || *tp1 =='\t') {
*tp1-- = 0;
}
} else {
fprintf(stderr, "Line to long\n");
return 1;
}
tp1 = line;
while(tp1) {
if((tp2 = strchr(tp1, ' ')) != NULL) {
*tp2++ = 0;
}
if(ac >= MAXARGS) {
fprintf(stderr,
"To many arguments, "
"%d is max from a file\n", MAXARGS);
exit(-1);
}
if((av[ac] = (char *)malloc(strlen(tp1)+1)) == NULL) {
fprintf(stderr, "Cannot allocate %d bytes\n",
strlen(tp1)+1);
exit(-1);
}
strcpy(av[ac++], tp1);
tp1 = tp2;
}
}
err = ParseArgs(ac, av, doBindPtr, doStartPtr,
connectPathPtr, appPathPtr, nServersPtr);
for(x = 1; x < ac; x++) {
ASSERT(av[x] != NULL);
free(av[x]);
}
return err;
#ifdef _WIN32
} else if (!strcmp(argv[i], "-jitcgi")) {
DebugBreak();
} else if (!strcmp(argv[i], "-dbgfcgi")) {
putenv("DEBUG_FCGI=TRUE");
#endif
} else if(!strcmp(argv[i], "-start")) {
*doBindPtr = FALSE;
} else if(!strcmp(argv[i], "-bind")) {
*doStartPtr = FALSE;
} else if(!strcmp(argv[i], "-connect")) {
if(++i == argc) {
fprintf(stderr,
"Missing connection name after -connect\n");
err++;
} else {
strcpy(connectPathPtr, argv[i]);
}
} else {
fprintf(stderr, "Unknown option %s\n", argv[i]);
err++;
}
} else if(*appPathPtr == '\0') {
strcpy(appPathPtr, argv[i]);
} else if(isdigit((int)argv[i][0]) && *nServersPtr == 0) {
*nServersPtr = atoi(argv[i]);
if(*nServersPtr <= 0) {
fprintf(stderr, "Number of servers must be greater than 0\n");
err++;
}
} else {
fprintf(stderr, "Unknown argument %s\n", argv[i]);
err++;
}
}
if(*doStartPtr && *appPathPtr == 0) {
fprintf(stderr, "Missing application pathname\n");
err++;
}
if(*connectPathPtr == 0) {
fprintf(stderr, "Missing -connect <connName>\n");
err++;
} else if(strchr(connectPathPtr, ':')) {
/*
* XXX: Test to see if we can use IP connect locally...
This hack lets me test the ability to create a local process listening
to a TCP/IP port for connections and subsequently connect to the app
like we do for Unix domain and named pipes.

if(*doStartPtr && *doBindPtr) {
fprintf(stderr,
"<connName> of form hostName:portNumber "
"requires -start or -bind\n");
err++;
}
*/
}
if(*nServersPtr == 0) {
*nServersPtr = 1;
}
return err;
}

int main(int argc, char **argv)
{
char **envp = environ;
int count;
FCGX_Stream *paramsStream;
int numFDs;
unsigned char headerBuff[8];
int headerLen, valueLen;
char *equalPtr;
FCGI_BeginRequestRecord beginRecord;
int doBind, doStart, nServers;
char appPath[MAXPATHLEN], bindPath[MAXPATHLEN];

if(ParseArgs(argc, argv, &doBind, &doStart,
(char *) &bindPath, (char *) &appPath, &nServers)) {
fprintf(stderr,
"Usage:\n"
" cgi-fcgi -f <cmdPath> , or\n"
" cgi-fcgi -connect <connName> <appPath> [<nServers>] , or\n"
" cgi-fcgi -start -connect <connName> <appPath> [<nServers>] , or\n"
" cgi-fcgi -bind -connect <connName> ,\n"
"where <connName> is either the pathname of a UNIX domain socket\n"
"or (if -bind is given) a hostName:portNumber specification\n"
"or (if -start is given) a :portNumber specification (uses local host).\n");
exit(1);
}

if(OS_LibInit(stdinFds)) {
fprintf(stderr, "Error initializing OS library: %d\n", OS_Errno);
exit(0);
}

equalPtr = getenv("CONTENT_LENGTH");
if(equalPtr != NULL) {
bytesToRead = atoi(equalPtr);
} else {
bytesToRead = 0;
}

if(doBind) {
appServerSock = OS_FcgiConnect(bindPath);
}
if(doStart && (!doBind || appServerSock < 0)) {
FCGI_Start(bindPath, appPath, nServers);
if(!doBind) {
exit(0);
} else {
appServerSock = OS_FcgiConnect(bindPath);
}
}
if(appServerSock < 0) {
fprintf(stderr, "Could not connect to %s\n", bindPath);
exit(OS_Errno);
}
/*
* Set an arbitrary non-null FCGI RequestId
*/
requestId = 1;
/*
* XXX: Send FCGI_GET_VALUES
*/

/*
* XXX: Receive FCGI_GET_VALUES_RESULT
*/

/*
* Send FCGI_BEGIN_REQUEST (XXX: hack, separate write)
*/
beginRecord.header = MakeHeader(FCGI_BEGIN_REQUEST, requestId,
sizeof(beginRecord.body), 0);
beginRecord.body = MakeBeginRequestBody(FCGI_RESPONDER, FALSE);
count = OS_Write(appServerSock, (char *)&beginRecord, sizeof(beginRecord));
if(count != sizeof(beginRecord)) {
exit(OS_Errno);
}
/*
* Send environment to the FCGI application server
*/
paramsStream = FCGX_CreateWriter(appServerSock, requestId, 8192, FCGI_PARAMS);
for( ; *envp != NULL; envp++) {
equalPtr = strchr(*envp, '=');
if(equalPtr == NULL) {
exit(1000);
}
valueLen = strlen(equalPtr + 1);
FCGIUtil_BuildNameValueHeader(
equalPtr - *envp,
valueLen,
&headerBuff[0],
&headerLen);
if(FCGX_PutStr((char *) &headerBuff[0], headerLen, paramsStream) < 0
|| FCGX_PutStr(*envp, equalPtr - *envp, paramsStream) < 0
|| FCGX_PutStr(equalPtr + 1, valueLen, paramsStream) < 0) {
exit(FCGX_GetError(paramsStream));
}
}
FCGX_FClose(paramsStream);
FCGX_FreeStream(&paramsStream);
/*
* Perform the event loop until AppServerReadHander sees FCGI_END_REQUEST
*/
fromWS.stop = fromWS.next = &fromWS.buff[0];
webServerReadHandlerEOF = FALSE;
/*
* XXX: might want to use numFDs in the os library.
*/
numFDs = max(appServerSock, STDIN_FILENO) + 1;
OS_SetFlags(appServerSock, O_NONBLOCK);

if (bytesToRead <= 0)
WriteStdinEof();

ScheduleIo();

while(!exitStatusSet) {
/*
* NULL = wait forever (or at least until there's something
* to do.
*/
OS_DoIo(NULL);
}
if(exitStatusSet) {
FCGIexit(exitStatus);
} else {
FCGIexit(999);
}

return 0;
}


clq
2010-4-21 17:48:33 发表 编辑

php-cgi.exe 中对传过来的参数有一定要求,最关键的是 SCRIPT_FILENAME 变量,据说 SCRIPT_NAME 也可以.

"SCRIPT_FILENAME=""D:\\test1\\php5\\test1.php";

    private void setEnvironment(Socket fcgi, OutputStream ws, RequestAdapter req)
            throws IOException {
        addHeader(fcgi, ws, "REQUEST_URI", req.getRequestURI());
        addHeader(fcgi, ws, "REQUEST_METHOD", req.getMethod());
        addHeader(fcgi, ws, "SERVER_SOFTWARE", FastCGIHandler.class.getName());
        addHeader(fcgi, ws, "SERVER_NAME", req.getServerName());
        addHeader(fcgi, ws, "SERVER_PORT", String.valueOf(req.getServerPort()));
        addHeader(fcgi, ws, "REMOTE_ADDR", req.getRemoteAddr());
        addHeader(fcgi, ws, "REMOTE_HOST", req.getRemoteAddr());
        if (req.getRemoteUser() != null)
            addHeader(fcgi, ws, "REMOTE_USER", req.getRemoteUser());
        else
            addHeader(fcgi, ws, "REMOTE_USER", "");
        if (req.getAuthType() != null)
            addHeader(fcgi, ws, "AUTH_TYPE", req.getAuthType());

        addHeader(fcgi, ws, "GATEWAY_INTERFACE", "CGI/1.1");
        addHeader(fcgi, ws, "SERVER_PROTOCOL", req.getProtocol());
        if (req.getQueryString() != null)
            addHeader(fcgi, ws, "QUERY_STRING", req.getQueryString());
        else
            addHeader(fcgi, ws, "QUERY_STRING", "");

        String scriptPath = req.getServletPath();
        log.debug("FCGI file: " + scriptPath);
        addHeader(fcgi, ws, "PATH_INFO", req.getContextPath() + scriptPath);
        addHeader(fcgi, ws, "PATH_TRANSLATED", req.getRealPath(scriptPath));
        addHeader(fcgi, ws, "SCRIPT_FILENAME", req.getRealPath(scriptPath));
        int contentLength = req.getContentLength();
        if (contentLength < 0)
            addHeader(fcgi, ws, "CONTENT_LENGTH", "0");
        else
            addHeader(fcgi, ws, "CONTENT_LENGTH", String.valueOf(contentLength));

        addHeader(fcgi, ws, "DOCUMENT_ROOT", req.getRealPath("/"));

        String cb = "";

        Enumeration<String> e = req.getHeaderNames();
        while (e.hasMoreElements()) {
            String key = (String) e.nextElement();
            String value = req.getHeader(key);

            if (key.equalsIgnoreCase("content-length"))
                addHeader(fcgi, ws, "CONTENT_LENGTH", value);
            else if (key.equalsIgnoreCase("content-type"))
                addHeader(fcgi, ws, "CONTENT_TYPE", value);
            else if (key.equalsIgnoreCase("if-modified-since")) {
            } else if (key.equalsIgnoreCase("if-none-match")) {
            } else if (key.equalsIgnoreCase("authorization")) {
            } else if (key.equalsIgnoreCase("proxy-authorization")) {
            } else
                addHeader(fcgi, ws, convertHeader(cb, key), value);
        }
    }
--------------------------------------------------

clq
2010-4-21 17:51:06 发表 编辑

”No input file specified”

另外,还可能跟 路径或者 权限有关系,或者SCRIPT_FILENAME 变量没有被正确的设置(这在nginx是最常见的原因)

1)如果html也出现404错误,那么就是document root 设置的有问题
2)检查脚本文件的权限, 可能PHP或者web server不能读取它
3)SCRIPT_FILENAME设置错误

可以使用
fastcgi_param SCRIPT_FILENAME $document_root$fastcgi_script_name;
必须保证 $document_root 在配置文件中,在astcgi_param SCRIPT_FILENAME前面被用到过一次, 后面有解释为什么。

或者
修改/etc/php5/cgi/php.ini中cgi.fix_pathinfo=1
这样也可让php-cgi正常使用SCRIPT_FILENAME这个变量

有人说,这样改也行
fastcgi_param SCRIPT_NAME /home/gavin/nginx/$fastcgi_script_name;

让我们看看PHP对这两个变量是怎么解释的吧
SCRIPT_NAME
SCRIPT_FILENAME
据说,必须指定正确的SCRIPT_FILENAME, PHP-CGI会忽略SCRIPT_NAME(即使它的值设置的是正确的)
或者指定特殊的php.ini, 设置doc_root, discard path, fix pathinfo等等

script_filename 只是被用做一种快捷方式。 如果fix_pathinfo设置打开,init函数将它用来决定真实的路径

因为配置文件会改变 nginx的变量$fastcgi_script_name

--------------------------------------------------

来自 http://qlj.sh.cn/linux/20090815/nginx-php-no-input-file-specified/

NGINX PHP No input file specified

date:星期六, 八月 15th, 2009 at 4:45 上午 Categories:linux

刚装好

马上加了个 PHPINFO

  1. <?php
  2. phpinfo();
  3. ?>

然后在游览器下运行 结果是

No input file specified.

以下内容为网络收集

FastCGI模式下访问php文件时,出现No input file specified.错误
查看access.log 发现是 404

原因分析:
任何对.php文件的请求,都简单地交给php-cgi去处理,但没有验证该php文件是否存在。PHP文件不存在,没办法返回普通的404错误,它返回 一个404,并带上一句”No input file specified”

另外,还可能跟 路径或者 权限有关系,或者SCRIPT_FILENAME 变量没有被正确的设置(这在nginx是最常见的原因)

1)如果html也出现404错误,那么就是document root 设置的有问题
2)检查脚本文件的权限, 可能PHP或者web server不能读取它
3)SCRIPT_FILENAME设置错误

可以使用
fastcgi_param SCRIPT_FILENAME $document_root$fastcgi_script_name;
必须保证 $document_root 在配置文件中,在astcgi_param SCRIPT_FILENAME前面被用到过一次, 后面有解释为什么。

或者
修改/etc/php5/cgi/php.ini中cgi.fix_pathinfo=1
这样也可让php-cgi正常使用SCRIPT_FILENAME这个变量

有人说,这样改也行
fastcgi_param SCRIPT_NAME /home/gavin/nginx/$fastcgi_script_name;

让我们看看PHP对这两个变量是怎么解释的吧
SCRIPT_NAME
SCRIPT_FILENAME
据说,必须指定正确的SCRIPT_FILENAME, PHP-CGI会忽略SCRIPT_NAME(即使它的值设置的是正确的)
或者指定特殊的php.ini, 设置doc_root, discard path, fix pathinfo等等

script_filename 只是被用做一种快捷方式。 如果fix_pathinfo设置打开,init函数将它用来决定真实的路径

因为配置文件会改变 nginx的变量$fastcgi_script_name

fastcgi_param SCRIPT_NAME /home/gavin/nginx/$fastcgi_script_name;
fastcgi_param SCRIPT_FILENAME $fastcgi_script_name;

fastcgi_param SCRIPT_FILENAME /home/gavin/nginx/$fastcgi_script_name;
fastcgi_param SCRIPT_NAME $fastcgi_script_name;

这两种配置都是可以的


fastcgi_param SCRIPT_FILENAME $document_root$fastcgi_script_name;
也是可以的,但必须保证 $document_root 被正确设置过

‘SCRIPT_FILENAME’
当前执行脚本的绝对路径名(pathname)
‘SCRIPT_NAME’
含有当前脚本的路径。当页面需要指向他们自己时,有用. __FILE__ 常量包含路径和文件名

; cgi.fix_pathinfo provides *real* PATH_INFO/PATH_TRANSLATED support for CGI. PHP’s
; previous behaviour was to set PATH_TRANSLATED to SCRIPT_FILENAME, and to not grok
; what PATH_INFO is. For more information on PATH_INFO, see the cgi specs. Setting
; this to 1 will cause PHP CGI to fix it’s paths to conform to the spec. A setting
; of zero causes PHP to behave as before. Default is 1. You should fix your scripts
; to use SCRIPT_FILENAME rather than PATH_TRANSLATED.
; cgi.fix_pathinfo=0

主要跟CGI标准的
PATH_INFO
PATH_TRANSLATED
SCRIPT_NAME
有关系
修修改了好多
最终主要修改的

把 NGINX DEFAULT 那个文件中的

fastcgi_param SCRIPT_NAME $fastcgi_script_name;

改成实际的路径

今天我是这种情况

我的是fastcgi_param SCRIPT_NAME /var/www/nginx-default/$fastcgi_script_name;

然后就好了
上面的文章供参考
如果试了还不行 多看看内容再试试


clq
2010-4-21 17:53:52 发表 编辑

前一个代码示例来自 jfastcgi

clq
2010-5-8 12:35:18 发表 编辑

php 中的 $_GET 来自于 fastcgi 的 QUERY_STRING 变量.

这时 $_SERVER 中的内容也会跟着变.

参考 http://www.biuuu.com/p297.html

2009年01月13日

实例详解$_SERVER函数中QUERY_STRING和 REQUEST_URI等四个变量区别

本博客所有文章均属原创作品,如有转载,请注明作 者:biuuu,来源:http://www.biuuu.com/?p=297

$_SERVER存储当前服务器信息,其中有几个值 如$_SERVER["QUERY_STRING"],$_SERVER["REQUEST_URI"],$_SERVER["SCRIPT_NAME"] 和$_SERVER["PHP_SELF"]常常容易混淆,以下通过实例详解$_SERVER函数中 QUERY_STRING,REQUEST_URI,SCRIPT_NAME和PHP_SELF变量区别,掌握这四者之间的关系,便于在实际应用中正确获 取所需要的值,供参考。

php_logo

1,$_SERVER["QUERY_STRING"]
说明:查询(query)的字符串

2,$_SERVER["REQUEST_URI"]
说明:访问此页面所需的URI

3,$_SERVER["SCRIPT_NAME"]
说明:包含当前脚本的路径

4,$_SERVER["PHP_SELF"]
说明:当前正在执行脚本的文件名

实例:
1,http://www.biuuu.com/ (直接打开主页)
结果:
$_SERVER["QUERY_STRING"] = ""
$_SERVER["REQUEST_URI"]  = "/"
$_SERVER["SCRIPT_NAME"]  = "/index.php"
$_SERVER["PHP_SELF"]     = "/index.php"

2,http://www.biuuu.com/?p=222 (附带查询)
结果:
$_SERVER["QUERY_STRING"] = "p=222"
$_SERVER["REQUEST_URI"]  = "/?p=222"
$_SERVER["SCRIPT_NAME"]  = "/index.php"
$_SERVER["PHP_SELF"]     = "/index.php"

3,http://www.biuuu.com/index.php?p=222&q=biuuu
结果:
$_SERVER["QUERY_STRING"] = "p=222&q=biuuu"
$_SERVER["REQUEST_URI"]  = "/index.php?p=222&q=biuuu"
$_SERVER["SCRIPT_NAME"]  = "/index.php"
$_SERVER["PHP_SELF"]     = "/index.php"

$_SERVER["QUERY_STRING"]获 取查询语句,实例中可知,获取的是?后面的值
$_SERVER["REQUEST_URI"] 获取http://www.biuuu.com后面的值,包括/
$_SERVER["SCRIPT_NAME"] 获取当前脚本的路径,如:index.php
$_SERVER["PHP_SELF"] 当前正在执行脚本的文件名

总结一下,对于QUERY_STRING,REQUEST_URI,SCRIPT_NAME和PHP_SELF,深入了解将有利于我们 在$_SERVER函数中正确调用这四个值。通过实例详解$_SERVER函数中 QUERY_STRING,REQUEST_URI,SCRIPT_NAME和PHP_SELF掌握四个变量之间的区别。



clq
2010-5-8 12:35:53 发表 编辑

fastcgi 实现代码。

    kvstring = "QUERY_STRING=p=222&q=biuuu";//参考 http://www.biuuu.com/p297.html
    key = kvstring;

    value = strchr(kvstring, '=');
    keyLen = value - kvstring;//注意要放在 value = value + 1; 之前
    value = value + 1;//应该判断 kvstring 在 = 号后还有没有字符串
    valueLen = strlen(value);
   

    FCGIUtil_BuildNameValueHeader(
            keyLen,
            valueLen,
            &headerBuff[0],
            &headerLen);

    if(
            FCGX_PutStr((char *) &headerBuff[0],  headerLen,  paramsStream) < 0
            ||
            FCGX_PutStr(key,                      keyLen,     paramsStream) < 0
            ||
            FCGX_PutStr(value,                    valueLen,   paramsStream) < 0
        )
    {
        exit(FCGX_GetError(paramsStream));
    }

clq
2010-5-8 12:59:57 发表 编辑

http://hi.baidu.com/sungoogle/blog/item/015d19305180869ba8018e68.html
--------------------------------------------------

今天仔细学习了一下手册关于服务器变量的内容,写个一个笔记,贴出来希望对初学者有帮助。

红色的是我认为比较常用和重要的蓝色 部分是我自己调试后加上的,便于理解。

转载请尊重劳动成果,呵呵,体力活,不好整。

服务器变量 $_SERVER 详解:

1、$_SESSION['PHP_SELF'] -- 获取当前正在执行脚本的文件名

2、$_SERVER['SERVER_PROTOCOL'] -- 请求页面时通信协议的名称和版本。例如,“HTTP/1.0”。

3、$_SERVER['REQUEST_TIME'] -- 请求开始时的时间戳。从 PHP 5.1.0 起有效。和time函数效果一样。

4、$_SERVER['argv'] -- 传递给该脚本的参数。我试了下,get方法可以得到$_SERVER['argv'][0];post方法无法给他赋值。

5、$_SERVER['SERVER_NAME'] -- 返回当前主机名。

6、$_SERVER['SERVER_SOFTWARE'] -- 服务器标识的字串,在响应请求时的头信息中给出。 如Microsoft-IIS/6.0

7、$_SERVER['REQUEST_METHOD'] -- 访问页面时的请求方法。例如:“GET”、“HEAD”,“POST”,“PUT”。

8、$_SERVER['QUERY_STRING'] -- 查询(query)的字符串(URL 中第一个问号 ? 之后的内容)。

9、$_SERVER['DOCUMENT_ROOT'] -- 当前运行脚本所在的文档根目录。在服务器配置文件中定义。 如E:\server

10、$_SERVER['HTTP_ACCEPT'] -- 当前请求的 Accept: 头信息的内容。

11、$_SERVER['HTTP_ACCEPT_CHARSET'] -- 当前请求的 Accept-Charset: 头信息的内容。例如:“iso-8859-1,*,utf-8”。

12、$_SERVER['HTTP_ACCEPT_ENCODING'] -- 当前请求的 Accept-Encoding: 头信息的内容。例如:“gzip”。

13、$_SERVER['HTTP_ACCEPT_LANGUAGE'] -- 当前请求的 Accept-Language: 头信息的内容。例如:“en”。

14、$_SERVER['HTTP_CONNECTION'] -- 当前请求的 Connection: 头信息的内容。例如:“Keep-Alive”。

15、$_SERVER['HTTP_HOST'] -- 当前请求的 Host: 头信息的内容。

16、$_SERVER['HTTP_REFERER'] -- 链接到当前页面的前一页面的 URL 地址。

17、$_SERVER['HTTP_USER_AGENT'] -- 返回用户使用的浏览器信息。也可以使用 get_browser() 得到此信息。

18、$_SERVER['HTTPS'] -- 如果通过https访问,则被设为一个非空的值, 否则返回off.

19、$_SERVER['REMOTE_ADDR'] -- 正在浏览当前页面用户的 IP 地址。

20、$_SERVER['REMOTE_HOST'] -- 正在浏览当前页面用户的主机名。反向域名解析基于该用户的 REMOTE_ADDR。如本地测试返回127.0.0.1

21、$_SERVER['REMOTE_PORT'] -- 用户连接到服务器时所使用的端口。我 在本机测试没通过,不知道什么原因。

22、$_SERVER['SCRIPT_FILENAME'] -- 当前执行脚本的绝对路径名。如 返回E:\server\index.php

23、$_SERVER['SERVER_ADMIN'] -- 该值指明了 Apache 服务器配置文件中的 SERVER_ADMIN 参数。如果脚本运行在一个虚拟主机上,则该值是那个虚拟主机的值

24、$_SERVER['SERVER_PORT'] -- 服务器所使用的端口。默认为“80”。如果使用 SSL 安全连接,则这个值为用户设置的 HTTP 端口。

25、$_SERVER['SERVER_SIGNATURE'] -- 包含服务器版本和虚拟主机名的字符串。

26、$_SERVER['PATH_TRANSLATED'] -- 当前脚本所在文件系统(不是文档根目录)的基本路径。这是在服务器进行虚拟到真实路径的映像后的结果。 Apache 2 用 户可以使用 httpd.conf 中的 AcceptPathInfo On 来定义 PATH_INFO。

27、$_SERVER['SCRIPT_NAME'] -- 包含当前脚本的路径。这在页面需要指向自己时非常有用。__FILE__ 包含当前文件的绝对路径和文件名(例如包含文件)。

28、$_SERVER['REQUEST_URI'] -- 访问此页面所需的 URI。例如,“/index.html”。

29、$_SERVER['PHP_AUTH_DIGEST'] -- 当作为 Apache 模块运行时,进行 HTTP Digest 认证的过程中,此变量被设置成客户端发送的“Authorization”HTTP 头内容(以便作进一步的认证操作)。

30、$_SERVER['PHP_AUTH_USER']-- 当 PHP 运行在 Apache 或 IIS(PHP 5 是 ISAPI)模块方式下,并且正在使用 HTTP 认证功能,这个变量便是用户输入的用户名。

31、$_SERVER['PHP_AUTH_PW'] -- 当 PHP 运行在 Apache 或 IIS(PHP 5 是 ISAPI)模块方式下,并且正在使用 HTTP 认证功能,这个变量便是用户输入的密码。

32、$_SERVER['AUTH_TYPE']--当 PHP 运行在 Apache 模块方式下,并且正在使用 HTTP 认证功能,这个变量便是认证的类型。




总数:9 页次:1/1 首页 尾页  
总数:9 页次:1/1 首页 尾页  


所在合集/目录



发表评论:
文本/html模式切换 插入图片 文本/html模式切换


附件:



NEWBT官方QQ群1: 276678893
可求档连环画,漫画;询问文本处理大师等软件使用技巧;求档softhub软件下载及使用技巧.
但不可"开车",严禁国家敏感话题,不可求档涉及版权的文档软件.
验证问题说明申请入群原因即可.

Copyright © 2005-2020 clq, All Rights Reserved
版权所有
桂ICP备15002303号-1