Compare commits
4 Commits
cd68386df2
...
81bced2945
Author | SHA1 | Date |
---|---|---|
Savanni D'Gerinel | 81bced2945 | |
Savanni D'Gerinel | 5daafecd81 | |
Savanni D'Gerinel | 5899e05191 | |
Savanni D'Gerinel | 1fe33f28f8 |
|
@ -17,7 +17,7 @@ You should have received a copy of the GNU General Public License along with Lum
|
||||||
//! Where the sled.rs library uses `Result<Result<A, Error>, FatalError>`, these are a little hard to
|
//! Where the sled.rs library uses `Result<Result<A, Error>, FatalError>`, these are a little hard to
|
||||||
//! work with. This library works out a set of utility functions that allow us to work with the
|
//! work with. This library works out a set of utility functions that allow us to work with the
|
||||||
//! nested errors in the same way as a regular Result.
|
//! nested errors in the same way as a regular Result.
|
||||||
use std::{error::Error, fmt};
|
use std::error::Error;
|
||||||
|
|
||||||
/// Implement this trait for the application's fatal errors.
|
/// Implement this trait for the application's fatal errors.
|
||||||
///
|
///
|
||||||
|
@ -110,37 +110,6 @@ impl<A, FE, E> From<Result<A, E>> for Flow<A, FE, E> {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<A, FE, E> fmt::Debug for Flow<A, FE, E>
|
|
||||||
where
|
|
||||||
A: fmt::Debug,
|
|
||||||
FE: fmt::Debug,
|
|
||||||
E: fmt::Debug,
|
|
||||||
{
|
|
||||||
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
|
||||||
match self {
|
|
||||||
Flow::Ok(val) => f.write_fmt(format_args!("Flow::Ok {:?}", val)),
|
|
||||||
Flow::Err(err) => f.write_fmt(format_args!("Flow::Err {:?}", err)),
|
|
||||||
Flow::Fatal(err) => f.write_fmt(format_args!("Flow::Fatal {:?}", err)),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl<A, FE, E> PartialEq for Flow<A, FE, E>
|
|
||||||
where
|
|
||||||
A: PartialEq,
|
|
||||||
FE: PartialEq,
|
|
||||||
E: PartialEq,
|
|
||||||
{
|
|
||||||
fn eq(&self, rhs: &Self) -> bool {
|
|
||||||
match (self, rhs) {
|
|
||||||
(Flow::Ok(val), Flow::Ok(rhs)) => val == rhs,
|
|
||||||
(Flow::Err(_), Flow::Err(_)) => true,
|
|
||||||
(Flow::Fatal(_), Flow::Fatal(_)) => true,
|
|
||||||
_ => false,
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Convenience function to create an ok value.
|
/// Convenience function to create an ok value.
|
||||||
pub fn ok<A, FE: FatalError, E: Error>(val: A) -> Flow<A, FE, E> {
|
pub fn ok<A, FE: FatalError, E: Error>(val: A) -> Flow<A, FE, E> {
|
||||||
Flow::Ok(val)
|
Flow::Ok(val)
|
||||||
|
@ -208,25 +177,43 @@ mod test {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
impl PartialEq for Flow<i32, FatalError, Error> {
|
||||||
|
fn eq(&self, rhs: &Self) -> bool {
|
||||||
|
match (self, rhs) {
|
||||||
|
(Flow::Ok(val), Flow::Ok(rhs)) => val == rhs,
|
||||||
|
(Flow::Err(_), Flow::Err(_)) => true,
|
||||||
|
(Flow::Fatal(_), Flow::Fatal(_)) => true,
|
||||||
|
_ => false,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl std::fmt::Debug for Flow<i32, FatalError, Error> {
|
||||||
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
||||||
|
match self {
|
||||||
|
Flow::Ok(val) => f.write_fmt(format_args!("Flow::Ok {}", val)),
|
||||||
|
Flow::Err(err) => f.write_fmt(format_args!("Flow::Err {:?}", err)),
|
||||||
|
Flow::Fatal(err) => f.write_fmt(format_args!("Flow::Fatal {:?}", err)),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn it_can_map_things() {
|
fn it_can_map_things() {
|
||||||
let success: Flow<i32, FatalError, Error> = ok(15);
|
let success = ok(15);
|
||||||
assert_eq!(ok(16), success.map(|v| v + 1));
|
assert_eq!(ok(16), success.map(|v| v + 1));
|
||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn it_can_chain_success() {
|
fn it_can_chain_success() {
|
||||||
let success: Flow<i32, FatalError, Error> = ok(15);
|
let success = ok(15);
|
||||||
assert_eq!(ok(16), success.and_then(|v| ok(v + 1)));
|
assert_eq!(ok(16), success.and_then(|v| ok(v + 1)));
|
||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn it_can_handle_an_error() {
|
fn it_can_handle_an_error() {
|
||||||
let failure: Flow<i32, FatalError, Error> = error(Error::Error);
|
let failure = error(Error::Error);
|
||||||
assert_eq!(
|
assert_eq!(ok(16), failure.or_else(|_| ok(16)));
|
||||||
ok::<i32, FatalError, Error>(16),
|
|
||||||
failure.or_else(|_| ok(16))
|
|
||||||
);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
|
|
|
@ -1,9 +0,0 @@
|
||||||
|
|
||||||
server-dev:
|
|
||||||
cd server && cargo watch -x run
|
|
||||||
|
|
||||||
server-test:
|
|
||||||
cd server && cargo watch -x test
|
|
||||||
|
|
||||||
client-dev:
|
|
||||||
cd client && npm run watch
|
|
|
@ -11,7 +11,6 @@
|
||||||
<div class="controls"><button class="play-pause">Pause</button></div>
|
<div class="controls"><button class="play-pause">Pause</button></div>
|
||||||
|
|
||||||
<div class="track-list">
|
<div class="track-list">
|
||||||
<!--
|
|
||||||
<div class="track-list__grouping">
|
<div class="track-list__grouping">
|
||||||
<ul class="bulletless-list">
|
<ul class="bulletless-list">
|
||||||
<li> By Artist </li>
|
<li> By Artist </li>
|
||||||
|
@ -20,15 +19,61 @@
|
||||||
<li> Dance Music </li>
|
<li> Dance Music </li>
|
||||||
</ul>
|
</ul>
|
||||||
</div>
|
</div>
|
||||||
-->
|
|
||||||
|
|
||||||
<div>
|
<div class="track-list__tracks">
|
||||||
<ul class="track-list__tracks bulletless-list">
|
<table>
|
||||||
</ul>
|
<thead>
|
||||||
|
<tr>
|
||||||
|
<th> Track # </th>
|
||||||
|
<th> Title </th>
|
||||||
|
<th> Artist </th>
|
||||||
|
<th> Album </th>
|
||||||
|
<th> Length </th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
|
||||||
|
<tbody>
|
||||||
|
<tr class="track-list__track-row">
|
||||||
|
<td> 1 </td>
|
||||||
|
<td> Underground </td>
|
||||||
|
<td> Lindsey Stirling </td>
|
||||||
|
<td> Artemis </td>
|
||||||
|
<td> 4:24 </td>
|
||||||
|
</tr>
|
||||||
|
<tr class="track-list__track-row">
|
||||||
|
<td> 2 </td>
|
||||||
|
<td> Artemis </td>
|
||||||
|
<td> Lindsey Stirling </td>
|
||||||
|
<td> Artemis </td>
|
||||||
|
<td> 3:54 </td>
|
||||||
|
</tr>
|
||||||
|
<tr class="track-list__track-row">
|
||||||
|
<td> 3 </td>
|
||||||
|
<td> Til the Light Goes Out </td>
|
||||||
|
<td> Lindsey Stirling </td>
|
||||||
|
<td> Artemis </td>
|
||||||
|
<td> 4:46 </td>
|
||||||
|
</tr>
|
||||||
|
<tr class="track-list__track-row">
|
||||||
|
<td> 4 </td>
|
||||||
|
<td> Between Twilight </td>
|
||||||
|
<td> Lindsey Stirling </td>
|
||||||
|
<td> Artemis </td>
|
||||||
|
<td> 4:20 </td>
|
||||||
|
</tr>
|
||||||
|
<tr class="track-list__track-row">
|
||||||
|
<td> 5 </td>
|
||||||
|
<td> Foreverglow </td>
|
||||||
|
<td> Lindsey Stirling </td>
|
||||||
|
<td> Artemis </td>
|
||||||
|
<td> 3:58 </td>
|
||||||
|
</tr>
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<script src="./bundle.js" type="module"></script>
|
<script src="./dist/main.js" type="module"></script>
|
||||||
|
|
||||||
</body>
|
</body>
|
||||||
</html>
|
</html>
|
||||||
|
|
File diff suppressed because it is too large
Load Diff
|
@ -4,9 +4,9 @@
|
||||||
"description": "",
|
"description": "",
|
||||||
"main": "main.js",
|
"main": "main.js",
|
||||||
"scripts": {
|
"scripts": {
|
||||||
"build": "webpack",
|
"build": "browserify src/main.ts -p [ tsify ] > dist/bundle.js",
|
||||||
"test": "echo \"Error: no test specified\" && exit 1",
|
"test": "echo \"Error: no test specified\" && exit 1",
|
||||||
"watch": "webpack --watch"
|
"watch": "exa index.html styles.css src/* | entr -s 'npm run build'"
|
||||||
},
|
},
|
||||||
"author": "Savanni D'Gerinel <savanni@luminescent-dreams.com>",
|
"author": "Savanni D'Gerinel <savanni@luminescent-dreams.com>",
|
||||||
"license": "GPL-3.0-or-later",
|
"license": "GPL-3.0-or-later",
|
||||||
|
@ -16,12 +16,11 @@
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
"@types/lodash": "^4.14.191",
|
"@types/lodash": "^4.14.191",
|
||||||
"copy-webpack-plugin": "^11.0.0",
|
"babelify": "^10.0.0",
|
||||||
"css-loader": "^6.7.3",
|
"browserify": "^17.0.0",
|
||||||
"style-loader": "^3.3.1",
|
"live-server": "^1.2.2",
|
||||||
"ts-loader": "^9.4.2",
|
"tsify": "^5.0.4",
|
||||||
"typescript": "^4.9.5",
|
"typescript": "^4.9.4",
|
||||||
"webpack": "^5.75.0",
|
"watchify": "^4.0.0"
|
||||||
"webpack-cli": "^5.0.1"
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,133 +0,0 @@
|
||||||
import { TrackInfo } from "../client";
|
|
||||||
|
|
||||||
export class TrackName extends HTMLElement {
|
|
||||||
container: HTMLElement;
|
|
||||||
|
|
||||||
static get observedAttributes() {
|
|
||||||
return ["name"];
|
|
||||||
}
|
|
||||||
|
|
||||||
constructor() {
|
|
||||||
super();
|
|
||||||
this.container = document.createElement("div");
|
|
||||||
}
|
|
||||||
|
|
||||||
get name(): string | null {
|
|
||||||
return this.getAttribute("name");
|
|
||||||
}
|
|
||||||
|
|
||||||
set name(name: string | null) {
|
|
||||||
while (this.container.lastChild) {
|
|
||||||
this.container.removeChild(this.container.lastChild);
|
|
||||||
}
|
|
||||||
if (name) {
|
|
||||||
this.setAttribute("name", name);
|
|
||||||
this.container.appendChild(document.createTextNode(name));
|
|
||||||
} else {
|
|
||||||
this.removeAttribute("name");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
connectedCallback() {
|
|
||||||
this.appendChild(this.container);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
export class TrackCard extends HTMLElement {
|
|
||||||
static get observedAttributes() {
|
|
||||||
return ["id", "trackNumber", "name", "album", "artist"];
|
|
||||||
}
|
|
||||||
|
|
||||||
constructor() {
|
|
||||||
super();
|
|
||||||
}
|
|
||||||
|
|
||||||
attributeChangeCallback(
|
|
||||||
attrName: string,
|
|
||||||
oldValue: string,
|
|
||||||
newValue: string
|
|
||||||
): void {
|
|
||||||
if (newValue !== oldValue) {
|
|
||||||
this.updateContent();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
get name(): string | null {
|
|
||||||
return this.getAttribute("name");
|
|
||||||
}
|
|
||||||
|
|
||||||
set name(name: string | null) {
|
|
||||||
if (name) {
|
|
||||||
this.setAttribute("name", name);
|
|
||||||
} else {
|
|
||||||
this.removeAttribute("open");
|
|
||||||
}
|
|
||||||
this.updateContent();
|
|
||||||
}
|
|
||||||
|
|
||||||
get artist(): string | null {
|
|
||||||
return this.getAttribute("artist");
|
|
||||||
}
|
|
||||||
|
|
||||||
set artist(artist: string | null) {
|
|
||||||
if (artist) {
|
|
||||||
this.setAttribute("artist", artist);
|
|
||||||
} else {
|
|
||||||
this.removeAttribute("open");
|
|
||||||
}
|
|
||||||
this.updateContent();
|
|
||||||
}
|
|
||||||
|
|
||||||
get album(): string | null {
|
|
||||||
return this.getAttribute("album");
|
|
||||||
}
|
|
||||||
|
|
||||||
set album(album: string | null) {
|
|
||||||
if (album) {
|
|
||||||
this.setAttribute("album", album);
|
|
||||||
} else {
|
|
||||||
this.removeAttribute("open");
|
|
||||||
}
|
|
||||||
this.updateContent();
|
|
||||||
}
|
|
||||||
|
|
||||||
get length(): string | null {
|
|
||||||
return this.getAttribute("length");
|
|
||||||
}
|
|
||||||
|
|
||||||
set length(length: string | null) {
|
|
||||||
if (length) {
|
|
||||||
this.setAttribute("length", length);
|
|
||||||
} else {
|
|
||||||
this.removeAttribute("open");
|
|
||||||
}
|
|
||||||
this.updateContent();
|
|
||||||
}
|
|
||||||
|
|
||||||
connectedCallback() {
|
|
||||||
this.updateContent();
|
|
||||||
}
|
|
||||||
|
|
||||||
updateContent() {
|
|
||||||
const container = document.createElement("div");
|
|
||||||
container.classList.add("track-card");
|
|
||||||
this.innerHTML = "";
|
|
||||||
|
|
||||||
this.appendChild(container);
|
|
||||||
|
|
||||||
while (container.lastChild) {
|
|
||||||
container.removeChild(container.lastChild);
|
|
||||||
}
|
|
||||||
|
|
||||||
if (this["name"]) {
|
|
||||||
const trackName = document.createElement("track-name");
|
|
||||||
trackName.name = this["name"];
|
|
||||||
container.appendChild(trackName);
|
|
||||||
}
|
|
||||||
this["length"] && container.appendChild(document.createTextNode("1:23"));
|
|
||||||
this["album"] &&
|
|
||||||
container.appendChild(document.createTextNode("Shatter Me"));
|
|
||||||
this["artist"] &&
|
|
||||||
container.appendChild(document.createTextNode("Lindsey Stirling"));
|
|
||||||
}
|
|
||||||
}
|
|
|
@ -1,10 +0,0 @@
|
||||||
export interface TrackInfo {
|
|
||||||
id: string;
|
|
||||||
track_number?: number;
|
|
||||||
name?: string;
|
|
||||||
album?: string;
|
|
||||||
artist?: string;
|
|
||||||
}
|
|
||||||
|
|
||||||
export const getTracks = (): Promise<TrackInfo[]> =>
|
|
||||||
fetch("/api/v1/tracks").then((r) => r.json());
|
|
|
@ -1,16 +1,4 @@
|
||||||
import * as _ from "lodash";
|
import * as _ from "lodash";
|
||||||
import { TrackInfo, getTracks } from "./client";
|
|
||||||
import { TrackName, TrackCard } from "./blocks/track";
|
|
||||||
|
|
||||||
window.customElements.define("track-name", TrackName);
|
|
||||||
window.customElements.define("track-card", TrackCard);
|
|
||||||
|
|
||||||
declare global {
|
|
||||||
interface HTMLElementTagNameMap {
|
|
||||||
"track-name": TrackName;
|
|
||||||
"track-card": TrackCard;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
const replaceTitle = () => {
|
const replaceTitle = () => {
|
||||||
const title = document.querySelector(".js-title");
|
const title = document.querySelector(".js-title");
|
||||||
|
@ -19,27 +7,21 @@ const replaceTitle = () => {
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
const updateTrackList = (tracks: TrackInfo[]) => {
|
/*
|
||||||
const track_list = document.querySelector(".track-list__tracks");
|
const checkWeatherService = () => {
|
||||||
if (track_list) {
|
fetch("https://api.weather.gov/")
|
||||||
let track_formats = _.map(tracks, (info) => {
|
.then((r) => r.json())
|
||||||
let card: TrackCard = document.createElement("track-card");
|
.then((js) => {
|
||||||
card.name = info.name || null;
|
const weather = document.querySelector('.js-weather');
|
||||||
return card;
|
weather.innerHTML = js.status;
|
||||||
});
|
});
|
||||||
_.map(track_formats, (trackCard) => {
|
}
|
||||||
let listItem = document.createElement("li");
|
*/
|
||||||
listItem.classList.add("track-list__row");
|
|
||||||
listItem.appendChild(trackCard);
|
|
||||||
track_list.appendChild(listItem);
|
|
||||||
});
|
|
||||||
} else {
|
|
||||||
console.log("track_list does not exist");
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
const run = () => {
|
const run = () => {
|
||||||
getTracks().then((tracks) => updateTrackList(tracks));
|
replaceTitle();
|
||||||
|
console.log(_.map([4, 8], (x) => x * x));
|
||||||
|
// checkWeatherService();
|
||||||
};
|
};
|
||||||
|
|
||||||
run();
|
run();
|
||||||
|
|
|
@ -25,37 +25,15 @@ body {
|
||||||
list-style: none;
|
list-style: none;
|
||||||
}
|
}
|
||||||
|
|
||||||
.track-list__row {
|
.track-list__track-row {
|
||||||
margin-top: 32px;
|
background-color: rgb(10, 10, 10);
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
.track-list__track-row:nth-child(even) {
|
||||||
.track-list__row:nth-child(even) {
|
|
||||||
background-color: rgb(255, 255, 255);
|
background-color: rgb(255, 255, 255);
|
||||||
}
|
}
|
||||||
|
|
||||||
.track-list__row:nth-child(odd) {
|
.track-list__track-row:nth-child(odd) {
|
||||||
background-color: rgb(200, 200, 200);
|
background-color: rgb(200, 200, 200);
|
||||||
}
|
}
|
||||||
*/
|
|
||||||
|
|
||||||
.track-card {
|
|
||||||
border: 1px solid black;
|
|
||||||
border-radius: 5px;
|
|
||||||
padding: 8px;
|
|
||||||
width: 300px;
|
|
||||||
height: 100px;
|
|
||||||
}
|
|
||||||
|
|
||||||
.track-card__name {
|
|
||||||
}
|
|
||||||
|
|
||||||
.track-card__length {
|
|
||||||
}
|
|
||||||
|
|
||||||
.track-card__album {
|
|
||||||
}
|
|
||||||
|
|
||||||
.track-card__artist {
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
|
@ -6,9 +6,6 @@
|
||||||
"rootDir": "src",
|
"rootDir": "src",
|
||||||
"outDir": "./dist",
|
"outDir": "./dist",
|
||||||
"lib": ["es2016", "DOM"],
|
"lib": ["es2016", "DOM"],
|
||||||
"sourceMap": true,
|
"sourceMap": true
|
||||||
"strict": true,
|
}
|
||||||
"noImplicitAny": true
|
|
||||||
},
|
|
||||||
"include": ["src"]
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,39 +0,0 @@
|
||||||
const path = require('path');
|
|
||||||
const CopyPlugin = require('copy-webpack-plugin');
|
|
||||||
|
|
||||||
module.exports = {
|
|
||||||
mode: 'development',
|
|
||||||
entry: './src/main.ts',
|
|
||||||
module: {
|
|
||||||
rules: [
|
|
||||||
{
|
|
||||||
test: /\.tsx?$/,
|
|
||||||
use: 'ts-loader',
|
|
||||||
exclude: /node_modules/,
|
|
||||||
},
|
|
||||||
{
|
|
||||||
test: /\.html$/i,
|
|
||||||
type: 'asset/resource',
|
|
||||||
},
|
|
||||||
{
|
|
||||||
test: /\.css$/i,
|
|
||||||
use: ['style-loader', 'css-loader'],
|
|
||||||
},
|
|
||||||
],
|
|
||||||
},
|
|
||||||
resolve: {
|
|
||||||
extensions: ['.tsx', '.ts', '.js'],
|
|
||||||
},
|
|
||||||
plugins: [
|
|
||||||
new CopyPlugin({
|
|
||||||
patterns: [
|
|
||||||
{ from: "index.html", to: "index.html" },
|
|
||||||
{ from: "styles.css", to: "styles.css" },
|
|
||||||
],
|
|
||||||
}),
|
|
||||||
],
|
|
||||||
output: {
|
|
||||||
filename: 'bundle.js',
|
|
||||||
path: path.resolve(__dirname, 'dist'),
|
|
||||||
},
|
|
||||||
};
|
|
|
@ -583,7 +583,6 @@ version = "0.1.0"
|
||||||
dependencies = [
|
dependencies = [
|
||||||
"dbus",
|
"dbus",
|
||||||
"flow",
|
"flow",
|
||||||
"mime_guess",
|
|
||||||
"mpris",
|
"mpris",
|
||||||
"rusqlite",
|
"rusqlite",
|
||||||
"serde",
|
"serde",
|
||||||
|
|
|
@ -8,7 +8,6 @@ edition = "2021"
|
||||||
[dependencies]
|
[dependencies]
|
||||||
dbus = { version = "0.9.7" }
|
dbus = { version = "0.9.7" }
|
||||||
flow = { path = "../../flow" }
|
flow = { path = "../../flow" }
|
||||||
mime_guess = "2.0.4"
|
|
||||||
mpris = { version = "2.0" }
|
mpris = { version = "2.0" }
|
||||||
rusqlite = { version = "0.28" }
|
rusqlite = { version = "0.28" }
|
||||||
serde = { version = "1.0", features = ["derive"] }
|
serde = { version = "1.0", features = ["derive"] }
|
||||||
|
|
|
@ -10,8 +10,15 @@ Luminescent Dreams Tools is distributed in the hope that it will be useful, but
|
||||||
You should have received a copy of the GNU General Public License along with Lumeto. If not, see <https://www.gnu.org/licenses/>.
|
You should have received a copy of the GNU General Public License along with Lumeto. If not, see <https://www.gnu.org/licenses/>.
|
||||||
*/
|
*/
|
||||||
|
|
||||||
|
use dbus::ffidisp::Connection;
|
||||||
|
use mpris::{FindingError, PlaybackStatus, Player, PlayerFinder, ProgressTick};
|
||||||
use serde::Serialize;
|
use serde::Serialize;
|
||||||
use std::time::Duration;
|
use std::{
|
||||||
|
path::PathBuf,
|
||||||
|
sync::mpsc::{channel, Receiver, Sender, TryRecvError},
|
||||||
|
thread,
|
||||||
|
time::Duration,
|
||||||
|
};
|
||||||
use thiserror::Error;
|
use thiserror::Error;
|
||||||
|
|
||||||
pub enum Message {
|
pub enum Message {
|
||||||
|
@ -20,10 +27,10 @@ pub enum Message {
|
||||||
|
|
||||||
#[derive(Clone, Debug)]
|
#[derive(Clone, Debug)]
|
||||||
pub enum Event {
|
pub enum Event {
|
||||||
Paused(TrackId, Duration),
|
Paused(Track, Duration),
|
||||||
Playing(TrackId, Duration),
|
Playing(Track, Duration),
|
||||||
Stopped,
|
Stopped,
|
||||||
Position(TrackId, Duration),
|
Position(Track, Duration),
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug)]
|
||||||
|
@ -32,6 +39,17 @@ pub struct DeviceInformation {
|
||||||
pub name: String,
|
pub name: String,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn list_devices(conn: Connection) -> Result<Vec<DeviceInformation>, FindingError> {
|
||||||
|
Ok(PlayerFinder::for_connection(conn)
|
||||||
|
.find_all()?
|
||||||
|
.into_iter()
|
||||||
|
.map(|player| DeviceInformation {
|
||||||
|
address: player.unique_name().to_owned(),
|
||||||
|
name: player.identity().to_owned(),
|
||||||
|
})
|
||||||
|
.collect())
|
||||||
|
}
|
||||||
|
|
||||||
#[derive(Debug, Error)]
|
#[derive(Debug, Error)]
|
||||||
pub enum AudioError {
|
pub enum AudioError {
|
||||||
#[error("DBus device was not found")]
|
#[error("DBus device was not found")]
|
||||||
|
@ -95,8 +113,17 @@ impl AsRef<String> for TrackId {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Clone, Debug, PartialEq, Serialize)]
|
#[derive(Clone, Debug)]
|
||||||
pub struct TrackInfo {
|
pub struct TrackInfo {
|
||||||
|
pub track_number: Option<i32>,
|
||||||
|
pub name: Option<String>,
|
||||||
|
pub album: Option<String>,
|
||||||
|
pub artist: Option<String>,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Clone, Debug, PartialEq, Serialize)]
|
||||||
|
#[serde(rename_all = "camelCase")]
|
||||||
|
pub struct Track {
|
||||||
pub id: TrackId,
|
pub id: TrackId,
|
||||||
pub track_number: Option<i32>,
|
pub track_number: Option<i32>,
|
||||||
pub name: Option<String>,
|
pub name: Option<String>,
|
||||||
|
@ -104,20 +131,38 @@ pub struct TrackInfo {
|
||||||
pub artist: Option<String>,
|
pub artist: Option<String>,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/*
|
||||||
|
impl From<&mpris::Metadata> for Track {
|
||||||
|
fn from(data: &mpris::Metadata) -> Self {
|
||||||
|
Self {
|
||||||
|
id: data.track_id().unwrap(),
|
||||||
|
track_number: data.track_number(),
|
||||||
|
name: data.title().map(|s| s.to_owned()),
|
||||||
|
album: data.album_name().map(|s| s.to_owned()),
|
||||||
|
artist: None,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<mpris::Metadata> for Track {
|
||||||
|
fn from(data: mpris::Metadata) -> Self {
|
||||||
|
Self::from(&data)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
*/
|
||||||
|
|
||||||
#[derive(Clone, Debug, Serialize)]
|
#[derive(Clone, Debug, Serialize)]
|
||||||
#[serde(rename_all = "camelCase")]
|
#[serde(rename_all = "camelCase")]
|
||||||
pub enum State {
|
pub enum State {
|
||||||
Playing(TrackInfo),
|
Playing(Track),
|
||||||
Paused(TrackInfo),
|
Paused(Track),
|
||||||
Stopped,
|
Stopped,
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
|
||||||
pub struct CurrentlyPlaying {
|
pub struct CurrentlyPlaying {
|
||||||
track: TrackInfo,
|
track: Track,
|
||||||
position: Duration,
|
position: Duration,
|
||||||
}
|
}
|
||||||
*/
|
|
||||||
|
|
||||||
#[derive(Clone, Debug, Serialize)]
|
#[derive(Clone, Debug, Serialize)]
|
||||||
#[serde(rename_all = "camelCase")]
|
#[serde(rename_all = "camelCase")]
|
||||||
|
@ -135,7 +180,6 @@ pub trait AudioPlayer {
|
||||||
fn play_pause(&self) -> Result<State, AudioError>;
|
fn play_pause(&self) -> Result<State, AudioError>;
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
|
||||||
pub struct GStreamerPlayer {
|
pub struct GStreamerPlayer {
|
||||||
url: url::Url,
|
url: url::Url,
|
||||||
}
|
}
|
||||||
|
@ -157,7 +201,6 @@ impl AudioPlayer for GStreamerPlayer {
|
||||||
unimplemented!()
|
unimplemented!()
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
*/
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
pub struct MprisDevice {
|
pub struct MprisDevice {
|
||||||
|
|
|
@ -1,92 +1,72 @@
|
||||||
use flow::Flow;
|
use flow::Flow;
|
||||||
use std::{
|
use std::{io::stdin, path::PathBuf, sync::Arc, thread, time::Duration};
|
||||||
net::{IpAddr, Ipv4Addr, SocketAddr},
|
// use warp::Filter;
|
||||||
path::PathBuf,
|
|
||||||
sync::Arc,
|
|
||||||
};
|
|
||||||
use warp::Filter;
|
|
||||||
|
|
||||||
use music_player::{
|
use music_player::{core::Core, database::MemoryIndex};
|
||||||
audio::TrackInfo,
|
|
||||||
core::Core,
|
|
||||||
database::{MemoryIndex, MusicIndex},
|
|
||||||
music_scanner::FileScanner,
|
|
||||||
};
|
|
||||||
|
|
||||||
fn tracks(index: &Arc<impl MusicIndex>) -> Vec<TrackInfo> {
|
/*
|
||||||
match index.list_tracks() {
|
fn tracks() -> Vec<Track> {
|
||||||
Flow::Ok(tracks) => tracks,
|
vec![
|
||||||
Flow::Err(err) => panic!("error: {}", err),
|
Track {
|
||||||
Flow::Fatal(err) => panic!("fatal: {}", err),
|
track_number: Some(1),
|
||||||
}
|
name: Some("Underground".to_owned()),
|
||||||
}
|
album: Some("Artemis".to_owned()),
|
||||||
|
artist: Some("Lindsey Stirling".to_owned()),
|
||||||
struct Static(PathBuf);
|
path: PathBuf::from("/mnt/music/Lindsey Stirling/Artemis/01 - Underground.ogg"),
|
||||||
|
},
|
||||||
impl Static {
|
Track {
|
||||||
fn read(self, root: PathBuf) -> String {
|
track_number: Some(2),
|
||||||
/*
|
name: Some("Artemis".to_owned()),
|
||||||
let mut path = root;
|
album: Some("Artemis".to_owned()),
|
||||||
match self {
|
artist: Some("Lindsey Stirling".to_owned()),
|
||||||
Bundle::Index => path.push(PathBuf::from("index.html")),
|
path: PathBuf::from("/mnt/music/Lindsey Stirling/Artemis/02 - Artemis.ogg"),
|
||||||
Bundle::App => path.push(PathBuf::from("bundle.js")),
|
},
|
||||||
Bundle::Styles => path.push(PathBuf::from("styles.css")),
|
Track {
|
||||||
};
|
track_number: Some(3),
|
||||||
std::fs::read_to_string(path).expect("to find the file")
|
name: Some("Til the Light Goes Out".to_owned()),
|
||||||
*/
|
album: Some("Artemis".to_owned()),
|
||||||
let mut path = root;
|
artist: Some("Lindsey Stirling".to_owned()),
|
||||||
path.push(self.0);
|
path: PathBuf::from(
|
||||||
println!("path: {:?}", path);
|
"/mnt/music/Lindsey Stirling/Artemis/03 - Til the Light Goes Out.ogg",
|
||||||
std::fs::read_to_string(path).expect("to find the file")
|
),
|
||||||
}
|
},
|
||||||
|
Track {
|
||||||
|
track_number: Some(4),
|
||||||
|
name: Some("Between Twilight".to_owned()),
|
||||||
|
album: Some("Artemis".to_owned()),
|
||||||
|
artist: Some("Lindsey Stirling".to_owned()),
|
||||||
|
path: PathBuf::from("/mnt/music/Lindsey Stirling/Artemis/04 - Between Twilight.ogg"),
|
||||||
|
},
|
||||||
|
Track {
|
||||||
|
track_number: Some(5),
|
||||||
|
name: Some("Foreverglow".to_owned()),
|
||||||
|
album: Some("Artemis".to_owned()),
|
||||||
|
artist: Some("Lindsey Stirling".to_owned()),
|
||||||
|
path: PathBuf::from("/mnt/music/Lindsey Stirling/Artemis/05 - Foreverglow.ogg"),
|
||||||
|
},
|
||||||
|
]
|
||||||
}
|
}
|
||||||
|
*/
|
||||||
|
|
||||||
#[tokio::main]
|
#[tokio::main]
|
||||||
pub async fn main() {
|
pub async fn main() {
|
||||||
let dev = std::env::var("DEV")
|
match Core::new(Arc::new(MemoryIndex::new())) {
|
||||||
.ok()
|
Flow::Ok(core) => {
|
||||||
.and_then(|v| v.parse::<bool>().ok())
|
let mut buf = String::new();
|
||||||
.unwrap_or(false);
|
let _ = stdin().read_line(&mut buf).unwrap();
|
||||||
let bundle_root = std::env::var("BUNDLE_ROOT")
|
core.exit();
|
||||||
.map(|b| PathBuf::from(b))
|
|
||||||
.unwrap();
|
|
||||||
let music_root = std::env::var("MUSIC_ROOT")
|
|
||||||
.map(|b| PathBuf::from(b))
|
|
||||||
.unwrap();
|
|
||||||
|
|
||||||
let index = Arc::new(MemoryIndex::new());
|
|
||||||
let scanner = FileScanner::new(vec![music_root.clone()]);
|
|
||||||
let _core = match Core::new(index.clone(), scanner) {
|
|
||||||
Flow::Ok(core) => core,
|
|
||||||
Flow::Err(error) => panic!("error: {}", error),
|
|
||||||
Flow::Fatal(error) => panic!("fatal: {}", error),
|
|
||||||
};
|
|
||||||
|
|
||||||
println!("config: {:?} {:?} {:?}", dev, bundle_root, music_root);
|
|
||||||
|
|
||||||
let root = warp::path!().and(warp::get()).map({
|
|
||||||
let bundle_root = bundle_root.clone();
|
|
||||||
move || {
|
|
||||||
warp::http::Response::builder()
|
|
||||||
.header("content-type", "text/html")
|
|
||||||
.body(Static(PathBuf::from("index.html")).read(bundle_root.clone()))
|
|
||||||
}
|
}
|
||||||
});
|
Flow::Err(err) => println!("non-fatal error: {:?}", err),
|
||||||
let assets = warp::path!(String).and(warp::get()).map({
|
Flow::Fatal(err) => println!("fatal error: {:?}", err),
|
||||||
let bundle_root = bundle_root.clone();
|
|
||||||
move |filename: String| {
|
|
||||||
let mime_type = mime_guess::from_path(filename.clone())
|
|
||||||
.first()
|
|
||||||
.map(|m| m.essence_str().to_owned())
|
|
||||||
.unwrap_or("text/plain".to_owned());
|
|
||||||
println!("mime_type: {:?}", mime_type);
|
|
||||||
// let mut path = PathBuf::from("assets");
|
|
||||||
// path.push(filename);
|
|
||||||
warp::http::Response::builder()
|
|
||||||
.header("content-type", mime_type)
|
|
||||||
.body(Static(PathBuf::from(filename)).read(bundle_root.clone()))
|
|
||||||
}
|
}
|
||||||
});
|
|
||||||
|
/*
|
||||||
|
let connection = Connection::new_session().expect("to connect to dbus");
|
||||||
|
|
||||||
|
for player in list_players(connection) {
|
||||||
|
println!("player found: {}", player.identity());
|
||||||
|
}
|
||||||
|
*/
|
||||||
|
|
||||||
/*
|
/*
|
||||||
let devices = warp::path!("api" / "v1" / "devices")
|
let devices = warp::path!("api" / "v1" / "devices")
|
||||||
|
@ -95,14 +75,10 @@ pub async fn main() {
|
||||||
let conn = Connection::new_session().expect("to connect to dbus");
|
let conn = Connection::new_session().expect("to connect to dbus");
|
||||||
warp::reply::json(&list_devices(conn))
|
warp::reply::json(&list_devices(conn))
|
||||||
});
|
});
|
||||||
*/
|
|
||||||
|
|
||||||
let track_list = warp::path!("api" / "v1" / "tracks").and(warp::get()).map({
|
let track_list = warp::path!("api" / "v1" / "tracks")
|
||||||
let index = index.clone();
|
.and(warp::get())
|
||||||
move || warp::reply::json(&tracks(&index))
|
.map(|| warp::reply::json(&tracks()));
|
||||||
});
|
|
||||||
|
|
||||||
/*
|
|
||||||
let tracks_for_artist = warp::path!("api" / "v1" / "artist" / String)
|
let tracks_for_artist = warp::path!("api" / "v1" / "artist" / String)
|
||||||
.and(warp::get())
|
.and(warp::get())
|
||||||
.map(|_artist: String| warp::reply::json(&tracks()));
|
.map(|_artist: String| warp::reply::json(&tracks()));
|
||||||
|
@ -127,10 +103,12 @@ pub async fn main() {
|
||||||
.or(tracks_for_artist)
|
.or(tracks_for_artist)
|
||||||
.or(queue)
|
.or(queue)
|
||||||
.or(playing_status);
|
.or(playing_status);
|
||||||
*/
|
|
||||||
let routes = root.or(assets).or(track_list);
|
|
||||||
let server = warp::serve(routes);
|
let server = warp::serve(routes);
|
||||||
server
|
server
|
||||||
.run(SocketAddr::new(IpAddr::V4(Ipv4Addr::new(0, 0, 0, 0)), 8002))
|
.run(SocketAddr::new(
|
||||||
|
IpAddr::V4(Ipv4Addr::new(127, 0, 0, 1)),
|
||||||
|
8002,
|
||||||
|
))
|
||||||
.await;
|
.await;
|
||||||
|
*/
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,8 +1,10 @@
|
||||||
use crate::{
|
use crate::{
|
||||||
audio::TrackInfo, database::MusicIndex, music_scanner::MusicScanner, Error, FatalError,
|
database::{Database, MemoryIndex, MusicIndex},
|
||||||
|
Error, FatalError,
|
||||||
};
|
};
|
||||||
use flow::{ok, Flow};
|
use flow::{error, fatal, ok, return_error, return_fatal, Flow};
|
||||||
use std::{
|
use std::{
|
||||||
|
path::{Path, PathBuf},
|
||||||
sync::{
|
sync::{
|
||||||
mpsc::{channel, Receiver, RecvTimeoutError, Sender},
|
mpsc::{channel, Receiver, RecvTimeoutError, Sender},
|
||||||
Arc,
|
Arc,
|
||||||
|
@ -12,8 +14,18 @@ use std::{
|
||||||
time::{Duration, Instant},
|
time::{Duration, Instant},
|
||||||
};
|
};
|
||||||
|
|
||||||
fn scan_frequency() -> Duration {
|
#[derive(Debug, Error)]
|
||||||
Duration::from_secs(60)
|
pub enum ScannerError {
|
||||||
|
#[error("Cannot scan {0}")]
|
||||||
|
CannotScan(PathBuf),
|
||||||
|
#[error("IO error {0}")]
|
||||||
|
IO(std::io::Error),
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<std::io::Error> for ScannerError {
|
||||||
|
fn from(err: std::io::Error) -> Self {
|
||||||
|
Self::IO(err)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub enum ControlMsg {
|
pub enum ControlMsg {
|
||||||
|
@ -21,8 +33,7 @@ pub enum ControlMsg {
|
||||||
}
|
}
|
||||||
|
|
||||||
pub enum TrackMsg {
|
pub enum TrackMsg {
|
||||||
UpdateInProgress,
|
DbUpdate,
|
||||||
UpdateComplete,
|
|
||||||
}
|
}
|
||||||
|
|
||||||
pub enum PlaybackMsg {
|
pub enum PlaybackMsg {
|
||||||
|
@ -34,68 +45,129 @@ pub enum PlaybackMsg {
|
||||||
|
|
||||||
pub struct Core {
|
pub struct Core {
|
||||||
db: Arc<dyn MusicIndex>,
|
db: Arc<dyn MusicIndex>,
|
||||||
_track_handle: JoinHandle<()>,
|
track_handle: JoinHandle<()>,
|
||||||
_track_rx: Receiver<TrackMsg>,
|
track_rx: Receiver<TrackMsg>,
|
||||||
_playback_handle: JoinHandle<()>,
|
playback_handle: JoinHandle<()>,
|
||||||
_playback_rx: Receiver<PlaybackMsg>,
|
playback_rx: Receiver<PlaybackMsg>,
|
||||||
control_tx: Sender<ControlMsg>,
|
control_tx: Sender<ControlMsg>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl Core {
|
fn scan_frequency() -> Duration {
|
||||||
pub fn new(
|
Duration::from_secs(60)
|
||||||
db: Arc<dyn MusicIndex>,
|
}
|
||||||
scanner: impl MusicScanner + 'static,
|
|
||||||
) -> Flow<Core, FatalError, Error> {
|
|
||||||
let (control_tx, control_rx) = channel::<ControlMsg>();
|
|
||||||
let db = db;
|
|
||||||
|
|
||||||
let (_track_handle, _track_rx) = {
|
pub struct FileScanner {
|
||||||
let (track_tx, track_rx) = channel();
|
db: Arc<dyn MusicIndex>,
|
||||||
let db = db.clone();
|
control_rx: Receiver<ControlMsg>,
|
||||||
let track_handle = thread::spawn(move || {
|
tracker_tx: Sender<TrackMsg>,
|
||||||
let mut next_scan = Instant::now();
|
next_scan: Instant,
|
||||||
|
music_directories: Vec<PathBuf>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl FileScanner {
|
||||||
|
fn new(
|
||||||
|
db: Arc<dyn MusicIndex>,
|
||||||
|
roots: Vec<PathBuf>,
|
||||||
|
control_rx: Receiver<ControlMsg>,
|
||||||
|
tracker_tx: Sender<TrackMsg>,
|
||||||
|
) -> Self {
|
||||||
|
Self {
|
||||||
|
db,
|
||||||
|
control_rx,
|
||||||
|
tracker_tx,
|
||||||
|
next_scan: Instant::now(),
|
||||||
|
music_directories: roots,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn scan(&mut self) {
|
||||||
loop {
|
loop {
|
||||||
if Instant::now() >= next_scan {
|
match self.control_rx.recv_timeout(Duration::from_millis(100)) {
|
||||||
let _ = track_tx.send(TrackMsg::UpdateInProgress);
|
|
||||||
for track in scanner.scan() {
|
|
||||||
match track {
|
|
||||||
Ok(track) => db.add_track(track),
|
|
||||||
Err(_) => ok(()),
|
|
||||||
};
|
|
||||||
}
|
|
||||||
let _ = track_tx.send(TrackMsg::UpdateComplete);
|
|
||||||
next_scan = Instant::now() + scan_frequency();
|
|
||||||
}
|
|
||||||
match control_rx.recv_timeout(Duration::from_millis(1000)) {
|
|
||||||
Ok(ControlMsg::Exit) => return,
|
Ok(ControlMsg::Exit) => return,
|
||||||
Err(RecvTimeoutError::Timeout) => (),
|
Err(RecvTimeoutError::Timeout) => (),
|
||||||
Err(RecvTimeoutError::Disconnected) => return,
|
Err(RecvTimeoutError::Disconnected) => return,
|
||||||
}
|
}
|
||||||
|
if Instant::now() >= self.next_scan {
|
||||||
|
for root in self.music_directories.iter() {
|
||||||
|
self.scan_dir(vec![root.clone()]);
|
||||||
}
|
}
|
||||||
|
self.next_scan = Instant::now() + scan_frequency();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn scan_dir(&self, mut paths: Vec<PathBuf>) -> Flow<(), FatalError, ScannerError> {
|
||||||
|
while let Some(dir) = paths.pop() {
|
||||||
|
println!("scanning {:?}", dir);
|
||||||
|
return_error!(self.scan_dir_(&mut paths, dir));
|
||||||
|
}
|
||||||
|
ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
fn scan_dir_(
|
||||||
|
&self,
|
||||||
|
paths: &mut Vec<PathBuf>,
|
||||||
|
dir: PathBuf,
|
||||||
|
) -> Flow<(), FatalError, ScannerError> {
|
||||||
|
let dir_iter = return_error!(Flow::from(dir.read_dir().map_err(ScannerError::from)));
|
||||||
|
for entry in dir_iter {
|
||||||
|
match entry {
|
||||||
|
Ok(entry) if entry.path().is_dir() => paths.push(entry.path()),
|
||||||
|
Ok(entry) => {
|
||||||
|
let _ = return_fatal!(self.scan_file(entry.path()).or_else(|err| {
|
||||||
|
println!("scan_file failed: {:?}", err);
|
||||||
|
ok::<(), FatalError, ScannerError>(())
|
||||||
|
}));
|
||||||
|
()
|
||||||
|
}
|
||||||
|
Err(err) => {
|
||||||
|
println!("scan_dir could not read path: ({:?})", err);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
fn scan_file(&self, path: PathBuf) -> Flow<(), FatalError, ScannerError> {
|
||||||
|
ok(())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Core {
|
||||||
|
pub fn new(db: Arc<dyn MusicIndex>) -> Flow<Core, FatalError, Error> {
|
||||||
|
let (control_tx, control_rx) = channel::<ControlMsg>();
|
||||||
|
|
||||||
|
let (track_handle, track_rx) = {
|
||||||
|
let (track_tx, track_rx) = channel();
|
||||||
|
let db = db.clone();
|
||||||
|
let track_handle = thread::spawn(move || {
|
||||||
|
FileScanner::new(
|
||||||
|
db,
|
||||||
|
vec![PathBuf::from("/home/savanni/Music/")],
|
||||||
|
control_rx,
|
||||||
|
track_tx,
|
||||||
|
)
|
||||||
|
.scan();
|
||||||
});
|
});
|
||||||
(track_handle, track_rx)
|
(track_handle, track_rx)
|
||||||
};
|
};
|
||||||
|
|
||||||
let (_playback_handle, _playback_rx) = {
|
let (playback_handle, playback_rx) = {
|
||||||
let (_playback_tx, playback_rx) = channel();
|
let (playback_tx, playback_rx) = channel();
|
||||||
let playback_handle = thread::spawn(move || {});
|
let playback_handle = thread::spawn(move || {});
|
||||||
(playback_handle, playback_rx)
|
(playback_handle, playback_rx)
|
||||||
};
|
};
|
||||||
|
|
||||||
ok(Core {
|
ok(Core {
|
||||||
db,
|
db,
|
||||||
_track_handle,
|
track_handle,
|
||||||
_track_rx,
|
track_rx,
|
||||||
_playback_handle,
|
playback_handle,
|
||||||
_playback_rx,
|
playback_rx,
|
||||||
control_tx,
|
control_tx,
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn list_tracks<'a>(&'a self) -> Flow<Vec<TrackInfo>, FatalError, Error> {
|
|
||||||
self.db.list_tracks().map_err(Error::DatabaseError)
|
|
||||||
}
|
|
||||||
|
|
||||||
pub fn exit(&self) {
|
pub fn exit(&self) {
|
||||||
let _ = self.control_tx.send(ControlMsg::Exit);
|
let _ = self.control_tx.send(ControlMsg::Exit);
|
||||||
/*
|
/*
|
||||||
|
@ -106,49 +178,4 @@ impl Core {
|
||||||
}
|
}
|
||||||
|
|
||||||
#[cfg(test)]
|
#[cfg(test)]
|
||||||
mod test {
|
mod test {}
|
||||||
use super::*;
|
|
||||||
use crate::{audio::TrackId, database::MemoryIndex, music_scanner::factories::MockScanner};
|
|
||||||
use std::collections::HashSet;
|
|
||||||
|
|
||||||
fn with_example_index<F>(f: F)
|
|
||||||
where
|
|
||||||
F: Fn(Core),
|
|
||||||
{
|
|
||||||
let index = MemoryIndex::new();
|
|
||||||
let scanner = MockScanner::new();
|
|
||||||
match Core::new(Arc::new(index), scanner) {
|
|
||||||
Flow::Ok(core) => {
|
|
||||||
thread::sleep(Duration::from_millis(10));
|
|
||||||
f(core)
|
|
||||||
}
|
|
||||||
Flow::Err(error) => panic!("{:?}", error),
|
|
||||||
Flow::Fatal(error) => panic!("{:?}", error),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[test]
|
|
||||||
fn it_lists_tracks() {
|
|
||||||
with_example_index(|core| match core.list_tracks() {
|
|
||||||
Flow::Ok(tracks) => {
|
|
||||||
let track_ids = tracks
|
|
||||||
.iter()
|
|
||||||
.map(|t| t.id.clone())
|
|
||||||
.collect::<HashSet<TrackId>>();
|
|
||||||
assert_eq!(track_ids.len(), 5);
|
|
||||||
assert_eq!(
|
|
||||||
track_ids,
|
|
||||||
HashSet::from([
|
|
||||||
TrackId::from("/home/savanni/Track 1.mp3".to_owned()),
|
|
||||||
TrackId::from("/home/savanni/Track 2.mp3".to_owned()),
|
|
||||||
TrackId::from("/home/savanni/Track 3.mp3".to_owned()),
|
|
||||||
TrackId::from("/home/savanni/Track 4.mp3".to_owned()),
|
|
||||||
TrackId::from("/home/savanni/Track 5.mp3".to_owned()),
|
|
||||||
])
|
|
||||||
);
|
|
||||||
}
|
|
||||||
Flow::Fatal(err) => panic!("fatal error: {:?}", err),
|
|
||||||
Flow::Err(err) => panic!("error: {:?}", err),
|
|
||||||
})
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,5 +1,5 @@
|
||||||
use crate::{
|
use crate::{
|
||||||
audio::{TrackId, TrackInfo},
|
audio::{Track, TrackId, TrackInfo},
|
||||||
FatalError,
|
FatalError,
|
||||||
};
|
};
|
||||||
use flow::{error, ok, Flow};
|
use flow::{error, ok, Flow};
|
||||||
|
@ -11,7 +11,7 @@ use std::{
|
||||||
};
|
};
|
||||||
use thiserror::Error;
|
use thiserror::Error;
|
||||||
|
|
||||||
#[derive(Debug, Error, PartialEq)]
|
#[derive(Debug, Error)]
|
||||||
pub enum DatabaseError {
|
pub enum DatabaseError {
|
||||||
#[error("database is unreadable")]
|
#[error("database is unreadable")]
|
||||||
DatabaseUnreadable,
|
DatabaseUnreadable,
|
||||||
|
@ -20,14 +20,13 @@ pub enum DatabaseError {
|
||||||
}
|
}
|
||||||
|
|
||||||
pub trait MusicIndex: Sync + Send {
|
pub trait MusicIndex: Sync + Send {
|
||||||
fn add_track(&self, track: TrackInfo) -> Flow<(), FatalError, DatabaseError>;
|
fn add_track(&mut self, track: &TrackInfo) -> Flow<Track, FatalError, DatabaseError>;
|
||||||
fn remove_track(&self, id: &TrackId) -> Flow<(), FatalError, DatabaseError>;
|
fn remove_track(&mut self, id: &TrackId) -> Flow<(), FatalError, DatabaseError>;
|
||||||
fn get_track_info(&self, id: &TrackId) -> Flow<Option<TrackInfo>, FatalError, DatabaseError>;
|
fn get_track_info(&self, id: &TrackId) -> Flow<Option<Track>, FatalError, DatabaseError>;
|
||||||
fn list_tracks<'a>(&'a self) -> Flow<Vec<TrackInfo>, FatalError, DatabaseError>;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
pub struct MemoryIndex {
|
pub struct MemoryIndex {
|
||||||
tracks: RwLock<HashMap<TrackId, TrackInfo>>,
|
tracks: RwLock<HashMap<TrackId, Track>>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl MemoryIndex {
|
impl MemoryIndex {
|
||||||
|
@ -39,13 +38,21 @@ impl MemoryIndex {
|
||||||
}
|
}
|
||||||
|
|
||||||
impl MusicIndex for MemoryIndex {
|
impl MusicIndex for MemoryIndex {
|
||||||
fn add_track(&self, info: TrackInfo) -> Flow<(), FatalError, DatabaseError> {
|
fn add_track(&mut self, info: &TrackInfo) -> Flow<Track, FatalError, DatabaseError> {
|
||||||
|
let id = TrackId::default();
|
||||||
|
let track = Track {
|
||||||
|
id: id.clone(),
|
||||||
|
track_number: info.track_number,
|
||||||
|
name: info.name.clone(),
|
||||||
|
album: info.album.clone(),
|
||||||
|
artist: info.artist.clone(),
|
||||||
|
};
|
||||||
let mut tracks = self.tracks.write().unwrap();
|
let mut tracks = self.tracks.write().unwrap();
|
||||||
tracks.insert(info.id.clone(), info);
|
tracks.insert(id, track.clone());
|
||||||
ok(())
|
ok(track)
|
||||||
}
|
}
|
||||||
|
|
||||||
fn remove_track(&self, id: &TrackId) -> Flow<(), FatalError, DatabaseError> {
|
fn remove_track(&mut self, id: &TrackId) -> Flow<(), FatalError, DatabaseError> {
|
||||||
let mut tracks = self.tracks.write().unwrap();
|
let mut tracks = self.tracks.write().unwrap();
|
||||||
tracks.remove(&id);
|
tracks.remove(&id);
|
||||||
ok(())
|
ok(())
|
||||||
|
@ -54,23 +61,13 @@ impl MusicIndex for MemoryIndex {
|
||||||
fn get_track_info<'a>(
|
fn get_track_info<'a>(
|
||||||
&'a self,
|
&'a self,
|
||||||
id: &TrackId,
|
id: &TrackId,
|
||||||
) -> Flow<Option<TrackInfo>, FatalError, DatabaseError> {
|
) -> Flow<Option<Track>, FatalError, DatabaseError> {
|
||||||
let track = {
|
let track = {
|
||||||
let tracks = self.tracks.read().unwrap();
|
let tracks = self.tracks.read().unwrap();
|
||||||
tracks.get(&id).cloned()
|
tracks.get(&id).cloned()
|
||||||
};
|
};
|
||||||
ok(track)
|
ok(track)
|
||||||
}
|
}
|
||||||
|
|
||||||
fn list_tracks<'a>(&'a self) -> Flow<Vec<TrackInfo>, FatalError, DatabaseError> {
|
|
||||||
ok(self
|
|
||||||
.tracks
|
|
||||||
.read()
|
|
||||||
.unwrap()
|
|
||||||
.values()
|
|
||||||
.cloned()
|
|
||||||
.collect::<Vec<TrackInfo>>())
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
pub struct ManagedConnection<'a> {
|
pub struct ManagedConnection<'a> {
|
||||||
|
@ -107,35 +104,3 @@ impl Database {
|
||||||
pool.push(conn);
|
pool.push(conn);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[cfg(test)]
|
|
||||||
mod test {
|
|
||||||
use super::*;
|
|
||||||
|
|
||||||
fn with_memory_index<F>(f: F)
|
|
||||||
where
|
|
||||||
F: Fn(&dyn MusicIndex),
|
|
||||||
{
|
|
||||||
let index = MemoryIndex::new();
|
|
||||||
f(&index)
|
|
||||||
}
|
|
||||||
|
|
||||||
#[test]
|
|
||||||
fn it_saves_and_loads_data() {
|
|
||||||
with_memory_index(|index| {
|
|
||||||
let info = TrackInfo {
|
|
||||||
id: TrackId::from("track_1".to_owned()),
|
|
||||||
track_number: None,
|
|
||||||
name: None,
|
|
||||||
album: None,
|
|
||||||
artist: None,
|
|
||||||
};
|
|
||||||
index.add_track(info.clone());
|
|
||||||
|
|
||||||
assert_eq!(
|
|
||||||
Flow::Ok(Some(info)),
|
|
||||||
index.get_track_info(&TrackId::from("track_1".to_owned()))
|
|
||||||
);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,11 +1,10 @@
|
||||||
pub mod audio;
|
pub mod audio;
|
||||||
pub mod core;
|
pub mod core;
|
||||||
pub mod database;
|
pub mod database;
|
||||||
pub mod music_scanner;
|
|
||||||
use database::DatabaseError;
|
use database::DatabaseError;
|
||||||
use thiserror::Error;
|
use thiserror::Error;
|
||||||
|
|
||||||
#[derive(Debug, Error, PartialEq)]
|
#[derive(Debug, Error)]
|
||||||
pub enum Error {
|
pub enum Error {
|
||||||
#[error("Database error: {0}")]
|
#[error("Database error: {0}")]
|
||||||
DatabaseError(DatabaseError),
|
DatabaseError(DatabaseError),
|
||||||
|
@ -17,7 +16,7 @@ impl From<DatabaseError> for Error {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug, Error, PartialEq)]
|
#[derive(Debug, Error)]
|
||||||
pub enum FatalError {
|
pub enum FatalError {
|
||||||
#[error("Unexpected error")]
|
#[error("Unexpected error")]
|
||||||
UnexpectedError,
|
UnexpectedError,
|
||||||
|
|
|
@ -1,182 +0,0 @@
|
||||||
use crate::audio::{TrackId, TrackInfo};
|
|
||||||
use std::{
|
|
||||||
fs::{DirEntry, ReadDir},
|
|
||||||
path::PathBuf,
|
|
||||||
};
|
|
||||||
use thiserror::Error;
|
|
||||||
|
|
||||||
#[derive(Debug, Error)]
|
|
||||||
pub enum ScannerError {
|
|
||||||
#[error("Cannot scan {0}")]
|
|
||||||
CannotScan(PathBuf),
|
|
||||||
#[error("Not found {0}")]
|
|
||||||
NotFound(PathBuf),
|
|
||||||
#[error("IO error {0}")]
|
|
||||||
IO(std::io::Error),
|
|
||||||
}
|
|
||||||
|
|
||||||
impl From<std::io::Error> for ScannerError {
|
|
||||||
fn from(err: std::io::Error) -> Self {
|
|
||||||
Self::IO(err)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
pub trait MusicScanner: Send {
|
|
||||||
fn scan<'a>(&'a self) -> Box<dyn Iterator<Item = Result<TrackInfo, ScannerError>> + 'a>;
|
|
||||||
}
|
|
||||||
|
|
||||||
pub struct FileScanner {
|
|
||||||
roots: Vec<PathBuf>,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl FileScanner {
|
|
||||||
pub fn new(roots: Vec<PathBuf>) -> Self {
|
|
||||||
Self { roots }
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
pub struct FileIterator {
|
|
||||||
dirs: Vec<PathBuf>,
|
|
||||||
file_iter: Option<ReadDir>,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl FileIterator {
|
|
||||||
fn scan_file(&self, path: PathBuf) -> Result<TrackInfo, ScannerError> {
|
|
||||||
Ok(TrackInfo {
|
|
||||||
id: TrackId::from(path.to_str().unwrap().to_owned()),
|
|
||||||
album: None,
|
|
||||||
artist: None,
|
|
||||||
name: path
|
|
||||||
.file_stem()
|
|
||||||
.and_then(|s| s.to_str())
|
|
||||||
.map(|s| s.to_owned()),
|
|
||||||
track_number: None,
|
|
||||||
})
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
enum EntryInfo {
|
|
||||||
Dir(PathBuf),
|
|
||||||
File(PathBuf),
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Iterator for FileIterator {
|
|
||||||
type Item = Result<TrackInfo, ScannerError>;
|
|
||||||
|
|
||||||
fn next(&mut self) -> Option<Self::Item> {
|
|
||||||
fn process_entry(entry: DirEntry) -> Result<EntryInfo, ScannerError> {
|
|
||||||
entry
|
|
||||||
.metadata()
|
|
||||||
.map_err(ScannerError::from)
|
|
||||||
.map(|metadata| {
|
|
||||||
if metadata.is_dir() {
|
|
||||||
EntryInfo::Dir(entry.path())
|
|
||||||
} else {
|
|
||||||
EntryInfo::File(entry.path())
|
|
||||||
}
|
|
||||||
})
|
|
||||||
}
|
|
||||||
|
|
||||||
let next_file = match &mut self.file_iter {
|
|
||||||
Some(iter) => iter.next(),
|
|
||||||
None => None,
|
|
||||||
};
|
|
||||||
|
|
||||||
match next_file {
|
|
||||||
Some(Ok(entry)) => match process_entry(entry) {
|
|
||||||
Ok(EntryInfo::Dir(path)) => {
|
|
||||||
self.dirs.push(path);
|
|
||||||
self.next()
|
|
||||||
}
|
|
||||||
Ok(EntryInfo::File(path)) => Some(self.scan_file(path)),
|
|
||||||
Err(err) => Some(Err(err)),
|
|
||||||
},
|
|
||||||
Some(Err(err)) => Some(Err(ScannerError::from(err))),
|
|
||||||
None => match self.dirs.pop() {
|
|
||||||
Some(dir) => match dir.read_dir() {
|
|
||||||
Ok(entry) => {
|
|
||||||
self.file_iter = Some(entry);
|
|
||||||
self.next()
|
|
||||||
}
|
|
||||||
Err(err) => {
|
|
||||||
if err.kind() == std::io::ErrorKind::NotFound {
|
|
||||||
Some(Err(ScannerError::NotFound(dir)))
|
|
||||||
} else {
|
|
||||||
Some(Err(ScannerError::from(err)))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
},
|
|
||||||
None => None,
|
|
||||||
},
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl MusicScanner for FileScanner {
|
|
||||||
fn scan<'a>(&'a self) -> Box<dyn Iterator<Item = Result<TrackInfo, ScannerError>> + 'a> {
|
|
||||||
Box::new(FileIterator {
|
|
||||||
dirs: self.roots.clone(),
|
|
||||||
file_iter: None,
|
|
||||||
})
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[cfg(test)]
|
|
||||||
pub mod factories {
|
|
||||||
use super::*;
|
|
||||||
use crate::audio::TrackId;
|
|
||||||
|
|
||||||
pub struct MockScanner {
|
|
||||||
data: Vec<TrackInfo>,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl MockScanner {
|
|
||||||
pub fn new() -> Self {
|
|
||||||
Self {
|
|
||||||
data: vec![
|
|
||||||
TrackInfo {
|
|
||||||
id: TrackId::from("/home/savanni/Track 1.mp3".to_owned()),
|
|
||||||
track_number: Some(1),
|
|
||||||
name: Some("Track 1".to_owned()),
|
|
||||||
album: Some("Savanni's Demo".to_owned()),
|
|
||||||
artist: Some("Savanni".to_owned()),
|
|
||||||
},
|
|
||||||
TrackInfo {
|
|
||||||
id: TrackId::from("/home/savanni/Track 2.mp3".to_owned()),
|
|
||||||
track_number: Some(2),
|
|
||||||
name: Some("Track 2".to_owned()),
|
|
||||||
album: Some("Savanni's Demo".to_owned()),
|
|
||||||
artist: Some("Savanni".to_owned()),
|
|
||||||
},
|
|
||||||
TrackInfo {
|
|
||||||
id: TrackId::from("/home/savanni/Track 3.mp3".to_owned()),
|
|
||||||
track_number: Some(3),
|
|
||||||
name: Some("Track 3".to_owned()),
|
|
||||||
album: Some("Savanni's Demo".to_owned()),
|
|
||||||
artist: Some("Savanni".to_owned()),
|
|
||||||
},
|
|
||||||
TrackInfo {
|
|
||||||
id: TrackId::from("/home/savanni/Track 4.mp3".to_owned()),
|
|
||||||
track_number: Some(4),
|
|
||||||
name: Some("Track 4".to_owned()),
|
|
||||||
album: Some("Savanni's Demo".to_owned()),
|
|
||||||
artist: Some("Savanni".to_owned()),
|
|
||||||
},
|
|
||||||
TrackInfo {
|
|
||||||
id: TrackId::from("/home/savanni/Track 5.mp3".to_owned()),
|
|
||||||
track_number: Some(5),
|
|
||||||
name: Some("Track 5".to_owned()),
|
|
||||||
album: Some("Savanni's Demo".to_owned()),
|
|
||||||
artist: Some("Savanni".to_owned()),
|
|
||||||
},
|
|
||||||
],
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl MusicScanner for MockScanner {
|
|
||||||
fn scan<'a>(&'a self) -> Box<dyn Iterator<Item = Result<TrackInfo, ScannerError>> + 'a> {
|
|
||||||
Box::new(self.data.iter().map(|t| Ok(t.clone())))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
Loading…
Reference in New Issue