.NET 3.x TCP Клиент-Сервер, передача файлов, упрощение кода - C#

Узнай цену своей работы

Формулировка задачи:

TCP Клиент Сервер передача файлов упрощение Вот стартовый пример передачи файлов , я нашкрябал Раклями своими от клиента серверу Сервер консольный
Листинг программы
  1. using System;
  2. using System.Collections.Generic;
  3. using System.IO;
  4. using System.Linq;
  5. using System.Net;
  6. using System.Net.Sockets;
  7. using System.Runtime.Serialization.Formatters.Binary;
  8. using System.Text;
  9. using System.Threading;
  10. namespace ConsoleApplication_Server
  11. {
  12. class Program
  13. {
  14. private static TcpListener listner;
  15.  
  16. private const int MAXBUFFER = 1048576;
  17. private const int LENGTHHEADER = 9;
  18. private byte[] buffer;
  19. private static Stream strLocal;
  20. private MemoryStream ms;
  21. private static NetworkStream strRemote;
  22. private BinaryFormatter bf;
  23. private static Thread threaddown;
  24. // Удобный контейнер для подключенного клиента.
  25. private TcpClient _tcpClient;
  26. static void Main(string[] args)
  27. {
  28. Title_Console("Сервер Файлов v1.0");
  29. string ip = "127.0.0.1";
  30. Int32 port = 11000;
  31. try
  32. {
  33. if (listner == null)
  34. {
  35. listner = new TcpListener(new IPEndPoint(IPAddress.Parse(ip), port));
  36. listner.Start();
  37. //поток
  38. threaddown = new Thread(StartReceiving);
  39. Console.WriteLine("Сервер Запущен!");
  40. }
  41.  
  42. }
  43. catch (Exception e)
  44. {
  45. listner.Stop();
  46. listner = null;
  47. Console.WriteLine(e.Message);
  48. }
  49. Console.ReadKey(true);
  50. }
  51. private static int PercentProgress;
  52. private void UpdateProgress(Int64 BytesRead, Int64 TotalBytes)
  53. {
  54. if (TotalBytes > 0)
  55. {
  56. // Calculate the download progress in percentages
  57. PercentProgress = Convert.ToInt32((BytesRead * 100) / TotalBytes);
  58. // Make progress on the progress bar
  59. //prgDownload.Value = PercentProgress;
  60. Console.WriteLine("Progress: "+PercentProgress);
  61. }
  62. }
  63.  
  64. private static void StartReceiving()
  65. {
  66. // There are many lines in here that can cause an exception
  67. try
  68. {
  69.  
  70. // Write the status to the log textbox on the form (txtLog)
  71. //this.Invoke(new UpdateStatusCallback(this.UpdateStatus), new object[] { "Starting the server...\r\n" });
  72. // Start the TCP listener and listen for connections
  73. // Write the status to the log textbox on the form (txtLog)
  74. //this.Invoke(new UpdateStatusCallback(this.UpdateStatus), new object[] { "The server has started. Please connect the client to " + ipaLocal.ToString() + "\r\n" });
  75. // Accept a pending connection
  76. TcpClient tclServer = listner.AcceptTcpClient();
  77. // Write the status to the log textbox on the form (txtLog)
  78. //this.Invoke(new UpdateStatusCallback(this.UpdateStatus), new object[] { "The server has accepted the client\r\n" });
  79. // Receive the stream and store it in a NetworkStream object
  80. strRemote = tclServer.GetStream();
  81. // Write the status to the log textbox on the form (txtLog)
  82. //this.Invoke(new UpdateStatusCallback(this.UpdateStatus), new object[] { "The server has received the stream\r\n" });
  83. // For holding the number of bytes we are reading at one time from the stream
  84. int bytesSize = 0;
  85. // The buffer that holds the data received from the client
  86. byte[] downBuffer = new byte[2048];
  87. // Read the first buffer (2048 bytes) from the stream - which represents the file name
  88. bytesSize = strRemote.Read(downBuffer, 0, 2048);
  89. // Convert the stream to string and store the file name
  90. string FileName = System.Text.Encoding.ASCII.GetString(downBuffer, 0, bytesSize);
  91. // Set the file stream to the path C:\ plus the name of the file that was on the sender's computer
  92. strLocal = new FileStream(@"C:" + FileName, FileMode.Create, FileAccess.Write, FileShare.ReadWrite);
  93. // The buffer that holds the data received from the client
  94. downBuffer = new byte[2048];
  95. // Read the next buffer (2048 bytes) from the stream - which represents the file size
  96. bytesSize = strRemote.Read(downBuffer, 0, 2048);
  97. // Convert the file size from bytes to string and then to long (Int64)
  98. long FileSize = Convert.ToInt64(System.Text.Encoding.ASCII.GetString(downBuffer, 0, bytesSize));
  99. // Write the status to the log textbox on the form (txtLog)
  100. //this.Invoke(new UpdateStatusCallback(this.UpdateStatus), new object[] { "Receiving file " + FileName + " (" + FileSize + " bytes)\r\n" });
  101. // The buffer size for receiving the file
  102. downBuffer = new byte[2048];
  103. // From now on we read everything that's in the stream's buffer because the file content has started
  104. while ((bytesSize = strRemote.Read(downBuffer, 0, downBuffer.Length)) > 0)
  105. {
  106. // Write the data to the local file stream
  107. strLocal.Write(downBuffer, 0, bytesSize);
  108. // Update the progressbar by passing the file size and how much we downloaded so far to UpdateProgress()
  109. //this.Invoke(new UpdateProgressCallback(this.UpdateProgress), new object[] { strLocal.Length, FileSize });
  110. }
  111. // When this point is reached, the file has been received and stored successfuly
  112. }
  113. finally
  114. {
  115. // This part of the method will fire no matter wether an error occured in the above code or not
  116. // Write the status to the log textbox on the form (txtLog)
  117. //this.Invoke(new UpdateStatusCallback(this.UpdateStatus), new object[] { "The file was received. Closing streams.\r\n" });
  118. // Close the streams
  119. strLocal.Close();
  120. strRemote.Close();
  121. // Write the status to the log textbox on the form (txtLog)
  122. //this.Invoke(new UpdateStatusCallback(this.UpdateStatus), new object[] { "Streams are now closed.\r\n" });
  123. // Start the server (TCP listener) all over again
  124. StartReceiving();
  125. }
  126. }
  127.  
  128. private static void Title_Console(string title)
  129. {
  130. Console.BackgroundColor=ConsoleColor.DarkCyan;
  131. Console.Clear();
  132. Console.ForegroundColor=ConsoleColor.White;
  133. Console.Title = title;
  134. }
  135. private static void Error_Message(string msg)
  136. {
  137. Console.ForegroundColor = ConsoleColor.Red;
  138. Console.WriteLine(msg);
  139. Console.ForegroundColor = ConsoleColor.White;
  140. }
  141.  
  142. /// <summary>
  143. /// Отключение клиента от сервера
  144. /// </summary>
  145. public void DisconnectClient()
  146. {
  147. strRemote.Close();
  148. strLocal.Close();
  149. _tcpClient.Close();
  150. }
  151. /// <summary>
  152. /// Завершение работы подключенного клиента
  153. /// </summary>
  154. private void DeleteClient()
  155. {
  156. if (_tcpClient != null && _tcpClient.Connected == true)
  157. {
  158. _tcpClient.GetStream().Close(); // по настоянию MSDN закрываем поток отдельно у клиента
  159. _tcpClient.Close(); // затем закрываем самого клиента
  160. }
  161. }
  162.  
  163. }
  164.  
  165. }
