我有一个具有后台线程的C ++ / CLI应用程序。我经常希望它将结果发布到主GUI。我已经读过elsewhere on SO,MethodInvoker可以解决这个问题,但是我正在努力将语法从C#转换为C ++:
void UpdateProcessorTemperatures(array<float>^ temperatures)
{
MethodInvoker^ action = delegate
{
const int numOfTemps = temperatures->Length;
if( numOfTemps > 0 ) { m_txtProcessor2Temperature->Text = temperatures[0]; } else { m_txtProcessor2Temperature->Text = "N/A"; }
if( numOfTemps > 1 ) { m_txtProcessor2Temperature->Text = temperatures[1]; } else { m_txtProcessor2Temperature->Text = "N/A"; }
if( numOfTemps > 2 ) { m_txtProcessor2Temperature->Text = temperatures[2]; } else { m_txtProcessor2Temperature->Text = "N/A"; }
if( numOfTemps > 3 ) { m_txtProcessor2Temperature->Text = temperatures[3]; } else { m_txtProcessor2Temperature->Text = "N/A"; }
}
this->BeginInvoke(action);
}
...给我:
1>c:\projects\MyTemperatureReporter\Form1.h(217) : error C2065: 'delegate' : undeclared identifier
1>c:\projects\MyTemperatureReporter\Form1.h(217) : error C2143: syntax error : missing ';' before '{'
我在这里想念什么?
最佳答案
C ++ / CLI不支持匿名委托,这是C#的独有功能。您需要在类的单独方法中编写委托目标方法。您还需要声明委托类型,MethodInvoker无法完成任务。使它看起来像这样:
delegate void UpdateTemperaturesDelegate(array<float>^ temperatures);
void UpdateProcessorTemperatures(array<float>^ temperatures)
{
UpdateTemperaturesDelegate^ action = gcnew UpdateTemperaturesDelegate(this, &Form1::Worker);
this->BeginInvoke(action, temperatures);
}
void Worker(array<float>^ temperatures)
{
const int numOfTemps = temperatures->Length;
// etc..
}