我有多个可能存在于数组中的处理单元,每个处理单元都有自己的参数。我想在建议solution to another question之后使用上下文模式来传达每个处理单元的参数。但是,我无法在线找到模式的简单C ++示例。我在下面做了一个简化的实施,供您检查。代码工作和编译得很好,但我是否正确实现了模式?欢迎任何和所有风格改进的建议。
#include <iostream>
#include <sstream>
#include <map>
class cParamsContext
{
typedef std::map<std::string, float> myMap_t; //Make the return type of getter less wordy
myMap_t paramMap;
public:
cParamsContext()
{
paramMap["a0"] = 1.f;
paramMap["a1"] = 2.f;
}
myMap_t const& getMap() const {return paramMap;} //Return read-only alias
};
class cProcessUnit
{
float parameter;
int id;
public:
cProcessUnit(cParamsContext &contextObj, int id_) : parameter (0.f), id(id_)
{
std::stringstream idStream;
idStream << id;
std::string key = std::string( "a" + idStream.str() );
if(contextObj.getMap().find( key ) != contextObj.getMap().end())
parameter = contextObj.getMap().find( key )->second; // https://stackoverflow.com/questions/10402354/using-overloaded-operator-via-an-accessor-function#10402452
}
float getParam() {return parameter;}
};
int main(int argc, char *argv[])
{
cParamsContext contextObj;
for (int nn=0; nn<3; nn++)
{
cProcessUnit temp(contextObj, nn);
std::cout << "Processing unit " << nn << " param = " << temp.getParam() << std::endl;
}
}
此外,如果参数图改变,你能否建议如何让每个类中的参数自行更新?
输出看起来像你感兴趣的那样。 。 。
Processing unit 0 param = 1
Processing unit 1 param = 2
Processing unit 2 param = 0
答案 0 :(得分:1)
这看起来像一个有效的实现。它通过了你的测试吗?我没有经历过以这种特殊方式使用上下文模式,但它对我来说确实很好看。
至于更新值,我目前在我已经分配的项目中做了非常相似的事情,我正在使用Observer Pattern。在这种情况下,cParamsContext
将是 observable 。我正在使用观察者模式的signal/slot / event/delegate实现。到目前为止,它为我的任务创造了奇迹。
答案 1 :(得分:1)
看起来它可以正常工作,但这里有一些建议:
考虑使用更高效的哈希映射/表。提升一个你可以看到的东西。 std :: map性能很好,但根据数据集,哈希表可能更高效。
考虑模拟值,或者至少通过为每种类型和相应的getter / setter创建映射来允许不同的类型。就像现在一样,使用的参数只能是浮点数,但是如果将来需要不同的参数怎么办?