Compare commits

...

13 Commits

Author SHA1 Message Date
Savanni D'Gerinel 26fc8dae9a Save real data to the database. Load data on app start. 2023-12-28 13:58:43 -05:00
Savanni D'Gerinel d4dc493297 Record data to the database
This isn't recording real data. It's basically discarding all
information from the weight edit field. But it is creating a record.
2023-12-28 13:57:56 -05:00
Savanni D'Gerinel 68c5ab0958 Create placeholders in the historical view for days that are unpopulated. 2023-12-28 13:56:33 -05:00
Savanni D'Gerinel 57034e48d5 Fix tests 2023-12-28 13:56:31 -05:00
Savanni D'Gerinel e730d36cc9 Switch to an the updated emseries record type 2023-12-28 13:54:59 -05:00
Savanni D'Gerinel cb2f21341d Be able to respond to blur events and potentially be able to record weight 2023-12-28 13:54:53 -05:00
Savanni D'Gerinel 64c4e971f8 Develop a pattern to detect clicking outside of a focused child 2023-12-28 13:53:02 -05:00
Savanni D'Gerinel e84c49c343 Create a widget that can show the weight view and edit modes 2023-12-28 13:53:02 -05:00
Savanni D'Gerinel 5b8b612758 Completely switch daydetail to navigation and remove the modal 2023-12-28 13:52:49 -05:00
Savanni D'Gerinel 84fe6fbd8f Open and style the day detail modal 2023-12-28 13:50:09 -05:00
Savanni D'Gerinel 5cd0e822c6 Update to adwaita 1.4, and add a navigation page stack 2023-12-28 13:21:42 -05:00
Savanni D'Gerinel fe5e4ed044 Save the views as their original widgets
This allows me to directly reference functions that occur on those
widgets without losing them behind a gtk::Widget upcast or needing to
later downcast them.
2023-12-28 12:59:29 -05:00
Savanni D'Gerinel e30668ca8e Drop DateTimeTz from fitnesstrax 2023-12-28 12:51:50 -05:00
16 changed files with 678 additions and 172 deletions

View File

@ -178,7 +178,7 @@ impl fmt::Display for RecordId {
/// directly, as the database will create them. /// directly, as the database will create them.
#[derive(Clone, Debug, PartialEq, Eq, Deserialize, Serialize)] #[derive(Clone, Debug, PartialEq, Eq, Deserialize, Serialize)]
pub struct Record<T: Clone + Recordable> { pub struct Record<T: Clone + Recordable> {
pub(crate) id: RecordId, pub id: RecordId,
pub data: T, pub data: T,
} }

View File

@ -6,7 +6,7 @@ edition = "2021"
# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html # See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html
[dependencies] [dependencies]
adw = { version = "0.5", package = "libadwaita", features = [ "v1_2" ] } adw = { version = "0.5", package = "libadwaita", features = [ "v1_4" ] }
async-channel = { version = "2.1" } async-channel = { version = "2.1" }
chrono = { version = "0.4" } chrono = { version = "0.4" }
chrono-tz = { version = "0.8" } chrono-tz = { version = "0.8" }

View File

@ -2,32 +2,38 @@
margin: 64px; margin: 64px;
} }
.welcome-title { .welcome__title {
font-size: larger; font-size: larger;
padding: 8px; padding: 8px;
} }
.welcome-content { .welcome__content {
padding: 8px; padding: 8px;
} }
.welcome-footer { .welcome__footer {
} }
.dialog-row { .historical {
margin: 8px 0px 8px 0px; margin: 32px;
border-radius: 8px;
}
.day-summary {
padding: 8px; padding: 8px;
} }
.daysummary { .day-summary__date {
padding: 8px;
}
.daysummary-date {
font-size: larger; font-size: larger;
margin-bottom: 8px; margin-bottom: 8px;
} }
.daysummary-weight { .day-summary__weight {
margin: 4px; margin: 4px;
} }
.weight-view {
padding: 8px;
margin: 8px;
}

View File

@ -14,7 +14,8 @@ General Public License for more details.
You should have received a copy of the GNU General Public License along with FitnessTrax. If not, see <https://www.gnu.org/licenses/>. You should have received a copy of the GNU General Public License along with FitnessTrax. If not, see <https://www.gnu.org/licenses/>.
*/ */
use emseries::Series; use crate::types::DayInterval;
use emseries::{time_range, Record, RecordId, Series, Timestamp};
use ft_core::TraxRecord; use ft_core::TraxRecord;
use std::{ use std::{
path::{Path, PathBuf}, path::{Path, PathBuf},
@ -29,7 +30,13 @@ pub enum AppInvocation {
/// Request a set of records from the core. /// Request a set of records from the core.
// Note: this will require a time range, but doesn't yet. // Note: this will require a time range, but doesn't yet.
RequestRecords, RequestRecords(DayInterval),
UpdateRecord(Record<TraxRecord>),
PutRecord(TraxRecord),
DeleteRecord(RecordId),
} }
/// Responses are messages that the core sends to the UI. Though they are called responses, the /// Responses are messages that the core sends to the UI. Though they are called responses, the
@ -46,7 +53,7 @@ pub enum AppResponse {
/// The database is open and here is a set of records. Typically, the set of records will be /// The database is open and here is a set of records. Typically, the set of records will be
/// all of the records within a time frame, but this can actually be any set of records. /// all of the records within a time frame, but this can actually be any set of records.
Records, Records(Vec<Record<TraxRecord>>),
/// The database has been changed. This message is useful for telling the UI that a significant /// The database has been changed. This message is useful for telling the UI that a significant
/// change has happened. Further, the UI needs to save PathBuf to settings, because the /// change has happened. Further, the UI needs to save PathBuf to settings, because the
@ -76,13 +83,42 @@ impl App {
self.open_db(&db_path); self.open_db(&db_path);
AppResponse::DatabaseChanged(db_path) AppResponse::DatabaseChanged(db_path)
} }
AppInvocation::RequestRecords => { AppInvocation::RequestRecords(interval) => match &*self.database.read().unwrap() {
if self.database.read().unwrap().is_none() { Some(database) => {
AppResponse::NoDatabase let records = database
} else { .search(time_range(
AppResponse::Records Timestamp::Date(interval.start),
true,
Timestamp::Date(interval.end),
true,
))
.map(|record| record.clone())
.collect::<Vec<Record<TraxRecord>>>();
AppResponse::Records(records)
} }
} None => AppResponse::NoDatabase,
},
AppInvocation::UpdateRecord(record) => match *self.database.write().unwrap() {
Some(ref mut database) => {
database.update(record).unwrap();
AppResponse::Records(vec![])
}
None => AppResponse::NoDatabase,
},
AppInvocation::PutRecord(record) => match *self.database.write().unwrap() {
Some(ref mut database) => {
database.put(record).unwrap();
AppResponse::Records(vec![])
}
None => AppResponse::NoDatabase,
},
AppInvocation::DeleteRecord(record_id) => match *self.database.write().unwrap() {
Some(ref mut database) => {
database.delete(&record_id).unwrap();
AppResponse::Records(vec![])
}
None => AppResponse::NoDatabase,
},
} }
} }

