2016-07-22 3 views
-2

Хорошо, извините, о первом вопросе, который был плохим. Вторая попытка. Я создал веб-сервер (или ответчик?) С использованием библиотек C# и System.Net. Здесь вы общедоступный сервер переменные:Мой веб-сервер не может найти подкаталоги

#region "Variables" 
    private TcpListener _TcpListener; 
    private Thread _ListenThread; 
    private string _ServerDataPath = ""; 

    private string _Log = "[XMS LOG] Date : " + DateTime.Now.ToString("r") + "\r\n"; 

    public List<string> Defaults; 
    public Dictionary<string, string> Mimes; 
    #endregion 

    private int _SendBufferSize = 2048; 
    private int _ReceiveBufferSize = 2048; 

    #region "Properties" 
    public int SendBufferSize 
    { 
     get { return _SendBufferSize; } 
     set 
     { 
      if (value <= 0) 
      { 
       return; 
      } 
      _SendBufferSize = value; 
     } 
    } 

    public int ReceiveBufferSize 
    { 
     get { return _ReceiveBufferSize; } 
     set 
     { 
      if (value <= 0) 
      { 
       return; 
      } 
      _ReceiveBufferSize = value; 
     } 
    } 

    public TcpListener Listener 
    { 
     get { return _TcpListener; } 
    } 

    public Thread ListenThread 
    { 
     get { return _ListenThread; } 
    } 

    public String Path 
    { 
     get { return _ServerDataPath; } 
    } 
    #endregion 

Вот код из моей слушают методы:

private void Listen() 
{ 
    Socket cur = null; 
    try 
    { 
     // Infinite loop 
     while(true) 
     { 
      // Accept incoming socket 
      cur = _TcpListener.AcceptSocket(); 
      // Limit socket buffers 
      cur.SendBufferSize = SendBufferSize; cur.ReceiveBufferSize = ReceiveBufferSize; 
      // Get request 
      byte[] Request = new byte[ReceiveBufferSize]; 
      int RequestSize = cur.Receive(Request); 
      string RequestStr = Encoding.Default.GetString(Request); 
      // Clients send empty requests filled with nulls 
      // To prevent lag if request is empty then directly close stream 
      if (string.IsNullOrWhiteSpace(RequestStr) || string.IsNullOrEmpty(RequestStr)) 
      { 
       cur.Close(); 
      } 
      else 
      { 
       // Process request 
       Process(cur, RequestStr); 
       cur.Close(); 
      } 
     } 
    } 
    catch (Exception ex) 
    { 
     SendError(cur, "TCPClient Listening Error", "500", "Runtime Exception", ex); 
    } 
} 

Этот метод работает на потоке. Вот мой метод процесса, который обрабатывает запросы HTTP:

 private void Process(Socket skt, string Request) 
     { 
     try 
     { 
      // Split all the request from line terminators 
      string[] RequestSplit = Request.Split(new string[] { "\r", "\n", "\r\n" }, StringSplitOptions.RemoveEmptyEntries); 
      // Get Request at top of this split array 
      string GetRequest = RequestSplit[0]; 
      // Trim 
      GetRequest = GetRequest.Trim(); 
      // Is it a get request? 
      if (!GetRequest.StartsWith("GET")) 
      { 
       // Send error and return 
       SendError(skt, "Bad Request : " + GetRequest, "400", "Bad Request"); 
       return; 
      } 
      // Split Get Request 
      string[] GetRequestSplit = GetRequest.Split(new char[] { ' ', '\t' }, StringSplitOptions.RemoveEmptyEntries); 
      // Is Request Legal? 
      // Classical GET requests generally has 3 parts: 
      // GET {FileName} HTTP/1.1 
      // If we get length smaller than 3 then send error 
      if (GetRequestSplit.Length < 3) 
      { 
       SendError(skt, "Bad Request : " + GetRequest, "400", "Bad Request"); 
       return; 
      } 
      Log(GetRequest); 

      // As usual middle one is file 
      string File = GetRequestSplit[1]; 
      // We patch server path directory to this file string 
      File = _ServerDataPath + File; 
      // Control if it is a directory 
      // If it is a directory then control default files 
      bool IsIndex = false; 
      if (System.IO.Directory.Exists(File)) 
      { 
       // This must be an index file 
       IsIndex = true; 
      } 
      // Not index file? No problem 
      // I just control that if there 
      // Is a file called like that 

      if (!IsIndex) 
      { 
       // Oops accidents happen. 
       // Cannot find the file that you requested. 
       if (!System.IO.File.Exists(File)) 
       { 
        SendError(skt, "Cannot find selected file", "404", "Not Found"); 
        return; 
       } 
       // Ok we a legal file 
       // Go out and send it! 
      } 
      // But if file is an index? 
      // Simple, loop over every default file 
      else 
      { 
       // No defaults defined by user? 
       // Sorry, we do not serve index files. 
       if (Defaults.Count == 0) 
       { 
        SendError(skt, "Default files are not allowed", "404", "Not Found"); 
        return; 
       } 

       for (int i = 0; i < Defaults.Count; i++) 
       { 
        if (System.IO.File.Exists(File + "\\" + Defaults[i])) 
        { 
         // Get the index file. Patch it. 
         File += "\\" + Defaults[i]; 
         goto send; 
        } 
       } 
       // Does not contain any default? 
       // Send error again. 
       SendError(skt, "Cannot find default file in requested directory", "404", "Not Fount"); 
       return; 
      } 
     send: 
      // Here we are, sending data... 
      // Byte buffer for sending 
      byte[] Buffer = System.IO.File.ReadAllBytes(File); 
      // Mime? 
      string Mime = GetMime(File); 
      // Directly send while it is hot already! 
      SendMessage(skt, Buffer, true, "200", "OK", Mime); 
     } 
     catch (Exception ex) 
     { 
      SendError(skt, "Unknown exception", "500", "Internal Exception"); 
     } 
    } 

