我正在尝试使用call_once(...)初始化函数。我的程序给了我编译错误' std :: once_flag :: once_flag(const std :: once_flag&)':尝试引用已删除的函数。我不明白为什么删除该功能。
#include "stdafx.h"
#include <string>
#include <thread>
#include <future>
#include <cstdio>
#include <iostream>
#include <queue>
#include <condition_variable>
using namespace std;
once_flag flagZero;
string printerFunc(queue<char>& input, once_flag& flag){
string output = "";
function<void(string&)> f;
call_once(flag, [&](){
f = [&](string& output){}; });
f(output);
return output;
}
int _tmain(int argc, _TCHAR* argv[])
{
string input = "0102030";
queue<char> inputQueue;
for(char c : input){
inputQueue.push(c);
}
auto zeros = async(printerFunc, ref(inputQueue), flagZero);
this_thread::sleep_for(chrono::seconds(10));
return 0;
}
答案 0 :(得分:3)
我的程序正在给我编译错误
std::once_flag::once_flag(const std::once_flag&)
:试图 引用已删除的功能。
这是复制构造函数:
std::once_flag::once_flag(const std::once_flag&)
根据the documentation:std::once_flag
既不可复制也不可移动。通过确保删除相关构造函数和赋值运算符函数来强制执行此操作。
与std::thread
一样,参数按值传递。
要通过引用传递它们并确保未复制flagZero
将其包装在std::ref
中并按如下方式传递:std::async(printerFunc, ref(inputQueue),
std::ref
(flagZero));
< / p>