twilight_util/link/
webhook.rs1use std::{
7 error::Error,
8 fmt::{Display, Formatter, Result as FmtResult},
9 num::NonZeroU64,
10};
11use twilight_model::id::{marker::WebhookMarker, Id};
12
13#[derive(Debug)]
17pub struct WebhookParseError {
18 kind: WebhookParseErrorType,
19 source: Option<Box<dyn Error + Send + Sync>>,
20}
21
22impl WebhookParseError {
23 #[must_use = "retrieving the type has no effect if left unused"]
25 pub const fn kind(&self) -> &WebhookParseErrorType {
26 &self.kind
27 }
28
29 #[must_use = "consuming the error and retrieving the source has no effect if left unused"]
31 pub fn into_source(self) -> Option<Box<dyn Error + Send + Sync>> {
32 self.source
33 }
34
35 #[must_use = "consuming the error into its parts has no effect if left unused"]
37 pub fn into_parts(self) -> (WebhookParseErrorType, Option<Box<dyn Error + Send + Sync>>) {
38 (self.kind, self.source)
39 }
40}
41
42impl Display for WebhookParseError {
43 fn fmt(&self, f: &mut Formatter<'_>) -> FmtResult {
44 match self.kind {
45 WebhookParseErrorType::IdInvalid { .. } => {
46 f.write_str("url path segment isn't a valid ID")
47 }
48 WebhookParseErrorType::SegmentMissing => {
49 f.write_str("url is missing a required path segment")
50 }
51 }
52 }
53}
54
55impl Error for WebhookParseError {
56 fn source(&self) -> Option<&(dyn Error + 'static)> {
57 self.source
58 .as_ref()
59 .map(|source| &**source as &(dyn Error + 'static))
60 }
61}
62
63#[derive(Debug)]
65#[non_exhaustive]
66pub enum WebhookParseErrorType {
67 IdInvalid,
69 SegmentMissing,
71}
72
73pub fn parse(url: &str) -> Result<(Id<WebhookMarker>, Option<&str>), WebhookParseError> {
120 let mut segments = {
121 let mut start = url.split("discord.com/api/webhooks/");
122 let path = start.nth(1).ok_or(WebhookParseError {
123 kind: WebhookParseErrorType::SegmentMissing,
124 source: None,
125 })?;
126
127 path.split('/')
128 };
129
130 let id_segment = segments.next().ok_or(WebhookParseError {
131 kind: WebhookParseErrorType::SegmentMissing,
132 source: None,
133 })?;
134
135 if id_segment.is_empty() {
137 return Err(WebhookParseError {
138 kind: WebhookParseErrorType::SegmentMissing,
139 source: None,
140 });
141 }
142
143 let id = id_segment
144 .parse::<NonZeroU64>()
145 .map_err(|source| WebhookParseError {
146 kind: WebhookParseErrorType::IdInvalid,
147 source: Some(Box::new(source)),
148 })?;
149 let mut token = segments.next();
150
151 if token.is_some_and(str::is_empty) {
153 token = None;
154 }
155
156 Ok((Id::from(id), token))
157}
158
159#[cfg(test)]
160mod tests {
161 use super::{WebhookParseError, WebhookParseErrorType};
162 use static_assertions::assert_impl_all;
163 use std::{error::Error, fmt::Debug};
164 use twilight_model::id::Id;
165
166 assert_impl_all!(WebhookParseErrorType: Debug, Send, Sync);
167 assert_impl_all!(WebhookParseError: Debug, Error, Send, Sync);
168
169 #[test]
170 fn parse_no_token() {
171 assert_eq!(
172 (Id::new(123), None),
173 super::parse("https://discord.com/api/webhooks/123").unwrap(),
174 );
175 assert_eq!(
178 (Id::new(123), None),
179 super::parse("https://discord.com/api/webhooks/123").unwrap(),
180 );
181 assert!(super::parse("https://discord.com/api/webhooks/123/")
182 .unwrap()
183 .1
184 .is_none());
185 }
186
187 #[test]
188 fn parse_with_token() {
189 assert_eq!(
190 super::parse("https://discord.com/api/webhooks/456/token").unwrap(),
191 (Id::new(456), Some("token")),
192 );
193 assert_eq!(
195 super::parse("https://discord.com/api/webhooks/456/token/github").unwrap(),
196 (Id::new(456), Some("token")),
197 );
198 assert_eq!(
199 super::parse("https://discord.com/api/webhooks/456/token/slack").unwrap(),
200 (Id::new(456), Some("token")),
201 );
202 assert_eq!(
203 super::parse("https://discord.com/api/webhooks/456/token/randomsegment").unwrap(),
204 (Id::new(456), Some("token")),
205 );
206 assert_eq!(
207 super::parse("https://discord.com/api/webhooks/456/token/one/two/three").unwrap(),
208 (Id::new(456), Some("token")),
209 );
210 }
211
212 #[test]
213 fn parse_invalid() {
214 assert!(matches!(
216 super::parse("https://discord.com/foo/bar/456")
217 .unwrap_err()
218 .kind(),
219 &WebhookParseErrorType::SegmentMissing,
220 ));
221 assert!(matches!(
223 super::parse("https://discord.com/api/webhooks/")
224 .unwrap_err()
225 .kind(),
226 &WebhookParseErrorType::SegmentMissing,
227 ));
228 assert!(matches!(
230 super::parse("https://discord.com/api/webhooks/notaninteger")
231 .unwrap_err()
232 .kind(),
233 &WebhookParseErrorType::IdInvalid { .. },
234 ));
235 }
236}