pinnacle/src/tag.rs

101 lines
2.2 KiB
Rust
Raw Normal View History

2023-06-30 21:34:07 -05:00
// This Source Code Form is subject to the terms of the Mozilla Public
// License, v. 2.0. If a copy of the MPL was not distributed with this
// file, You can obtain one at https://mozilla.org/MPL/2.0/.
//
// SPDX-License-Identifier: MPL-2.0
2023-07-09 17:48:46 -05:00
use std::{
cell::RefCell,
2023-07-09 17:48:46 -05:00
hash::Hash,
rc::Rc,
2023-07-09 17:48:46 -05:00
sync::atomic::{AtomicU32, Ordering},
};
use smithay::output::Output;
use crate::{
backend::Backend,
2023-07-11 21:07:51 -05:00
layout::Layout,
state::{State, WithState},
};
2023-07-09 17:48:46 -05:00
static TAG_ID_COUNTER: AtomicU32 = AtomicU32::new(0);
2023-06-30 21:34:07 -05:00
#[derive(Debug, Hash, PartialEq, Eq, Clone, Copy, serde::Serialize, serde::Deserialize)]
2023-07-09 17:48:46 -05:00
pub struct TagId(u32);
impl TagId {
fn next() -> Self {
Self(TAG_ID_COUNTER.fetch_add(1, Ordering::Relaxed))
}
}
2023-06-30 21:34:07 -05:00
#[derive(Debug)]
struct TagInner {
2023-07-09 17:48:46 -05:00
/// The internal id of this tag.
id: TagId,
2023-07-09 17:48:46 -05:00
/// The name of this tag.
name: String,
2023-07-09 17:48:46 -05:00
/// Whether this tag is active or not.
active: bool,
2023-07-11 21:07:51 -05:00
/// What layout this tag has.
layout: Layout,
2023-06-30 21:34:07 -05:00
}
impl PartialEq for TagInner {
fn eq(&self, other: &Self) -> bool {
self.id == other.id
}
}
impl Eq for TagInner {}
#[derive(Debug, Clone, PartialEq, Eq)]
pub struct Tag(Rc<RefCell<TagInner>>);
impl Tag {
pub fn id(&self) -> TagId {
self.0.borrow().id
}
pub fn name(&self) -> String {
self.0.borrow().name.clone()
}
pub fn active(&self) -> bool {
self.0.borrow().active
}
2023-07-12 18:50:41 -05:00
pub fn set_active(&self, active: bool) {
self.0.borrow_mut().active = active;
}
2023-07-11 21:07:51 -05:00
pub fn layout(&self) -> Layout {
self.0.borrow().layout
}
2023-07-12 18:50:41 -05:00
pub fn set_layout(&self, layout: Layout) {
self.0.borrow_mut().layout = layout;
}
}
2023-07-09 17:48:46 -05:00
impl Tag {
2023-07-11 11:59:38 -05:00
pub fn new(name: String) -> Self {
Self(Rc::new(RefCell::new(TagInner {
2023-07-09 17:48:46 -05:00
id: TagId::next(),
name,
active: false,
2023-07-12 18:50:41 -05:00
layout: Layout::MasterStack, // TODO: get from config
})))
}
}
impl<B: Backend> State<B> {
pub fn output_for_tag(&self, tag: &Tag) -> Option<Output> {
self.space
.outputs()
.find(|output| output.with_state(|state| state.tags.iter().any(|tg| tg == tag)))
.cloned()
2023-06-30 21:34:07 -05:00
}
}