这是来自http服务器的数据接收功能代码,完美工作..但我想为此功能添加暂停和恢复.. 任何人都可以建议我怎么做? 注意:忽略变量声明。
int rest=0,size=0,count=0;
memset(buffer,'\0',sizeof(buffer));
do {
rc=read(sockfd,buffer,1500); //Reading from socket connection
if(rest==0)
{ /*Extracting Content length*/
data=strstr((char*)buffer,"Content-Length");
if(data!=NULL)
{
value=atoi((char*)data+15);data_rest=value;
rest=1;
}
}
if(count==0)
{ /*Extracting Header*/
content=strstr(buffer,"\r\n\r\n");
if(content!=NULL)
{
printf("FOUND Header END\n");
content=content+4;count=1;
/*copying DATA to the file which has same Extension*/
data_wrote=fwrite(content,sizeof(char),rc-(content-buffer),fp);
}
}
else
{
content=buffer;
/*copying DATA to the file which has same Extension*/
data_wrote=fwrite(content,sizeof(char),rc,fp);
}
size=size+rc;
total_wrote=total_wrote+data_wrote;
printf("Total size = %d\n",size);
memset(buffer,'\0',sizeof(buffer));
} while(rc>0); /*until end of file*/
答案 0 :(得分:0)
以下是我将使用的流程:
使用Range: bytes=0-
HTTP / 1.1请求标头发送初始请求。
如果服务器以HTTP/1.1 206 Partial content
响应,您知道可以稍后恢复连接。
保存ETag
响应标头,因为它应保持不变,除非服务器上的内容发生更改,和/或Content-Type
和Last-
Modified
标头。
请注意,Content-Range
响应标头指定此响应中字节的偏移量,最终数字是完整内容的总长度,Content-Length
仅指定当前响应的长度(不是原始内容的长度)。
只需关闭连接即可中断传输。
使用Range: bytes=N-
HTTP / 1.1请求标头发送延续请求,其中N
是本地副本中仍然缺少的第一个字节的偏移量。
如果服务器没有使用HTTP/1.1 206 Partial content
进行响应,则您无法使用,但必须再次下载整个内容(使用正常的HTTP请求处理)。
如果ETag
,Content-Type
或Last-Modified
响应标头不匹配,则可能在服务器上修改了内容,您应该删除此连接并下载完整请求。
Content-Range
响应头指定此响应中字节的偏移量,最终数字是完整内容的总长度,Content-Length
仅指定当前响应的长度(不是长度)原始内容)。
在所有情况下,服务器都可能使用chunked
内容传输编码,因此您必须准备好处理该事务,因为请求是HTTP 1.1。有关详细信息,请参阅RFC2616。
测试时,我建议您使用简单的Bash脚本使用自定义标头连接到某个URL,并将响应标头输出到标准错误和消息内容到标准输出:
#!/bin/bash
Host="localhost" # Host name, use your own servers
Port="80"
Query="/" # Path to the content requested
Range="0-" # Byte range requested
# Open up a connection
exec 3<>/dev/tcp/$Host/$Port || exit $?
# Set up a reader sub-shell that will flush the headers
# to standard error, and content to standard out.
( Headers=1
while read Line ; do
Line="${Line//$'\r'/}"
if [ -z "$Line" ]; then
Headers=0
elif [ $Headers -gt 0 ]; then
printf '%s\n' "$Line" >&2
else
printf '%s\n' "$Line"
fi
done
exit 0
) <&3 &
# Construct a byte-range request:
Request=""
Request="$Request""GET $Query HTTP/1.1"$'\r\n'
Request="$Request""Host: $Host"$'\r\n'
Request="$Request""Range: bytes=$Range"$'\r\n'
Request="$Request""Connection: close"$'\r\n'
# Do a normal request.
printf '%s\r\n' "$Request" >&3
# Close the connection (the read end is still open).
exec 3>&-
# and wait for the request to complete.
wait
以上不是HTTP客户端,例如,不进行分块传输;它只是一个调试工具,可用于准确查看从服务器流向客户端的数据。