gpt4 book ai didi

C++函数打印一组

转载 作者:塔克拉玛干 更新时间:2023-11-03 06:44:10 26 4
gpt4 key购买 nike

有没有人知道为什么

#include <set>
#include <string>
#include <iostream>

template <typename T>
std::string set2Str(const std::set<T> & S)
{
std::string retstr = "{";
typename std::set<T>::const_iterator it(S.begin()), offend(S.end());
if (it != offend)
retstr.push_back(*it++);
while (it != offend)
{
retstr.push_back(',');
retstr.push_back(*it++);
}
retstr.push_back('}');
return retstr;
}

int main()
{
std::set<int> mySet = {1, 5, 9, 69};
std::cout << set2Str(mySet);
}

正在输出

{,,   ,E}

????

还有,有没有更优雅的方法来编写函数set2Str?带有逗号的栅栏柱问题使我的程序变得难看。

最佳答案

当您的算法执行此操作时:

retstr.push_back(*it++);

被打入目标字符串的值被视为(并在可能的情况下转换为)char。但是 {1, 5, 9, 69} 不包含 char;它包含 int。结果将它们视为 ASCII 代码点,See this table , 并特别注意其中每个字符的 dec 值。例如,注意 E 的值。

这是 std::ostringstream 的众多用途之一,它的好处是允许任何可以写入字符流的东西都可以表示,包括使用自定义插入运算符。

#include <iostream>
#include <sstream>
#include <string>
#include <set>
#include <tuple>

template<typename T, typename... Args>
std::string set2str(const std::set<T,Args...>& obj)
{
std::ostringstream oss;

oss << '{';
auto it = obj.cbegin();
if (it != obj.cend())
{
oss << *it++;
while (it != obj.cend())
oss << ',' << *it++;
}
oss << '}';
return oss.str();
}

// custom class to demonstrate custom insertion support
class Point
{
friend std::ostream& operator <<(std::ostream& os, const Point& pt)
{
return os << '(' << pt.x << ',' << pt.y << ')';
}

private:
double x,y;

public:
Point(double x, double y) : x(x), y(y) {}

// used by std::less<> for set ordering
bool operator <(const Point& pt) const
{
return std::tie(x,y) < std::tie(pt.x,pt.y);
}
};

int main()
{
std::set<int> si = { 1,2,3,4,5 };
std::set<double> sd = { 1.1, 2.2, 3.3, 4.4, 5.5 };
std::set<char> sc = { 'a', 'b', 'c', 'd', 'e' };
std::set<unsigned> empty;

std::cout << set2str(si) << '\n';
std::cout << set2str(sd) << '\n';
std::cout << set2str(sc) << '\n';
std::cout << set2str(empty) << '\n';

// using custom class with implemented ostream inseter
std::set<Point> pts { {2.2, 3.3}, {1.1, 2.2}, {5.5, 4.4}, {1.1, 3.3} };
std::cout << set2str(pts) << '\n';

return EXIT_SUCCESS;
}

输出

{1,2,3,4,5}
{1.1,2.2,3.3,4.4,5.5}
{a,b,c,d,e}
{}
{(1.1,2.2),(1.1,3.3),(2.2,3.3),(5.5,4.4)}

关于C++函数打印一组,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/24043968/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com