Should I compare a std::string to "string" or "string"s?
Neither.
If you want to be clever, compare to "string"sv
, which returns a std::string_view
.
While comparing against a literal like "string"
does not result in any allocation-overhead, it's treated as a null terminated string, with all the concomittant disadvantages: No tolerance for embedded nulls, and users must heed the null terminator.
"string"s
does an allocation, barring small-string-optimisation or allocation elision. Also, the operator gets passed the length of the literal, no need to count, and it allows for embedded nulls.
And finally using "string"sv
combines the advantages of both other approaches, avoiding their individual disadvantages. Also, a std::string_view
is a far simpler beast than a std::string
, especially if the latter uses SSO as all modern ones do.
At least since C++14 (which generally allowed eliding allocations), compilers could in theory optimise all options to the last one, given sufficient information (generally available for the example) and effort, under the as-if rule. We aren't there yet though.
No, compare()
does not require construction of a std::string
for const char*
operands.
You're using overload #4 here.
The comparison to string literal is the "free" version you're looking for. Instantiating a std::string
here is completely unnecessary.
From my understanding, this means that we will need to construct a
std::string
anyway in order to perform the comparison, so I suspect the overhead will be the same in the end (although hidden by the call tooperator==
).
This is where that reasoning goes wrong. std::compare
does not need to allocate its operand as a C-style null-terminated string to function. According to one of the overloads:
int compare( const CharT* s ) const; // (4)
4) Compares this string to the null-terminated character sequence beginning at the character pointed to by
s
with lengthTraits::length(s)
.
Although whether to allocate or not is an implementation detail, it does not seem reasonable that a sequence comparison would do so.