Skip to content

Commit 5e594b7

Browse files
committed
Add the core functionality required to resolve Human Readable Names
This adds a new utility struct, `OMNameResolver`, which implements the core functionality required to resolve Human Readable Names, namely generating `DNSSECQuery` onion messages, tracking the state of requests, and ultimately receiving and verifying `DNSSECProof` onion messages. It tracks pending requests with a `PaymentId`, allowing for easy integration into `ChannelManager` in a coming commit - mapping received proofs to `PaymentId`s which we can then complete by handing them `Offer`s to pay. It does not, directly, implement `DNSResolverMessageHandler`, but an implementation of `DNSResolverMessageHandler` becomes trivial with `OMNameResolver` handling the inbound messages and creating the messages to send.
1 parent b71429d commit 5e594b7

File tree

3 files changed

+218
-0
lines changed

3 files changed

+218
-0
lines changed

ci/ci-tests.sh

+6
Original file line numberDiff line numberDiff line change
@@ -31,6 +31,12 @@ echo -e "\n\nBuilding and testing all workspace crates..."
3131
cargo test --verbose --color always
3232
cargo check --verbose --color always
3333

34+
echo -e "\n\nBuilding and testing lightning crate with dnssec feature"
35+
pushd lightning
36+
cargo test -p lightning --verbose --color always --features dnssec
37+
cargo check -p lightning --verbose --color always --features dnssec
38+
popd
39+
3440
echo -e "\n\nBuilding and testing Block Sync Clients with features"
3541

3642
cargo test -p lightning-block-sync --verbose --color always --features rest-client

lightning/Cargo.toml

+2
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,8 @@ unsafe_revoked_tx_signing = []
3232
no-std = ["hashbrown", "possiblyrandom", "libm"]
3333
std = []
3434

35+
dnssec = ["dnssec-prover/validation"]
36+
3537
# Generates low-r bitcoin signatures, which saves 1 byte in 50% of the cases
3638
grind_signatures = []
3739

lightning/src/onion_message/dns_resolution.rs

+210
Original file line numberDiff line numberDiff line change
@@ -12,17 +12,40 @@
1212
//! It contains [`DNSResolverMessage`]s as well as a [`DNSResolverMessageHandler`] trait to handle
1313
//! such messages using an [`OnionMessenger`].
1414
//!
15+
//! With the `dnssec` feature enabled, it also contains `OMNameResolver`, which does all the work
16+
//! required to resolve BIP 353 [`HumanReadableName`]s using [bLIP 32] - sending onion messages to
17+
//! a DNS resolver, validating the proofs, and ultimately surfacing validated data back to the
18+
//! caller.
19+
//!
1520
//! [bLIP 32]: https://github.com/lightning/blips/blob/master/blip-0032.md
1621
//! [`OnionMessenger`]: super::messenger::OnionMessenger
1722
23+
#[cfg(feature = "dnssec")]
24+
use core::str::FromStr;
25+
#[cfg(feature = "dnssec")]
26+
use core::sync::atomic::{AtomicUsize, Ordering};
27+
28+
#[cfg(feature = "dnssec")]
29+
use dnssec_prover::rr::RR;
30+
#[cfg(feature = "dnssec")]
31+
use dnssec_prover::ser::parse_rr_stream;
32+
#[cfg(feature = "dnssec")]
33+
use dnssec_prover::validation::verify_rr_stream;
34+
1835
use dnssec_prover::rr::Name;
1936

2037
use crate::blinded_path::message::DNSResolverContext;
2138
use crate::io;
39+
#[cfg(feature = "dnssec")]
40+
use crate::ln::channelmanager::PaymentId;
2241
use crate::ln::msgs::DecodeError;
42+
#[cfg(feature = "dnssec")]
43+
use crate::offers::offer::Offer;
2344
use crate::onion_message::messenger::{MessageSendInstructions, Responder, ResponseInstruction};
2445
use crate::onion_message::packet::OnionMessageContents;
2546
use crate::prelude::*;
47+
#[cfg(feature = "dnssec")]
48+
use crate::sync::Mutex;
2649
use crate::util::ser::{Readable, ReadableArgs, Writeable, Writer};
2750

