我试图在Unity3D游戏中的C#中创建一个简单的https服务器,以通过Web浏览器进行访问。我已经使用openssl创建了服务器证书和密钥,但是在代码外没有任何其他配置的情况下,我找不到一种将证书传递到服务器的多平台方式。
我已经找到的大多数信息都属于以下类别:
使用SslStream,但这似乎只与TcpListener有关(我想要可以服务于网页的更高级别的东西)
需要我不希望使用的外部Windows专用工具(例如httpcfg)
在证书存储区中以编程方式或手动安装证书,这似乎要求程序或用户具有管理员/ root用户特权
我知道在python中您会执行以下操作:
ssl.wrap_socket (httpd.socket, certfile='./server-crt.pem', keyfile='./server-key.pem', server_side=True)
...但是在c#中,httplistener或system.security.securitymanager或其他任何东西似乎都没有等效的东西。我假设/希望我只是在这里遗漏了一些明显的东西。
到目前为止,这是我所拥有的,这只是放在Unity脚本中的MSDN httplistener示例:
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using System;
using System.Net;
public class SimpleListenerExample : MonoBehaviour {
// This example requires the System and System.Net namespaces.
public static void StartServer(string[] prefixes)
{
if (!HttpListener.IsSupported)
{
Console.WriteLine("Windows XP SP2 or Server 2003 is required to use the HttpListener class.");
return;
}
// URI prefixes are required,
// for example "http://contoso.com:8080/index/".
if (prefixes == null || prefixes.Length == 0)
throw new ArgumentException("prefixes");
// Create a listener.
HttpListener listener = new HttpListener();
// Add the prefixes.
foreach (string s in prefixes)
{
listener.Prefixes.Add(s);
}
/* and here's the part where I would load the server certificate ...somehow */
listener.Start();
Console.WriteLine("Listening...");
// Note: The GetContext method blocks while waiting for a request.
HttpListenerContext context = listener.GetContext();
HttpListenerRequest request = context.Request;
// Obtain a response object.
HttpListenerResponse response = context.Response;
// Construct a response.
string responseString = "<HTML><BODY> Hello world!</BODY></HTML>";
byte[] buffer = System.Text.Encoding.UTF8.GetBytes(responseString);
// Get a response stream and write the response to it.
response.ContentLength64 = buffer.Length;
System.IO.Stream output = response.OutputStream;
output.Write(buffer, 0, buffer.Length);
// You must close the output stream.
output.Close();
listener.Stop();
}
// Use this for initialization
void Start () {
String[] prefixes = { "http://*:8089/", "https://*:8443/" };
StartServer(prefixes);
}
// Update is called once per frame
void Update () {
}
}
最佳答案
如果您来自Google,试图在Mono和SSL中找到有关HttpListener的信息,那么您将找到有关此相关问题的更多相关信息:
Mono HttpListener client certificate
OP最初希望的是没有任何平台特定配置的简单Web服务器。到目前为止,我发现唯一支持避免平台配置方法的库是Ceen HTTPd。
此处有类似需求的海报中有关于Ceen的讨论:
https://softwarerecs.stackexchange.com/questions/52304/net-library-for-running-an-embedded-selfhosted-light-web-server-from-c-with-ss
关于c# - 如何使用httplistener启用https?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/50550631/