-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathStringView.cpp
33 lines (29 loc) · 1 KB
/
StringView.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
/**
* Demonstrate usage of std::string_view
* Compile with -std=c++17
*
* std::string_view defers the real copying and more expensive operation into the time that it
* needs it e.g. when to print out, call on its string-related member functions, etc.
*
* Note that std::string_view doesn't have null-terminated, it's not a buffer, it's just a view into
* the real string buffer. Thus it doesn't store null-terminated character.
*/
#include <string>
#include <string_view>
#include <iostream>
#include <cassert>
void printSubString(std::string_view sv, int start, int length)
{
assert(start + length <= sv.length() && "Length of string is not long enough");
std::cout << sv.substr(start, length) << std::endl;
}
int main()
{
std::string myString = "Hello world";
std::string_view myStringView = myString;
std::cout << myString << '\n';
std::cout << myStringView << '\n';
std::cout << myStringView.substr(0,5) << '\n';
printSubString(std::string_view(myString), 0, 2);
return 0;
}