ibis/tests/common.rs

244 lines
7.7 KiB
Rust
Raw Normal View History

2023-12-05 00:17:02 +00:00
use anyhow::anyhow;
2023-12-13 12:32:44 +00:00
use fediwiki::api::article::{CreateArticleData, EditArticleData, GetArticleData};
use fediwiki::api::instance::FollowInstance;
use fediwiki::api::ResolveObject;
2023-12-01 13:04:51 +00:00
use fediwiki::database::article::ArticleView;
2023-12-05 00:17:02 +00:00
use fediwiki::database::conflict::ApiConflict;
use fediwiki::database::instance::DbInstance;
2023-11-16 14:27:35 +00:00
use fediwiki::error::MyResult;
2023-11-20 15:48:29 +00:00
use fediwiki::start;
2023-11-16 14:27:35 +00:00
use once_cell::sync::Lazy;
2023-12-05 00:17:02 +00:00
use reqwest::{Client, RequestBuilder, StatusCode};
2023-11-16 14:27:35 +00:00
use serde::de::Deserialize;
use serde::ser::Serialize;
2023-12-01 11:11:19 +00:00
use std::env::current_dir;
2023-12-12 15:32:57 +00:00
use std::fs::create_dir_all;
2023-12-01 11:11:19 +00:00
use std::process::{Command, Stdio};
2023-12-04 01:42:53 +00:00
use std::sync::atomic::{AtomicI32, Ordering};
2023-11-16 14:27:35 +00:00
use std::sync::Once;
2023-12-04 01:42:53 +00:00
use std::thread::{sleep, spawn};
use std::time::Duration;
2023-11-17 13:36:56 +00:00
use tokio::task::JoinHandle;
2023-11-16 14:27:35 +00:00
use tracing::log::LevelFilter;
2023-11-17 13:22:31 +00:00
use url::Url;
2023-11-16 14:27:35 +00:00
pub static CLIENT: Lazy<Client> = Lazy::new(Client::new);
2023-11-16 14:27:35 +00:00
2023-11-17 13:36:56 +00:00
pub struct TestData {
2023-12-01 23:59:24 +00:00
pub alpha: FediwikiInstance,
pub beta: FediwikiInstance,
pub gamma: FediwikiInstance,
2023-11-17 13:36:56 +00:00
}
impl TestData {
pub fn start() -> Self {
static INIT: Once = Once::new();
INIT.call_once(|| {
env_logger::builder()
.filter_level(LevelFilter::Warn)
.filter_module("activitypub_federation", LevelFilter::Info)
.filter_module("fediwiki", LevelFilter::Info)
.init();
});
2023-12-04 01:42:53 +00:00
// Run things on different ports and db paths to allow parallel tests
static COUNTER: AtomicI32 = AtomicI32::new(0);
let current_run = COUNTER.fetch_add(1, Ordering::Relaxed);
// Give each test a moment to start its postgres databases
sleep(Duration::from_millis(current_run as u64 * 500));
let first_port = 8000 + (current_run * 3);
let port_alpha = first_port;
let port_beta = first_port + 1;
let port_gamma = first_port + 2;
let alpha_db_path = generate_db_path("alpha", port_alpha);
let beta_db_path = generate_db_path("beta", port_beta);
let gamma_db_path = generate_db_path("gamma", port_gamma);
2023-12-01 23:59:24 +00:00
// initialize postgres databases in parallel because its slow
for j in [
FediwikiInstance::prepare_db(alpha_db_path.clone()),
FediwikiInstance::prepare_db(beta_db_path.clone()),
FediwikiInstance::prepare_db(gamma_db_path.clone()),
] {
j.join().unwrap();
}
2023-11-17 13:36:56 +00:00
Self {
2023-12-04 01:42:53 +00:00
alpha: FediwikiInstance::start(alpha_db_path, port_alpha),
beta: FediwikiInstance::start(beta_db_path, port_beta),
gamma: FediwikiInstance::start(gamma_db_path, port_gamma),
2023-11-17 13:36:56 +00:00
}
}
2023-11-20 15:48:29 +00:00
pub fn stop(self) -> MyResult<()> {
2023-12-01 23:59:24 +00:00
for j in [self.alpha.stop(), self.beta.stop(), self.gamma.stop()] {
j.join().unwrap();
}
2023-11-17 13:36:56 +00:00
Ok(())
}
2023-11-16 14:27:35 +00:00
}
2023-12-04 01:42:53 +00:00
/// Generate a unique db path for each postgres so that tests can run in parallel.
fn generate_db_path(name: &'static str, port: i32) -> String {
2023-12-12 15:32:57 +00:00
let path = format!(
2023-12-04 01:42:53 +00:00
"{}/target/test_db/{name}-{port}",
current_dir().unwrap().display()
2023-12-12 15:32:57 +00:00
);
create_dir_all(&path).unwrap();
path
}
2023-12-01 23:59:24 +00:00
pub struct FediwikiInstance {
2023-12-01 11:11:19 +00:00
pub hostname: String,
2023-12-01 23:59:24 +00:00
db_path: String,
db_handle: JoinHandle<()>,
2023-12-01 11:11:19 +00:00
}
2023-12-01 23:59:24 +00:00
impl FediwikiInstance {
fn prepare_db(db_path: String) -> std::thread::JoinHandle<()> {
spawn(move || {
Command::new("./tests/scripts/start_dev_db.sh")
.arg(&db_path)
.stdout(Stdio::null())
.stderr(Stdio::null())
.output()
.unwrap();
})
}
fn start(db_path: String, port: i32) -> Self {
2023-12-01 11:11:19 +00:00
let db_url = format!("postgresql://lemmy:password@/lemmy?host={db_path}");
let hostname = format!("localhost:{port}");
let hostname_ = hostname.clone();
let handle = tokio::task::spawn(async move {
start(&hostname_, &db_url).await.unwrap();
});
Self {
db_path,
hostname,
2023-12-01 23:59:24 +00:00
db_handle: handle,
2023-12-01 11:11:19 +00:00
}
}
2023-12-01 23:59:24 +00:00
fn stop(self) -> std::thread::JoinHandle<()> {
self.db_handle.abort();
spawn(move || {
Command::new("./tests/scripts/stop_dev_db.sh")
.arg(&self.db_path)
.stdout(Stdio::null())
.stderr(Stdio::null())
.output()
.unwrap();
})
2023-12-01 11:11:19 +00:00
}
}
pub const TEST_ARTICLE_DEFAULT_TEXT: &str = "some\nexample\ntext\n";
2023-11-30 14:55:05 +00:00
pub async fn create_article(hostname: &str, title: String) -> MyResult<ArticleView> {
let create_form = CreateArticleData {
title: title.clone(),
};
2023-12-01 13:04:51 +00:00
let article: ArticleView = post(hostname, "article", &create_form).await?;
// create initial edit to ensure that conflicts are generated (there are no conflicts on empty file)
let edit_form = EditArticleData {
2023-12-01 13:04:51 +00:00
article_id: article.article.id,
new_text: TEST_ARTICLE_DEFAULT_TEXT.to_string(),
2023-12-05 00:17:02 +00:00
previous_version_id: article.latest_version,
2023-11-27 15:34:45 +00:00
resolve_conflict_id: None,
};
edit_article(hostname, &edit_form).await
2023-11-24 14:48:43 +00:00
}
2023-11-30 14:55:05 +00:00
pub async fn get_article(hostname: &str, article_id: i32) -> MyResult<ArticleView> {
2023-11-30 14:14:30 +00:00
let get_article = GetArticleData { article_id };
2023-11-30 14:55:05 +00:00
get_query::<ArticleView, _>(hostname, "article", Some(get_article.clone())).await
2023-11-24 14:48:43 +00:00
}
2023-11-27 15:34:45 +00:00
pub async fn edit_article_with_conflict(
hostname: &str,
edit_form: &EditArticleData,
2023-11-28 12:04:33 +00:00
) -> MyResult<Option<ApiConflict>> {
2023-12-05 00:17:02 +00:00
let req = CLIENT
2023-11-27 15:34:45 +00:00
.patch(format!("http://{}/api/v1/article", hostname))
2023-12-05 00:17:02 +00:00
.form(edit_form);
handle_json_res(req).await
2023-11-27 15:34:45 +00:00
}
2023-11-30 14:55:05 +00:00
pub async fn edit_article(hostname: &str, edit_form: &EditArticleData) -> MyResult<ArticleView> {
2023-12-04 14:10:07 +00:00
let edit_res = edit_article_with_conflict(hostname, edit_form).await?;
2023-11-27 15:34:45 +00:00
assert!(edit_res.is_none());
2023-11-30 14:55:05 +00:00
get_article(hostname, edit_form.article_id).await
2023-11-24 14:31:31 +00:00
}
2023-11-16 14:27:35 +00:00
pub async fn get<T>(hostname: &str, endpoint: &str) -> MyResult<T>
where
T: for<'de> Deserialize<'de>,
{
get_query(hostname, endpoint, None::<i32>).await
}
pub async fn get_query<T, R>(hostname: &str, endpoint: &str, query: Option<R>) -> MyResult<T>
where
T: for<'de> Deserialize<'de>,
R: Serialize,
{
2023-12-05 00:17:02 +00:00
let mut req = CLIENT.get(format!("http://{}/api/v1/{}", hostname, endpoint));
2023-11-16 14:27:35 +00:00
if let Some(query) = query {
2023-12-05 00:17:02 +00:00
req = req.query(&query);
2023-11-16 14:27:35 +00:00
}
2023-12-05 00:17:02 +00:00
handle_json_res(req).await
2023-11-16 14:27:35 +00:00
}
pub async fn post<T: Serialize, R>(hostname: &str, endpoint: &str, form: &T) -> MyResult<R>
2023-11-16 14:27:35 +00:00
where
R: for<'de> Deserialize<'de>,
{
2023-12-05 00:17:02 +00:00
let req = CLIENT
2023-11-16 14:27:35 +00:00
.post(format!("http://{}/api/v1/{}", hostname, endpoint))
2023-12-05 00:17:02 +00:00
.form(form);
handle_json_res(req).await
}
async fn handle_json_res<T>(req: RequestBuilder) -> MyResult<T>
where
T: for<'de> Deserialize<'de>,
{
let res = req.send().await?;
2023-12-13 12:13:10 +00:00
let status = res.status();
let text = res.text().await?;
if status == StatusCode::OK {
Ok(serde_json::from_str(&text).map_err(|e| anyhow!("Json error on {text}: {e}"))?)
2023-12-05 00:17:02 +00:00
} else {
2023-12-13 12:13:10 +00:00
Err(anyhow!("API error: {text}").into())
2023-12-05 00:17:02 +00:00
}
2023-11-16 14:27:35 +00:00
}
2023-11-17 13:22:31 +00:00
2023-12-04 14:10:07 +00:00
pub async fn follow_instance(api_instance: &str, follow_instance: &str) -> MyResult<()> {
2023-11-17 13:22:31 +00:00
// fetch beta instance on alpha
let resolve_form = ResolveObject {
2023-12-04 14:10:07 +00:00
id: Url::parse(&format!("http://{}", follow_instance))?,
2023-11-17 13:22:31 +00:00
};
2023-11-22 15:41:34 +00:00
let instance_resolved: DbInstance =
2023-12-04 14:10:07 +00:00
get_query(api_instance, "resolve_instance", Some(resolve_form)).await?;
2023-11-17 13:22:31 +00:00
// send follow
let follow_form = FollowInstance {
id: instance_resolved.id,
2023-11-17 13:22:31 +00:00
};
// cant use post helper because follow doesnt return json
2023-12-13 12:13:10 +00:00
let res = CLIENT
2023-12-04 14:10:07 +00:00
.post(format!("http://{}/api/v1/instance/follow", api_instance))
2023-11-17 13:22:31 +00:00
.form(&follow_form)
.send()
.await?;
2023-12-13 12:13:10 +00:00
if res.status() == StatusCode::OK {
Ok(())
} else {
Err(anyhow!("API error: {}", res.text().await?).into())
}
2023-11-17 13:22:31 +00:00
}