1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
|
// yt - A fully featured command line YouTube client
//
// Copyright (C) 2024 Benedikt Peetz <benedikt.peetz@b-peetz.de>
// SPDX-License-Identifier: GPL-3.0-or-later
//
// This file is part of Yt.
//
// You should have received a copy of the License along with this program.
// If not, see <https://www.gnu.org/licenses/gpl-3.0.txt>.
use std::{env::current_exe, mem, usize};
use anyhow::{bail, Result};
use libmpv2::{events::Event, EndFileReason, Mpv};
use log::{debug, info};
use tokio::process::Command;
use crate::{
app::App,
comments::get_comments,
storage::video_database::{
extractor_hash::ExtractorHash,
getters::{get_video_by_hash, get_video_mpv_opts, get_videos},
setters::{set_state_change, set_video_watched},
VideoStatus,
},
};
pub struct MpvEventHandler {
currently_playing_index: Option<usize>,
current_playlist_position: usize,
current_playlist: Vec<ExtractorHash>,
}
impl MpvEventHandler {
pub fn from_playlist(playlist: Vec<ExtractorHash>) -> Self {
Self {
currently_playing_index: None,
current_playlist: playlist,
current_playlist_position: 0,
}
}
/// Checks, whether new videos are ready to be played
pub async fn possibly_add_new_videos(&mut self, app: &App, mpv: &Mpv) -> Result<usize> {
let play_things = get_videos(app, &[VideoStatus::Cached], Some(false)).await?;
// There is nothing to watch
if play_things.len() == 0 {
return Ok(0);
}
let play_things = play_things
.into_iter()
.filter(|val| !self.current_playlist.contains(&val.extractor_hash))
.collect::<Vec<_>>();
info!(
"{} videos are cached and will be added to the list to be played",
play_things.len()
);
self.current_playlist.reserve(play_things.len());
let num = play_things.len();
for play_thing in play_things {
debug!("Adding '{}' to playlist.", play_thing.title);
let orig_cache_path = play_thing.cache_path.expect("Is cached and thus some");
let cache_path = orig_cache_path.to_str().expect("Should be vaild utf8");
let cache_path = format!("\"{}\"", cache_path);
let args = &[&cache_path, "append-play"];
mpv.execute("loadfile", args)?;
self.current_playlist.push(play_thing.extractor_hash);
}
Ok(num)
}
fn message(mpv: &Mpv, message: &str, time: &str) -> Result<()> {
mpv.execute("show-text", &[format!("\"{}\"", message).as_str(), time])?;
Ok(())
}
async fn mark_video_watched(&mut self, app: &App, hash: &ExtractorHash) -> Result<()> {
let video = get_video_by_hash(app, hash).await?;
debug!("MPV handler will mark video '{}' watched.", video.title);
set_video_watched(&app, &video).await?;
Ok(())
}
async fn mark_cvideo_watched(&mut self, app: &App) -> Result<()> {
if let Some(index) = self.currently_playing_index {
let video_hash = self.current_playlist[(index) as usize].clone();
self.mark_video_watched(app, &video_hash).await?;
}
Ok(())
}
async fn mark_cvideo_inactive(&mut self, app: &App) -> Result<()> {
if let Some(index) = self.currently_playing_index {
let video_hash = &self.current_playlist[(index) as usize];
self.currently_playing_index = None;
set_state_change(&app, video_hash, false).await?;
}
Ok(())
}
async fn mark_video_active(&mut self, app: &App, playlist_index: usize) -> Result<()> {
let video_hash = &self.current_playlist[(playlist_index) as usize];
self.currently_playing_index = Some(playlist_index);
set_state_change(&app, video_hash, true).await?;
Ok(())
}
/// Apply the options set with e.g. `watch --speed=<speed>`
async fn apply_options(&self, app: &App, mpv: &Mpv, hash: &ExtractorHash) -> Result<()> {
let options = get_video_mpv_opts(app, hash).await?;
mpv.set_property("speed", options.playback_speed)?;
Ok(())
}
/// This will return [`true`], if the event handling should be stopped
pub async fn handle_mpv_event<'a>(
&mut self,
app: &App,
mpv: &Mpv,
event: Event<'a>,
) -> Result<bool> {
match event {
Event::EndFile(r) => match r {
EndFileReason::Eof => {
info!("Mpv reached eof of current video. Marking it inactive.");
self.mark_cvideo_inactive(app).await?;
}
EndFileReason::Stop => {
info!("Mpv stopped current video. Marking it inactive.");
// TODO: Should we also mark the video watched? <2024-08-21>
self.mark_cvideo_inactive(app).await?;
}
EndFileReason::Quit => {
info!("Mpv quit. Exiting playback");
// draining the playlist is okay, as mpv is done playing
let videos = mem::take(&mut self.current_playlist);
for video in videos {
self.mark_video_watched(app, &video).await?;
set_state_change(&app, &video, false).await?;
}
return Ok(true);
}
EndFileReason::Error => {
unreachable!("This will be raised as a separate error")
}
EndFileReason::Redirect => {
todo!("We probably need to handle this somehow");
}
},
Event::StartFile(playlist_index) => {
self.possibly_add_new_videos(app, &mpv).await?;
self.mark_video_active(app, (playlist_index - 1) as usize)
.await?;
self.current_playlist_position = (playlist_index - 1) as usize;
self.apply_options(
app,
mpv,
&self.current_playlist[self.current_playlist_position],
)
.await?;
}
Event::FileLoaded => {}
Event::ClientMessage(a) => {
debug!("Got Client Message event: '{}'", a.join(" "));
match a.as_slice() {
&["yt-comments-external"] => {
let binary = current_exe().expect("A current exe should exist");
let status = Command::new("riverctl")
.args(["focus-output", "next"])
.status()
.await?;
if !status.success() {
bail!("focusing the next output failed!");
}
let status = Command::new("alacritty")
.args(&[
"--title",
"floating please",
"--command",
binary.to_str().expect("Should be valid unicode"),
"comments",
])
.status()
.await?;
if !status.success() {
bail!("Falied to start `yt comments`");
}
let status = Command::new("riverctl")
.args(["focus-output", "next"])
.status()
.await?;
if !status.success() {
bail!("focusing the next output failed!");
}
}
&["yt-comments-local"] => {
let comments: String = get_comments(app)
.await?
.render(false)
.replace("\"", "")
.replace("'", "")
.chars()
.take(app.config.watch.local_comments_length)
.collect();
Self::message(mpv, &comments, "6000")?;
}
&["yt-description"] => {
// let description = description(app).await?;
Self::message(&mpv, "<YT Description>", "6000")?;
}
&["yt-mark-watch-later"] => {
self.mark_cvideo_inactive(app).await?;
mpv.execute("write-watch-later-config", &[])?;
mpv.execute("playlist-remove", &["current"])?;
Self::message(&mpv, "Marked the video to be watched later", "3000")?;
}
&["yt-mark-done-and-go-next"] => {
self.mark_cvideo_watched(app).await?;
self.mark_cvideo_inactive(app).await?;
mpv.execute("playlist-remove", &["current"])?;
Self::message(&mpv, "Marked the video watched", "3000")?;
}
&["yt-check-new-videos"] => {
let num = self.possibly_add_new_videos(app, mpv).await?;
Self::message(&mpv, format!("Added {} videos", num).as_str(), "3000")?;
}
other => {
debug!("Unknown message: {}", other.join(" "))
}
}
}
_ => {}
}
Ok(false)
}
}
|