2023-10-22 14:40:59 -04:00
|
|
|
use std::path::PathBuf;
|
|
|
|
|
2023-10-22 16:01:42 -04:00
|
|
|
use crate::blog_post::convert_blog_post_to_render_context;
|
2023-10-22 13:44:03 -04:00
|
|
|
use crate::blog_post::BlogPost;
|
2023-10-20 19:13:22 -04:00
|
|
|
use crate::cli::parameters::BuildArgs;
|
|
|
|
use crate::config::Config;
|
2023-10-22 13:44:03 -04:00
|
|
|
use crate::error::CustomError;
|
2023-10-20 19:13:22 -04:00
|
|
|
|
2023-10-22 13:44:03 -04:00
|
|
|
pub(crate) async fn build_site(args: BuildArgs) -> Result<(), CustomError> {
|
2023-10-20 20:16:22 -04:00
|
|
|
let config = Config::load_from_file(args.config).await?;
|
2023-10-22 16:01:42 -04:00
|
|
|
let blog_posts = load_blog_posts(&config).await?;
|
2023-10-22 13:50:11 -04:00
|
|
|
println!("{:?}", blog_posts);
|
2023-10-22 16:01:42 -04:00
|
|
|
|
|
|
|
for blog_post in &blog_posts {
|
|
|
|
let render_context = convert_blog_post_to_render_context(blog_post);
|
|
|
|
println!("{}", serde_json::to_string(&render_context)?);
|
|
|
|
}
|
|
|
|
|
2023-10-22 13:44:03 -04:00
|
|
|
Ok(())
|
2023-10-20 20:16:22 -04:00
|
|
|
}
|
2023-10-22 14:40:59 -04:00
|
|
|
|
|
|
|
/// Delete everything inside the output directory and return the path to that directory.
|
|
|
|
async fn get_output_directory(config: &Config) -> Result<PathBuf, CustomError> {
|
|
|
|
let output_directory = config.get_output_directory();
|
|
|
|
if !output_directory.exists() {
|
|
|
|
tokio::fs::create_dir(&output_directory).await?;
|
|
|
|
} else {
|
|
|
|
let mut existing_entries = tokio::fs::read_dir(&output_directory).await?;
|
|
|
|
while let Some(entry) = existing_entries.next_entry().await? {
|
|
|
|
let file_type = entry.file_type().await?;
|
|
|
|
if file_type.is_dir() {
|
|
|
|
tokio::fs::remove_dir_all(entry.path()).await?;
|
|
|
|
} else {
|
|
|
|
tokio::fs::remove_file(entry.path()).await?;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
Ok(output_directory)
|
|
|
|
}
|
2023-10-22 14:49:08 -04:00
|
|
|
|
|
|
|
async fn get_post_directories(config: &Config) -> Result<Vec<PathBuf>, CustomError> {
|
|
|
|
let mut ret = Vec::new();
|
|
|
|
let mut entries = tokio::fs::read_dir(config.get_posts_directory()).await?;
|
|
|
|
while let Some(entry) = entries.next_entry().await? {
|
|
|
|
let file_type = entry.file_type().await?;
|
|
|
|
if file_type.is_dir() {
|
|
|
|
ret.push(entry.path());
|
|
|
|
}
|
|
|
|
}
|
|
|
|
Ok(ret)
|
|
|
|
}
|
2023-10-22 16:01:42 -04:00
|
|
|
|
|
|
|
async fn load_blog_posts(config: &Config) -> Result<Vec<BlogPost>, CustomError> {
|
|
|
|
let root_directory = config.get_root_directory().to_owned();
|
|
|
|
let post_directories = get_post_directories(&config).await?;
|
|
|
|
let load_jobs = post_directories
|
|
|
|
.into_iter()
|
|
|
|
.map(|path| tokio::spawn(BlogPost::load_blog_post(root_directory.clone(), path)));
|
|
|
|
let mut blog_posts = Vec::new();
|
|
|
|
for job in load_jobs {
|
|
|
|
blog_posts.push(job.await??);
|
|
|
|
}
|
|
|
|
Ok(blog_posts)
|
|
|
|
}
|