View File

@ -16,14 +16,14 @@ You should have received a copy of the GNU General Public License along with Fit
use crate::{ use crate::{
app::{AppInvocation, AppResponse}, app::{AppInvocation, AppResponse},
components::DayDetail,
views::{HistoricalView, PlaceholderView, View, ViewName, WelcomeView}, views::{HistoricalView, PlaceholderView, View, ViewName, WelcomeView},
}; };
use adw::prelude::*; use adw::prelude::*;
use async_channel::Sender; use async_channel::Sender;
use chrono::{NaiveDate, TimeZone}; use chrono::{FixedOffset, NaiveDate, TimeZone};
use chrono_tz::America::Anchorage;
use dimensioned::si::{KG, M, S}; use dimensioned::si::{KG, M, S};
use emseries::DateTimeTz; use emseries::{Record, RecordId};
use ft_core::{Steps, TimeDistance, TraxRecord, Weight}; use ft_core::{Steps, TimeDistance, TraxRecord, Weight};
use gio::resources_lookup_data; use gio::resources_lookup_data;
use gtk::STYLE_PROVIDER_PRIORITY_USER; use gtk::STYLE_PROVIDER_PRIORITY_USER;
@ -38,6 +38,7 @@ pub struct AppWindow {
layout: gtk::Box, layout: gtk::Box,
current_view: Rc<RefCell<View>>, current_view: Rc<RefCell<View>>,
settings: gio::Settings, settings: gio::Settings,
navigation: adw::NavigationView,
} }
impl AppWindow { impl AppWindow {
@ -77,9 +78,7 @@ impl AppWindow {
#[allow(deprecated)] #[allow(deprecated)]
context.add_provider(&provider, STYLE_PROVIDER_PRIORITY_USER); context.add_provider(&provider, STYLE_PROVIDER_PRIORITY_USER);
let header = adw::HeaderBar::builder() let navigation = adw::NavigationView::new();
.title_widget(&gtk::Label::new(Some("FitnessTrax")))
.build();
let layout = gtk::Box::builder() let layout = gtk::Box::builder()
.orientation(gtk::Orientation::Vertical) .orientation(gtk::Orientation::Vertical)
@ -87,17 +86,32 @@ impl AppWindow {
let initial_view = View::Placeholder(PlaceholderView::new().upcast()); let initial_view = View::Placeholder(PlaceholderView::new().upcast());
layout.append(&header); layout.append(&initial_view.widget());
layout.append(initial_view.widget());
window.set_content(Some(&layout)); let nav_layout = gtk::Box::new(gtk::Orientation::Vertical, 0);
nav_layout.append(&adw::HeaderBar::new());
nav_layout.append(&layout);
navigation.push(
&adw::NavigationPage::builder()
.can_pop(false)
.title("FitnessTrax")
.child(&nav_layout)
.build(),
);
window.set_content(Some(&navigation));
window.present(); window.present();
let gesture = gtk::GestureClick::new();
gesture.connect_released(|_, _, _, _| println!("detected gesture"));
layout.add_controller(gesture);
let s = Self { let s = Self {
app_tx, app_tx,
layout, layout,
current_view: Rc::new(RefCell::new(initial_view)), current_view: Rc::new(RefCell::new(initial_view)),
settings: gio::Settings::new(app_id), settings: gio::Settings::new(app_id),
navigation,
}; };
s s
@ -113,13 +127,13 @@ impl AppWindow {
self.settings self.settings
.set_string("series-path", db_path.to_str().unwrap()) .set_string("series-path", db_path.to_str().unwrap())
.unwrap(); .unwrap();
self.change_view(ViewName::Historical); self.change_view(ViewName::Historical(vec![]));
} }
AppResponse::NoDatabase => { AppResponse::NoDatabase => {
self.change_view(ViewName::Welcome); self.change_view(ViewName::Welcome);
} }
AppResponse::Records => { AppResponse::Records(records) => {
self.change_view(ViewName::Historical); self.change_view(ViewName::Historical(records));
} }
} }
} }
@ -131,9 +145,9 @@ impl AppWindow {
// position. // position.
fn swap_main(&self, view: View) { fn swap_main(&self, view: View) {
let mut current_widget = self.current_view.borrow_mut(); let mut current_widget = self.current_view.borrow_mut();
self.layout.remove(&*current_widget.widget()); self.layout.remove(&current_widget.widget());
*current_widget = view; *current_widget = view;
self.layout.append(&*current_widget.widget()); self.layout.append(&current_widget.widget());
} }
fn construct_view(&self, view: ViewName) -> View { fn construct_view(&self, view: ViewName) -> View {
@ -149,37 +163,36 @@ impl AppWindow {
}) })
.upcast(), .upcast(),
), ),
ViewName::Historical => View::Historical( ViewName::Historical(records) => View::Historical(
HistoricalView::new(vec![ HistoricalView::new(records, {
TraxRecord::Steps(Steps { let s = self.clone();
date: NaiveDate::from_ymd_opt(2023, 10, 13).unwrap(), Rc::new(move |date: chrono::NaiveDate, records| {
count: 1500, let layout = gtk::Box::new(gtk::Orientation::Vertical, 0);
}), layout.append(&adw::HeaderBar::new());
TraxRecord::Weight(Weight { layout.append(&DayDetail::new(
date: NaiveDate::from_ymd_opt(2023, 10, 13).unwrap(), date,
weight: 85. * KG, records,
}), {
TraxRecord::Weight(Weight { let app_tx = s.app_tx.clone();
date: NaiveDate::from_ymd_opt(2023, 10, 14).unwrap(), move |record| {
weight: 86. * KG, let _ = app_tx.send_blocking(AppInvocation::PutRecord(record));
}), }
TraxRecord::BikeRide(TimeDistance { },
datetime: DateTimeTz( {
Anchorage.with_ymd_and_hms(2019, 6, 15, 12, 0, 0).unwrap(), let app_tx = s.app_tx.clone();
), move |record| {
distance: Some(1000. * M), let _ =
duration: Some(150. * S), app_tx.send_blocking(AppInvocation::UpdateRecord(record));
comments: Some("Test Comments".to_owned()), }
}), },
TraxRecord::BikeRide(TimeDistance { ));
datetime: DateTimeTz( let page = &adw::NavigationPage::builder()
Anchorage.with_ymd_and_hms(2019, 6, 15, 23, 0, 0).unwrap(), .title(date.format("%Y-%m-%d").to_string())
), .child(&layout)
distance: Some(1000. * M), .build();
duration: Some(150. * S), s.navigation.push(page);
comments: Some("Test Comments".to_owned()), })
}), })
])
.upcast(), .upcast(),
), ),
} }

