blob: c02844318684cd2973dc203bb28bde46c2174107 (
plain)
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
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
|
/**
* @file Uri.cpp
*
* This module contains the implementation of the Uri::Uri class.
*
* © 2018 by Richard Walters
*/
#include <string>
#include <Uri/Uri.hpp>
#include <vector>
namespace Uri {
/**
* This contains the private properties of a Uri instance.
*/
struct Uri::Impl {
/**
* This is the "scheme" element of the URI.
*/
std::string scheme;
/**
* This is the "host" element of the URI.
*/
std::string host;
/**
* This is the "path" element of the URI,
* as a sequence of segments.
*/
std::vector< std::string > path;
};
Uri::~Uri() = default;
Uri::Uri()
: impl_(new Impl)
{
}
bool Uri::ParseFromString(const std::string& uriString) {
// First parse the scheme.
const auto schemeEnd = uriString.find(':');
impl_->scheme = uriString.substr(0, schemeEnd);
auto rest = uriString.substr(schemeEnd + 1);
// Next parse the host.
if (rest.substr(0, 2) == "//") {
const auto authorityEnd = rest.find('/', 2);
impl_->host = rest.substr(2, authorityEnd - 2);
rest = rest.substr(authorityEnd);
} else {
impl_->host.clear();
}
// Finally, parse the path.
impl_->path.clear();
if (rest == "/") {
// Special case of a path that is empty but needs a single
// empty-string element to indicate that it is absolute.
impl_->path.push_back("");
} else if (!rest.empty()) {
for(;;) {
auto pathDelimiter = rest.find('/');
if (pathDelimiter == std::string::npos) {
impl_->path.push_back(rest);
break;
} else {
impl_->path.emplace_back(
rest.begin(),
rest.begin() + pathDelimiter
);
rest = rest.substr(pathDelimiter + 1);
}
}
}
return true;
}
std::string Uri::GetScheme() const {
return impl_->scheme;
}
std::string Uri::GetHost() const {
return impl_->host;
}
std::vector< std::string > Uri::GetPath() const {
return impl_->path;
}
}
|