C++ 有移动和删除语义吗?

Does C++ have move and delete semantics?

是否可以在 C++ 中创建一次性变量而不用大括号做任何时髦的事情?

这是我想要实现的示例:

const float _phiTemp  = atan2(tan(cluster.beta), tan(cluster.alpha));
const float phi       = HALF_PI - std::abs(HALF_PI - std::abs(_phiTemp));
// After running this code I want _phiTemp to be unaccessible, and the
// compiler to send an error if I ever try

这是我想要的又长又丑的实现:

const float phi = 0;
{
     const float _phiTemp  = atan2(tan(cluster.beta), tan(cluster.alpha));
     float& phiRef = const_cast<float&> phi;
     phiRef = HALF_PI - std::abs(HALF_PI - std::abs(std::move(_phiTemp)));
}
// _phiTemp is disposed and phi is a const, and safely used in the calculation
// through std::move()

我错过了什么吗? C++中没有"instant"变量处理吗?

又长又丑的实现也是未定义的行为;对 phiRef 的写入是对定义为 const.

的变量的写入

你能做的最好的事情就是写一个函数来计算 phi - 如果你想这样做内联,你可以写一个 lambda:

const float phi = [&cluster]{
    const float phiTemp  = atan2(tan(cluster.beta), tan(cluster.alpha)); 
    return HALF_PI - std::abs(HALF_PI - std::abs(phiTemp));
}();

...但还是很丑。我认为 C++ 不提供此功能。

走在正确的轨道上:lambda 与 "scope-with-return" 一样工作得很好,您可以在其中随意声明辅助变量。以下是我在个人工具包中所做的更进一步的内容:

namespace initBlock_detail {
    struct tag { };

    template <class F>
    decltype(auto) operator * (tag, F &&f) {
        return std::forward<F>(f)();
    }
}

#define glk_initBlock \
    glk::initBlock_detail::tag{} * [&]() -> decltype(auto)

调用语法如下:

const float phi = glk_initBlock {
    const float phiTemp  = atan2(tan(cluster.beta), tan(cluster.alpha)); 
    return HALF_PI - std::abs(HALF_PI - std::abs(phiTemp));
};

我想你想要的是一个临时变量。即不要命名您的中间值。

const float phi = HALF_PI - std::abs(
    HALF_PI - std::abs(
        atan2(
            tan(cluster.beta)
            , tan(cluster.alpha)
        )
    )
);