Re: String buffer overruns?
On Feb 28, 7:38 am, Nephi Immortal <immortalne...@gmail.com> wrote:
const char* name = "Hello World"; // no need to count chars...
name[ nChars ] = 0xFF; // omit null terminator
Won't compile! Win!
No way! Will compile sucessfully. You lose!
Er, no:
1) if you do 'const char * name = "Hello World";'
then there is no need for 'nChars' variable. Without it, the line
above indeed won't compile,
2) even if for some reason you did have such a variable, the line
still won't compile because it would be attempting to modify the
character referenced by name[nChars], whose type is *const* char.
I wish to do
string str = "anything";
What's stopping you?
if str does not have sufficient memory, it would be str = "" unless
exception is removed to replace with assertion.
Not quite. Yes, insufficient memory means that you would have an
std::bad_alloc exception thrown. But if you catch the exception,
'str' is not "" ... in fact, you cannot refer to 'str' at all: it is
not in scope after the catch block, since it must of necessity be
declared inside a 'try' block in order to be able to catch the
exception coming from the constructor.
An alternative which does pretty much what your previously-posted code
does would be to allocate it with new:
string * strP = 0;
try { strP = new string("anything"); }
catch (const std::bad_alloc &) { assert(...); }
// you can use a reference for syntactic sugar if you like
string & str = *strP;
cout << str << endl;
// clean-up
delete strP;
In C++ 2011 it would be preferable to declare strP as a
std::unique_ptr<string> of course so no clean-up step was needed.
- Kevin B. McCarty