и мой метод отправить сообщение:

 public void SendMessage(Socket skt, byte[] message, bool includeHeader = false, string statusCode = "200", string statusMessage = "OK", string mime = "text/plain") 
    { 
     if (skt == null) { return; } 
     string header = ""; 
     if (includeHeader) 
     { 
      header = "HTTP/1.1 " + statusCode + " " + statusMessage + "\r\n"; 
      header += "Server: XMServer Module\r\n"; 
      header += "Date: " + DateTime.Now.ToString("r") + "\r\n"; 
      header += "Content-Type: " + mime + "; charset=utf-8\r\n"; 
      header += "Connection: Closed"; 
      header += "\r\n\r\n"; 
     } 
     List<byte> buffer = Encoding.Default.GetBytes(header).ToList(); 
     buffer.AddRange(message); 
     skt.Send(buffer.ToArray()); 
    } 

Я думаю, что нет никаких проблем в SendError, GetMime или StrIsFile методов, так что я не ставлю их Вот. Это класс с именем XMServer. Вот мой старт-код:

XMServer server = new XMServer(8080, "..\\web\\", 4096, 1024); 
server.Mimes = MIMES; 
server.Defaults = DEFAULTS; 
server.Start(); 

Проблема, каталог сервера определяется как .. \ Web \ я положил файл index.html там и введите 127.0.0.1:8080 в браузере и сервер отправляет index.html стр. Это хорошо и что я пытаюсь реализовать. Я создал папку «docs» в папке «web» и поместил папку «images» в папку «docs». И поместите файл index.html в папку «docs». index.html content:

<html> 
    <head> 
     <title> Documentation </title> 
     <meta charset="utf-8"/> 
    </head> 
    <body> 
     <!-- This is where error pops out --> 
     <img src="images/logo.png"/> 
    </body> 
</html> 

Сервер отправляет файл index.html правильно. Но страница отправляет запрос на сервер, например «GET /images/logo.png HTTP/1.1» (просто пример. Я не уверен, что запрос полностью соответствует этому). Сервер пытается отправить «.. \ web \ images \ logo.png», а не «.. \ web \ docs \ images \ logo.png» и зарегистрировать ошибку в файле (я создал метод для этого). То же самое происходит, когда мы пытаемся дать ссылку на другой html-файл в дополнительных каталогах веб-папки. Как я могу победить это? И я уверен, что мой код неэффективен, пожалуйста, покажите мне свои ошибки. любая помощь будет оценена.

+1

прочитайте руководство по написанию хорошего вопроса перед отправкой –

+0

Добро пожаловать в переполнение стека! Я не очень понимаю, в чем заключается ваша проблема. Помните, что я должен быть ясным и основательным и включать примеры (если это возможно и подходит). Пожалуйста, поделитесь некоторым кодом, чтобы у нас было что-то, чтобы помочь вам. - Хорошие вещи для чтения для новых участников - это [Как спросить] (http://stackoverflow.com/help/how-to-ask) и [Tour] (http://stackoverflow.com/tour). –

ответ

0

Прибита гвоздем. Я использовал HttpListener вместо TCPListener. В настоящее время сервер работает хорошо и может также обрабатывать файлы PHP.

Смежные вопросы