私がするとき私は何をしなければなりませんか
string s = ".";
私が行った場合
cout << s * 2;
それはと同じでしょうか
cout << "..";
?
私がするとき私は何をしなければなりませんか
string s = ".";
私が行った場合
cout << s * 2;
それはと同じでしょうか
cout << "..";
?
std::string には次の形式のコンストラクタがあります
std::string(size_type count, char c);
それは文字を繰り返します。例えば
#include <iostream>
int main() {
std::string stuff(2, '.');
std::cout << stuff << std::endl;
return 0;
}
出力します
..
いいえ、std::string
ありませんoperator *
。(char、string)を他の文字列に追加できます。これを見てくださいhttp://en.cppreference.com/w/cpp/string/basic_string
そして、この動作が必要な場合(これはアドバイスなし)、次のようなものを使用できます
#include <iostream>
#include <string>
template<typename Char, typename Traits, typename Allocator>
std::basic_string<Char, Traits, Allocator> operator *
(const std::basic_string<Char, Traits, Allocator> s, size_t n)
{
std::basic_string<Char, Traits, Allocator> tmp = s;
for (size_t i = 0; i < n; ++i)
{
tmp += s;
}
return tmp;
}
template<typename Char, typename Traits, typename Allocator>
std::basic_string<Char, Traits, Allocator> operator *
(size_t n, const std::basic_string<Char, Traits, Allocator>& s)
{
return s * n;
}
int main()
{
std::string s = "a";
std::cout << s * 5 << std::endl;
std::cout << 5 * s << std::endl;
std::wstring ws = L"a";
std::wcout << ws * 5 << std::endl;
std::wcout << 5 * ws << std::endl;
}
http://liveworkspace.org/code/52f7877b88cd0fba4622fab885907313
*
文字列に。を掛ける定義済みの演算子はありませんint
が、独自の演算子を定義できます。
#include <iostream>
#include <sstream>
#include <string>
using namespace std;
string operator*(const string& s, unsigned int n) {
stringstream out;
while (n--)
out << s;
return out.str();
}
string operator*(unsigned int n, const string& s) { return s * n; }
int main(int, char **) {
string s = ".";
cout << s * 3 << endl;
cout << 3 * s << endl;
}
乗算することはできませんが、これを行うための独自の関数を作成できると思います。
#include <iostream>
#include <string>
std::string operator*(std::string s, size_t count)
{
std::string ret;
for(size_t i = 0; i < count; ++i)
{
ret = ret + s;
}
return ret;
}
int main()
{
std::string data = "+";
std::cout << data * 10 << "\n";
}
それはおそらく最良のアイデアではありませんが、コードを見てこれを期待していない人にとっては非常に混乱するでしょう、
文字列は乗算できません。
s が char の場合
'.' // This has ASCII code 46
それから
cout << (char)((int)s * 2);
あなたにあげます
'/' // This has ASCII code 92
std::string StrMultiply(const char* str, size_t count) {
size_t stringsize = strlen(str);
size_t buffersize = stringsize * count + 1;
string res(buffersize,'\0');
char* end = res._Unchecked_end();
char* offset = res._Unchecked_begin();
for (size_t i = 0;i < count; offset += stringsize,i++)
{
memcpy(offset, str, stringsize);
}
// mark the end
res[buffersize - 1] = '\0';
return res;
}
inline std::string operator*(std::string left, size_t right) {
return StrMultiply(left.c_str(), right);
}
これはRAMに優しいソリューションで、stringstreamsまたはstring::appendを使用するよりも10倍高速です