View File

@ -16,12 +16,13 @@ You should have received a copy of the GNU General Public License along with Fit
// use chrono::NaiveDate; // use chrono::NaiveDate;
// use ft_core::TraxRecord; // use ft_core::TraxRecord;
use ft_core::TraxRecord; use dimensioned::si;
use emseries::Record;
use ft_core::{RecordType, TimeDistance, TraxRecord, Weight};
use glib::Object; use glib::Object;
use gtk::{prelude::*, subclass::prelude::*}; use gtk::{prelude::*, subclass::prelude::*};
use std::cell::RefCell; use std::{cell::RefCell, rc::Rc};
#[derive(Default)]
pub struct DaySummaryPrivate { pub struct DaySummaryPrivate {
date: gtk::Label, date: gtk::Label,
weight: RefCell<Option<gtk::Label>>, weight: RefCell<Option<gtk::Label>>,
@ -35,7 +36,7 @@ impl ObjectSubclass for DaySummaryPrivate {
fn new() -> Self { fn new() -> Self {
let date = gtk::Label::builder() let date = gtk::Label::builder()
.css_classes(["daysummary-date"]) .css_classes(["day-summary__date"])
.halign(gtk::Align::Start) .halign(gtk::Align::Start)
.build(); .build();
Self { Self {
@ -59,14 +60,14 @@ impl DaySummary {
pub fn new() -> Self { pub fn new() -> Self {
let s: Self = Object::builder().build(); let s: Self = Object::builder().build();
s.set_orientation(gtk::Orientation::Vertical); s.set_orientation(gtk::Orientation::Vertical);
s.set_css_classes(&["daysummary"]); s.set_css_classes(&["day-summary"]);
s.append(&s.imp().date); s.append(&s.imp().date);
s s
} }
pub fn set_data(&self, date: chrono::NaiveDate, records: Vec<TraxRecord>) { pub fn set_data(&self, date: chrono::NaiveDate, records: Vec<Record<TraxRecord>>) {
self.imp() self.imp()
.date .date
.set_text(&date.format("%Y-%m-%d").to_string()); .set_text(&date.format("%Y-%m-%d").to_string());
@ -75,16 +76,339 @@ impl DaySummary {
self.remove(weight_label); self.remove(weight_label);
} }
if let Some(TraxRecord::Weight(weight_record)) = if let Some(Record {
records.iter().filter(|f| f.is_weight()).next() data: TraxRecord::Weight(weight_record),
..
}) = records.iter().filter(|f| f.data.is_weight()).next()
{ {
let label = gtk::Label::builder() let label = gtk::Label::builder()
.halign(gtk::Align::Start) .halign(gtk::Align::Start)
.label(&format!("{}", weight_record.weight)) .label(&format!("{}", weight_record.weight))
.css_classes(["daysummary-weight"]) .css_classes(["day-summary__weight"])
.build(); .build();
self.append(&label); self.append(&label);
*self.imp().weight.borrow_mut() = Some(label); *self.imp().weight.borrow_mut() = Some(label);
} }
/*
self.append(
&gtk::Label::builder()
.halign(gtk::Align::Start)
.label("15km of biking in 60 minutes")
.build(),
);
*/
}
}
pub struct DayDetailPrivate {
date: gtk::Label,
weight: RefCell<Option<gtk::Label>>,
}
#[glib::object_subclass]
impl ObjectSubclass for DayDetailPrivate {
const NAME: &'static str = "DayDetail";
type Type = DayDetail;
type ParentType = gtk::Box;
fn new() -> Self {
let date = gtk::Label::builder()
.css_classes(["daysummary-date"])
.halign(gtk::Align::Start)
.build();
Self {
date,
weight: RefCell::new(None),
}
}
}
impl ObjectImpl for DayDetailPrivate {}
impl WidgetImpl for DayDetailPrivate {}
impl BoxImpl for DayDetailPrivate {}
glib::wrapper! {
pub struct DayDetail(ObjectSubclass<DayDetailPrivate>) @extends gtk::Box, gtk::Widget, @implements gtk::Orientable;
}
impl DayDetail {
pub fn new<SaveRecordFn, UpdateRecordFn>(
date: chrono::NaiveDate,
records: Vec<Record<TraxRecord>>,
on_save_record: SaveRecordFn,
on_update_record: UpdateRecordFn,
) -> Self
where
SaveRecordFn: Fn(TraxRecord) + 'static,
UpdateRecordFn: Fn(Record<TraxRecord>) + 'static,
{
let s: Self = Object::builder().build();
s.set_orientation(gtk::Orientation::Vertical);
let click_controller = gtk::GestureClick::new();
click_controller.connect_released({
let s = s.clone();
move |_, _, _, _| {
println!("clicked outside of focusable entity");
if let Some(widget) = s.focus_child().and_downcast_ref::<WeightView>() {
println!("focused child is the weight view");
widget.blur();
}
}
});
s.add_controller(click_controller);
let weight_record = records.iter().find_map(|record| match record {
Record {
id,
data: TraxRecord::Weight(record),
} => Some((id.clone(), record.clone())),
_ => None,
});
let weight_view = match weight_record {
Some((id, data)) => WeightView::new(Some(data.clone()), move |weight| {
on_update_record(Record {
id: id.clone(),
data: TraxRecord::Weight(Weight { date, weight }),
})
}),
None => WeightView::new(None, move |weight| {
on_save_record(TraxRecord::Weight(Weight { date, weight }));
}),
};
s.append(&weight_view);
records.into_iter().for_each(|record| {
let record_view = match record {
Record {
data: TraxRecord::BikeRide(record),
..
} => Some(
TimeDistanceView::new(RecordType::BikeRide, record).upcast::<gtk::Widget>(),
),
Record {
data: TraxRecord::Row(record),
..
} => Some(TimeDistanceView::new(RecordType::Row, record).upcast::<gtk::Widget>()),
Record {
data: TraxRecord::Run(record),
..
} => Some(TimeDistanceView::new(RecordType::Row, record).upcast::<gtk::Widget>()),
Record {
data: TraxRecord::Swim(record),
..
} => Some(TimeDistanceView::new(RecordType::Row, record).upcast::<gtk::Widget>()),
Record {
data: TraxRecord::Walk(record),
..
} => Some(TimeDistanceView::new(RecordType::Row, record).upcast::<gtk::Widget>()),
_ => None,
};
if let Some(record_view) = record_view {
record_view.add_css_class("day-detail");
record_view.set_halign(gtk::Align::Start);
s.append(&record_view);
}
});
s
}
}
pub struct WeightViewPrivate {
record: RefCell<Option<Weight>>,
view: RefCell<gtk::Label>,
edit: RefCell<gtk::Entry>,
current: RefCell<gtk::Widget>,
on_edit_finished: RefCell<Box<dyn Fn(si::Kilogram<f64>)>>,
}
impl Default for WeightViewPrivate {
fn default() -> Self {
let view = gtk::Label::builder()
.css_classes(["card", "weight-view"])
.halign(gtk::Align::Start)
.can_focus(true)
.build();
let edit = gtk::Entry::builder().halign(gtk::Align::Start).build();
let current = view.clone();
Self {
record: RefCell::new(None),
view: RefCell::new(view),
edit: RefCell::new(edit),
current: RefCell::new(current.upcast()),
on_edit_finished: RefCell::new(Box::new(|_| {})),
}
}
}
#[glib::object_subclass]
impl ObjectSubclass for WeightViewPrivate {
const NAME: &'static str = "WeightView";
type Type = WeightView;
type ParentType = gtk::Box;
}
impl ObjectImpl for WeightViewPrivate {}
impl WidgetImpl for WeightViewPrivate {}
impl BoxImpl for WeightViewPrivate {}
glib::wrapper! {
pub struct WeightView(ObjectSubclass<WeightViewPrivate>) @extends gtk::Box, gtk::Widget;
}
impl WeightView {
pub fn new<OnEditFinished>(weight: Option<Weight>, on_edit_finished: OnEditFinished) -> Self
where
OnEditFinished: Fn(si::Kilogram<f64>) + 'static,
{
let s: Self = Object::builder().build();
*s.imp().on_edit_finished.borrow_mut() = Box::new(on_edit_finished);
*s.imp().record.borrow_mut() = weight;
s.view();
let view_click_controller = gtk::GestureClick::new();
view_click_controller.connect_released({
let s = s.clone();
move |_, _, _, _| {
s.edit();
}
});
s.imp().view.borrow().add_controller(view_click_controller);
s
}
fn view(&self) {
let view = self.imp().view.borrow();
match *self.imp().record.borrow() {
Some(ref record) => {
view.remove_css_class("dim_label");
view.set_label(&format!("{:?}", record.weight));
}
None => {
view.add_css_class("dim_label");
view.set_label("No weight recorded");
}
}
self.swap(view.clone().upcast());
}
fn edit(&self) {
let edit = self.imp().edit.borrow();
match *self.imp().record.borrow() {
Some(ref record) => edit.buffer().set_text(&format!("{:?}", record.weight)),
None => edit.buffer().set_text(""),
}
self.swap(edit.clone().upcast());
edit.grab_focus();
}
fn swap(&self, new_view: gtk::Widget) {
let mut current = self.imp().current.borrow_mut();
self.remove(&*current);
self.append(&new_view);
*current = new_view;
}
fn blur(&self) {
let edit = self.imp().edit.borrow();
if *self.imp().current.borrow() == *edit {
let w = edit.buffer().text().parse::<f64>().unwrap();
self.imp().on_edit_finished.borrow()(w * si::KG);
self.view();
}
}
}
#[derive(Default)]
pub struct TimeDistanceViewPrivate {
record: RefCell<Option<TimeDistance>>,
}
#[glib::object_subclass]
impl ObjectSubclass for TimeDistanceViewPrivate {
const NAME: &'static str = "TimeDistanceView";
type Type = TimeDistanceView;
type ParentType = gtk::Box;
}
impl ObjectImpl for TimeDistanceViewPrivate {}
impl WidgetImpl for TimeDistanceViewPrivate {}
impl BoxImpl for TimeDistanceViewPrivate {}
glib::wrapper! {
pub struct TimeDistanceView(ObjectSubclass<TimeDistanceViewPrivate>) @extends gtk::Box, gtk::Widget, @implements gtk::Orientable;
}
impl TimeDistanceView {
pub fn new(type_: RecordType, record: TimeDistance) -> Self {
let s: Self = Object::builder().build();
s.set_orientation(gtk::Orientation::Vertical);
s.set_hexpand(true);
let first_row = gtk::Box::builder().homogeneous(true).build();
first_row.append(
&gtk::Label::builder()
.halign(gtk::Align::Start)
.label(&record.datetime.format("%H:%M").to_string())
.build(),
);
first_row.append(
&gtk::Label::builder()
.halign(gtk::Align::Start)
.label(format!("{:?}", type_))
.build(),
);
first_row.append(
&gtk::Label::builder()
.halign(gtk::Align::Start)
.label(
record
.distance
.map(|dist| format!("{}", dist))
.unwrap_or("".to_owned()),
)
.build(),
);
first_row.append(
&gtk::Label::builder()
.halign(gtk::Align::Start)
.label(
record
.duration
.map(|duration| format!("{}", duration))
.unwrap_or("".to_owned()),
)
.build(),
);
s.append(&first_row);
s.append(
&gtk::Label::builder()
.halign(gtk::Align::Start)
.label(
record
.comments
.map(|comments| format!("{}", comments))
.unwrap_or("".to_owned()),
)
.build(),
);
s
} }
} }

View File

@ -15,8 +15,8 @@ You should have received a copy of the GNU General Public License along with Fit
*/ */
mod day; mod day;
pub use day::{DayDetail, DaySummary};
pub use day::DaySummary;
use glib::Object; use glib::Object;
use gtk::{prelude::*, subclass::prelude::*}; use gtk::{prelude::*, subclass::prelude::*};
use std::{cell::RefCell, path::PathBuf, rc::Rc}; use std::{cell::RefCell, path::PathBuf, rc::Rc};

View File

@ -17,11 +17,13 @@ You should have received a copy of the GNU General Public License along with Fit
mod app; mod app;
mod app_window; mod app_window;
mod components; mod components;
mod types;
mod views; mod views;
use adw::prelude::*; use adw::prelude::*;
use app_window::AppWindow; use app_window::AppWindow;
use std::{env, path::PathBuf}; use std::{env, path::PathBuf};
use types::DayInterval;
const APP_ID_DEV: &str = "com.luminescent-dreams.fitnesstrax.dev"; const APP_ID_DEV: &str = "com.luminescent-dreams.fitnesstrax.dev";
const APP_ID_PROD: &str = "com.luminescent-dreams.fitnesstrax"; const APP_ID_PROD: &str = "com.luminescent-dreams.fitnesstrax";
@ -86,7 +88,9 @@ fn main() {
glib::spawn_future_local(async move { glib::spawn_future_local(async move {
// The app requests data to start with. This kicks everything off. The response from // The app requests data to start with. This kicks everything off. The response from
// the app will cause the window to be updated shortly. // the app will cause the window to be updated shortly.
let _ = app_tx.send(app::AppInvocation::RequestRecords).await; let _ = app_tx
.send(app::AppInvocation::RequestRecords(DayInterval::default()))
.await;
while let Ok(response) = ui_rx.recv().await { while let Ok(response) = ui_rx.recv().await {
window.process_response(response); window.process_response(response);

View File

@ -0,0 +1,47 @@
use chrono::{Duration, Local, NaiveDate};
// This interval doesn't feel right, either. The idea that I have a specific interval type for just
// NaiveDate is odd. This should be genericized, as should the iterator. Also, it shouldn't live
// here, but in utilities.
#[derive(Clone, Debug, PartialEq, Eq)]
pub struct DayInterval {
pub start: NaiveDate,
pub end: NaiveDate,
}
impl Default for DayInterval {
fn default() -> Self {
Self {
start: (Local::now() - Duration::days(7)).date_naive(),
end: Local::now().date_naive(),
}
}
}
impl DayInterval {
pub fn days(&self) -> impl Iterator<Item = NaiveDate> {
DayIterator {
current: self.start.clone(),
end: self.end.clone(),
}
}
}
struct DayIterator {
current: NaiveDate,
end: NaiveDate,
}
impl Iterator for DayIterator {
type Item = NaiveDate;
fn next(&mut self) -> Option<Self::Item> {
if self.current <= self.end {
let val = self.current.clone();
self.current += Duration::days(1);
Some(val)
} else {
None
}
}
}

View File

@ -14,17 +14,20 @@ General Public License for more details.
You should have received a copy of the GNU General Public License along with FitnessTrax. If not, see <https://www.gnu.org/licenses/>. You should have received a copy of the GNU General Public License along with FitnessTrax. If not, see <https://www.gnu.org/licenses/>.
*/ */
use crate::components::DaySummary; use crate::{components::DaySummary, types::DayInterval};
use emseries::{Recordable, Timestamp}; use chrono::{Duration, Local, NaiveDate};
use emseries::Record;
use ft_core::TraxRecord; use ft_core::TraxRecord;
use glib::Object; use glib::Object;
use gtk::{prelude::*, subclass::prelude::*}; use gtk::{prelude::*, subclass::prelude::*};
use std::{cell::RefCell, collections::HashMap}; use std::{cell::RefCell, collections::HashMap, rc::Rc};
/// The historical view will show a window into the main database. It will show some version of /// The historical view will show a window into the main database. It will show some version of
/// daily summaries, daily details, and will provide all functions the user may need for editing /// daily summaries, daily details, and will provide all functions the user may need for editing
/// records. /// records.
pub struct HistoricalViewPrivate {} pub struct HistoricalViewPrivate {
time_window: RefCell<DayInterval>,
}
#[glib::object_subclass] #[glib::object_subclass]
impl ObjectSubclass for HistoricalViewPrivate { impl ObjectSubclass for HistoricalViewPrivate {
@ -33,7 +36,9 @@ impl ObjectSubclass for HistoricalViewPrivate {
type ParentType = gtk::Box; type ParentType = gtk::Box;
fn new() -> Self { fn new() -> Self {
Self {} Self {
time_window: RefCell::new(DayInterval::default()),
}
} }
} }
@ -46,14 +51,19 @@ glib::wrapper! {
} }
impl HistoricalView { impl HistoricalView {
pub fn new(records: Vec<TraxRecord>) -> Self { pub fn new<SelectFn>(records: Vec<Record<TraxRecord>>, on_select_day: Rc<SelectFn>) -> Self
where
SelectFn: Fn(chrono::NaiveDate, Vec<Record<TraxRecord>>) + 'static,
{
let s: Self = Object::builder().build(); let s: Self = Object::builder().build();
s.set_orientation(gtk::Orientation::Vertical); s.set_orientation(gtk::Orientation::Vertical);
s.set_css_classes(&["historical"]);
let day_records: GroupedRecords = GroupedRecords::from(records); let grouped_records =
GroupedRecords::new((*s.imp().time_window.borrow()).clone()).with_data(records);
let model = gio::ListStore::new::<DayRecords>(); let mut model = gio::ListStore::new::<DayRecords>();
model.extend_from_slice(&day_records.0); model.extend(grouped_records.items());
let factory = gtk::SignalListItemFactory::new(); let factory = gtk::SignalListItemFactory::new();
factory.connect_setup(move |_, list_item| { factory.connect_setup(move |_, list_item| {
@ -86,13 +96,16 @@ impl HistoricalView {
.factory(&factory) .factory(&factory)
.single_click_activate(true) .single_click_activate(true)
.build(); .build();
lst.connect_activate(|s, idx| { lst.connect_activate({
// This gets triggered whenever the user clicks on an item on the list. What we let on_select_day = on_select_day.clone();
// actually want to do here is to open a modal dialog that shows all of the details of move |s, idx| {
// the day and which allows the user to edit items within that dialog. // This gets triggered whenever the user clicks on an item on the list. What we
let item = s.model().unwrap().item(idx).unwrap(); // actually want to do here is to open a modal dialog that shows all of the details of
let records = item.downcast_ref::<DayRecords>().unwrap(); // the day and which allows the user to edit items within that dialog.
println!("list item activated: [{:?}] {:?}", idx, records.date()); let item = s.model().unwrap().item(idx).unwrap();
let records = item.downcast_ref::<DayRecords>().unwrap();
on_select_day(records.date(), records.records());
}
}); });
s.append(&lst); s.append(&lst);
@ -104,7 +117,7 @@ impl HistoricalView {
#[derive(Default)] #[derive(Default)]
pub struct DayRecordsPrivate { pub struct DayRecordsPrivate {
date: RefCell<chrono::NaiveDate>, date: RefCell<chrono::NaiveDate>,
records: RefCell<Vec<TraxRecord>>, records: RefCell<Vec<Record<TraxRecord>>>,
} }
#[glib::object_subclass] #[glib::object_subclass]
@ -120,7 +133,7 @@ glib::wrapper! {
} }
impl DayRecords { impl DayRecords {
pub fn new(date: chrono::NaiveDate, records: Vec<TraxRecord>) -> Self { pub fn new(date: chrono::NaiveDate, records: Vec<Record<TraxRecord>>) -> Self {
let s: Self = Object::builder().build(); let s: Self = Object::builder().build();
*s.imp().date.borrow_mut() = date; *s.imp().date.borrow_mut() = date;
@ -133,75 +146,112 @@ impl DayRecords {
self.imp().date.borrow().clone() self.imp().date.borrow().clone()
} }
pub fn records(&self) -> Vec<TraxRecord> { pub fn records(&self) -> Vec<Record<TraxRecord>> {
self.imp().records.borrow().clone() self.imp().records.borrow().clone()
} }
pub fn add_record(&self, record: TraxRecord) { pub fn add_record(&self, record: Record<TraxRecord>) {
self.imp().records.borrow_mut().push(record); self.imp().records.borrow_mut().push(record);
} }
} }
struct GroupedRecords(Vec<DayRecords>); // This isn't feeling quite right. DayRecords is a glib object, but I'm not sure that I want to
// really be passing that around. It seems not generic enough. I feel like this whole grouped
// records thing can be made more generic.
struct GroupedRecords {
interval: DayInterval,
data: HashMap<NaiveDate, DayRecords>,
}
impl From<Vec<TraxRecord>> for GroupedRecords { impl GroupedRecords {
fn from(records: Vec<TraxRecord>) -> GroupedRecords { fn new(interval: DayInterval) -> Self {
GroupedRecords( let mut s = Self {
records interval: interval.clone(),
.into_iter() data: HashMap::new(),
.fold(HashMap::new(), |mut acc, rec| { };
let date = match rec.timestamp() { interval.days().for_each(|date| {
Timestamp::DateTime(dtz) => dtz.0.date_naive(), let _ = s.data.insert(date, DayRecords::new(date, vec![]));
Timestamp::Date(date) => date, });
}; s
acc.entry(date) }
.and_modify(|entry: &mut DayRecords| (*entry).add_record(rec.clone()))
.or_insert(DayRecords::new(date, vec![rec])); fn with_data(mut self, records: Vec<Record<TraxRecord>>) -> Self {
acc records.into_iter().for_each(|record| {
}) self.data
.values() .entry(record.date())
.cloned() .and_modify(|entry: &mut DayRecords| (*entry).add_record(record.clone()))
.collect::<Vec<DayRecords>>(), .or_insert(DayRecords::new(record.date(), vec![record]));
) });
self
}
fn items<'a>(&'a self) -> impl Iterator<Item = DayRecords> + 'a {
self.interval.days().map(|date| {
self.data
.get(&date)
.map(|rec| rec.clone())
.unwrap_or(DayRecords::new(date, vec![]))
})
} }
} }
#[cfg(test)] #[cfg(test)]
mod test { mod test {
use super::GroupedRecords; use super::GroupedRecords;
use chrono::{NaiveDate, TimeZone}; use chrono::{FixedOffset, NaiveDate, TimeZone};
use chrono_tz::America::Anchorage;
use dimensioned::si::{KG, M, S}; use dimensioned::si::{KG, M, S};
use emseries::DateTimeTz; use emseries::{Record, RecordId};
use ft_core::{Steps, TimeDistance, TraxRecord, Weight}; use ft_core::{Steps, TimeDistance, TraxRecord, Weight};
#[test] #[test]
fn groups_records() { fn groups_records() {
let records = vec![ let records = vec![
TraxRecord::Steps(Steps { Record {
date: NaiveDate::from_ymd_opt(2023, 10, 13).unwrap(), id: RecordId::default(),
count: 1500, data: TraxRecord::Steps(Steps {
}), date: NaiveDate::from_ymd_opt(2023, 10, 13).unwrap(),
TraxRecord::Weight(Weight { count: 1500,
date: NaiveDate::from_ymd_opt(2023, 10, 13).unwrap(), }),
weight: 85. * KG, },
}), Record {
TraxRecord::Weight(Weight { id: RecordId::default(),
date: NaiveDate::from_ymd_opt(2023, 10, 14).unwrap(), data: TraxRecord::Weight(Weight {
weight: 86. * KG, date: NaiveDate::from_ymd_opt(2023, 10, 13).unwrap(),
}), weight: 85. * KG,
TraxRecord::BikeRide(TimeDistance { }),
datetime: DateTimeTz(Anchorage.with_ymd_and_hms(2019, 6, 15, 12, 0, 0).unwrap()), },
distance: Some(1000. * M), Record {
duration: Some(150. * S), id: RecordId::default(),
comments: Some("Test Comments".to_owned()), data: TraxRecord::Weight(Weight {
}), date: NaiveDate::from_ymd_opt(2023, 10, 14).unwrap(),
TraxRecord::BikeRide(TimeDistance { weight: 86. * KG,
datetime: DateTimeTz(Anchorage.with_ymd_and_hms(2019, 6, 15, 23, 0, 0).unwrap()), }),
distance: Some(1000. * M), },
duration: Some(150. * S), Record {
comments: Some("Test Comments".to_owned()), id: RecordId::default(),
}), data: TraxRecord::BikeRide(TimeDistance {
datetime: FixedOffset::west_opt(10 * 60 * 60)
.unwrap()
.with_ymd_and_hms(2019, 6, 15, 12, 0, 0)
.unwrap(),
distance: Some(1000. * M),
duration: Some(150. * S),
comments: Some("Test Comments".to_owned()),
}),
},
Record {
id: RecordId::default(),
data: TraxRecord::BikeRide(TimeDistance {
datetime: FixedOffset::west_opt(10 * 60 * 60)
.unwrap()
.with_ymd_and_hms(2019, 6, 15, 23, 0, 0)
.unwrap(),
distance: Some(1000. * M),
duration: Some(150. * S),
comments: Some("Test Comments".to_owned()),
}),
},
]; ];
let groups = GroupedRecords::from(records).0; let groups = GroupedRecords::from(records).0;

View File

@ -14,6 +14,8 @@ General Public License for more details.
You should have received a copy of the GNU General Public License along with FitnessTrax. If not, see <https://www.gnu.org/licenses/>. You should have received a copy of the GNU General Public License along with FitnessTrax. If not, see <https://www.gnu.org/licenses/>.
*/ */
use gtk::prelude::*;
mod historical_view; mod historical_view;
pub use historical_view::HistoricalView; pub use historical_view::HistoricalView;
@ -23,24 +25,27 @@ pub use placeholder_view::PlaceholderView;
mod welcome_view; mod welcome_view;
pub use welcome_view::WelcomeView; pub use welcome_view::WelcomeView;
use emseries::Record;
use ft_core::TraxRecord;
#[derive(Clone, Debug, PartialEq)] #[derive(Clone, Debug, PartialEq)]
pub enum ViewName { pub enum ViewName {
Welcome, Welcome,
Historical, Historical(Vec<Record<TraxRecord>>),
} }
pub enum View { pub enum View {
Placeholder(gtk::Widget), Placeholder(PlaceholderView),
Welcome(gtk::Widget), Welcome(WelcomeView),
Historical(gtk::Widget), Historical(HistoricalView),
} }
impl View { impl View {
pub fn widget<'a>(&'a self) -> &'a gtk::Widget { pub fn widget(&self) -> gtk::Widget {
match self { match self {
View::Placeholder(widget) => widget, View::Placeholder(widget) => widget.clone().upcast::<gtk::Widget>(),
View::Welcome(widget) => widget, View::Welcome(widget) => widget.clone().upcast::<gtk::Widget>(),
View::Historical(widget) => widget, View::Historical(widget) => widget.clone().upcast::<gtk::Widget>(),
} }
} }
} }

View File

@ -55,11 +55,10 @@ impl WelcomeView {
// branch. // branch.
let title = gtk::Label::builder() let title = gtk::Label::builder()
.label("Welcome to FitnessTrax") .label("Welcome to FitnessTrax")
.css_classes(["welcome-title"]) .css_classes(["welcome__title"])
.build(); .build();
let content = gtk::Box::builder() let content = gtk::Box::builder()
.css_classes(["model-content"])
.orientation(gtk::Orientation::Vertical) .orientation(gtk::Orientation::Vertical)
.vexpand(true) .vexpand(true)
.build(); .build();

View File

@ -1,7 +1,4 @@
use chrono::NaiveDate;
use dimensioned::si;
use emseries::DateTimeTz;
mod legacy; mod legacy;
mod types; mod types;
pub use types::{Steps, TimeDistance, TraxRecord, Weight}; pub use types::{RecordType, Steps, TimeDistance, TraxRecord, Weight};

View File

@ -1,6 +1,6 @@
use chrono::NaiveDate; use chrono::{DateTime, FixedOffset, NaiveDate};
use dimensioned::si; use dimensioned::si;
use emseries::{DateTimeTz, Recordable, Timestamp}; use emseries::{Recordable, Timestamp};
use serde::{Deserialize, Serialize}; use serde::{Deserialize, Serialize};
/// SetRep represents workouts like pushups or situps, which involve doing a "set" of a number of /// SetRep represents workouts like pushups or situps, which involve doing a "set" of a number of
@ -30,11 +30,13 @@ pub struct Steps {
#[derive(Clone, Debug, PartialEq, Serialize, Deserialize)] #[derive(Clone, Debug, PartialEq, Serialize, Deserialize)]
pub struct TimeDistance { pub struct TimeDistance {
/// The precise time (and the relevant timezone) of the workout. One of the edge cases that I /// The precise time (and the relevant timezone) of the workout. One of the edge cases that I
/// account for is that a ride which occurred at 11pm in one timezone would then count as 1am /// account for is that a ride which occurred at 11pm on one day in one timezone would then
/// if one moved two timezones to the east. This is kind of nonsensical from a human /// count as 1am on the next day if the user moves two timezones to the east. While technically
/// perspective, so the DateTimeTz keeps track of the precise time in UTC, but also the /// correct, for most users this would throw off many years of metrics in ways that can be very
/// timezone in which the event was recorded. /// hard to understand. Keeping the fixed offset means that we can have the most precise time
pub datetime: DateTimeTz, /// in the database, but we can still get a Naive Date from the DateTime, which will still read
/// as the original day.
pub datetime: DateTime<FixedOffset>,
/// The distance travelled. This is optional because such a workout makes sense even without /// The distance travelled. This is optional because such a workout makes sense even without
/// the distance. /// the distance.
pub distance: Option<si::Meter<f64>>, pub distance: Option<si::Meter<f64>>,
@ -52,6 +54,17 @@ pub struct Weight {
pub weight: si::Kilogram<f64>, pub weight: si::Kilogram<f64>,
} }
#[derive(Clone, Debug, PartialEq)]
pub enum RecordType {
BikeRide,
Row,
Run,
Steps,
Swim,
Walk,
Weight,
}
/// The unified data structure for all records that are part of the app. /// The unified data structure for all records that are part of the app.
#[derive(Clone, Debug, PartialEq, Serialize, Deserialize)] #[derive(Clone, Debug, PartialEq, Serialize, Deserialize)]
pub enum TraxRecord { pub enum TraxRecord {
@ -65,6 +78,18 @@ pub enum TraxRecord {
} }
impl TraxRecord { impl TraxRecord {
pub fn workout_type(&self) -> RecordType {
match self {
TraxRecord::BikeRide(_) => RecordType::BikeRide,
TraxRecord::Row(_) => RecordType::Row,
TraxRecord::Run(_) => RecordType::Run,
TraxRecord::Steps(_) => RecordType::Steps,
TraxRecord::Swim(_) => RecordType::Swim,
TraxRecord::Walk(_) => RecordType::Walk,
TraxRecord::Weight(_) => RecordType::Weight,
}
}
pub fn is_weight(&self) -> bool { pub fn is_weight(&self) -> bool {
match self { match self {
TraxRecord::Weight(_) => true, TraxRecord::Weight(_) => true,

View File

@ -51,16 +51,16 @@
}, },
"nixpkgs": { "nixpkgs": {
"locked": { "locked": {
"lastModified": 1691421349, "lastModified": 1703200384,
"narHash": "sha256-RRJyX0CUrs4uW4gMhd/X4rcDG8PTgaaCQM5rXEJOx6g=", "narHash": "sha256-q5j06XOsy0qHOarsYPfZYJPWbTbc8sryRxianlEPJN0=",
"owner": "NixOS", "owner": "NixOS",
"repo": "nixpkgs", "repo": "nixpkgs",
"rev": "011567f35433879aae5024fc6ec53f2a0568a6c4", "rev": "0b3d618173114c64ab666f557504d6982665d328",
"type": "github" "type": "github"
}, },
"original": { "original": {
"id": "nixpkgs", "id": "nixpkgs",
"ref": "nixos-23.05", "ref": "nixos-23.11",
"type": "indirect" "type": "indirect"
} }
}, },

View File

@ -2,7 +2,7 @@
description = "Lumenescent Dreams Tools"; description = "Lumenescent Dreams Tools";
inputs = { inputs = {
nixpkgs.url = "nixpkgs/nixos-23.05"; nixpkgs.url = "nixpkgs/nixos-23.11";
unstable.url = "nixpkgs/nixos-unstable"; unstable.url = "nixpkgs/nixos-unstable";
pkgs-cargo2nix.url = "github:cargo2nix/cargo2nix"; pkgs-cargo2nix.url = "github:cargo2nix/cargo2nix";
typeshare.url = "github:1Password/typeshare"; typeshare.url = "github:1Password/typeshare";