간단한 GUI 라이브러리
이번 연습문제에서는 트레잇와 트레잇 객체에 대해 배운것을 활용하여 고전적인 GUI 라이브러리를 설계할 것입니다.
라이브러리에는 몇 가지 위젯이 있습니다:
Window
:title
속성을 가지고 있으며, 다른 위젯들을 포함할 수 있습니다.Button
:label
속성을 가지고 있으며, 버튼이 눌렸을때 실행되는 콜백 함수가 있습니다.Label
:label
속성을 가지고 있습니다.
위젯들은 모두 Widget
트레잇을 구현합니다. 아래 코드를 참조하세요.
아래 코드를 https://play.rust-lang.org/에 복사하고 누락된 draw_into
메서드를 채워 넣어 Widget
트레잇을 완성해봅시다:
// TODO: remove this when you're done with your implementation. #![allow(unused_imports, unused_variables, dead_code)] pub trait Widget { /// Natural width of `self`. fn width(&self) -> usize; /// Draw the widget into a buffer. fn draw_into(&self, buffer: &mut dyn std::fmt::Write); /// Draw the widget on standard output. fn draw(&self) { let mut buffer = String::new(); self.draw_into(&mut buffer); println!("{buffer}"); } } pub struct Label { label: String, } impl Label { fn new(label: &str) -> Label { Label { label: label.to_owned(), } } } pub struct Button { label: Label, callback: Box<dyn FnMut()>, } impl Button { fn new(label: &str, callback: Box<dyn FnMut()>) -> Button { Button { label: Label::new(label), callback, } } } pub struct Window { title: String, widgets: Vec<Box<dyn Widget>>, } impl Window { fn new(title: &str) -> Window { Window { title: title.to_owned(), widgets: Vec::new(), } } fn add_widget(&mut self, widget: Box<dyn Widget>) { self.widgets.push(widget); } fn inner_width(&self) -> usize { std::cmp::max( self.title.chars().count(), self.widgets.iter().map(|w| w.width()).max().unwrap_or(0), ) } } impl Widget for Label { fn width(&self) -> usize { unimplemented!() } fn draw_into(&self, buffer: &mut dyn std::fmt::Write) { unimplemented!() } } impl Widget for Button { fn width(&self) -> usize { unimplemented!() } fn draw_into(&self, buffer: &mut dyn std::fmt::Write) { unimplemented!() } } impl Widget for Window { fn width(&self) -> usize { unimplemented!() } fn draw_into(&self, buffer: &mut dyn std::fmt::Write) { unimplemented!() } } fn main() { let mut window = Window::new("Rust GUI Demo 1.23"); window.add_widget(Box::new(Label::new("This is a small text GUI demo."))); window.add_widget(Box::new(Button::new( "Click me!", Box::new(|| println!("You clicked the button!")), ))); window.draw(); }
위 프로그램의 출력은 아래와 같습니다:
========
Rust GUI Demo 1.23
========
This is a small text GUI demo.
| Click me! |
텍스트를 줄맞춤 해서 그리려면 fill/alignment를 참조하시기 바랍니다. 특수 문자(여기서는 '/'
)로 패딩을 주는 방법과 정렬을 제어하는 방법을 확인하시기 바랍니다:
fn main() { let width = 10; println!("left aligned: |{:/<width$}|", "foo"); println!("centered: |{:/^width$}|", "foo"); println!("right aligned: |{:/>width$}|", "foo"); }
위의 정렬 트릭을 사용하여 다음과 같은 출력을 생성할 수 있습니다:
+--------------------------------+
| Rust GUI Demo 1.23 |
+================================+
| This is a small text GUI demo. |
| +-----------+ |
| | Click me! | |
| +-----------+ |
+--------------------------------+