Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Unicode output does not roundtrip #105

Open
lenianiva opened this issue Aug 17, 2023 · 4 comments
Open

Unicode output does not roundtrip #105

lenianiva opened this issue Aug 17, 2023 · 4 comments

Comments

@lenianiva
Copy link

When I put the unicode character "∀" into cat, the output doesn't roundtrip:

Input:
∀
226 136 128 
Output:
��
195 162 194 136 194 128 

Code:

use rexpect::spawn;
use rexpect::error::*;

fn display(s: &str)
{
	println!("{}", s);
	for b in s.as_bytes()
	{
		print!("{} ", b);
	}
	println!("");
}
fn repl() -> Result<(), Error>
{
	let mut p = spawn("cat", Some(1000))?;

	let ex: String = "∀".to_string();
	p.send_line(&ex)?;
	let line = p.read_line()?;

	println!("Input:");
	display(&ex);
	println!("Output:");
	display(&line);
	Ok(())
}
fn main()
{
	repl().unwrap_or_else(|e| panic!("ftp job failed with {}", e));
}
@lenianiva
Copy link
Author

Seems to be a problem with the reader since this works with no problems:

	let output = std::process::Command::new("echo").arg("∀").output().expect("1");
	let l = std::str::from_utf8(&output.stdout).expect("2");
	println!("echo: {}", l);

@lenianiva
Copy link
Author

lenianiva commented Aug 17, 2023

I dug into this a bit more and I think the problem is with NBReader. The following test fails when put into reader.rs:

    #[test]
    fn test_expect_unicode() {
        let f = io::Cursor::new("∀ melon\r\n");
        let mut r = NBReader::new(f, None);
        assert_eq!(
            ("∀ melon".to_string(), "\r\n".to_string()),
            r.read_until(&ReadUntil::String("\r\n".to_string()))
                .expect("cannot read line")
        );
        // check for EOF
        match r.read_until(&ReadUntil::NBytes(10)) {
            Ok(_) => panic!(),
            Err(Error::EOF { .. }) => {}
            Err(_) => panic!(),
        }
    }

and this is because in read_into_buffer, the type of a u8 is coerced into a char:

    fn read_into_buffer(&mut self) -> Result<(), Error> {
        if self.eof {
            return Ok(());
        }
        while let Ok(from_channel) = self.reader.try_recv() {
            match from_channel {
                Ok(PipedChar::Char(c)) => self.buffer.push(c as char),
                Ok(PipedChar::EOF) => self.eof = true,
                // this is just from experience, e.g. "sleep 5" returns the other error which
                // most probably means that there is no stdout stream at all -> send EOF
                // this only happens on Linux, not on OSX
                Err(PipeError::IO(ref err)) => {
                    // For an explanation of why we use `raw_os_error` see:
                    // https://github.com/zhiburt/ptyprocess/commit/df003c8e3ff326f7d17bc723bc7c27c50495bb62
                    self.eof = err.raw_os_error() == Some(5)
                }
            }
        }
        Ok(())
    }

This is done because the type of PipedChar(u8) is different from the element type of buffer: String.

This behaviour is divergent from pexpect. I have 3 solutions to it:

  1. Change the type of PipedChar(u8) to PipedChar(char): If the program sends over half of a unicode char and then stop it would hang the reader
  2. Change the type of buffer to something like Vec<u8> which can't parse unicode, but it feels like this is kicking the problem down the road.
  3. Add an encoder on the receiving end of PipedChar objects to choose between the utf-8 and ascii behaviours (pexpect behaves like this

@lypanov
Copy link

lypanov commented Nov 25, 2023

Running into this issue now also. Would be lovely to see the MR merged :)

@lenianiva
Copy link
Author

Running into this issue now also. Would be lovely to see the MR merged :)

sadly the authors seem to be inactive

