.NET Framework
HTTP 서버
수색…
기본 읽기 전용 HTTP 파일 서버 (HttpListener)
노트:
이 예제는 관리 모드에서 실행해야합니다.
동시 클라이언트는 하나만 지원됩니다.
단순화를 위해 파일 이름은 모든 ASCII ( Content-Disposition 헤더의 파일 이름 부분)로 간주되며 파일 액세스 오류는 처리되지 않습니다.
using System;
using System.IO;
using System.Net;
class HttpFileServer
{
private static HttpListenerResponse response;
private static HttpListener listener;
private static string baseFilesystemPath;
static void Main(string[] args)
{
if (!HttpListener.IsSupported)
{
Console.WriteLine(
"*** HttpListener requires at least Windows XP SP2 or Windows Server 2003.");
return;
}
if(args.Length < 2)
{
Console.WriteLine("Basic read-only HTTP file server");
Console.WriteLine();
Console.WriteLine("Usage: httpfileserver <base filesystem path> <port>");
Console.WriteLine("Request format: http://url:port/path/to/file.ext");
return;
}
baseFilesystemPath = Path.GetFullPath(args[0]);
var port = int.Parse(args[1]);
listener = new HttpListener();
listener.Prefixes.Add("http://*:" + port + "/");
listener.Start();
Console.WriteLine("--- Server stated, base path is: " + baseFilesystemPath);
Console.WriteLine("--- Listening, exit with Ctrl-C");
try
{
ServerLoop();
}
catch(Exception ex)
{
Console.WriteLine(ex);
if(response != null)
{
SendErrorResponse(500, "Internal server error");
}
}
}
static void ServerLoop()
{
while(true)
{
var context = listener.GetContext();
var request = context.Request;
response = context.Response;
var fileName = request.RawUrl.Substring(1);
Console.WriteLine(
"--- Got {0} request for: {1}",
request.HttpMethod, fileName);
if (request.HttpMethod.ToUpper() != "GET")
{
SendErrorResponse(405, "Method must be GET");
continue;
}
var fullFilePath = Path.Combine(baseFilesystemPath, fileName);
if(!File.Exists(fullFilePath))
{
SendErrorResponse(404, "File not found");
continue;
}
Console.Write(" Sending file...");
using (var fileStream = File.OpenRead(fullFilePath))
{
response.ContentType = "application/octet-stream";
response.ContentLength64 = (new FileInfo(fullFilePath)).Length;
response.AddHeader(
"Content-Disposition",
"Attachment; filename=\"" + Path.GetFileName(fullFilePath) + "\"");
fileStream.CopyTo(response.OutputStream);
}
response.OutputStream.Close();
response = null;
Console.WriteLine(" Ok!");
}
}
static void SendErrorResponse(int statusCode, string statusResponse)
{
response.ContentLength64 = 0;
response.StatusCode = statusCode;
response.StatusDescription = statusResponse;
response.OutputStream.Close();
Console.WriteLine("*** Sent error: {0} {1}", statusCode, statusResponse);
}
}
기본 읽기 전용 HTTP 파일 서버 (ASP.NET 코어)
1 - 빈 폴더를 만들면 다음 단계에서 생성 된 파일이 포함됩니다.
2 - 다음 내용으로 project.json
이라는 파일을 만듭니다 (적절하게 포트 번호와 rootDirectory
를 조정하십시오).
{
"dependencies": {
"Microsoft.AspNet.Server.Kestrel": "1.0.0-rc1-final",
"Microsoft.AspNet.StaticFiles": "1.0.0-rc1-final"
},
"commands": {
"web": "Microsoft.AspNet.Server.Kestrel --server.urls http://localhost:60000"
},
"frameworks": {
"dnxcore50": { }
},
"fileServer": {
"rootDirectory": "c:\\users\\username\\Documents"
}
}
3 - 다음 코드를 사용하여 Startup.cs
파일을 만듭니다.
using System;
using Microsoft.AspNet.Builder;
using Microsoft.AspNet.FileProviders;
using Microsoft.AspNet.Hosting;
using Microsoft.AspNet.StaticFiles;
using Microsoft.Extensions.Configuration;
public class Startup
{
public void Configure(IApplicationBuilder app)
{
var builder = new ConfigurationBuilder();
builder.AddJsonFile("project.json");
var config = builder.Build();
var rootDirectory = config["fileServer:rootDirectory"];
Console.WriteLine("File server root directory: " + rootDirectory);
var fileProvider = new PhysicalFileProvider(rootDirectory);
var options = new StaticFileOptions();
options.ServeUnknownFileTypes = true;
options.FileProvider = fileProvider;
options.OnPrepareResponse = context =>
{
context.Context.Response.ContentType = "application/octet-stream";
context.Context.Response.Headers.Add(
"Content-Disposition",
$"Attachment; filename=\"{context.File.Name}\"");
};
app.UseStaticFiles(options);
}
}
4 - 명령 프롬프트를 열고 폴더로 이동하여 다음을 실행합니다.
dnvm use 1.0.0-rc1-final -r coreclr -p
dnu restore
주 : 이 명령은 한 번만 실행해야합니다. dnvm list
를 사용하여 코어 CLR의 가장 최근에 설치된 버전의 실제 수를 확인하십시오.
5 - dnx web
하여 서버를 시작합니다. http://localhost:60000/path/to/file.ext
에서 파일을 요청할 수 있습니다.
단순화를 위해 파일 이름은 모든 ASCII (Content-Disposition 헤더의 파일 이름 부분)로 간주되며 파일 액세스 오류는 처리되지 않습니다.
Modified text is an extract of the original Stack Overflow Documentation
아래 라이선스 CC BY-SA 3.0
와 제휴하지 않음 Stack Overflow