设为首页 收藏本站
查看: 449|回复: 0

[经验分享] Tomcat源码---请求处理(接收,线程分配)一

[复制链接]
发表于 2017-2-5 13:29:24 | 显示全部楼层 |阅读模式
  一,在以上文章中tomcat启动已经完毕,接着要做的是消息的请求与响应
  以下是tomcat文档中的详解
  -----------------------------------------------------------------------------------------------
  d) Tomcat receives a request on an HTTP port
      d1) The request is received by a separate thread which is waiting in the PoolTcpEndPoint 
           class. It is waiting for a request in a regular ServerSocket.accept() method.
           When a request is received, this thread wakes up.
      d2) The PoolTcpEndPoint assigns the a TcpConnection to handle the request. 
          It also supplies a JMX object name to the catalina container (not used I believe)
      d3) The processor to handle the request in this case is Coyote Http11Processor, 
          and the process method is invoked.
          This same processor is also continuing to check the input stream of the socket
          until the keep alive point is reached or the connection is disconnected.
      d4) The HTTP request is parsed using an internal buffer class (Coyote Http11 Internal Buffer)
          The buffer class parses the request line, the headers, etc and store the result in a 
          Coyote request (not an HTTP request) This request contains all the HTTP info, such
          as servername, port, scheme, etc.
      d5) The processor contains a reference to an Adapter, in this case it is the 
          Coyote Tomcat 5 Adapter. Once the request has been parsed, the Http11 processor
          invokes service() on the adapter. In the service method, the Request contains a 
          CoyoteRequest and CoyoteRespons (null for the first time)
          The CoyoteRequest(Response) implements HttpRequest(Response) and HttpServletRequest(Response)
          The adapter parses and associates everything with the request, cookies, the context through a 
          Mapper, etc
      d6) When the parsing is finished, the CoyoteAdapter invokes its container (StandardEngine)
          and invokes the invoke(request,response) method.
          This initiates the HTTP request into the Catalina container starting at the engine level
      d7) The StandardEngine.invoke() simply invokes the container pipeline.invoke()
      d8) By default the engine only has one valve the StandardEngineValve, this valve simply
          invokes the invoke() method on the Host pipeline (StandardHost.getPipeLine())
      d9) the StandardHost has two valves by default, the StandardHostValve and the ErrorReportValve
      d10) The standard host valve associates the correct class loader with the current thread
           It also retrives the Manager and the session associated with the request (if there is one)
           If there is a session access() is called to keep the session alive
      d11) After that the StandardHostValve invokes the pipeline on the context associated
           with the request.
      d12) The first valve that gets invoked by the Context pipeline is the FormAuthenticator
           valve. Then the StandardContextValve gets invoke.
           The StandardContextValve invokes any context listeners associated with the context.
           Next it invokes the pipeline on the Wrapper component (StandardWrapperValve)
      d13) During the invokation of the StandardWrapperValve, the JSP wrapper (Jasper) gets invoked
           This results in the actual compilation of the JSP.
           And then invokes the actual servlet.
  e) Invokation of the servlet class



  -----------------------------------------------------------------------------------------------
  消息接收是从org.apache.tomcat.util.net.JIoEndpoint$Acceptor#run 这是tomcat接收请求的开始

/**
* The background thread that listens for incoming TCP/IP connections and
* hands them off to an appropriate processor.
*/
public void run() {
// Loop until we receive a shutdown command
while (running) {
// Loop if endpoint is paused
while (paused) {
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
// Ignore
}
}
// Accept the next incoming connection from the server socket
try {
//serversocket执行accept()同意请求
Socket socket = serverSocketFactory.acceptSocket(serverSocket);
serverSocketFactory.initSocket(socket);
// Hand this socket off to an appropriate processor
//对scoket进行处理
if (!processSocket(socket)) {
// Close socket right away
try {//响应完毕,关闭socket
socket.close();
} catch (IOException e) {
// Ignore
}
}
}catch ( IOException x ) {
if ( running ) log.error(sm.getString("endpoint.accept.fail"), x);
} catch (Throwable t) {
log.error(sm.getString("endpoint.accept.fail"), t);
}
// The processor will recycle itself when it finishes
}
}
}

  JIoEndpoint#processSocket(socket)

/**
* Process given socket.
*/
protected boolean processSocket(Socket socket) {
try {
//没有线程池时使用默认提供的,以下对这一步进行详解
if (executor == null) {
getWorkerThread().assign(socket);
} else {
executor.execute(new SocketProcessor(socket));
}
} catch (Throwable t) {
// This means we got an OOM or similar creating a thread, or that
// the pool and its queue are full
log.error(sm.getString("endpoint.process.fail"), t);
return false;
}
return true;
}
  getWorkerThread().assign(socket);
  分为两步,getWorkerThread()获取到JIoEndpoint$Worker#run(),这一步在线程池中获取到一个线程并启动它