Клиент WinForm
Листинг программы
  1. using System;
  2. using System.Collections.Generic;
  3. using System.ComponentModel;
  4. using System.Data;
  5. using System.Drawing;
  6. using System.IO;
  7. using System.Linq;
  8. using System.Net;
  9. using System.Net.Sockets;
  10. using System.Runtime.Serialization.Formatters.Binary;
  11. using System.Text;
  12. using System.Windows.Forms;
  13. using Security_file_link;
  14. namespace WindowsFormsApplication_Server_Files
  15. {
  16. public partial class Form1 : Form
  17. {
  18. public Form1()
  19. {
  20. InitializeComponent();
  21. }
  22. DialogInfo dialog=new DialogInfo();
  23. //Server_Client_Files_Send serverClient=new Server_Client_Files_Send();
  24. private string path_tmp { get; set; }
  25. private void button1_Click(object sender, EventArgs e)
  26. {
  27. string path = dialog.openfiledialog("files|*.*", "Выбрать файл", "");
  28. label1.Text = Path.GetFileName(path);
  29. path_tmp = path;
  30. }
  31.  
  32. // The TCP client will connect to the server using an IP and a port
  33. TcpClient tcpClient;
  34. // The file stream will read bytes from the local file you are sending
  35. FileStream fstFile;
  36. // The network stream will send bytes to the server application
  37. NetworkStream strRemote;
  38. private void button2_Click(object sender, EventArgs e)
  39. {
  40. try
  41. {
  42. tcpClient = new TcpClient();
  43. IPEndPoint ipEndPoint = new IPEndPoint(IPAddress.Parse("127.0.0.1"), 11000);
  44. tcpClient.Connect(ipEndPoint);
  45. label2.Text = "Connect Server...";
  46. }
  47. catch (Exception ex)
  48. {
  49. MessageBox.Show("ERROR: "+ex.Message,"ERROR",MessageBoxButtons.OK,MessageBoxIcon.Exclamation);
  50. }
  51. }
  52. private void button3_Click(object sender, EventArgs e)
  53. {
  54. label2.Text = "Send File";
  55. strRemote = tcpClient.GetStream();
  56. byte[] byteSend = new byte[tcpClient.ReceiveBufferSize];
  57. // The file stream will read bytes from the file that the user has chosen
  58. fstFile = new FileStream(path_tmp, FileMode.Open, FileAccess.Read);
  59. // Read the file as binary
  60. BinaryReader binFile = new BinaryReader(fstFile);
  61. // Get information about the opened file
  62. FileInfo fInfo = new FileInfo(path_tmp);
  63. // Get and store the file name
  64. string FileName = fInfo.Name;
  65. // Store the file name as a sequence of bytes
  66. byte[] ByteFileName = new byte[2048];
  67. ByteFileName = System.Text.Encoding.ASCII.GetBytes(FileName.ToCharArray());
  68. // Write the sequence of bytes (the file name) to the network stream
  69. strRemote.Write(ByteFileName, 0, ByteFileName.Length);
  70. // Get and store the file size
  71. long FileSize = fInfo.Length;
  72. // Store the file size as a sequence of bytes
  73. byte[] ByteFileSize = new byte[2048];
  74. ByteFileSize = System.Text.Encoding.ASCII.GetBytes(FileSize.ToString().ToCharArray());
  75. // Write the sequence of bytes (the file size) to the network stream
  76. strRemote.Write(ByteFileSize, 0, ByteFileSize.Length);
  77. label2.Text += "Sending the file " + FileName + " (" + FileSize + " bytes)\r\n";
  78. // Reset the number of read bytes
  79. int bytesSize = 0;
  80. // Define the buffer size
  81. byte[] downBuffer = new byte[2048];
  82. // Loop through the file stream of the local file
  83. while ((bytesSize = fstFile.Read(downBuffer, 0, downBuffer.Length)) > 0)
  84. {
  85. // Write the data that composes the file to the network stream
  86. strRemote.Write(downBuffer, 0, bytesSize);
  87. }
  88. // Update the log textbox and close the connections and streams
  89. label2.Text += "File sent. Closing streams and connections.\r\n";
  90. tcpClient.Close();
  91. strRemote.Close();
  92. fstFile.Close();
  93. label2.Text += "Streams and connections are now closed.\r\n";
  94. }
  95.  
  96. private void Form1_Load(object sender, EventArgs e)
  97. {
  98. }
  99. }
  100. }