RandyMcMillan added a commit to RandyMcMillan/nostr-tool that referenced this issue Jan 9, 2025
new file mode 100644
index 00000000..43f36291
--- /dev/null
+++ b/test_utils/Cargo.toml
@@ -0,0 +1,19 @@
+[package]
+name = "test_utils"
+version = "0.1.0"
+edition = "2021"
+
+[dependencies]
+anyhow = "1.0.75"
+assert_cmd = "2.0.12"
+dialoguer = "0.10.4"
+directories = "5.0.1"
+git2 = "0.18.1"
+nostr = "0.32.0"
+nostr-sdk = "0.32.0"
+once_cell = "1.18.0"
+rand = "0.8"
+rexpect = { git = "https://github.com/rust-cli/rexpect.git", rev = "9eb61dd" }
+simple-websockets = { git = "https://github.com/DanConwayDev/simple-websockets", branch= "auto-release-port" }
+strip-ansi-escapes = "0.2.0"
+tungstenite = "0.20.1"
diff --git a/test_utils/config.toml b/test_utils/config.toml
new file mode 100644
index 00000000..519f44ff
--- /dev/null
+++ b/test_utils/config.toml
@@ -0,0 +1,2 @@
+[env]
+NGITTEST = true
\ No newline at end of file
diff --git a/test_utils/src/git.rs b/test_utils/src/git.rs
new file mode 100644
index 00000000..76656df6
--- /dev/null
+++ b/test_utils/src/git.rs
@@ -0,0 +1,183 @@
+//create
+
+// implement drop?
+use std::{env::current_dir, fs, path::PathBuf};
+
+use anyhow::{Context, Result};
+use git2::{Oid, RepositoryInitOptions, Signature, Time};
+
+pub struct GitTestRepo {
+    pub dir: PathBuf,
+    pub git_repo: git2::Repository,
+}
+
+impl Default for GitTestRepo {
+    fn default() -> Self {
+        Self::new("main").unwrap()
+    }
+}
+impl GitTestRepo {
+    pub fn new(main_branch_name: &str) -> Result<Self> {
+        let path = current_dir()?.join(format!("tmpgit-{}", rand::random::<u64>()));
+        let git_repo = git2::Repository::init_opts(
+            &path,
+            RepositoryInitOptions::new()
+                .initial_head(main_branch_name)
+                .mkpath(true),
+        )?;
+        Ok(Self {
+            dir: path,
+            git_repo,
+        })
+    }
+
+    pub fn initial_commit(&self) -> Result<Oid> {
+        let oid = self.git_repo.index()?.write_tree()?;
+        let tree = self.git_repo.find_tree(oid)?;
+        let commit_oid = self.git_repo.commit(
+            Some("HEAD"),
+            &joe_signature(),
+            &joe_signature(),
+            "Initial commit",
+            &tree,
+            &[],
+        )?;
+        Ok(commit_oid)
+    }
+
+    pub fn populate(&self) -> Result<Oid> {
+        self.initial_commit()?;
+        fs::write(self.dir.join("t1.md"), "some content")?;
+        self.stage_and_commit("add t1.md")?;
+        fs::write(self.dir.join("t2.md"), "some content1")?;
+        self.stage_and_commit("add t2.md")
+    }
+
+    pub fn populate_with_test_branch(&self) -> Result<Oid> {
+        self.populate()?;
+        self.create_branch("add-example-feature")?;
+        self.checkout("add-example-feature")?;
+        fs::write(self.dir.join("f1.md"), "some content")?;
+        self.stage_and_commit("add f1.md")?;
+        fs::write(self.dir.join("f2.md"), "some content")?;
+        self.stage_and_commit("add f2.md")?;
+        fs::write(self.dir.join("f3.md"), "some content1")?;
+        self.stage_and_commit("add f3.md")
+    }
+
+    pub fn stage_and_commit(&self, message: &str) -> Result<Oid> {
+        self.stage_and_commit_custom_signature(message, None, None)
+    }
+
+    pub fn stage_and_commit_custom_signature(
+        &self,
+        message: &str,
+        author: Option<&git2::Signature>,
+        commiter: Option<&git2::Signature>,
+    ) -> Result<Oid> {
+        let prev_oid = self.git_repo.head().unwrap().peel_to_commit()?;
+
+        let mut index = self.git_repo.index()?;
+        index.add_all(["."], git2::IndexAddOption::DEFAULT, None)?;
+        index.write()?;
+
+        let oid = self.git_repo.commit(
+            Some("HEAD"),
+            author.unwrap_or(&joe_signature()),
+            commiter.unwrap_or(&joe_signature()),
+            message,
+            &self.git_repo.find_tree(index.write_tree()?)?,
+            &[&prev_oid],
+        )?;
+
+        Ok(oid)
+    }
+
+    pub fn create_branch(&self, branch_name: &str) -> Result<()> {
+        self.git_repo
+            .branch(branch_name, &self.git_repo.head()?.peel_to_commit()?, false)?;
+        Ok(())
+    }
+
+    pub fn checkout(&self, ref_name: &str) -> Result<Oid> {
+        let (object, reference) = self.git_repo.revparse_ext(ref_name)?;
+
+        self.git_repo.checkout_tree(&object, None)?;
+
+        match reference {
+            // gref is an actual reference like branches or tags
+            Some(gref) => self.git_repo.set_head(gref.name().unwrap()),
+            // this is a commit, not a reference
+            None => self.git_repo.set_head_detached(object.id()),
+        }?;
+        let oid = self.git_repo.head()?.peel_to_commit()?.id();
+        Ok(oid)
+    }
+
+    pub fn get_local_branch_names(&self) -> Result<Vec<String>> {
+        let local_branches = self
+            .git_repo
+            .branches(Some(git2::BranchType::Local))
+            .context("getting GitRepo branches should not error even for a blank repository")?;
+
+        let mut branch_names = vec![];
+
+        for iter in local_branches {
+            let branch = iter?.0;
+            if let Some(name) = branch.name()? {
+                branch_names.push(name.to_string());
+            }
+        }
+        Ok(branch_names)
+    }
+
+    pub fn get_checked_out_branch_name(&self) -> Result<String> {
+        Ok(self
+            .git_repo
+            .head()?
+            .shorthand()
+            .context("an object without a shorthand is checked out")?
+            .to_string())
+    }
+
+    pub fn get_tip_of_local_branch(&self, branch_name: &str) -> Result<Oid> {
+        let branch = self
+            .git_repo
+            .find_branch(branch_name, git2::BranchType::Local)
+            .context(format!("cannot find branch {branch_name}"))?;
+        Ok(branch.into_reference().peel_to_commit()?.id())
+    }
+
+    pub fn add_remote(&self, name: &str, url: &str) -> Result<()> {
+        self.git_repo.remote(name, url)?;
+        Ok(())
+    }
+}
+
+impl Drop for GitTestRepo {
+    fn drop(&mut self) {
+        let _ = fs::remove_dir_all(&self.dir);
+    }
+}
+pub fn joe_signature() -> Signature<'static> {
+    Signature::new("Joe Bloggs", "joe.bloggs@pm.me", &Time::new(0, 0)).unwrap()
+}
+
+#[cfg(test)]
+mod tests {
+
+    use super::*;
+
+    #[test]
+    fn methods_do_not_throw() -> Result<()> {
+        let repo = GitTestRepo::new("main")?;
+
+        repo.populate()?;
+        repo.create_branch("feature")?;
+        repo.checkout("feature")?;
+        fs::write(repo.dir.join("t3.md"), "some content")?;
+        repo.stage_and_commit("add t3.md")?;
+
+        Ok(())
+    }
+}
diff --git a/test_utils/src/lib.rs b/test_utils/src/lib.rs
new file mode 100644
index 00000000..1d881cfe
--- /dev/null
+++ b/test_utils/src/lib.rs
@@ -0,0 +1,978 @@
+use std::{ffi::OsStr, path::PathBuf, str::FromStr};
+
+use anyhow::{bail, ensure, Context, Result};
+use dialoguer::theme::{ColorfulTheme, Theme};
+use directories::ProjectDirs;
+use nostr::{self, nips::nip65::RelayMetadata, Kind, Tag};
+use nostr_sdk::{serde_json, TagStandard};
+use once_cell::sync::Lazy;
+use rexpect::session::{Options, PtySession};
+use strip_ansi_escapes::strip_str;
+
+pub mod git;
+pub mod relay;
+
+pub static PATCH_KIND: u16 = 1617;
+pub static REPOSITORY_KIND: u16 = 30617;
+
+pub static TEST_KEY_1_NSEC: &str =
+    "nsec1ppsg5sm2aexq06juxmu9evtutr6jkwkhp98exxxvwamhru9lyx9s3rwseq";
+pub static TEST_KEY_1_SK_HEX: &str =
+    "08608a436aee4c07ea5c36f85cb17c58f52b3ad7094f9318cc777771f0bf218b";
+pub static TEST_KEY_1_NPUB: &str =
+    "npub175lyhnt6nn00qjw0v3navw9pxgv43txnku0tpxprl4h6mvpr6a5qlphudg";
+pub static TEST_KEY_1_PUBKEY_HEX: &str =
+    "f53e4bcd7a9cdef049cf6467d638a1321958acd3b71eb09823fd6fadb023d768";
+pub static TEST_KEY_1_DISPLAY_NAME: &str = "bob";
+pub static TEST_KEY_1_ENCRYPTED: &str = "ncryptsec1qgq77e3uftz8dh3jkjxwdms3v6gwqaqduxyzld82kskas8jcs5xup3sf2pc5tr0erqkqrtu0ptnjgjlgvx8lt7c0d7laryq2u7psfa6zm7mk7ln3ln58468shwatm7cx5wy5wvm7yk74ksrngygwxg74";
+pub static TEST_KEY_1_ENCRYPTED_WEAK: &str = "ncryptsec1qg835almhlrmyxqtqeva44d5ugm9wk2ccmwspxrqv4wjsdpdlud9es5hsrvs0pas7dvsretm0mc26qwfc7v8986mqngnjshcplnqzj62lxf44a0kkdv788f6dh20x2eum96l2j8v37s5grrheu2hgrkf";
+pub static TEST_KEY_1_KEYS: Lazy<nostr::Keys> =
+    Lazy::new(|| nostr::Keys::from_str(TEST_KEY_1_NSEC).unwrap());
+
+pub fn generate_test_key_1_metadata_event(name: &str) -> nostr::Event {
+    nostr::event::EventBuilder::metadata(&nostr::Metadata::new().name(name))
+        .to_event(&TEST_KEY_1_KEYS)
+        .unwrap()
+}
+
+pub fn generate_test_key_1_metadata_event_old(name: &str) -> nostr::Event {
+    make_event_old_or_change_user(
+        generate_test_key_1_metadata_event(name),
+        &TEST_KEY_1_KEYS,
+        10000,
+    )
+}
+
+pub fn generate_test_key_1_kind_event(kind: Kind) -> nostr::Event {
+    nostr::event::EventBuilder::new(kind, "", [])
+        .to_event(&TEST_KEY_1_KEYS)
+        .unwrap()
+}
+
+pub fn generate_test_key_1_relay_list_event() -> nostr::Event {
+    nostr::event::EventBuilder::new(
+        nostr::Kind::RelayList,
+        "",
+        [
+            nostr::Tag::from_standardized(nostr::TagStandard::RelayMetadata {
+                relay_url: nostr::Url::from_str("ws://localhost:8053").unwrap(),
+                metadata: Some(RelayMetadata::Write),
+            }),
+            nostr::Tag::from_standardized(nostr::TagStandard::RelayMetadata {
+                relay_url: nostr::Url::from_str("ws://localhost:8054").unwrap(),
+                metadata: Some(RelayMetadata::Read),
+            }),
+            nostr::Tag::from_standardized(nostr::TagStandard::RelayMetadata {
+                relay_url: nostr::Url::from_str("ws://localhost:8055").unwrap(),
+                metadata: None,
+            }),
+        ],
+    )
+    .to_event(&TEST_KEY_1_KEYS)
+    .unwrap()
+}
+
+pub fn generate_test_key_1_relay_list_event_same_as_fallback() -> nostr::Event {
+    nostr::event::EventBuilder::new(
+        nostr::Kind::RelayList,
+        "",
+        [
+            nostr::Tag::from_standardized(nostr::TagStandard::RelayMetadata {
+                relay_url: nostr::Url::from_str("ws://localhost:8051").unwrap(),
+                metadata: Some(RelayMetadata::Write),
+            }),
+            nostr::Tag::from_standardized(nostr::TagStandard::RelayMetadata {
+                relay_url: nostr::Url::from_str("ws://localhost:8052").unwrap(),
+                metadata: Some(RelayMetadata::Write),
+            }),
+        ],
+    )
+    .to_event(&TEST_KEY_1_KEYS)
+    .unwrap()
+}
+
+pub static TEST_KEY_2_NSEC: &str =
+    "nsec1ypglg6nj6ep0g2qmyfqcv2al502gje3jvpwye6mthmkvj93tqkesknv6qm";
+pub static TEST_KEY_2_NPUB: &str =
+    "npub1h2yz2eh0798nh25hvypenrz995nla9dktfuk565ljf3ghnkhdljsul834e";
+
+pub static TEST_KEY_2_DISPLAY_NAME: &str = "carole";
+pub static TEST_KEY_2_ENCRYPTED: &str = "...2";
+pub static TEST_KEY_2_KEYS: Lazy<nostr::Keys> =
+    Lazy::new(|| nostr::Keys::from_str(TEST_KEY_2_NSEC).unwrap());
+
+pub fn generate_test_key_2_metadata_event(name: &str) -> nostr::Event {
+    nostr::event::EventBuilder::metadata(&nostr::Metadata::new().name(name))
+        .to_event(&TEST_KEY_2_KEYS)
+        .unwrap()
+}
+
+pub static TEST_INVALID_NSEC: &str = "nsec1ppsg5sm2aex";
+pub static TEST_PASSWORD: &str = "769dfd£pwega8SHGv3!#Bsfd5t";
+pub static TEST_INVALID_PASSWORD: &str = "INVALID769dfd£pwega8SHGv3!";
+pub static TEST_WEAK_PASSWORD: &str = "fhaiuhfwe";
+pub static TEST_RANDOM_TOKEN: &str = "lkjh2398HLKJ43hrweiJ6FaPfdssgtrg";
+
+pub fn make_event_old_or_change_user(
+    event: nostr::Event,
+    keys: &nostr::Keys,
+    how_old_in_secs: u64,
+) -> nostr::Event {
+    let mut unsigned =
+        nostr::event::EventBuilder::new(event.kind, event.content.clone(), event.tags.clone())
+            .to_unsigned_event(keys.public_key());
+
+    unsigned.created_at =
+        nostr::types::Timestamp::from(nostr::types::Timestamp::now().as_u64() - how_old_in_secs);
+    unsigned.id = Some(nostr::EventId::new(
+        &keys.public_key(),
+        &unsigned.created_at,
+        &unsigned.kind,
+        &unsigned.tags,
+        &unsigned.content,
+    ));
+
+    unsigned.sign(keys).unwrap()
+}
+
+pub fn generate_repo_ref_event() -> nostr::Event {
+    // taken from test git_repo
+    // TODO - this may not be consistant across computers as it might take the
+    // author and committer from global git config
+    let root_commit = "9ee507fc4357d7ee16a5d8901bedcd103f23c17d";
+    nostr::event::EventBuilder::new(
+        nostr::Kind::Custom(REPOSITORY_KIND),
+        "",
+        [
+            Tag::identifier(
+                // root_commit.to_string()
+                format!("{}-consider-it-random", root_commit),
+            ),
+            Tag::from_standardized(TagStandard::Reference(root_commit.to_string())),
+            Tag::from_standardized(TagStandard::Name("example name".into())),
+            Tag::from_standardized(TagStandard::Description("example description".into())),
+            Tag::custom(
+                nostr::TagKind::Custom(std::borrow::Cow::Borrowed("clone")),
+                vec!["git:://123.gitexample.com/test".to_string()],
+            ),
+            Tag::custom(
+                nostr::TagKind::Custom(std::borrow::Cow::Borrowed("web")),
+                vec![
+                    "https://exampleproject.xyz".to_string(),
+                    "https://gitworkshop.dev/123".to_string(),
+                ],
+            ),
+            Tag::custom(
+                nostr::TagKind::Custom(std::borrow::Cow::Borrowed("relays")),
+                vec![
+                    "ws://localhost:8055".to_string(),
+                    "ws://localhost:8056".to_string(),
+                ],
+            ),
+            Tag::custom(
+                nostr::TagKind::Custom(std::borrow::Cow::Borrowed("maintainers")),
+                vec![
+                    TEST_KEY_1_KEYS.public_key().to_string(),
+                    TEST_KEY_2_KEYS.public_key().to_string(),
+                ],
+            ),
+        ],
+    )
+    .to_event(&TEST_KEY_1_KEYS)
+    .unwrap()
+}
+
+/// enough to fool event_is_patch_set_root
+pub fn get_pretend_proposal_root_event() -> nostr::Event {
+    serde_json::from_str(r#"{"id":"8cb75aa4cda10a3a0f3242dc49d36159d30b3185bf63414cf6ce17f5c14a73b1","pubkey":"f53e4bcd7a9cdef049cf6467d638a1321958acd3b71eb09823fd6fadb023d768","created_at":1714984571,"kind":1617,"tags":[["t","root"]],"content":"","sig":"6c197314b8c4c61da696dff888198333004d1ecc5d7bae2c554857f2f2b0d3ecc09369a5d8ba089c1bf89e3c6f5be40ade873fd698438ef8b303ffc6df35eb3f"}"#).unwrap()
+}
+
+/// wrapper for a cli testing tool - currently wraps rexpect and dialoguer
+///
+/// 1. allow more accurate articulation of expected behaviour
+/// 2. provide flexibility to swap rexpect for a tool that better maps to
+///    expected behaviour
+/// 3. provides flexability to swap dialoguer with another cli interaction tool
+pub struct CliTester {
+    rexpect_session: PtySession,
+    formatter: ColorfulTheme,
+}
+
+impl CliTester {
+    pub fn expect_input(&mut self, prompt: &str) -> Result<CliTesterInputPrompt> {
+        let mut i = CliTesterInputPrompt {
+            tester: self,
+            prompt: prompt.to_string(),
+        };
+        i.prompt(false).context("initial input prompt")?;
+        Ok(i)
+    }
+
+    pub fn expect_input_eventually(&mut self, prompt: &str) -> Result<CliTesterInputPrompt> {
+        let mut i = CliTesterInputPrompt {
+            tester: self,
+            prompt: prompt.to_string(),
+        };
+        i.prompt(true).context("initial input prompt")?;
+        Ok(i)
+    }
+
+    pub fn expect_password(&mut self, prompt: &str) -> Result<CliTesterPasswordPrompt> {
+        let mut i = CliTesterPasswordPrompt {
+            tester: self,
+            prompt: prompt.to_string(),
+            confirmation_prompt: "".to_string(),
+        };
+        i.prompt().context("initial password prompt")?;
+        Ok(i)
+    }
+
+    pub fn expect_confirm(
+        &mut self,
+        prompt: &str,
+        default: Option<bool>,
+    ) -> Result<CliTesterConfirmPrompt> {
+        let mut i = CliTesterConfirmPrompt {
+            tester: self,
+            prompt: prompt.to_string(),
+            default,
+        };
+        i.prompt(false, default).context("initial confirm prompt")?;
+        Ok(i)
+    }
+
+    pub fn expect_confirm_eventually(
+        &mut self,
+        prompt: &str,
+        default: Option<bool>,
+    ) -> Result<CliTesterConfirmPrompt> {
+        let mut i = CliTesterConfirmPrompt {
+            tester: self,
+            prompt: prompt.to_string(),
+            default,
+        };
+        i.prompt(true, default).context("initial confirm prompt")?;
+        Ok(i)
+    }
+
+    pub fn expect_choice(
+        &mut self,
+        prompt: &str,
+        choices: Vec<String>,
+    ) -> Result<CliTesterChoicePrompt> {
+        let mut i = CliTesterChoicePrompt {
+            tester: self,
+            prompt: prompt.to_string(),
+            choices,
+        };
+        i.prompt(false).context("initial confirm prompt")?;
+        Ok(i)
+    }
+
+    pub fn expect_multi_select(
+        &mut self,
+        prompt: &str,
+        choices: Vec<String>,
+    ) -> Result<CliTesterMultiSelectPrompt> {
+        let mut i = CliTesterMultiSelectPrompt {
+            tester: self,
+            prompt: prompt.to_string(),
+            choices,
+        };
+        i.prompt(false).context("initial confirm prompt")?;
+        Ok(i)
+    }
+}
+
+pub struct CliTesterInputPrompt<'a> {
+    tester: &'a mut CliTester,
+    prompt: String,
+}
+
+impl CliTesterInputPrompt<'_> {
+    fn prompt(&mut self, eventually: bool) -> Result<&mut Self> {
+        let mut s = String::new();
+        self.tester
+            .formatter
+            .format_prompt(&mut s, self.prompt.as_str())
+            .expect("diagluer theme formatter should succeed");
+        s.push(' ');
+
+        ensure!(
+            s.contains(self.prompt.as_str()),
+            "dialoguer must be broken as formatted prompt success doesnt contain prompt"
+        );
+
+        if eventually {
+            self.tester
+                .expect_eventually(sanatize(s).as_str())
+                .context("expect input prompt eventually")?;
+        } else {
+            self.tester
+                .expect(sanatize(s).as_str())
+                .context("expect input prompt")?;
+        }
+
+        Ok(self)
+    }
+
+    pub fn succeeds_with(&mut self, input: &str) -> Result<&mut Self> {
+        self.tester.send_line(input)?;
+        self.tester
+            .expect(input)
+            .context("expect input to be printed")?;
+        self.tester
+            .expect("\r")
+            .context("expect new line after input to be printed")?;
+
+        let mut s = String::new();
+        self.tester
+            .formatter
+            .format_input_prompt_selection(&mut s, self.prompt.as_str(), input)
+            .expect("diagluer theme formatter should succeed");
+        if !s.contains(self.prompt.as_str()) {
+            panic!("dialoguer must be broken as formatted prompt success doesnt contain prompt");
+        }
+        let formatted_success = format!("{}\r\n", sanatize(s));
+
+        self.tester
+            .expect(formatted_success.as_str())
+            .context("expect immediate prompt success")?;
+        Ok(self)
+    }
+}
+
+pub struct CliTesterPasswordPrompt<'a> {
+    tester: &'a mut CliTester,
+    prompt: String,
+    confirmation_prompt: String,
+}
+
+impl CliTesterPasswordPrompt<'_> {
+    fn prompt(&mut self) -> Result<&mut Self> {
+        let p = match self.confirmation_prompt.is_empty() {
+            true => self.prompt.as_str(),
+            false => self.confirmation_prompt.as_str(),
+        };
+
+        let mut s = String::new();
+        self.tester
+            .formatter
+            .format_password_prompt(&mut s, p)
+            .expect("diagluer theme formatter should succeed");
+
+        ensure!(s.contains(p), "dialoguer must be broken");
+
+        self.tester
+            .expect(format!("\r{}", sanatize(s)).as_str())
+            .context("expect password input prompt")?;
+        Ok(self)
+    }
+
+    pub fn with_confirmation(&mut self, prompt: &str) -> Result<&mut Self> {
+        self.confirmation_prompt = prompt.to_string();
+        Ok(self)
+    }
+
+    pub fn succeeds_with(&mut self, password: &str) -> Result<&mut Self> {
+        self.tester.send_line(password)?;
+
+        self.tester
+            .expect("\r\n")
+            .context("expect new lines after password input")?;
+
+        if !self.confirmation_prompt.is_empty() {
+            self.prompt()
+                .context("expect password confirmation prompt")?;
+            self.tester.send_line(password)?;
+            self.tester
+                .expect("\r\n\r")
+                .context("expect new lines after password confirmation input")?;
+        }
+
+        let mut s = String::new();
+        self.tester
+            .formatter
+            .format_password_prompt_selection(&mut s, self.prompt.as_str())
+            .expect("diagluer theme formatter should succeed");
+
+        ensure!(s.contains(self.prompt.as_str()), "dialoguer must be broken");
+
+        self.tester
+            .expect(format!("\r{}\r\n", sanatize(s)).as_str())
+            .context("expect password prompt success")?;
+
+        Ok(self)
+    }
+}
+
+pub struct CliTesterConfirmPrompt<'a> {
+    tester: &'a mut CliTester,
+    prompt: String,
+    default: Option<bool>,
+}
+
+impl CliTesterConfirmPrompt<'_> {
+    fn prompt(&mut self, eventually: bool, default: Option<bool>) -> Result<&mut Self> {
+        let mut s = String::new();
+        self.tester
+            .formatter
+            .format_confirm_prompt(&mut s, self.prompt.as_str(), default)
+            .expect("diagluer theme formatter should succeed");
+        ensure!(
+            s.contains(self.prompt.as_str()),
+            "dialoguer must be broken as formatted prompt success doesnt contain prompt"
+        );
+
+        if eventually {
+            self.tester
+                .expect_eventually(sanatize(s).as_str())
+                .context("expect input prompt eventually")?;
+        } else {
+            self.tester
+                .expect(sanatize(s).as_str())
+                .context("expect confirm prompt")?;
+        }
+
+        Ok(self)
+    }
+
+    pub fn succeeds_with(&mut self, input: Option<bool>) -> Result<&mut Self> {
+        self.tester.send_line(match input {
+            None => "",
+            Some(true) => "y",
+            Some(false) => "n",
+        })?;
+        self.tester
+            .expect("\r")
+            .context("expect new line after confirm input to be printed")?;
+
+        let mut s = String::new();
+        self.tester
+            .formatter
+            .format_confirm_prompt_selection(
+                &mut s,
+                self.prompt.as_str(),
+                match input {
+                    None => self.default,
+                    Some(_) => input,
+                },
+            )
+            .expect("diagluer theme formatter should succeed");
+        if !s.contains(self.prompt.as_str()) {
+            panic!("dialoguer must be broken as formatted prompt success doesnt contain prompt");
+        }
+        let formatted_success = format!("{}\r\n", sanatize(s));
+
+        self.tester
+            .expect(formatted_success.as_str())
+            .context("expect immediate prompt success")?;
+        Ok(self)
+    }
+}
+
+pub struct CliTesterMultiSelectPrompt<'a> {
+    tester: &'a mut CliTester,
+    prompt: String,
+    choices: Vec<String>,
+}
+
+impl CliTesterMultiSelectPrompt<'_> {
+    fn prompt(&mut self, eventually: bool) -> Result<&mut Self> {
+        if eventually {
+            self.tester
+                .expect_eventually(format!("{}:\r\n", self.prompt))
+                .context("expect multi-select prompt eventually")?;
+        } else {
+            self.tester
+                .expect(format!("{}:\r\n", self.prompt))
+                .context("expect multi-select prompt")?;
+        }
+        Ok(self)
+    }
+
+    pub fn succeeds_with(
+        &mut self,
+        chosen_indexes: Vec<usize>,
+        report: bool,
+        default_indexes: Vec<usize>,
+    ) -> Result<&mut Self> {
+        if report {
+            bail!("TODO: add support for report")
+        }
+
+        fn show_options(
+            tester: &mut CliTester,
+            choices: &[String],
+            active_index: usize,
+            selected_indexes: &[usize],
+        ) -> Result<()> {
+            for (index, item) in choices.iter().enumerate() {
+                tester.expect(format!(
+                    "{}{}{}\r\n",
+                    if active_index.eq(&index) { "> " } else { "  " },
+                    if selected_indexes.iter().any(|i| i.eq(&index)) {
+                        "[x] "
+                    } else {
+                        "[ ] "
+                    },
+                    item,
+                ))?;
+            }
+            Ok(())
+        }
+
+        show_options(self.tester, &self.choices, 0, &default_indexes)?;
+
+        if default_indexes.eq(&chosen_indexes) {
+            self.tester.send("\r\n")?;
+        } else {
+            bail!("TODO: add support changing options");
+        }
+
+        for _ in self.choices.iter() {
+            self.tester.expect("\r")?;
+        }
+        // one for removing prompt maybe?
+        self.tester.expect("\r")?;
+
+        Ok(self)
+    }
+}
+
+pub struct CliTesterChoicePrompt<'a> {
+    tester: &'a mut CliTester,
+    prompt: String,
+    choices: Vec<String>,
+}
+
+impl CliTesterChoicePrompt<'_> {
+    fn prompt(&mut self, eventually: bool) -> Result<&mut Self> {
+        let mut s = String::new();
+        self.tester
+            .formatter
+            .format_select_prompt(&mut s, self.prompt.as_str())
+            .expect("diagluer theme formatter should succeed");
+        ensure!(
+            s.contains(self.prompt.as_str()),
+            "dialoguer must be broken as formatted prompt success doesnt contain prompt"
+        );
+
+        if eventually {
+            self.tester
+                .expect_eventually(sanatize(s).as_str())
+                .context("expect input prompt eventually")?;
+        } else {
+            self.tester
+                .expect(sanatize(s).as_str())
+                .context("expect confirm prompt")?;
+        }
+
+        Ok(self)
+    }
+
+    pub fn succeeds_with(
+        &mut self,
+        chosen_index: u64,
+        report: bool,
+        default_index: Option<u64>,
+    ) -> Result<&mut Self> {
+        if default_index.is_some() {
+            println!("TODO: add support for default choice")
+        }
+
+        fn show_options(
+            tester: &mut CliTester,
+            choices: &[String],
+            selected_index: Option<usize>,
+        ) -> Result<()> {
+            if selected_index.is_some() {
+                for _ in 0..choices.len() {
+                    tester.expect("\r").context("expect new line per choice")?;
+                }
+            } else {
+                tester
+                    .expect("\r\n")
+                    .context("expect new line before choices")?;
+            }
+
+            for (index, item) in choices.iter().enumerate() {
+                let mut s = String::new();
+                tester
+                    .formatter
+                    .format_select_prompt_item(
+                        &mut s,
+                        item.as_str(),
+                        if let Some(i) = selected_index {
+                            index == i
+                        } else {
+                            false
+                        },
+                    )
+                    .expect("diagluer theme formatter should succeed");
+                ensure!(
+                    s.contains(item.as_str()),
+                    "dialoguer must be broken as formatted prompt success doesnt contain prompt"
+                );
+                tester.expect(sanatize(s)).context("expect choice item")?;
+
+                tester
+                    .expect(if choices.len() == index {
+                        "\r\r"
+                    } else {
+                        "\r\n"
+                    })
+                    .context("expect new line after choice item")?;
+            }
+            Ok(())
+        }
+        fn show_selected(
+            tester: &mut CliTester,
+            prompt: &str,
+            choices: &[String],
+            selected_index: u64,
+        ) -> Result<()> {
+            let mut s = String::new();
+
+            let selected = choices[usize::try_from(selected_index)?].clone();
+            tester
+                .formatter
+                .format_select_prompt_selection(&mut s, prompt, selected.as_str())
+                .expect("diagluer theme formatter should succeed");
+            ensure!(
+                s.contains(selected.as_str()),
+                "dialoguer must be broken as formatted prompt success doesnt contain prompt"
+            );
+            tester.expect(sanatize(s)).context("expect choice item")?;
+            Ok(())
+        }
+
+        show_options(self.tester, &self.choices, None)?;
+
+        for _ in 0..(chosen_index + 1) {
+            self.tester.send("j")?;
+        }
+
+        self.tester.send(" ")?;
+
+        for index in 0..(chosen_index + 1) {
+            show_options(self.tester, &self.choices, Some(usize::try_from(index)?))?;
+        }
+
+        for _ in 0..self.choices.len() {
+            self.tester
+                .expect("\r")
+                .context("expect new line per option")?;
+        }
+
+        self.tester
+            .expect("\r")
+            .context("expect new line after options")?;
+
+        if report {
+            show_selected(self.tester, &self.prompt, &self.choices, chosen_index)?;
+            self.tester
+                .expect("\r\n")
+                .context("expect new line at end")?;
+        }
+
+        Ok(self)
+    }
+}
+
+impl CliTester {
+    pub fn new<I, S>(args: I) -> Self
+    where
+        I: IntoIterator<Item = S>,
+        S: AsRef<OsStr>,
+    {
+        Self {
+            rexpect_session: rexpect_with(args, 2000).expect("rexpect to spawn new process"),
+            formatter: ColorfulTheme::default(),
+        }
+    }
+    pub fn new_from_dir<I, S>(dir: &PathBuf, args: I) -> Self
+    where
+        I: IntoIterator<Item = S>,
+        S: AsRef<OsStr>,
+    {
+        Self {
+            rexpect_session: rexpect_with_from_dir(dir, args, 2000)
+                .expect("rexpect to spawn new process"),
+            formatter: ColorfulTheme::default(),
+        }
+    }
+    pub fn new_with_timeout<I, S>(timeout_ms: u64, args: I) -> Self
+    where
+        I: IntoIterator<Item = S>,
+        S: AsRef<OsStr>,
+    {
+        Self {
+            rexpect_session: rexpect_with(args, timeout_ms).expect("rexpect to spawn new process"),
+            formatter: ColorfulTheme::default(),
+        }
+    }
+
+    pub fn restart_with<I, S>(&mut self, args: I) -> &mut Self
+    where
+        I: IntoIterator<Item = S>,
+        S: AsRef<OsStr>,
+    {
+        self.rexpect_session
+            .process
+            .exit()
+            .expect("process to exit");
+        self.rexpect_session = rexpect_with(args, 2000).expect("rexpect to spawn new process");
+        self
+    }
+
+    pub fn exit(&mut self) -> Result<()> {
+        match self
+            .rexpect_session
+            .process
+            .exit()
+            .context("expect proccess to exit")
+        {
+            Ok(_) => Ok(()),
+            Err(e) => Err(e),
+        }
+    }
+
+    fn exp_string(&mut self, message: &str) -> Result<String> {
+        match self
+            .rexpect_session
+            .exp_string(message)
+            .context("expected immediate end but got timed out")
+        {
+            Ok(before) => Ok(before),
+            Err(e) => {
+                for p in [51, 52, 53, 55, 56, 57] {
+                    let _ = relay::shutdown_relay(8000 + p);
+                }
+                Err(e)
+            }
+        }
+    }
+
+    /// returns what came before expected message
+    pub fn expect_eventually<S>(&mut self, message: S) -> Result<String>
+    where
+        S: Into<String>,
+    {
+        let message_string = message.into();
+        let message = message_string.as_str();
+        let before = self.exp_string(message).context("exp_string failed")?;
+        Ok(before)
+    }
+
+    pub fn expect_after_whitespace<S>(&mut self, message: S) -> Result<&mut Self>
+    where
+        S: Into<String>,
+    {
+        assert_eq!("", self.expect_eventually(message)?.trim());
+        Ok(self)
+    }
+
+    pub fn expect<S>(&mut self, message: S) -> Result<&mut Self>
+    where
+        S: Into<String>,
+    {
+        let message_string = message.into();
+        let message = message_string.as_str();
+        let before = self.expect_eventually(message)?;
+        if !before.is_empty() {
+            std::fs::write("test-cli-expect-output.txt", before.clone())?;
+
+            // let mut output = std::fs::File::create("aaaaaaaaaaa.txt")?;
+            // write!(output, "{}", *before);
+        }
+        ensure!(
+            before.is_empty(),
+            format!(
+                "expected message \"{}\". but got \"{}\" first.",
+                message.replace('\n', "\\n").replace('\r', "\\r"),
+                before.replace('\n', "\\n").replace('\r', "\\r"),
+            ),
+        );
+        Ok(self)
+    }
+
+    fn exp_eof(&mut self) -> Result<String> {
+        match self
+            .rexpect_session
+            .exp_eof()
+            .context("expected end but got timed out")
+        {
+            Ok(before) => Ok(before),
+            Err(e) => {
+                for p in [51, 52, 53, 55, 56, 57] {
+                    let _ = relay::shutdown_relay(8000 + p);
+                }
+                Err(e)
+            }
+        }
+    }
+
+    pub fn expect_end(&mut self) -> Result<()> {
+        let before = self
+            .exp_eof()
+            .context("expected immediate end but got timed out")?;
+        ensure!(
+            before.is_empty(),
+            format!(
+                "expected immediate end but got '{}' first.",
+                before.replace('\n', "\\n").replace('\r', "\\r"),
+            ),
+        );
+        Ok(())
+    }
+
+    pub fn expect_end_with(&mut self, message: &str) -> Result<()> {
+        let before = self
+            .exp_eof()
+            .context("expected immediate end but got timed out")?;
+        assert_eq!(before, message);
+        Ok(())
+    }
+
+    pub fn expect_end_eventually_and_print(&mut self) -> Result<()> {
+        let before = self.exp_eof().context("expected end but got timed out")?;
+        println!("ended eventually with:");
+        println!("{}", &before);
+        Ok(())
+    }
+
+    pub fn expect_end_with_whitespace(&mut self) -> Result<()> {
+        let before = self
+            .exp_eof()
+            .context("expected immediate end but got timed out")?;
+        assert_eq!(before.trim(), "");
+        Ok(())
+    }
+
+    pub fn expect_end_eventually(&mut self) -> Result<String> {
+        self.exp_eof()
+            .context("expected end eventually but got timed out")
+    }
+
+    pub fn expect_end_eventually_with(&mut self, message: &str) -> Result<()> {
+        self.expect_eventually(message)?;
+        self.expect_end()
+    }
+
+    fn send_line(&mut self, line: &str) -> Result<()> {
+        self.rexpect_session
+            .send_line(line)
+            .context("send_line failed")?;
+        Ok(())
+    }
+
+    fn send(&mut self, s: &str) -> Result<()> {
+        self.rexpect_session.send(s).context("send failed")?;
+        self.rexpect_session.flush()?;
+        Ok(())
+    }
+}
+
+/// sanatize unicode string for rexpect
+fn sanatize(s: String) -> String {
+    // remove ansi codes as they don't work with rexpect
+    strip_str(s)
+        // sanatize unicode rexpect issue 105 is resolved https://github.com/rust-cli/rexpect/issues/105
+        .as_bytes()
+        .iter()
+        .map(|c| *c as char)
+        .collect::<String>()
+}
+
+pub fn rexpect_with<I, S>(args: I, timeout_ms: u64) -> Result<PtySession, rexpect::error::Error>
+where
+    I: IntoIterator<Item = S>,
+    S: AsRef<std::ffi::OsStr>,
+{
+    let mut cmd = std::process::Command::new(assert_cmd::cargo::cargo_bin("ngit"));
+    cmd.env("NGITTEST", "TRUE");
+    cmd.env("RUST_BACKTRACE", "0");
+    cmd.args(args);
+    // using branch for PR https://github.com/rust-cli/rexpect/pull/103 to strip ansi escape codes
+    rexpect::session::spawn_with_options(
+        cmd,
+        Options {
+            timeout_ms: Some(timeout_ms),
+            strip_ansi_escape_codes: true,
+        },
+    )
+}
+
+pub fn rexpect_with_from_dir<I, S>(
+    dir: &PathBuf,
+    args: I,
+    timeout_ms: u64,
+) -> Result<PtySession, rexpect::error::Error>
+where
+    I: IntoIterator<Item = S>,
+    S: AsRef<std::ffi::OsStr>,
+{
+    let mut cmd = std::process::Command::new(assert_cmd::cargo::cargo_bin("ngit"));
+    cmd.env("NGITTEST", "TRUE");
+    cmd.env("RUST_BACKTRACE", "0");
+    cmd.current_dir(dir);
+    cmd.args(args);
+    // using branch for PR https://github.com/rust-cli/rexpect/pull/103 to strip ansi escape codes
+    rexpect::session::spawn_with_options(
+        cmd,
+        Options {
+            timeout_ms: Some(timeout_ms),
+            strip_ansi_escape_codes: true,
+        },
+    )
+}
+
+/// backup and remove application config and data
+pub fn before() -> Result<()> {
+    backup_existing_config()
+}
+
+/// restore backuped application config and data
+pub fn after() -> Result<()> {
+    restore_config_backup()
+}
+
+/// run func between before and after scripts which backup, reset and restore
+/// application config
+///
+/// TODO: fix issue: if func panics, after() is not run.
+pub fn with_fresh_config<F>(func: F) -> Result<()>
+where
+    F: Fn() -> Result<()>,
+{
+    before()?;
+    func()?;
+    after()
+}
+
+fn backup_existing_config() -> Result<()> {
+    let config_path = get_dirs().config_dir().join("config.json");
+    let backup_config_path = get_dirs().config_dir().join("config-backup.json");
+    if config_path.exists() {
+        std::fs::rename(config_path, backup_config_path)?;
+    }
+    Ok(())
+}
+
+fn restore_config_backup() -> Result<()> {
+    let config_path = get_dirs().config_dir().join("config.json");
+    let backup_config_path = get_dirs().config_dir().join("config-backup.json");
+    if config_path.exists() {
+        std::fs::remove_file(&config_path)?;
+    }
+    if backup_config_path.exists() {
+        std::fs::rename(backup_config_path, config_path)?;
+    }
+    Ok(())
+}
+
+fn get_dirs() -> ProjectDirs {
+    ProjectDirs::from("", "CodeCollaboration", "ngit")
+        .expect("rust directories crate should return ProjectDirs")
+}
diff --git a/test_utils/src/relay.rs b/test_utils/src/relay.rs
new file mode 100644
index 00000000..82a8f8dd
--- /dev/null
+++ b/test_utils/src/relay.rs
@@ -0,0 +1,347 @@
+use std::collections::HashMap;
+
+use anyhow::{bail, Result};
+use nostr::{ClientMessage, JsonUtil, RelayMessage};
+
+use crate::CliTester;
+
+type ListenerEventFunc<'a> = &'a dyn Fn(&mut Relay, u64, nostr::Event) -> Result<()>;
+pub type ListenerReqFunc<'a> =
+    &'a dyn Fn(&mut Relay, u64, nostr::SubscriptionId, Vec<nostr::Filter>) -> Result<()>;
+
+pub struct Relay<'a> {
+    port: u16,
+    event_hub: simple_websockets::EventHub,
+    clients: HashMap<u64, simple_websockets::Responder>,
+    pub events: Vec<nostr::Event>,
+    pub reqs: Vec<Vec<nostr::Filter>>,
+    event_listener: Option<ListenerEventFunc<'a>>,
+    req_listener: Option<ListenerReqFunc<'a>>,
+}
+
+impl<'a> Relay<'a> {
+    pub fn new(
+        port: u16,
+        event_listener: Option<ListenerEventFunc<'a>>,
+        req_listener: Option<ListenerReqFunc<'a>>,
+    ) -> Self {
+        let event_hub = simple_websockets::launch(port)
+            .unwrap_or_else(|_| panic!("failed to listen on port {port}"));
+        Self {
+            port,
+            events: vec![],
+            reqs: vec![],
+            event_hub,
+            clients: HashMap::new(),
+            event_listener,
+            req_listener,
+        }
+    }
+    pub fn respond_ok(
+        &self,
+        client_id: u64,
+        event: nostr::Event,
+        error: Option<&str>,
+    ) -> Result<bool> {
+        let responder = self.clients.get(&client_id).unwrap();
+
+        let ok_json = RelayMessage::Ok {
+            event_id: event.id,
+            status: error.is_none(),
+            message: error.unwrap_or("").to_string(),
+        }
+        .as_json();
+        // bail!(format!("{}", &ok_json));
+        Ok(responder.send(simple_websockets::Message::Text(ok_json)))
+    }
+
+    pub fn respond_eose(
+        &self,
+        client_id: u64,
+        subscription_id: nostr::SubscriptionId,
+    ) -> Result<bool> {
+        let responder = self.clients.get(&client_id).unwrap();
+
+        Ok(responder.send(simple_websockets::Message::Text(
+            RelayMessage::EndOfStoredEvents(subscription_id).as_json(),
+        )))
+    }
+
+    /// send events and eose
+    pub fn respond_events(
+        &self,
+        client_id: u64,
+        subscription_id: &nostr::SubscriptionId,
+        events: &Vec<nostr::Event>,
+    ) -> Result<bool> {
+        let responder = self.clients.get(&client_id).unwrap();
+
+        for event in events {
+            let res = responder.send(simple_websockets::Message::Text(
+                RelayMessage::Event {
+                    subscription_id: subscription_id.clone(),
+                    event: Box::new(event.clone()),
+                }
+                .as_json(),
+            ));
+            if !res {
+                return Ok(false);
+            }
+        }
+        self.respond_eose(client_id, subscription_id.clone())
+    }
+
+    /// send collected events, filtered by filters, and eose
+    pub fn respond_standard_req(
+        &self,
+        client_id: u64,
+        subscription_id: &nostr::SubscriptionId,
+        // TODO: enable filters
+        _filters: &[nostr::Filter],
+    ) -> Result<bool> {
+        // let t: Vec<nostr::Kind> = self.events.iter().map(|e| e.kind).collect();
+        // .filter(|e| filters.iter().any(|filter| filter.match_event(e)))
+        // println!("letsgo{:?}", t);
+
+        self.respond_events(
+            client_id,
+            subscription_id,
+            &self
+                .events
+                .iter()
+                // FIXME:
+                // `filter.match_events` does not exist anymore
+                // it has been moved to `nostr_database_::FilterIndex`
+                // but it's private now
+                // .filter(|e| filters.iter().any(|filter|filter.match_event(e)))
+                .filter(|_| true)
+                .cloned()
+                .collect(),
+        )
+    }
+    /// listen, collect events and responds with event_listener to events or
+    /// Ok(eventid) if event_listner is None
+    pub async fn listen_until_close(&mut self) -> Result<()> {
+        loop {
+            println!("{} polling", self.port);
+            match self.event_hub.poll_async().await {
+                simple_websockets::Event::Connect(client_id, responder) => {
+                    // add their Responder to our `clients` map:
+                    self.clients.insert(client_id, responder);
+                }
+                simple_websockets::Event::Disconnect(client_id) => {
+                    // remove the disconnected client from the clients map:
+                    println!("{} disconnected", self.port);
+                    self.clients.remove(&client_id);
+                    // break;
+                }
+                simple_websockets::Event::Message(client_id, message) => {
+                    // println!("bla{:?}", &message);
+
+                    println!(
+                        "{} Received a message from client #{}: {:?}",
+                        self.port, client_id, message
+                    );
+                    if let simple_websockets::Message::Text(s) = message.clone() {
+                        if s.eq("shut me down") {
+                            println!("{} recieved shut me down", self.port);
+                            break;
+                        }
+                    }
+                    // println!("{:?}", &message);
+                    if let Ok(event) = get_nevent(&message) {
+                        // println!("{:?}", &event);
+                        // let t: Vec<nostr::Kind> = self.events.iter().map(|e| e.kind).collect();
+                        // println!("before{:?}", t);
+                        self.events.push(event.clone());
+                        // let t: Vec<nostr::Kind> = self.events.iter().map(|e| e.kind).collect();
+                        // println!("after{:?}", t);
+
+                        if let Some(listner) = self.event_listener {
+                            listner(self, client_id, event)?;
+                        } else {
+                            self.respond_ok(client_id, event, None)?;
+                        }
+                    }
+
+                    if let Ok((subscription_id, filters)) = get_nreq(&message) {
+                        self.reqs.push(filters.clone());
+                        if let Some(listner) = self.req_listener {
+                            listner(self, client_id, subscription_id, filters)?;
+                        } else {
+                            self.respond_standard_req(client_id, &subscription_id, &filters)?;
+                            // self.respond_eose(client_id, subscription_id)?;
+                        }
+                        // respond with events
+                        // respond with EOSE
+                    }
+                    if is_nclose(&message) {
+                        println!("{} recieved nostr close", self.port);
+                        // break;
+                    }
+                }
+            }
+        }
+        println!(
+            "{} stop polling. we may not be polling but the tcplistner is still listening",
+            self.port
+        );
+        Ok(())
+    }
+}
+
+pub fn shutdown_relay(port: u64) -> Result<()> {
+    let mut counter = 0;
+    while let Ok((mut socket, _)) = tungstenite::connect(format!("ws://localhost:{}", port)) {
+        counter += 1;
+        if counter == 1 {
+            socket.write(tungstenite::Message::text("shut me down"))?;
+        }
+        socket.close(None)?;
+    }
+    Ok(())
+}
+
+fn get_nevent(message: &simple_websockets::Message) -> Result<nostr::Event> {
+    if let simple_websockets::Message::Text(s) = message.clone() {
+        let cm_result = ClientMessage::from_json(s);
+        if let Ok(ClientMessage::Event(event)) = cm_result {
+            let e = *event;
+            return Ok(e.clone());
+        }
+    }
+    bail!("not nostr event")
+}
+
+fn get_nreq(
+    message: &simple_websockets::Message,
+) -> Result<(nostr::SubscriptionId, Vec<nostr::Filter>)> {
+    if let simple_websockets::Message::Text(s) = message.clone() {
+        let cm_result = ClientMessage::from_json(s);
+        if let Ok(ClientMessage::Req {
+            subscription_id,
+            filters,
+        }) = cm_result
+        {
+            return Ok((subscription_id, filters));
+        }
+    }
+    bail!("not nostr event")
+}
+
+fn is_nclose(message: &simple_websockets::Message) -> bool {
+    if let simple_websockets::Message::Text(s) = message.clone() {
+        let cm_result = ClientMessage::from_json(s);
+        if let Ok(ClientMessage::Close(_)) = cm_result {
+            return true;
+        }
+    }
+    false
+}
+
+pub enum Message {
+    Event,
+    // Request,
+}
+
+/// leaves trailing whitespace and only compatible with --no-cli-spinners flag
+/// relays tuple: (title,successful,message)
+pub fn expect_send_with_progress(
+    p: &mut CliTester,
+    relays: Vec<(&str, bool, &str)>,
+    event_count: u16,
+) -> Result<()> {
+    p.expect(format!(
+        " - {} -------------------- 0/{event_count}",
+        &relays[0].0
+    ))?;
+    let last_relay_outcome = outcome_message(relays.last().unwrap());
+    let mut s = String::new();
+    loop {
+        s.push_str(&p.expect_eventually(&last_relay_outcome)?);
+        s.push_str(&last_relay_outcome);
+        if relays.iter().all(|r| s.contains(&outcome_message(r))) {
+            // all responses have been received with correct outcome
+            break;
+        }
+    }
+    Ok(())
+}
+
+fn outcome_message(relay: &(&str, bool, &str)) -> String {
+    if relay.1 {
+        format!(" y {}", relay.0)
+    } else {
+        format!(" x {} {}", relay.0, relay.2)
+    }
+}
+
+pub fn expect_send_with_progress_exact_interaction(
+    p: &mut CliTester,
+    titles: Vec<&str>,
+    count: u16,
+) -> Result<()> {
+    let whitespace_mid = " \r\n";
+    let whitespace_end = "                   \r\r\r";
+
+    p.expect(format!(
+        " - {} -------------------- 0/{count}        \r",
+        titles[0]
+    ))?;
+    p.expect(format!(
+        " - {} -------------------- 0/{count}{whitespace_mid}",
+        titles[0]
+    ))?;
+    p.expect(format!(
+        " - {} -------------------- 0/{count}                     \r\r",
+        titles[1]
+    ))?;
+
+    let generate_text = |title: &str, num: u16, confirmed_complete: bool| -> String {
+        let symbol = if confirmed_complete && num.eq(&count) {
+            "â"
+        } else {
+            "-"
+        };
+        let bar = match (num, count) {
+            (0, _) => "--------------------",
+            (1, 2) => "###########---------",
+            (x, y) => {
+                if x.eq(&y) {
+                    "####################"
+                } else {
+                    "--unknown--"
+                }
+            }
+        };
+        format!(
+            " {symbol} {title} {bar} {num}/{count}{}",
+            if (&title).eq(titles.last().unwrap()) {
+                whitespace_end
+            } else {
+                whitespace_mid
+            }
+        )
+    };
+    let mut nums: HashMap<&str, u16> = HashMap::new();
+    for title in &titles {
+        nums.insert(title, 0);
+        p.expect(generate_text(title, 0, false))?;
+    }
+    loop {
+        for selected_title in &titles {
+            for title in &titles {
+                if title.eq(selected_title) {
+                    let new_num = nums.get(title).unwrap() + 1;
+                    if new_num.gt(&count) {
+                        return Ok(());
+                    }
+                    nums.insert(title, new_num);
+                    p.expect(generate_text(title, *nums.get(title).unwrap(), false))?;
+                } else {
+                    p.expect(generate_text(title, *nums.get(title).unwrap(), true))?;
+                }
+            }
+        }
+    }
+}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

No branches or pull requests

2 participants