protected Worker createWorkerThread() {
synchronized (workers) {
if (workers.size() > 0) {
curThreadsBusy++;
return workers.pop();
}
if ((maxThreads > 0) && (curThreads < maxThreads)) {
curThreadsBusy++;
if (curThreadsBusy == maxThreads) {
log.info(sm.getString("endpoint.info.maxThreads",
Integer.toString(maxThreads), address,
Integer.toString(port)));
}
//从线程中取出线程
return (newWorkerThread());
} else {
if (maxThreads < 0) {
curThreadsBusy++;
return (newWorkerThread());
} else {
return (null);
}
}
}
}
----------------------------------------------------------------
//启动线程
protected Worker newWorkerThread() {
Worker workerThread = new Worker();
workerThread.start();
return (workerThread);
}

  getWorkerThread().assign(socket);这一步中为线程分配socket,使用了同步锁机制

      //这个是在Acceptor线程中执行的
synchronized void assign(Socket socket) {
// Wait for the Processor to get the previous Socket
while (available) {
try {
wait();
} catch (InterruptedException e) {
}
}
// Store the newly available Socket and notify our thread
this.socket = socket;
available = true;
notifyAll();
}

------------------------------------------------------------
//这一步是在Worker线程#run中调用的
private synchronized Socket await() {
// Wait for the Connector to provide a new Socket
while (!available) {
try {
wait();
} catch (InterruptedException e) {
}
}
// Notify the Connector that we have received this Socket
Socket socket = this.socket;
available = false;
notifyAll();//通知释放锁
return (socket);
}
//以上两个方法,是两个线程的执行,等待先对socket赋值再执行
  现在到JIoEndpoint$Worker#run

        /**
* The background thread that listens for incoming TCP/IP connections and
* hands them off to an appropriate processor.
*/
public void run() {
// Process requests until we receive a shutdown signal
while (running) {
// Wait for the next socket to be assigned
//以上所说的等待socket的赋值
Socket socket = await();
if (socket == null)
continue;
// Process the request from this socket
//以下的handler.process(socket)才是真正的对socket开始进行处
//以上所做的只是分配而已,handler是在                 //org.apache.coyote.http11.Http11Protocol(implements ProtocolHandler)#init
if (!setSocketOptions(socket) || !handler.process(socket)) {
// Close socket
try {
socket.close();
} catch (IOException e) {
}
}
// Finish up this request
socket = null;
recycleWorkerThread(this);//进行回收线程
}
}

运维网声明 1、欢迎大家加入本站运维交流群:群②:261659950 群⑤:202807635 群⑦870801961 群⑧679858003
2、本站所有主题由该帖子作者发表,该帖子作者与运维网享有帖子相关版权
3、所有作品的著作权均归原作者享有,请您和我们一样尊重他人的著作权等合法权益。如果您对作品感到满意,请购买正版
4、禁止制作、复制、发布和传播具有反动、淫秽、色情、暴力、凶杀等内容的信息,一经发现立即删除。若您因此触犯法律,一切后果自负,我们对此不承担任何责任
5、所有资源均系网友上传或者通过网络收集,我们仅提供一个展示、介绍、观摩学习的平台,我们不对其内容的准确性、可靠性、正当性、安全性、合法性等负责,亦不承担任何法律责任
6、所有作品仅供您个人学习、研究或欣赏,不得用于商业或者其他用途,否则,一切后果均由您自己承担,我们对此不承担任何法律责任
7、如涉及侵犯版权等问题,请您及时通知我们,我们将立即采取措施予以解决
8、联系人Email:admin@iyunv.com 网址:www.yunweiku.com

所有资源均系网友上传或者通过网络收集,我们仅提供一个展示、介绍、观摩学习的平台,我们不对其承担任何法律责任,如涉及侵犯版权等问题,请您及时通知我们,我们将立即处理,联系人Email:kefu@iyunv.com,QQ:1061981298 本贴地址:https://www.yunweiku.com/thread-337849-1-1.html 上篇帖子: Tomcat Server的组成部分与解析过程 下篇帖子: [Tomcat源码系列]结构解析 2)生命期控制结构
您需要登录后才可以回帖 登录 | 立即注册

本版积分规则

扫码加入运维网微信交流群X

扫码加入运维网微信交流群

扫描二维码加入运维网微信交流群,最新一手资源尽在官方微信交流群!快快加入我们吧...

扫描微信二维码查看详情

客服E-mail:kefu@iyunv.com 客服QQ:1061981298


QQ群⑦:运维网交流群⑦ QQ群⑧:运维网交流群⑧ k8s群:运维网kubernetes交流群


提醒:禁止发布任何违反国家法律、法规的言论与图片等内容;本站内容均来自个人观点与网络等信息,非本站认同之观点.


本站大部分资源是网友从网上搜集分享而来,其版权均归原作者及其网站所有,我们尊重他人的合法权益,如有内容侵犯您的合法权益,请及时与我们联系进行核实删除!



合作伙伴: 青云cloud

快速回复 返回顶部 返回列表