为Point创建一个文字 - C ++

时间:2017-06-08 11:21:38

标签: c++ user-defined-literals

我正在尝试做一个简单的库,其中对象是xy轴上的一个点。

我希望能够使用这样的文字:

Point a = (3,4);

其中(3,4)是一个点文字。

我读到了用户定义的文字,但(据我所知)这似乎是不可能的。

根据我的理解,可能"(3,4)"_P可能。

但是,我发现this page有趣地使用了用户定义的文字,如下所示:

#include <iostream>
#include <complex>

int main()
{
    using namespace std::complex_literals;
    std::complex<double> c = 1.0 + 1i;
    std::cout << "abs" << c << " = " << abs(c) << '\n';
}

我可以将1i部分视为用户定义的文字,但不是整个1.0 + 1i

我缺少什么,以及在不使用(x,y)的情况下获得类似于"的文字的最近方法是什么。

3 个答案:

答案 0 :(得分:3)

Some programmer dude所示,最好的方法是使用统一初始化。

但是,只是为了它的乐趣,你可以(有点)用User Defined Literals来做这件事。我的想法是为每个坐标设置2个文字,并在它们之间重载operator+以创建该点。

请记住,这只是为了好玩,不要在实际代码中使用它:

struct Px { int x; };
struct Py { int y; };

struct Point {
    int x;
    int y;
};

constexpr auto operator""_px(unsigned long long x) -> Px { return Px{(int)x}; }
constexpr auto operator""_py(unsigned long long y) -> Py { return Py{(int)y}; }

constexpr auto operator+(Px x, Py y) -> Point { return Point{x.x, y.y}; }

然后你可以:

auto p = 3_px + 4_py; // p is deduced to type `Point`

当然这只是一个粗略的框架。阅读this great article以了解有关UDL的更多信息。您需要以更好的方式处理缩小转换,并使用命名空间来使其成为更好的解决方案。

作为奖励,您还可以使用operator,创建更适合您的想法的语法。但是,不要这样做,因为重载operator,只是邪恶的:

auto operator,(Px x, Py y) -> Point { return Point{x.x, y.y}; }
auto p = (2_px, 1_py); // p is deduced to type `Point`

答案 1 :(得分:2)

不能自己构成文字,只为文字创建后缀。与1i中显示的f或标准语言1.0f一样。 (有关详细信息,请参阅this user-defined literal reference。)

可以使用uniform initialization

之类的事情
Point a = { 3, 4 };  // note the use of curly-braces

根据Point的内容,您可能需要添加合适的构造函数才能使其正常工作。

答案 2 :(得分:0)

您有3个选项

Point p = { 1,2 };
Point p2{ 1,2 };
Point p3(1,2);