mirror of
https://github.com/purrgrammer/grimoire.git
synced 2026-04-12 16:37:06 +02:00
feat: add NIP-57 zap command foundation
Implements the foundational structure for sending Lightning zaps (NIP-57) to Nostr users and events. This commit adds the command interface, UI components, and routing logic. The actual LNURL resolution and zap request creation will be implemented in follow-up commits. Components Added: - ZapWindow: Full-featured UI for zapping with amount presets, custom amounts, wallet integration, and QR code fallback - parseZapCommand: Parser supporting multiple formats (npub, nprofile, nevent, naddr, NIP-05, $me alias) - Command registration in man pages with examples - Window routing and title generation Features: - Preset amount buttons (21, 100, 500, 1000, 5000, 10000 sats) - Custom amount input - Amount usage tracking (remembers most-used amounts) - Comment field for zap messages - Event context rendering (shows zapped event in UI) - Dual payment methods: NWC wallet or QR code/invoice copy - Dynamic recipient resolution (from event author if zapping event) Usage: zap fiatjaf.com # Zap a user by NIP-05 zap npub1... # Zap a user by npub zap nevent1... # Zap an event (recipient = author) zap npub1... nevent1... # Zap specific user for specific event Next Steps: - Implement LNURL-pay resolution (fetch callback URL and nostrPubkey) - Create kind 9734 zap request event with applesauce factory - Implement invoice generation via LNURL callback - Integrate NWC wallet payment - Add zap action to event context menus - Implement zap receipt listening (kind 9735)
This commit is contained in:
@@ -303,6 +303,34 @@ function generateRawCommand(appId: string, props: any): string {
|
||||
case "spells":
|
||||
return "spells";
|
||||
|
||||
case "zap":
|
||||
if (props.recipientPubkey) {
|
||||
try {
|
||||
const npub = nip19.npubEncode(props.recipientPubkey);
|
||||
let result = `zap ${npub}`;
|
||||
if (props.eventPointer) {
|
||||
if ("id" in props.eventPointer) {
|
||||
const nevent = nip19.neventEncode({ id: props.eventPointer.id });
|
||||
result += ` ${nevent}`;
|
||||
} else if (
|
||||
"kind" in props.eventPointer &&
|
||||
"pubkey" in props.eventPointer
|
||||
) {
|
||||
const naddr = nip19.naddrEncode({
|
||||
kind: props.eventPointer.kind,
|
||||
pubkey: props.eventPointer.pubkey,
|
||||
identifier: props.eventPointer.identifier || "",
|
||||
});
|
||||
result += ` ${naddr}`;
|
||||
}
|
||||
}
|
||||
return result;
|
||||
} catch {
|
||||
return `zap ${props.recipientPubkey.slice(0, 16)}...`;
|
||||
}
|
||||
}
|
||||
return "zap";
|
||||
|
||||
default:
|
||||
return appId;
|
||||
}
|
||||
|
||||
@@ -43,6 +43,9 @@ const BlossomViewer = lazy(() =>
|
||||
import("./BlossomViewer").then((m) => ({ default: m.BlossomViewer })),
|
||||
);
|
||||
const WalletViewer = lazy(() => import("./WalletViewer"));
|
||||
const ZapWindow = lazy(() =>
|
||||
import("./ZapWindow").then((m) => ({ default: m.ZapWindow })),
|
||||
);
|
||||
const CountViewer = lazy(() => import("./CountViewer"));
|
||||
|
||||
// Loading fallback component
|
||||
@@ -226,6 +229,14 @@ export function WindowRenderer({ window, onClose }: WindowRendererProps) {
|
||||
case "wallet":
|
||||
content = <WalletViewer />;
|
||||
break;
|
||||
case "zap":
|
||||
content = (
|
||||
<ZapWindow
|
||||
recipientPubkey={window.props.recipientPubkey}
|
||||
eventPointer={window.props.eventPointer}
|
||||
/>
|
||||
);
|
||||
break;
|
||||
default:
|
||||
content = (
|
||||
<div className="p-4 text-muted-foreground">
|
||||
|
||||
428
src/components/ZapWindow.tsx
Normal file
428
src/components/ZapWindow.tsx
Normal file
@@ -0,0 +1,428 @@
|
||||
/**
|
||||
* ZapWindow Component
|
||||
*
|
||||
* UI for sending Lightning zaps to Nostr users and events (NIP-57)
|
||||
*
|
||||
* Features:
|
||||
* - Send zaps to profiles or events
|
||||
* - Preset and custom amounts
|
||||
* - Remembers most-used amounts
|
||||
* - NWC wallet payment or QR code fallback
|
||||
* - Shows feed render of zapped event
|
||||
*/
|
||||
|
||||
import { useState, useEffect, useMemo } from "react";
|
||||
import { toast } from "sonner";
|
||||
import {
|
||||
Zap,
|
||||
Wallet,
|
||||
QrCode,
|
||||
Copy,
|
||||
ExternalLink,
|
||||
Loader2,
|
||||
CheckCircle2,
|
||||
} from "lucide-react";
|
||||
import { Button } from "@/components/ui/button";
|
||||
import { Input } from "@/components/ui/input";
|
||||
import { Card, CardContent, CardHeader, CardTitle } from "@/components/ui/card";
|
||||
import {
|
||||
Dialog,
|
||||
DialogContent,
|
||||
DialogDescription,
|
||||
DialogHeader,
|
||||
DialogTitle,
|
||||
} from "@/components/ui/dialog";
|
||||
import { Label } from "@/components/ui/label";
|
||||
import { Tabs, TabsContent, TabsList, TabsTrigger } from "@/components/ui/tabs";
|
||||
import QRCode from "qrcode";
|
||||
import { useProfile } from "applesauce-react/hooks";
|
||||
import { use$ } from "applesauce-react/hooks";
|
||||
import eventStore from "@/services/event-store";
|
||||
import { useWallet } from "@/hooks/useWallet";
|
||||
import { getProfileContent } from "applesauce-core/helpers";
|
||||
import { getDisplayName } from "@/lib/nostr-utils";
|
||||
import { KindRenderer } from "./nostr/kinds";
|
||||
import type { EventPointer, AddressPointer } from "@/lib/open-parser";
|
||||
import { isAddressableKind } from "applesauce-core/helpers";
|
||||
import type { NostrEvent } from "@/types/nostr";
|
||||
|
||||
export interface ZapWindowProps {
|
||||
/** Recipient pubkey (who receives the zap) */
|
||||
recipientPubkey: string;
|
||||
/** Optional event being zapped (adds context) */
|
||||
eventPointer?: EventPointer | AddressPointer;
|
||||
}
|
||||
|
||||
// Default preset amounts in sats
|
||||
const DEFAULT_PRESETS = [21, 100, 500, 1000, 5000, 10000];
|
||||
|
||||
// LocalStorage keys
|
||||
const STORAGE_KEY_CUSTOM_AMOUNTS = "grimoire_zap_custom_amounts";
|
||||
const STORAGE_KEY_AMOUNT_USAGE = "grimoire_zap_amount_usage";
|
||||
|
||||
export function ZapWindow({
|
||||
recipientPubkey: initialRecipientPubkey,
|
||||
eventPointer,
|
||||
}: ZapWindowProps) {
|
||||
// Load event if we have a pointer and no recipient pubkey (derive from event author)
|
||||
const event = use$(() => {
|
||||
if (!eventPointer) return undefined;
|
||||
if ("id" in eventPointer) {
|
||||
return eventStore.event(eventPointer.id);
|
||||
}
|
||||
// AddressPointer
|
||||
return eventStore.replaceable(
|
||||
eventPointer.kind,
|
||||
eventPointer.pubkey,
|
||||
eventPointer.identifier,
|
||||
);
|
||||
}, [eventPointer]);
|
||||
|
||||
// Resolve recipient: use provided pubkey or derive from event author
|
||||
const recipientPubkey = initialRecipientPubkey || event?.pubkey || "";
|
||||
|
||||
const recipientProfile = useProfile(recipientPubkey, eventStore);
|
||||
|
||||
const { wallet, walletInfo, payInvoice, refreshBalance } = useWallet();
|
||||
|
||||
const [selectedAmount, setSelectedAmount] = useState<number | null>(null);
|
||||
const [customAmount, setCustomAmount] = useState("");
|
||||
const [comment, setComment] = useState("");
|
||||
const [isProcessing, setIsProcessing] = useState(false);
|
||||
const [isPaid, setIsPaid] = useState(false);
|
||||
const [qrCodeUrl, setQrCodeUrl] = useState<string>("");
|
||||
const [invoice, setInvoice] = useState<string>("");
|
||||
const [showQrDialog, setShowQrDialog] = useState(false);
|
||||
|
||||
// Load custom amounts and usage stats from localStorage
|
||||
const [customAmounts, setCustomAmounts] = useState<number[]>(() => {
|
||||
const stored = localStorage.getItem(STORAGE_KEY_CUSTOM_AMOUNTS);
|
||||
return stored ? JSON.parse(stored) : [];
|
||||
});
|
||||
|
||||
const [amountUsage, setAmountUsage] = useState<Record<string, number>>(() => {
|
||||
const stored = localStorage.getItem(STORAGE_KEY_AMOUNT_USAGE);
|
||||
return stored ? JSON.parse(stored) : {};
|
||||
});
|
||||
|
||||
// Combine preset and custom amounts, sort by usage
|
||||
const availableAmounts = useMemo(() => {
|
||||
const all = [...DEFAULT_PRESETS, ...customAmounts];
|
||||
const unique = Array.from(new Set(all));
|
||||
// Sort by usage count (descending), then by amount
|
||||
return unique.sort((a, b) => {
|
||||
const usageA = amountUsage[a] || 0;
|
||||
const usageB = amountUsage[b] || 0;
|
||||
if (usageA !== usageB) return usageB - usageA;
|
||||
return a - b;
|
||||
});
|
||||
}, [customAmounts, amountUsage]);
|
||||
|
||||
// Get recipient name for display
|
||||
const recipientName = useMemo(() => {
|
||||
const content = recipientProfile
|
||||
? getProfileContent(recipientProfile)
|
||||
: null;
|
||||
return content
|
||||
? getDisplayName(recipientPubkey, content)
|
||||
: recipientPubkey.slice(0, 8);
|
||||
}, [recipientPubkey, recipientProfile]);
|
||||
|
||||
// Get event author name if zapping an event
|
||||
const eventAuthorName = useMemo(() => {
|
||||
if (!event) return null;
|
||||
const authorProfile = eventStore.getReplaceable(0, event.pubkey);
|
||||
const content = authorProfile ? getProfileContent(authorProfile) : null;
|
||||
return content
|
||||
? getDisplayName(event.pubkey, content)
|
||||
: event.pubkey.slice(0, 8);
|
||||
}, [event]);
|
||||
|
||||
// Track amount usage
|
||||
const trackAmountUsage = (amount: number) => {
|
||||
const newUsage = {
|
||||
...amountUsage,
|
||||
[amount]: (amountUsage[amount] || 0) + 1,
|
||||
};
|
||||
setAmountUsage(newUsage);
|
||||
localStorage.setItem(STORAGE_KEY_AMOUNT_USAGE, JSON.stringify(newUsage));
|
||||
|
||||
// If it's a custom amount not in our list, add it
|
||||
if (!DEFAULT_PRESETS.includes(amount) && !customAmounts.includes(amount)) {
|
||||
const newCustomAmounts = [...customAmounts, amount];
|
||||
setCustomAmounts(newCustomAmounts);
|
||||
localStorage.setItem(
|
||||
STORAGE_KEY_CUSTOM_AMOUNTS,
|
||||
JSON.stringify(newCustomAmounts),
|
||||
);
|
||||
}
|
||||
};
|
||||
|
||||
// Handle zap payment flow
|
||||
const handleZap = async (useWallet: boolean) => {
|
||||
const amount = selectedAmount || parseInt(customAmount);
|
||||
if (!amount || amount <= 0) {
|
||||
toast.error("Please enter a valid amount");
|
||||
return;
|
||||
}
|
||||
|
||||
setIsProcessing(true);
|
||||
try {
|
||||
// Track usage
|
||||
trackAmountUsage(amount);
|
||||
|
||||
// Step 1: Get Lightning address from recipient profile
|
||||
const content = recipientProfile
|
||||
? getProfileContent(recipientProfile)
|
||||
: null;
|
||||
const lud16 = content?.lud16;
|
||||
const lud06 = content?.lud06;
|
||||
|
||||
if (!lud16 && !lud06) {
|
||||
throw new Error("Recipient has no Lightning address configured");
|
||||
}
|
||||
|
||||
// Step 2: Resolve LNURL to get callback URL
|
||||
// TODO: Implement full LNURL resolution and zap request creation
|
||||
// For now, show a placeholder message
|
||||
toast.error(
|
||||
"Zap functionality coming soon! Need to implement LNURL resolution and zap request creation.",
|
||||
);
|
||||
|
||||
// Placeholder for full implementation:
|
||||
// 1. Resolve LNURL (lud16 or lud06) to get callback URL and nostrPubkey
|
||||
// 2. Create kind 9734 zap request event
|
||||
// 3. Sign zap request with user's key
|
||||
// 4. Send GET request to callback with zap request and amount
|
||||
// 5. Get invoice from callback
|
||||
// 6. If useWallet: pay invoice with NWC
|
||||
// Else: show QR code
|
||||
// 7. Listen for kind 9735 receipt (optional)
|
||||
} catch (error) {
|
||||
console.error("Zap error:", error);
|
||||
toast.error(
|
||||
error instanceof Error ? error.message : "Failed to send zap",
|
||||
);
|
||||
} finally {
|
||||
setIsProcessing(false);
|
||||
}
|
||||
};
|
||||
|
||||
// Copy to clipboard
|
||||
const copyToClipboard = async (text: string) => {
|
||||
try {
|
||||
await navigator.clipboard.writeText(text);
|
||||
toast.success("Copied to clipboard");
|
||||
} catch {
|
||||
toast.error("Failed to copy");
|
||||
}
|
||||
};
|
||||
|
||||
// Open in wallet
|
||||
const openInWallet = (invoice: string) => {
|
||||
window.open(`lightning:${invoice}`, "_blank");
|
||||
};
|
||||
|
||||
return (
|
||||
<div className="h-full flex flex-col bg-background overflow-hidden">
|
||||
{/* Header */}
|
||||
<div className="flex-none border-b border-border p-4">
|
||||
<div className="flex items-center gap-3">
|
||||
<Zap className="size-5 text-yellow-500" />
|
||||
<div className="flex-1">
|
||||
<h2 className="text-lg font-semibold">
|
||||
Zap {eventAuthorName || recipientName}
|
||||
</h2>
|
||||
{event && (
|
||||
<p className="text-sm text-muted-foreground">
|
||||
For their{" "}
|
||||
{event.kind === 1 ? "note" : `kind ${event.kind} event`}
|
||||
</p>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div className="flex-1 overflow-y-auto">
|
||||
<div className="max-w-2xl mx-auto p-6 space-y-6">
|
||||
{/* Show event preview if zapping an event */}
|
||||
{event && (
|
||||
<Card>
|
||||
<CardHeader>
|
||||
<CardTitle className="text-sm font-medium text-muted-foreground">
|
||||
Zapping Event
|
||||
</CardTitle>
|
||||
</CardHeader>
|
||||
<CardContent>
|
||||
<KindRenderer event={event} />
|
||||
</CardContent>
|
||||
</Card>
|
||||
)}
|
||||
|
||||
{/* Amount Selection */}
|
||||
<Card>
|
||||
<CardHeader>
|
||||
<CardTitle>Amount (sats)</CardTitle>
|
||||
</CardHeader>
|
||||
<CardContent className="space-y-4">
|
||||
{/* Preset amounts */}
|
||||
<div className="grid grid-cols-3 gap-2">
|
||||
{availableAmounts.map((amount) => (
|
||||
<Button
|
||||
key={amount}
|
||||
variant={selectedAmount === amount ? "default" : "outline"}
|
||||
onClick={() => {
|
||||
setSelectedAmount(amount);
|
||||
setCustomAmount("");
|
||||
}}
|
||||
className="relative"
|
||||
>
|
||||
{amount.toLocaleString()}
|
||||
{amountUsage[amount] && (
|
||||
<span className="absolute top-1 right-1 size-1.5 rounded-full bg-yellow-500" />
|
||||
)}
|
||||
</Button>
|
||||
))}
|
||||
</div>
|
||||
|
||||
{/* Custom amount */}
|
||||
<div className="space-y-2">
|
||||
<Label htmlFor="custom-amount">Custom Amount</Label>
|
||||
<Input
|
||||
id="custom-amount"
|
||||
type="number"
|
||||
placeholder="Enter amount in sats"
|
||||
value={customAmount}
|
||||
onChange={(e) => {
|
||||
setCustomAmount(e.target.value);
|
||||
setSelectedAmount(null);
|
||||
}}
|
||||
min="1"
|
||||
/>
|
||||
</div>
|
||||
|
||||
{/* Comment */}
|
||||
<div className="space-y-2">
|
||||
<Label htmlFor="comment">Comment (optional)</Label>
|
||||
<Input
|
||||
id="comment"
|
||||
placeholder="Say something nice..."
|
||||
value={comment}
|
||||
onChange={(e) => setComment(e.target.value)}
|
||||
maxLength={200}
|
||||
/>
|
||||
</div>
|
||||
</CardContent>
|
||||
</Card>
|
||||
|
||||
{/* Payment Methods */}
|
||||
<Card>
|
||||
<CardHeader>
|
||||
<CardTitle>Payment Method</CardTitle>
|
||||
</CardHeader>
|
||||
<CardContent className="space-y-3">
|
||||
{wallet && walletInfo?.methods.includes("pay_invoice") ? (
|
||||
<Button
|
||||
onClick={() => handleZap(true)}
|
||||
disabled={isProcessing || (!selectedAmount && !customAmount)}
|
||||
className="w-full"
|
||||
size="lg"
|
||||
>
|
||||
{isProcessing ? (
|
||||
<>
|
||||
<Loader2 className="size-4 mr-2 animate-spin" />
|
||||
Processing...
|
||||
</>
|
||||
) : isPaid ? (
|
||||
<>
|
||||
<CheckCircle2 className="size-4 mr-2" />
|
||||
Zap Sent!
|
||||
</>
|
||||
) : (
|
||||
<>
|
||||
<Wallet className="size-4 mr-2" />
|
||||
Pay with Wallet (
|
||||
{selectedAmount || parseInt(customAmount) || 0} sats)
|
||||
</>
|
||||
)}
|
||||
</Button>
|
||||
) : (
|
||||
<div className="text-sm text-muted-foreground text-center py-2">
|
||||
Connect a wallet to pay directly
|
||||
</div>
|
||||
)}
|
||||
|
||||
<Button
|
||||
onClick={() => handleZap(false)}
|
||||
disabled={isProcessing || (!selectedAmount && !customAmount)}
|
||||
variant="outline"
|
||||
className="w-full"
|
||||
size="lg"
|
||||
>
|
||||
<QrCode className="size-4 mr-2" />
|
||||
Show QR Code / Copy Invoice
|
||||
</Button>
|
||||
</CardContent>
|
||||
</Card>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
{/* QR Code Dialog */}
|
||||
<Dialog open={showQrDialog} onOpenChange={setShowQrDialog}>
|
||||
<DialogContent>
|
||||
<DialogHeader>
|
||||
<DialogTitle>Lightning Invoice</DialogTitle>
|
||||
<DialogDescription>
|
||||
Scan with your Lightning wallet or copy the invoice
|
||||
</DialogDescription>
|
||||
</DialogHeader>
|
||||
|
||||
<div className="space-y-4">
|
||||
{qrCodeUrl && (
|
||||
<div className="flex justify-center p-4 bg-white rounded-lg">
|
||||
<img
|
||||
src={qrCodeUrl}
|
||||
alt="Lightning Invoice QR Code"
|
||||
className="w-64 h-64"
|
||||
/>
|
||||
</div>
|
||||
)}
|
||||
|
||||
<div className="space-y-2">
|
||||
<Label>Invoice</Label>
|
||||
<div className="flex gap-2">
|
||||
<Input value={invoice} readOnly className="font-mono text-xs" />
|
||||
<Button
|
||||
variant="outline"
|
||||
size="icon"
|
||||
onClick={() => copyToClipboard(invoice)}
|
||||
>
|
||||
<Copy className="size-4" />
|
||||
</Button>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div className="flex gap-2">
|
||||
<Button
|
||||
variant="outline"
|
||||
className="flex-1"
|
||||
onClick={() => openInWallet(invoice)}
|
||||
>
|
||||
<ExternalLink className="size-4 mr-2" />
|
||||
Open in Wallet
|
||||
</Button>
|
||||
<Button
|
||||
variant="outline"
|
||||
className="flex-1"
|
||||
onClick={() => copyToClipboard(invoice)}
|
||||
>
|
||||
<Copy className="size-4 mr-2" />
|
||||
Copy Invoice
|
||||
</Button>
|
||||
</div>
|
||||
</div>
|
||||
</DialogContent>
|
||||
</Dialog>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
@@ -16,6 +16,7 @@ import {
|
||||
Wifi,
|
||||
MessageSquare,
|
||||
Hash,
|
||||
Zap,
|
||||
type LucideIcon,
|
||||
} from "lucide-react";
|
||||
|
||||
@@ -80,6 +81,10 @@ export const COMMAND_ICONS: Record<string, CommandIcon> = {
|
||||
icon: MessageSquare,
|
||||
description: "Join and participate in NIP-29 relay-based group chats",
|
||||
},
|
||||
zap: {
|
||||
icon: Zap,
|
||||
description: "Send a Lightning zap to a Nostr user or event",
|
||||
},
|
||||
|
||||
// Utility commands
|
||||
encode: {
|
||||
|
||||
187
src/lib/zap-parser.ts
Normal file
187
src/lib/zap-parser.ts
Normal file
@@ -0,0 +1,187 @@
|
||||
import { nip19 } from "nostr-tools";
|
||||
import { isNip05, resolveNip05 } from "./nip05";
|
||||
import {
|
||||
isValidHexPubkey,
|
||||
isValidHexEventId,
|
||||
normalizeHex,
|
||||
} from "./nostr-validation";
|
||||
import { normalizeRelayURL } from "./relay-url";
|
||||
import type { EventPointer, AddressPointer } from "./open-parser";
|
||||
|
||||
export interface ParsedZapCommand {
|
||||
/** Recipient pubkey (who receives the zap) */
|
||||
recipientPubkey: string;
|
||||
/** Optional event being zapped (adds context to the zap) */
|
||||
eventPointer?: EventPointer | AddressPointer;
|
||||
}
|
||||
|
||||
/**
|
||||
* Parse ZAP command arguments
|
||||
*
|
||||
* Supports:
|
||||
* - `zap <profile>` - Zap a person
|
||||
* - `zap <event>` - Zap an event (recipient derived from event author)
|
||||
* - `zap <profile> <event>` - Zap a specific person for a specific event
|
||||
*
|
||||
* Profile formats: npub, nprofile, hex pubkey, user@domain.com, $me
|
||||
* Event formats: note, nevent, naddr, hex event ID
|
||||
*/
|
||||
export async function parseZapCommand(
|
||||
args: string[],
|
||||
activeAccountPubkey?: string,
|
||||
): Promise<ParsedZapCommand> {
|
||||
if (args.length === 0) {
|
||||
throw new Error(
|
||||
"Recipient or event required. Usage: zap <profile> or zap <event> or zap <profile> <event>",
|
||||
);
|
||||
}
|
||||
|
||||
const firstArg = args[0];
|
||||
const secondArg = args[1];
|
||||
|
||||
// Case 1: Two arguments - zap <profile> <event>
|
||||
if (secondArg) {
|
||||
const recipientPubkey = await parseProfile(firstArg, activeAccountPubkey);
|
||||
const eventPointer = parseEventPointer(secondArg);
|
||||
return { recipientPubkey, eventPointer };
|
||||
}
|
||||
|
||||
// Case 2: One argument - try event first, then profile
|
||||
// Events have more specific patterns (nevent, naddr, note)
|
||||
const eventPointer = tryParseEventPointer(firstArg);
|
||||
if (eventPointer) {
|
||||
// For events, we'll need to fetch the event to get the author
|
||||
// For now, we'll return a placeholder and let the component fetch it
|
||||
return {
|
||||
recipientPubkey: "", // Will be filled in by component from event author
|
||||
eventPointer,
|
||||
};
|
||||
}
|
||||
|
||||
// Must be a profile
|
||||
const recipientPubkey = await parseProfile(firstArg, activeAccountPubkey);
|
||||
return { recipientPubkey };
|
||||
}
|
||||
|
||||
/**
|
||||
* Parse a profile identifier into a pubkey
|
||||
*/
|
||||
async function parseProfile(
|
||||
identifier: string,
|
||||
activeAccountPubkey?: string,
|
||||
): Promise<string> {
|
||||
// Handle $me alias
|
||||
if (identifier.toLowerCase() === "$me") {
|
||||
if (!activeAccountPubkey) {
|
||||
throw new Error("No active account. Please log in to use $me alias.");
|
||||
}
|
||||
return activeAccountPubkey;
|
||||
}
|
||||
|
||||
// Try bech32 decode (npub, nprofile)
|
||||
if (identifier.startsWith("npub") || identifier.startsWith("nprofile")) {
|
||||
try {
|
||||
const decoded = nip19.decode(identifier);
|
||||
if (decoded.type === "npub") {
|
||||
return decoded.data;
|
||||
}
|
||||
if (decoded.type === "nprofile") {
|
||||
return decoded.data.pubkey;
|
||||
}
|
||||
} catch (error) {
|
||||
throw new Error(`Invalid npub/nprofile: ${error}`);
|
||||
}
|
||||
}
|
||||
|
||||
// Check if it's a hex pubkey
|
||||
if (isValidHexPubkey(identifier)) {
|
||||
return normalizeHex(identifier);
|
||||
}
|
||||
|
||||
// Check if it's a NIP-05 identifier
|
||||
if (isNip05(identifier)) {
|
||||
const pubkey = await resolveNip05(identifier);
|
||||
if (!pubkey) {
|
||||
throw new Error(`Failed to resolve NIP-05 identifier: ${identifier}`);
|
||||
}
|
||||
return pubkey;
|
||||
}
|
||||
|
||||
throw new Error(
|
||||
`Invalid profile identifier: ${identifier}. Supported: npub, nprofile, hex pubkey, user@domain.com`,
|
||||
);
|
||||
}
|
||||
|
||||
/**
|
||||
* Parse an event identifier into a pointer
|
||||
*/
|
||||
function parseEventPointer(identifier: string): EventPointer | AddressPointer {
|
||||
const result = tryParseEventPointer(identifier);
|
||||
if (!result) {
|
||||
throw new Error(
|
||||
`Invalid event identifier: ${identifier}. Supported: note, nevent, naddr, hex ID`,
|
||||
);
|
||||
}
|
||||
return result;
|
||||
}
|
||||
|
||||
/**
|
||||
* Try to parse an event identifier, returning null if it doesn't match event patterns
|
||||
*/
|
||||
function tryParseEventPointer(
|
||||
identifier: string,
|
||||
): EventPointer | AddressPointer | null {
|
||||
// Try bech32 decode (note, nevent, naddr)
|
||||
if (
|
||||
identifier.startsWith("note") ||
|
||||
identifier.startsWith("nevent") ||
|
||||
identifier.startsWith("naddr")
|
||||
) {
|
||||
try {
|
||||
const decoded = nip19.decode(identifier);
|
||||
|
||||
if (decoded.type === "note") {
|
||||
return { id: decoded.data };
|
||||
}
|
||||
|
||||
if (decoded.type === "nevent") {
|
||||
return {
|
||||
...decoded.data,
|
||||
relays: decoded.data.relays
|
||||
?.map((url) => {
|
||||
try {
|
||||
return normalizeRelayURL(url);
|
||||
} catch {
|
||||
return null;
|
||||
}
|
||||
})
|
||||
.filter((url): url is string => url !== null),
|
||||
};
|
||||
}
|
||||
|
||||
if (decoded.type === "naddr") {
|
||||
return {
|
||||
...decoded.data,
|
||||
relays: decoded.data.relays
|
||||
?.map((url) => {
|
||||
try {
|
||||
return normalizeRelayURL(url);
|
||||
} catch {
|
||||
return null;
|
||||
}
|
||||
})
|
||||
.filter((url): url is string => url !== null),
|
||||
};
|
||||
}
|
||||
} catch {
|
||||
return null;
|
||||
}
|
||||
}
|
||||
|
||||
// Check if it's a hex event ID
|
||||
if (isValidHexEventId(identifier)) {
|
||||
return { id: normalizeHex(identifier) };
|
||||
}
|
||||
|
||||
return null;
|
||||
}
|
||||
@@ -22,6 +22,7 @@ export type AppId =
|
||||
| "spellbooks"
|
||||
| "blossom"
|
||||
| "wallet"
|
||||
| "zap"
|
||||
| "win";
|
||||
|
||||
export interface WindowInstance {
|
||||
|
||||
@@ -8,6 +8,7 @@ import { parseRelayCommand } from "@/lib/relay-parser";
|
||||
import { resolveNip05Batch, resolveDomainDirectoryBatch } from "@/lib/nip05";
|
||||
import { parseChatCommand } from "@/lib/chat-parser";
|
||||
import { parseBlossomCommand } from "@/lib/blossom-parser";
|
||||
import { parseZapCommand } from "@/lib/zap-parser";
|
||||
|
||||
export interface ManPageEntry {
|
||||
name: string;
|
||||
@@ -614,6 +615,38 @@ export const manPages: Record<string, ManPageEntry> = {
|
||||
return parsed;
|
||||
},
|
||||
},
|
||||
zap: {
|
||||
name: "zap",
|
||||
section: "1",
|
||||
synopsis: "zap <profile|event> [event]",
|
||||
description:
|
||||
"Send a Lightning zap (NIP-57) to a Nostr user or event. Zaps are Lightning payments with proof published to Nostr. Supports zapping profiles directly or events with context. Requires the recipient to have a Lightning address (lud16/lud06) configured in their profile.",
|
||||
options: [
|
||||
{
|
||||
flag: "<profile>",
|
||||
description:
|
||||
"Recipient: npub, nprofile, hex pubkey, user@domain.com, $me",
|
||||
},
|
||||
{
|
||||
flag: "<event>",
|
||||
description: "Event to zap: note, nevent, naddr, hex ID (optional)",
|
||||
},
|
||||
],
|
||||
examples: [
|
||||
"zap fiatjaf.com Zap a user by NIP-05",
|
||||
"zap npub1... Zap a user by npub",
|
||||
"zap nevent1... Zap an event (recipient = event author)",
|
||||
"zap npub1... nevent1... Zap a specific user for a specific event",
|
||||
"zap alice@domain.com naddr1... Zap with event context",
|
||||
],
|
||||
seeAlso: ["profile", "open", "wallet"],
|
||||
appId: "zap",
|
||||
category: "Nostr",
|
||||
argParser: async (args: string[], activeAccountPubkey?: string) => {
|
||||
const parsed = await parseZapCommand(args, activeAccountPubkey);
|
||||
return parsed;
|
||||
},
|
||||
},
|
||||
encode: {
|
||||
name: "encode",
|
||||
section: "1",
|
||||
|
||||
Reference in New Issue
Block a user