从c 14到c 98的端口字符串插值
作者:互联网
我正在尝试将此答案:Replace N formulas to one (string interpolation)移植到标准c 98实现中.
C 14版本:
#include <algorithm>
#include <iostream>
#include <iterator>
#include <map>
#include <string>
using namespace std;
int main() {
map<string, string> interpolate = { { "F"s, "a && b && c"s }, { "H"s, "p ^ 2 + w"s }, { "K"s, "H > 10 || e < 5"s }, { "J"s, "F && !K"s } };
for(const auto& i : interpolate) for_each(begin(interpolate), end(interpolate), [&](auto& it){ for(auto pos = it.second.find(i.first); pos != string::npos; pos = it.second.find(i.first, pos)) it.second.replace(pos, i.first.size(), '(' + i.second + ')'); });
for(const auto& i : interpolate) cout << i.first << " : " << i.second << endl;
}
C 98:制作地图:
std::map<std::string, std::string> interpolate_map;
interpolate_map.insert(std::make_pair("F", "a && b && c" ));
interpolate_map.insert(std::make_pair("H", "p ^ 2 + w" ));
interpolate_map.insert(std::make_pair("K", "H > 10 || e < 5" ));
interpolate_map.insert(std::make_pair("J", "F && !K" ));
for (const std::pair<const std::string, std::string> & i : interpolate_map)
/* ??? */
我不清楚如何进行.
解决方法:
涉及c++11的人很多,谁写的人都真的知道他的东西.
您正在查看的代码使用c++11样式的for循环,for_each循环和传统的for循环来有效地完成三件事:
>遍历所有可以插入的键
>遍历所有值字符串以进行插值
>遍历整个字符串以内插所有键
在c++98中,您最好的选择可能只是三重嵌套的for循环:
for(map<string, string>::iterator i = interpolate.begin(); i != interpolate.end(); ++i) {
for(map<string, string>::iterator it = interpolate.begin(); it != interpolate.end(); ++it) {
for(string::size_type pos = it->second.find(i->first); pos != string::npos; pos = it->second.find(i->first, pos)) {
it->second.replace(pos, i->first.size(), '(' + i->second + ')');
}
}
}
标签:c98,c,c++11,c++11,c++98 来源: https://codeday.me/bug/20191010/1883970.html