2022-07-14 18:11:18 +02:00
|
|
|
// This quiz tests:
|
|
|
|
// - Generics
|
|
|
|
// - Traits
|
2023-05-29 19:39:08 +02:00
|
|
|
//
|
|
|
|
// An imaginary magical school has a new report card generation system written
|
2024-06-27 13:01:52 +02:00
|
|
|
// in Rust! Currently, the system only supports creating report cards where the
|
2023-05-29 19:39:08 +02:00
|
|
|
// student's grade is represented numerically (e.g. 1.0 -> 5.5). However, the
|
|
|
|
// school also issues alphabetical grades (A+ -> F-) and needs to be able to
|
|
|
|
// print both types of report card!
|
|
|
|
//
|
2024-06-27 13:01:52 +02:00
|
|
|
// Make the necessary code changes in the struct `ReportCard` and the impl
|
|
|
|
// block to support alphabetical report cards in addition to numerical ones.
|
2015-09-21 00:03:00 +02:00
|
|
|
|
2024-06-27 13:01:52 +02:00
|
|
|
// TODO: Adjust the struct as described above.
|
2024-05-22 15:04:12 +02:00
|
|
|
struct ReportCard {
|
|
|
|
grade: f32,
|
|
|
|
student_name: String,
|
|
|
|
student_age: u8,
|
2022-07-14 18:11:18 +02:00
|
|
|
}
|
|
|
|
|
2024-06-27 13:01:52 +02:00
|
|
|
// TODO: Adjust the impl block as described above.
|
2022-07-14 18:11:18 +02:00
|
|
|
impl ReportCard {
|
2024-05-22 15:04:12 +02:00
|
|
|
fn print(&self) -> String {
|
2024-04-17 22:46:21 +02:00
|
|
|
format!(
|
|
|
|
"{} ({}) - achieved a grade of {}",
|
2024-06-27 13:01:52 +02:00
|
|
|
&self.student_name, &self.student_age, &self.grade,
|
2024-04-17 22:46:21 +02:00
|
|
|
)
|
2022-07-14 18:11:18 +02:00
|
|
|
}
|
2019-06-07 04:52:42 +02:00
|
|
|
}
|
2015-09-21 00:03:00 +02:00
|
|
|
|
2024-04-17 22:46:21 +02:00
|
|
|
fn main() {
|
|
|
|
// You can optionally experiment here.
|
|
|
|
}
|
|
|
|
|
2019-11-11 13:46:42 +01:00
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
|
|
|
use super::*;
|
|
|
|
|
|
|
|
#[test]
|
2022-07-14 18:11:18 +02:00
|
|
|
fn generate_numeric_report_card() {
|
|
|
|
let report_card = ReportCard {
|
|
|
|
grade: 2.1,
|
|
|
|
student_name: "Tom Wriggle".to_string(),
|
|
|
|
student_age: 12,
|
|
|
|
};
|
|
|
|
assert_eq!(
|
|
|
|
report_card.print(),
|
2024-06-27 13:01:52 +02:00
|
|
|
"Tom Wriggle (12) - achieved a grade of 2.1",
|
2022-07-14 18:11:18 +02:00
|
|
|
);
|
2019-11-11 13:46:42 +01:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
2022-07-14 18:11:18 +02:00
|
|
|
fn generate_alphabetic_report_card() {
|
|
|
|
let report_card = ReportCard {
|
2024-06-27 13:01:52 +02:00
|
|
|
grade: "A+",
|
2022-07-14 18:11:18 +02:00
|
|
|
student_name: "Gary Plotter".to_string(),
|
|
|
|
student_age: 11,
|
|
|
|
};
|
|
|
|
assert_eq!(
|
|
|
|
report_card.print(),
|
2024-06-27 13:01:52 +02:00
|
|
|
"Gary Plotter (11) - achieved a grade of A+",
|
2022-07-14 18:11:18 +02:00
|
|
|
);
|
2019-11-11 13:46:42 +01:00
|
|
|
}
|
2015-09-21 00:03:00 +02:00
|
|
|
}
|