我正在编写一个简单的C++ HTTP服务器框架。在我的
Server
同学们,我可以加上
Route
每个路由都由一个路径、一个HTTP方法和一个
Controller
(这是请求发出时要调用的函数管道)
控制器
类是通过接收
std::function
的(或者更准确地说:
std::function<void(const HTTPRequest&, HTTPResponse&, Context&)>
),但大多数时候(或者我应该说
每一个
时间),这个
控制器
将使用lambda函数文本列表进行初始化,如下代码所示:
server.add_route("/", HTTPMethod::GET,
{
[](auto, auto& response, auto&) {
const int ok = 200;
response.set_status(ok);
response << "[{ \"test1\": \"1\" },";
response["Content-Type"] = "text/json; charset=utf-8";
},
[](auto, auto& response, auto&) {
response << "{ \"test2\": \"2\" }]";
},
}
);
既然如此,我想
add_route
函数a
constexpr
,因为,如果我错了,请纠正我,
常量表达式
函数可以在编译时执行。
所以,当我做一切的时候
常量表达式
,我发现以下错误:
Controller.cpp:9:1 constexpr constructor's 1st parameter type 'Callable' (aka 'function<void (const HTTPRequest &, HTTPResponse &, Context &)>') is not a literal type
我想知道的是:为什么
std::函数
不能是文本类型吗?有没有办法绕过这个限制?
下面是的代码
控制器
班级。我知道还有其他编译错误,但这是我现在要解决的主要问题。提前谢谢!
controller.hpp
#pragma once
#include <functional>
#include <initializer_list>
#include <vector>
#include "context.hpp"
#include "httprequest.hpp"
#include "httpresponse.hpp"
typedef std::function<void(const HTTPRequest&, HTTPResponse&, Context&)> Callable;
template <size_t N>
class Controller {
private:
std::array<Callable, N> callables;
public:
static auto empty_controller() -> Controller<1>;
constexpr explicit Controller(Callable);
constexpr Controller();
constexpr Controller(std::initializer_list<Callable>);
void call(const HTTPRequest&, HTTPResponse&, Context&);
};
controller.cpp
#include "controller.hpp"
template <size_t N>
auto Controller<N>::empty_controller() -> Controller<1> {
return Controller<1>([](auto, auto, auto) {});
}
template <>
constexpr Controller<1>::Controller(Callable _callable) :
callables(std::array<Callable, 1> { std::move(_callable) }) { }
template <>
constexpr Controller<1>::Controller() :
Controller(empty_controller()) { }
template <size_t N>
constexpr Controller<N>::Controller(std::initializer_list<Callable> _list_callables) :
callables(_list_callables) { }
template <size_t N>
void Controller<N>::call(const HTTPRequest& req, HTTPResponse& res, Context& ctx) {
for (auto& callable : callables) {
callable(req, res, ctx);
}
}