-1

我有以下代码片段:

// code snipet one:
#include <memory> 
#include <iostream> 
#include <queue>

struct A {
    uint32_t val0 = 0xff;

    ~A() {
        std::cout << "item gets freed" << std::endl;
    }
};

typedef std::shared_ptr<A> A_PTR;

int main() 
{ 
    std::queue<A_PTR> Q;
    Q.push(std::make_shared<A>());
    auto && temp_PTR = Q.front();
    std::cout << "first use count = " << temp_PTR.use_count() << std::endl;
    Q.pop();
    std::cout << "second use count = " << temp_PTR.use_count() <<std::endl;
    return 0;
}

运行后,我得到如下结果:

first use count = 1                                                                                                                         
item gets freed 
second use count = 0

Q1:有人能解释一下主函数第三行调用后的 temp_PTR 是什么类型吗?

如果我将该行更改为

A_PTR && temp_PTR = Q.front();

编译器抱怨说

main.cpp: In function 'int main()':
main.cpp:26:32: error: cannot bind '__gnu_cxx::__alloc_traits > >::value_type {aka std::shared_ptr}' lvalue to 'A_PTR&& {aka std::shared_ptr&&}'
     A_PTR && temp_PTR = Q.front();

Q2:我记得函数的返回值应该是一个r值,但是编译器似乎在这里告诉我:“嘿,Queue.front()的返回值是一个l值”,为什么在这里?

4

1 回答 1

0

对于 Q2,我只检查 C++ 文档, Queue.front() 的返回值是参考,这意味着它返回一个左值

reference& front();
const_reference& front() const;

对于 Q3,它适用于A_PTR temp_PTR = std::move(Q.front());,这是我想要的。

于 2018-02-06T20:19:10.210 回答