К сожалению происходит зависание передачи есть тоже хороший пример передачи файлов http://www.interestprograms.ru/sourc...ov-po-seti-tcp но если его разбирать он как клубок связан сам с собой сложно а очень хочется простой пример передачи файлов от клиента к серверу и наоборот от сервера к клиенту в примере http://www.interestprograms.ru/sourc...ov-po-seti-tcp Используеться класс MemoryStream ? не понятно зачем он там нужен , если достаточно просто Stream товарищи подкинте что то, или как правильно

Решение задачи: «.NET 3.x TCP Клиент-Сервер, передача файлов, упрощение кода»

textual
Листинг программы
  1. using System;
  2. using System.Collections.Generic;
  3. using System.IO;
  4. using System.Linq;
  5. using System.Net;
  6. using System.Net.Sockets;
  7. using System.Text;
  8.  
  9. namespace SERVER_FILES_TEST
  10. {
  11.     class Program
  12.     {
  13.         static TcpListener listner;
  14.  
  15.         //Потоки
  16.         private static NetworkStream strRemote;
  17.         private static BinaryReader br;
  18.         private static BinaryWriter bw;
  19.         private static MemoryStream memoryStream;
  20.  
  21.         static void Main(string[] args)
  22.         {
  23.             Title_Console("Сервер Файлов");
  24.             try
  25.             {
  26.                 string ipstr = "127.0.0.1", portstr = "9050";
  27.                 IPAddress ip = IPAddress.Parse(ipstr);
  28.                 Int32 port = Convert.ToInt32(portstr);
  29.                
  30.                
  31.                 IPEndPoint ipEndPoints = new IPEndPoint(ip, port);
  32.  
  33.                 Message_Console("IP: "+ip);
  34.                 Message_Console("PORT: "+port);
  35.  
  36.                 listner = new TcpListener(ipEndPoints);
  37.                 //запуск сервера
  38.                 listner.Start();
  39.  
  40.                 Message_Console("Сервер запущен...");
  41.  
  42.                 //бесконеыный цикл приема и ответа
  43.                 while (true)
  44.                 {
  45.                     string msg_client = string.Empty;
  46.                     TcpClient client = listner.AcceptTcpClient();
  47.  
  48.                     //потоки обявляем
  49.                     strRemote = client.GetStream();
  50.                     br = new BinaryReader(strRemote);
  51.                     bw = new BinaryWriter(strRemote);
  52.  
  53.                     //получаем от клиента
  54.                     msg_client = Get_msg();
  55.                     Message_Console("Клиент: "+msg_client);
  56.                     Get_file(msg_client);
  57.  
  58.                     //отправить клиенту
  59.                     Console.Write("Server: ");
  60.                     Set_msg(Console.ReadLine());
  61.                 }
  62.  
  63.  
  64.             }
  65.             catch (Exception ex)
  66.             {
  67.                 Disconect_server();
  68.                 Error_Message(ex.Message);
  69.             }
  70.         }
  71.  
  72.         //отправляем
  73.         private static void Set_file()
  74.         {
  75.            
  76.         }
  77.  
  78.  
  79.         private static void Set_msg(string msg)
  80.         {
  81.             bw.Write(msg);
  82.         }
  83.  
  84.         //получаем
  85.         private static string Get_msg()
  86.         {
  87.             return br.ReadString();
  88.         }
  89.  
  90.         private static void Get_file(string filename)
  91.         {
  92.             int bytesSize = 0;
  93.             byte[] buffer = new byte[2048];
  94.             try
  95.             {
  96.                 //buffer = br.ReadBytes(0);
  97.                 bytesSize = strRemote.Read(buffer, 0, 2048);
  98.  
  99.                 //поток файла
  100.                 Stream strLocal = new FileStream(@"C:" + filename, FileMode.Create, FileAccess.Write, FileShare.ReadWrite);
  101.  
  102.                 //размер файла
  103.                 long FileSize = Convert.ToInt64(System.Text.Encoding.ASCII.GetString(buffer, 0, bytesSize));
  104.  
  105.                 while ((bytesSize = strRemote.Read(buffer, 0, buffer.Length)) > 0)
  106.                 {
  107.                     // Write the data to the local file stream
  108.                     strLocal.Write(buffer, 0, bytesSize);
  109.                     // Update the progressbar by passing the file size and how much we downloaded so far to UpdateProgress()
  110.                 }
  111.  
  112.                 Message_Console("Загрузка " + filename + " завершена!");
  113.             }
  114.             catch (Exception ex)
  115.             {
  116.                
  117.                 Error_Message(ex.Message);
  118.             }
  119.         }
  120.  
  121.         //отключаем
  122.         private static void Disconect_server()
  123.         {
  124.             strRemote.Close();
  125.             br.Close();
  126.             bw.Close();
  127.             memoryStream.Close();
  128.             listner.Stop();
  129.         }
  130.  
  131.  
  132.  
  133.         /////////////////Краска, Титулка, Паузы////////////////////////////
  134.         static void Title_Console(string title)
  135.         {
  136.             Console.BackgroundColor=ConsoleColor.DarkCyan;
  137.             Console.Clear();
  138.             Console.ForegroundColor=ConsoleColor.White;
  139.             Console.Title = title;
  140.         }
  141.  
  142.         static void Pause()
  143.         {
  144.             Console.ReadKey(true);
  145.         }
  146.  
  147.  
  148.         static void Message_Console(string msg)
  149.         {
  150.             Console.ForegroundColor = ConsoleColor.White;
  151.             Console.WriteLine(msg);
  152.             Console.ForegroundColor = ConsoleColor.White;
  153.         }
  154.  
  155.         static void Error_Message(string msg)
  156.         {
  157.             Console.ForegroundColor = ConsoleColor.Red;
  158.             Console.WriteLine(msg);
  159.             Console.ForegroundColor = ConsoleColor.White;
  160.         }
  161.         ////////////////////////////////////////////////////////////////////
  162.     }
  163. }

ИИ поможет Вам:


  • решить любую задачу по программированию
  • объяснить код
  • расставить комментарии в коде
  • и т.д
Попробуйте бесплатно

Оцени полезность:

5   голосов , оценка 4.2 из 5

Нужна аналогичная работа?

Оформи быстрый заказ и узнай стоимость

Бесплатно
Оформите заказ и авторы начнут откликаться уже через 10 минут
Похожие ответы