2851
/// A handler for an [`OnionMessage`] containing a DNS(SEC) query or a DNSSEC proof
@@ -245,3 +268,190 @@ impl Readable for HumanReadableName {
245268
HumanReadableName::new(user, domain).map_err(|()| DecodeError::InvalidValue)
246269
}
247270
}
271+
272+
/// A stateful resolver which maps BIP 353 Human Readable Names to URIs and BOLT12 [`Offer`]s.
273+
///
274+
/// It does not directly implement [`DNSResolverMessageHandler`] but implements all the core logic
275+
/// which is required in a client which intends to.
276+
///
277+
/// It relies on being made aware of the passage of time with regular calls to
278+
/// [`Self::new_best_block`] in order to time out existing queries. Queries time out after two
279+
/// blocks.
280+
#[cfg(feature = "dnssec")]
281+
pub struct OMNameResolver {
282+
pending_resolves:
283+
Mutex<HashMap<Name, Vec<(u32, DNSResolverContext, HumanReadableName, PaymentId)>>>,
284+
latest_block_time: AtomicUsize,
285+
latest_block_height: AtomicUsize,
286+
}
287+
288+
#[cfg(feature = "dnssec")]
289+
impl OMNameResolver {
290+
/// Builds a new [`OMNameResolver`].
291+
pub fn new(latest_block_time: u32, latest_block_height: u32) -> Self {
292+
Self {
293+
pending_resolves: Mutex::new(new_hash_map()),
294+
latest_block_time: AtomicUsize::new(latest_block_time as usize),
295+
latest_block_height: AtomicUsize::new(latest_block_height as usize),
296+
}
297+
}
298+
299+
/// Informs the [`OMNameResolver`] of the passage of time in the form of a new best Bitcoin
300+
/// block.
301+
///
302+
/// This will call back to resolve some pending queries which have timed out.
303+
pub fn new_best_block(&self, height: u32, time: u32) {
304+
self.latest_block_time.store(time as usize, Ordering::Release);
305+
self.latest_block_height.store(height as usize, Ordering::Release);
306+
let mut resolves = self.pending_resolves.lock().unwrap();
307+
resolves.retain(|_, queries| {
308+
queries.retain_mut(
309+
|(res_height, _, _, _)| {
310+
if *res_height < height - 1 {
311+
false
312+
} else {
313+
true
314+
}
315+
},
316+
);
317+
!queries.is_empty()
318+
});
319+
}
320+
321+
/// Begins the process of resolving a BIP 353 Human Readable Name.
322+
///
323+
/// The given `random_context` must be a [`DNSResolverContext`] with a fresh, unused random
324+
/// nonce which is included in the blinded path which will be set as the reply path when
325+
/// sending the returned [`DNSSECQuery`].
326+
///
327+
/// Returns a [`DNSSECQuery`] onion message which should be sent to a resolver on success.
328+
pub fn resolve_name(
329+
&self, payment_id: PaymentId, name: HumanReadableName, random_context: DNSResolverContext,
330+
) -> Result<DNSSECQuery, ()> {
331+
let dns_name =
332+
Name::try_from(format!("{}.user._bitcoin-payment.{}.", name.user, name.domain));
333+
debug_assert!(
334+
dns_name.is_ok(),
335+
"The HumanReadableName constructor shouldn't allow names which are too long"
336+
);
337+
let name_query = dns_name.clone().map(|q| DNSSECQuery(q));
338+
if let Ok(dns_name) = dns_name {
339+
let height = self.latest_block_height.load(Ordering::Acquire);
340+
let mut pending_resolves = self.pending_resolves.lock().unwrap();
341+
let resolution = (height as u32, random_context, name, payment_id);
342+
pending_resolves.entry(dns_name).or_insert_with(Vec::new).push(resolution);
343+
}
344+
name_query
345+
}
346+
347+
/// Handles a [`DNSSECProof`] message, attempting to verify it and match it against a pending
348+
/// query.
349+
///
350+
/// If verification succeeds, the resulting bitcoin: URI is parsed to find a contained
351+
/// [`Offer`].
352+
///
353+
/// Note that a single proof for a wildcard DNS entry may complete several requests for
354+
/// different [`HumanReadableName`]s.
355+
///
356+
/// If an [`Offer`] is found, it, as well as the [`PaymentId`] and original `name` passed to
357+
/// [`Self::resolve_name`] are returned.
358+
pub fn handle_dnssec_proof_for_offer(
359+
&self, msg: DNSSECProof, context: DNSResolverContext,
360+
) -> Option<(Vec<(HumanReadableName, PaymentId)>, Offer)> {
361+
let (completed_requests, uri) = self.handle_dnssec_proof_for_uri(msg, context)?;
362+
if let Some((_onchain, params)) = uri.split_once("?") {
363+
for param in params.split("&") {
364+
let (k, v) = if let Some(split) = param.split_once("=") {
365+
split
366+
} else {
367+
continue;
368+
};
369+
if k.eq_ignore_ascii_case("lno") {
370+
if let Ok(offer) = Offer::from_str(v) {
371+
return Some((completed_requests, offer));
372+
}
373+
return None;
374+
}
375+
}
376+
}
377+
None
378+
}
379+
380+
/// Handles a [`DNSSECProof`] message, attempting to verify it and match it against any pending
381+
/// queries.
382+
///
383+
/// If verification succeeds, all matching [`PaymentId`] and [`HumanReadableName`]s passed to
384+
/// [`Self::resolve_name`], as well as the resolved bitcoin: URI are returned.
385+
///
386+
/// Note that a single proof for a wildcard DNS entry may complete several requests for
387+
/// different [`HumanReadableName`]s.
388+
///
389+
/// This method is useful for those who handle bitcoin: URIs already, handling more than just
390+
/// BOLT12 [`Offer`]s.
391+
pub fn handle_dnssec_proof_for_uri(
392+
&self, msg: DNSSECProof, context: DNSResolverContext,
393+
) -> Option<(Vec<(HumanReadableName, PaymentId)>, String)> {
394+
let DNSSECProof { name: answer_name, proof } = msg;
395+
let mut pending_resolves = self.pending_resolves.lock().unwrap();
396+
if let hash_map::Entry::Occupied(entry) = pending_resolves.entry(answer_name) {
397+
if !entry.get().iter().any(|query| query.1 == context) {
398+
// If we don't have any pending queries with the context included in the blinded
399+
// path (implying someone sent us this response not using the blinded path we gave
400+
// when making the query), return immediately to avoid the extra time for the proof
401+
// validation giving away that we were the node that made the query.
402+
//
403+
// If there was at least one query with the same context, we go ahead and complete
404+
// all queries for the same name, as there's no point in waiting for another proof
405+
// for the same name.
406+
return None;
407+
}
408+
let parsed_rrs = parse_rr_stream(&proof);
409+
let validated_rrs =
410+
parsed_rrs.as_ref().and_then(|rrs| verify_rr_stream(rrs).map_err(|_| &()));
411+
if let Ok(validated_rrs) = validated_rrs {
412+
let block_time = self.latest_block_time.load(Ordering::Acquire) as u64;
413+
// Block times may be up to two hours in the future and some time into the past
414+
// (we assume no more than two hours, though the actual limits are rather
415+
// complicated).
416+
// Thus, we have to let the proof times be rather fuzzy.
417+
if validated_rrs.valid_from > block_time + 60 * 2 {
418+
return None;
419+
}
420+
if validated_rrs.expires < block_time - 60 * 2 {
421+
return None;
422+
}
423+
let resolved_rrs = validated_rrs.resolve_name(&entry.key());
424+
if resolved_rrs.is_empty() {
425+
return None;
426+
}
427+
428+
let (_, requests) = entry.remove_entry();
429+
430+
const URI_PREFIX: &str = "bitcoin:";
431+
let mut candidate_records = resolved_rrs
432+
.iter()
433+
.filter_map(
434+
|rr| if let RR::Txt(txt) = rr { Some(txt.data.as_vec()) } else { None },
435+
)
436+
.filter_map(
437+
|data| if let Ok(s) = String::from_utf8(data) { Some(s) } else { None },
438+
)
439+
.filter(|data_string| data_string.len() > URI_PREFIX.len())
440+
.filter(|data_string| {
441+
data_string[..URI_PREFIX.len()].eq_ignore_ascii_case(URI_PREFIX)
442+
});
443+
// Check that there is exactly one TXT record that begins with
444+
// bitcoin: as required by BIP 353 (and is valid UTF-8).
445+
match (candidate_records.next(), candidate_records.next()) {
446+
(Some(txt), None) => {
447+
let completed_requests =
448+
requests.into_iter().map(|(_, _, id, name)| (id, name)).collect();
449+
return Some((completed_requests, txt));
450+
},
451+
_ => {},
452+
}
453+
}
454+
}
455+
None
456+
}
457+
}

0 commit comments

Comments
 (0)