feat: enable a basic app

This commit is contained in:
2025-02-07 21:31:12 +01:00
commit 434f655059
13 changed files with 816 additions and 0 deletions

1
crates/forest/.gitignore vendored Normal file
View File

@@ -0,0 +1 @@
/target

14
crates/forest/Cargo.toml Normal file
View File

@@ -0,0 +1,14 @@
[package]
name = "forest"
version = "0.1.0"
edition = "2021"
[dependencies]
anyhow.workspace = true
tokio.workspace = true
tracing.workspace = true
tracing-subscriber.workspace = true
clap.workspace = true
dotenvy.workspace = true
serde.workspace = true
uuid.workspace = true

32
crates/forest/src/cli.rs Normal file
View File

@@ -0,0 +1,32 @@
use std::net::SocketAddr;
use clap::{Parser, Subcommand};
use crate::state::SharedState;
#[derive(Parser)]
#[command(author, version, about, long_about = None, subcommand_required = true)]
struct Command {
#[command(subcommand)]
command: Option<Commands>,
}
#[derive(Subcommand)]
enum Commands {
Serve {
#[arg(env = "SERVICE_HOST", long, default_value = "127.0.0.1:3000")]
host: SocketAddr,
},
}
pub async fn execute() -> anyhow::Result<()> {
let cli = Command::parse();
if let Some(Commands::Serve { host }) = cli.command {
tracing::info!("Starting service");
let state = SharedState::new().await?;
}
Ok(())
}

12
crates/forest/src/main.rs Normal file
View File

@@ -0,0 +1,12 @@
pub mod cli;
pub mod state;
#[tokio::main]
async fn main() -> anyhow::Result<()> {
dotenvy::dotenv().ok();
tracing_subscriber::fmt::init();
cli::execute().await?;
Ok(())
}

View File

@@ -0,0 +1,26 @@
use std::{ops::Deref, sync::Arc};
#[derive(Clone)]
pub struct SharedState(Arc<State>);
impl SharedState {
pub async fn new() -> anyhow::Result<Self> {
Ok(Self(Arc::new(State::new().await?)))
}
}
impl Deref for SharedState {
type Target = Arc<State>;
fn deref(&self) -> &Self::Target {
&self.0
}
}
pub struct State {}
impl State {
pub async fn new() -> anyhow::Result<Self> {
Ok(Self {})
}
}