1
//! IPC handling thread/task. Handles communication between [`Mpv`](crate::Mpv) instances and mpv's unix socket
2

            
3
use futures::{SinkExt, StreamExt};
4
use serde_json::{json, Value};
5
use tokio::{
6
    net::UnixStream,
7
    sync::{broadcast, mpsc, oneshot},
8
};
9
use tokio_util::codec::{Framed, LinesCodec};
10

            
11
use crate::MpvError;
12

            
13
/// Container for all state that regards communication with the mpv IPC socket
14
/// and message passing with [`Mpv`](crate::Mpv) controllers.
15
pub(crate) struct MpvIpc {
16
    socket: Framed<UnixStream, LinesCodec>,
17
    command_channel: mpsc::Receiver<(MpvIpcCommand, oneshot::Sender<MpvIpcResponse>)>,
18
    event_channel: broadcast::Sender<MpvIpcEvent>,
19
}
20

            
21
/// Commands that can be sent to [`MpvIpc`]
22
#[derive(Debug, Clone, PartialEq, Eq)]
23
pub(crate) enum MpvIpcCommand {
24
    Command(Vec<String>),
25
    GetProperty(String),
26
    SetProperty(String, Value),
27
    ObserveProperty(u64, String),
28
    UnobserveProperty(u64),
29
    Exit,
30
}
31

            
32
/// [`MpvIpc`]'s response to a [`MpvIpcCommand`].
33
#[derive(Debug)]
34
pub(crate) struct MpvIpcResponse(pub(crate) Result<Option<Value>, MpvError>);
35

            
36
/// A deserialized and partially parsed event from mpv.
37
#[derive(Debug, Clone)]
38
pub(crate) struct MpvIpcEvent(pub(crate) Value);
39

            
40
impl MpvIpc {
41
42
    pub(crate) fn new(
42
42
        socket: UnixStream,
43
42
        command_channel: mpsc::Receiver<(MpvIpcCommand, oneshot::Sender<MpvIpcResponse>)>,
44
42
        event_channel: broadcast::Sender<MpvIpcEvent>,
45
42
    ) -> Self {
46
42
        MpvIpc {
47
42
            socket: Framed::new(socket, LinesCodec::new()),
48
42
            command_channel,
49
42
            event_channel,
50
42
        }
51
42
    }
52

            
53
5232
    pub(crate) async fn send_command(
54
5232
        &mut self,
55
5232
        command: &[Value],
56
5232
    ) -> Result<Option<Value>, MpvError> {
57
2616
        let ipc_command = json!({ "command": command });
58
2616
        let ipc_command_str =
59
2616
            serde_json::to_string(&ipc_command).map_err(MpvError::JsonParseError)?;
60

            
61
2616
        log::trace!("Sending command: {}", ipc_command_str);
62

            
63
2616
        self.socket
64
2616
            .send(ipc_command_str)
65
2616
            .await
66
2616
            .map_err(|why| MpvError::MpvSocketConnectionError(why.to_string()))?;
67

            
68
2612
        let response = loop {
69
2614
            let response = self
70
2614
                .socket
71
2614
                .next()
72
2614
                .await
73
2612
                .ok_or(MpvError::MpvSocketConnectionError(
74
2612
                    "Could not receive response from mpv".to_owned(),
75
2612
                ))?
76
2612
                .map_err(|why| MpvError::MpvSocketConnectionError(why.to_string()))?;
77

            
78
2612
            let parsed_response =
79
2612
                serde_json::from_str::<Value>(&response).map_err(MpvError::JsonParseError);
80
2612

            
81
2612
            if parsed_response
82
2612
                .as_ref()
83
2612
                .ok()
84
2612
                .and_then(|v| v.as_object().map(|o| o.contains_key("event")))
85
2612
                .unwrap_or(false)
86
            {
87
                self.handle_event(parsed_response).await;
88
            } else {
89
2612
                break parsed_response;
90
2612
            }
91
2612
        };
92
2612

            
93
2612
        log::trace!("Received response: {:?}", response);
94

            
95
2612
        parse_mpv_response_data(response?, command)
96
2614
    }
97

            
98
2632
    pub(crate) async fn get_mpv_property(
99
2632
        &mut self,
100
2632
        property: &str,
101
2632
    ) -> Result<Option<Value>, MpvError> {
102
1316
        self.send_command(&[json!("get_property"), json!(property)])
103
1316
            .await
104
1315
    }
105

            
106
2574
    pub(crate) async fn set_mpv_property(
107
2574
        &mut self,
108
2574
        property: &str,
109
2574
        value: Value,
110
2574
    ) -> Result<Option<Value>, MpvError> {
111
1287
        self.send_command(&[json!("set_property"), json!(property), value])
112
1287
            .await
113
1286
    }
114

            
115
10
    pub(crate) async fn observe_property(
116
10
        &mut self,
117
10
        id: u64,
118
10
        property: &str,
119
10
    ) -> Result<Option<Value>, MpvError> {
120
5
        self.send_command(&[json!("observe_property"), json!(id), json!(property)])
121
5
            .await
122
5
    }
123

            
124
    pub(crate) async fn unobserve_property(&mut self, id: u64) -> Result<Option<Value>, MpvError> {
125
        self.send_command(&[json!("unobserve_property"), json!(id)])
126
            .await
127
    }
128

            
129
28
    async fn handle_event(&mut self, event: Result<Value, MpvError>) {
130
14
        match &event {
131
14
            Ok(event) => {
132
14
                log::trace!("Parsed event: {:?}", event);
133
                if let Err(broadcast::error::SendError(_)) =
134
14
                    self.event_channel.send(MpvIpcEvent(event.to_owned()))
135
                {
136
                    log::trace!("Failed to send event to channel, ignoring");
137
14
                }
138
            }
139
            Err(e) => {
140
                log::trace!("Error parsing event, ignoring:\n  {:?}\n  {:?}", &event, e);
141
            }
142
        }
143
14
    }
144

            
145
42
    pub(crate) async fn run(mut self) -> Result<(), MpvError> {
146
        loop {
147
2649
            tokio::select! {
148
2649
              Some(event) = self.socket.next() => {
149
14
                log::trace!("Got event: {:?}", event);
150

            
151
14
                let parsed_event = event
152
14
                    .map_err(|why| MpvError::MpvSocketConnectionError(why.to_string()))
153
14
                    .and_then(|event|
154
14
                        serde_json::from_str::<Value>(&event)
155
14
                        .map_err(MpvError::JsonParseError));
156
14

            
157
14
                self.handle_event(parsed_event).await;
158
              }
159
2649
              Some((cmd, tx)) = self.command_channel.recv() => {
160
2616
                  log::trace!("Handling command: {:?}", cmd);
161
2616
                  match cmd {
162
8
                      MpvIpcCommand::Command(command) => {
163
8
                          let refs = command.iter().map(|s| json!(s)).collect::<Vec<Value>>();
164
8
                          let response = self.send_command(refs.as_slice()).await;
165
8
                          tx.send(MpvIpcResponse(response)).unwrap()
166
                      }
167
1316
                      MpvIpcCommand::GetProperty(property) => {
168
1316
                          let response = self.get_mpv_property(&property).await;
169
1315
                          tx.send(MpvIpcResponse(response)).unwrap()
170
                      }
171
1287
                      MpvIpcCommand::SetProperty(property, value) => {
172
1287
                          let response = self.set_mpv_property(&property, value).await;
173
1286
                          tx.send(MpvIpcResponse(response)).unwrap()
174
                      }
175
5
                      MpvIpcCommand::ObserveProperty(id, property) => {
176
5
                          let response = self.observe_property(id, &property).await;
177
5
                          tx.send(MpvIpcResponse(response)).unwrap()
178
                      }
179
                      MpvIpcCommand::UnobserveProperty(id) => {
180
                          let response = self.unobserve_property(id).await;
181
                          tx.send(MpvIpcResponse(response)).unwrap()
182
                      }
183
                      MpvIpcCommand::Exit => {
184
                        tx.send(MpvIpcResponse(Ok(None))).unwrap();
185
                        return Ok(());
186
                      }
187
                  }
188
              }
189
            }
190
        }
191
    }
192
}
193

            
194
/// This function does the most basic JSON parsing and error handling
195
/// for status codes and errors that all responses from mpv are
196
/// expected to contain.
197
5224
fn parse_mpv_response_data(value: Value, command: &[Value]) -> Result<Option<Value>, MpvError> {
198
5224
    log::trace!("Parsing mpv response data: {:?}", value);
199
5224
    let result = value
200
5224
        .as_object()
201
5224
        .ok_or(MpvError::ValueContainsUnexpectedType {
202
5224
            expected_type: "object".to_string(),
203
5224
            received: value.clone(),
204
5224
        })
205
5224
        .and_then(|o| {
206
5224
            let error = o
207
5224
                .get("error")
208
5224
                .ok_or(MpvError::MissingKeyInObject {
209
5224
                    key: "error".to_string(),
210
5224
                    map: o.clone(),
211
5224
                })?
212
5224
                .as_str()
213
5224
                .ok_or(MpvError::ValueContainsUnexpectedType {
214
5224
                    expected_type: "string".to_string(),
215
5224
                    received: o.get("error").unwrap().clone(),
216
5224
                })?;
217

            
218
5224
            let data = o.get("data");
219
5224

            
220
5224
            Ok((error, data))
221
5224
        })
222
5224
        .and_then(|(error, data)| match error {
223
5224
            "success" => Ok(data),
224
274
            "property unavailable" => Ok(None),
225
270
            err => Err(MpvError::MpvError {
226
270
                command: command.to_owned(),
227
270
                message: err.to_string(),
228
270
            }),
229
5224
        });
230
5224

            
231
5224
    match &result {
232
4954
        Ok(v) => log::trace!("Successfully parsed mpv response data: {:?}", v),
233
270
        Err(e) => log::trace!("Error parsing mpv response data: {:?}", e),
234
    }
235

            
236
5224
    result.map(|opt| opt.cloned())
237
5224
}