mostr/src/main.rs

186 lines
6.1 KiB
Rust
Raw Normal View History

use crate::State::{Active, Closed, Done, Open};
use nostr_sdk::async_utility::futures_util::TryFutureExt;
use nostr_sdk::prelude::*;
use once_cell::sync::Lazy;
use std::borrow::Borrow;
2024-07-17 19:55:25 +00:00
use std::collections::HashMap;
use std::env::args;
use std::fmt;
use std::io::{stdin, stdout, Write};
2024-07-09 14:56:08 +00:00
use std::net::{Ipv4Addr, SocketAddr, SocketAddrV4};
use std::ops::Deref;
use std::time::Duration;
2024-07-09 14:56:08 +00:00
/*
1: Task Description
Issue Tracking: https://github.com/nostr-protocol/nips/blob/master/34.md
1621: MD Issue
1622: MD Reply
1630-1633: Status (Time-tracking, Kanban)
Calendar: https://github.com/nostr-protocol/nips/blob/master/52.md
31922 (GANTT, only Date)
31923 (Calendar, with Time)
*/
static TASK_KIND: Lazy<Kind> = Lazy::new(|| Kind::from(1621));
static MY_KEYS: Lazy<Keys> = Lazy::new(|| Keys::generate());
static CLIENT: Lazy<Client> = Lazy::new(|| Client::new(MY_KEYS.borrow().deref()));
2024-07-09 14:56:08 +00:00
#[tokio::main]
async fn main() {
let proxy = Some(SocketAddr::V4(SocketAddrV4::new(Ipv4Addr::LOCALHOST, 9050)));
CLIENT.add_relay("ws://localhost:4736").await;
//CLIENT.add_relay("wss://relay.damus.io").await;
//CLIENT
2024-07-09 14:56:08 +00:00
// .add_relay_with_opts(
// "wss://relay.nostr.info",
// RelayOptions::new().proxy(proxy).flags(RelayServiceFlags::default().remove(RelayServiceFlags::WRITE)),
// )
// .await?;
//CLIENT
2024-07-09 14:56:08 +00:00
// .add_relay_with_opts(
// "ws://jgqaglhautb4k6e6i2g34jakxiemqp6z4wynlirltuukgkft2xuglmqd.onion",
// RelayOptions::new().proxy(proxy),
// )
// .await?;
//let metadata = Metadata::new()
// .name("username")
// .display_name("My Username")
// .about("Description")
// .picture(Url::parse("https://example.com/avatar.png")?)
// .banner(Url::parse("https://example.com/banner.png")?)
// .nip05("username@example.com")
// .lud16("yuki@getalby.com")
// .custom_field("custom_field", "my value");
//CLIENT.set_metadata(&metadata).await?;
2024-07-09 14:56:08 +00:00
CLIENT.connect().await;
2024-07-09 14:56:08 +00:00
let timeout = Duration::from_secs(3);
let filter = Filter::new().kind(*TASK_KIND);
let sub_id: SubscriptionId = CLIENT.subscribe(vec![filter.clone()], None).await;
for argument in args().skip(1) {
2024-07-17 19:55:25 +00:00
let _ = send(&argument, &[]).await;
}
repl().await;
println!("Finding existing events");
let res = CLIENT.get_events_of(vec![filter], Option::from(timeout)).map_ok(|res|
for event in res {
println!("Found {} {:?}", event.content, event.tags)
}).await;
2024-07-09 14:56:08 +00:00
let mut notifications = CLIENT.notifications();
println!("Listening for events...");
2024-07-09 14:56:08 +00:00
while let Ok(notification) = notifications.recv().await {
if let RelayPoolNotification::Event { subscription_id, event, .. } = notification {
let kind = event.kind;
let content = &event.content;
println!("{kind}: {content}");
//break; // Exit
}
}
}
2024-07-17 19:55:25 +00:00
fn make_event(text: &str, tags: &[Tag]) -> Event {
EventBuilder::new(*TASK_KIND, text, tags.to_vec()).to_event(&MY_KEYS).unwrap()
}
async fn send(text: &str, tags: &[Tag]) -> (Event, Result<EventId, Error>) {
println!("Sending {}", text);
let event = EventBuilder::new(*TASK_KIND, text, tags.to_vec()).to_event(&MY_KEYS).unwrap();
2024-07-17 19:55:25 +00:00
let result = CLIENT.send_event(event.clone()).await;
return (event, result);
}
async fn repl() {
2024-07-17 19:55:25 +00:00
let mut tasks: HashMap<EventId, Task> = HashMap::new();
let mut position: Option<EventId> = None;
loop {
2024-07-17 21:38:27 +00:00
let mut prompt = String::from("");
let mut pos = position;
while pos.is_some() {
let id = pos.unwrap();
let task = tasks.get(&id);
prompt = task.map_or(id.to_string(), |t| t.event.content.clone()) + " " + &prompt;
pos = task.and_then(|t| t.parent_id());
}
print!(" {}> ", prompt);
stdout().flush().unwrap();
match stdin().lines().next() {
Some(Ok(input)) => {
if input.trim() == "exit" {
break;
}
2024-07-17 19:55:25 +00:00
match input.split_once(": ") {
None => {
position = EventId::parse(input).ok().or(
position.and_then(|p| tasks.get(&p)).and_then(|t| t.parent_id()));
}
Some(s) => {
2024-07-17 19:55:25 +00:00
let mut tags: Vec<Tag> = s.1.split(" ").map(|t| Tag::Hashtag(t.to_string())).collect();
if let Some(pos) = position {
tags.push(Tag::event(pos));
}
let event = make_event(s.0, &tags);
for tag in event.tags.iter() {
match tag {
Tag::Event { event_id, .. } => {
tasks.get_mut(event_id).unwrap().children.push(event.clone());
}
_ => {}
}
}
tasks.insert(event.id, Task::new(event));
}
};
2024-07-17 19:55:25 +00:00
let events: Vec<&Event> = position.map_or(tasks.values().map(|t| &t.event).collect(),
|p| tasks.get(&p).map_or(Vec::new(), |t| t.children.iter().collect()));
for event in events {
println!("{}: {}", event.id, event.content);
}
}
_ => {}
}
}
2024-07-17 19:55:25 +00:00
CLIENT.batch_event(tasks.into_values().map(|t| t.event).collect(), RelaySendOptions::new().skip_send_confirmation(true)).await.unwrap();
}
2024-07-17 19:55:25 +00:00
struct Task {
event: Event,
children: Vec<Event>,
}
impl Task {
fn new(event: Event) -> Task {
Task {
event,
children: Vec::new(),
}
}
}
struct TaskState {
name: String,
state: State,
time: Timestamp,
}
#[derive(Debug)]
enum State {
Open,
Active,
Done,
Closed,
}
impl fmt::Display for State {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
fmt::Debug::fmt(self, f)
}
}