2024-05-13 04:21:03 +08:00
|
|
|
// TODO: Re-implement `Ticket`'s accessor methods. This time return a `&str` rather than a `&String`.
|
|
|
|
|
|
|
|
pub struct Ticket {
|
|
|
|
title: String,
|
|
|
|
description: String,
|
|
|
|
status: String,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Ticket {
|
|
|
|
pub fn new(title: String, description: String, status: String) -> Ticket {
|
|
|
|
if title.is_empty() {
|
|
|
|
panic!("Title cannot be empty");
|
|
|
|
}
|
|
|
|
if title.len() > 50 {
|
2024-05-22 18:06:40 +08:00
|
|
|
panic!("Title cannot be longer than 50 bytes");
|
2024-05-13 04:21:03 +08:00
|
|
|
}
|
|
|
|
if description.is_empty() {
|
|
|
|
panic!("Description cannot be empty");
|
|
|
|
}
|
|
|
|
if description.len() > 500 {
|
2024-05-22 18:06:40 +08:00
|
|
|
panic!("Description cannot be longer than 500 bytes");
|
2024-05-13 04:21:03 +08:00
|
|
|
}
|
|
|
|
if status != "To-Do" && status != "In Progress" && status != "Done" {
|
|
|
|
panic!("Only `To-Do`, `In Progress`, and `Done` statuses are allowed");
|
|
|
|
}
|
|
|
|
|
|
|
|
Ticket {
|
|
|
|
title,
|
|
|
|
description,
|
|
|
|
status,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
pub fn title(&self) -> &String {
|
|
|
|
&self.title
|
|
|
|
}
|
|
|
|
|
|
|
|
pub fn description(&self) -> &String {
|
|
|
|
&self.description
|
|
|
|
}
|
|
|
|
|
|
|
|
pub fn status(&self) -> &String {
|
|
|
|
&self.status
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
|
|
|
use super::*;
|
|
|
|
use common::{valid_description, valid_title};
|
|
|
|
use std::any::{Any, TypeId};
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn test_type() {
|
|
|
|
let ticket = Ticket::new(valid_title(), valid_description(), "To-Do".to_string());
|
|
|
|
// Some dark magic to verify that you used the expected return types
|
|
|
|
assert_eq!(TypeId::of::<str>(), ticket.title().type_id());
|
|
|
|
assert_eq!(TypeId::of::<str>(), ticket.description().type_id());
|
|
|
|
assert_eq!(TypeId::of::<str>(), ticket.status().type_id());
|
|
|
|
}
|
|
|
|
}
|