repo
string | pull_number
int64 | instance_id
string | issue_numbers
list | base_commit
string | patch
string | test_patch
string | problem_statement
string | hints_text
string | created_at
timestamp[s] | language
string | label
string |
|---|---|---|---|---|---|---|---|---|---|---|---|
servo/rust-url
| 138
|
servo__rust-url-138
|
[
"116"
] |
c156810a735d38c9a8e14137395bc7a3a69916a2
|
diff --git a/Cargo.toml b/Cargo.toml
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -1,7 +1,7 @@
[package]
name = "url"
-version = "0.4.0"
+version = "0.5.0"
authors = [ "Simon Sapin <[email protected]>" ]
description = "URL library for Rust, based on the WHATWG URL Standard"
diff --git a/src/host.rs b/src/host.rs
--- a/src/host.rs
+++ b/src/host.rs
@@ -9,6 +9,7 @@
use std::ascii::AsciiExt;
use std::cmp;
use std::fmt::{self, Formatter};
+use std::net::{Ipv4Addr, Ipv6Addr};
use parser::{ParseResult, ParseError};
use percent_encoding::{from_hex, percent_decode};
@@ -17,26 +18,15 @@ use percent_encoding::{from_hex, percent_decode};
#[derive(PartialEq, Eq, Clone, Debug, Hash, PartialOrd, Ord)]
#[cfg_attr(feature="heap_size", derive(HeapSizeOf))]
pub enum Host {
- /// A (DNS) domain name or an IPv4 address.
- ///
- /// FIXME: IPv4 probably should be a separate variant.
- /// See https://www.w3.org/Bugs/Public/show_bug.cgi?id=26431
+ /// A (DNS) domain name.
Domain(String),
-
+ /// A IPv4 address, represented by four sequences of up to three ASCII digits.
+ Ipv4(Ipv4Addr),
/// An IPv6 address, represented inside `[...]` square brackets
/// so that `:` colon characters in the address are not ambiguous
/// with the port number delimiter.
- Ipv6(Ipv6Address),
-}
-
-
-/// A 128 bit IPv6 address
-#[derive(Clone, Eq, PartialEq, Copy, Debug, Hash, PartialOrd, Ord)]
-pub struct Ipv6Address {
- pub pieces: [u16; 8]
+ Ipv6(Ipv6Addr),
}
-#[cfg(feature="heap_size")]
-known_heap_size!(0, Ipv6Address);
impl Host {
@@ -48,26 +38,28 @@ impl Host {
/// FIXME: Add IDNA support for non-ASCII domains.
pub fn parse(input: &str) -> ParseResult<Host> {
if input.len() == 0 {
- Err(ParseError::EmptyHost)
- } else if input.starts_with("[") {
- if input.ends_with("]") {
- Ipv6Address::parse(&input[1..input.len() - 1]).map(Host::Ipv6)
- } else {
- Err(ParseError::InvalidIpv6Address)
- }
- } else {
- let decoded = percent_decode(input.as_bytes());
- let domain = String::from_utf8_lossy(&decoded);
- // TODO: Remove this check and use IDNA "domain to ASCII"
- if !domain.is_ascii() {
- Err(ParseError::NonAsciiDomainsNotSupportedYet)
- } else if domain.find(&[
- '\0', '\t', '\n', '\r', ' ', '#', '%', '/', ':', '?', '@', '[', '\\', ']'
- ][..]).is_some() {
- Err(ParseError::InvalidDomainCharacter)
- } else {
- Ok(Host::Domain(domain.to_ascii_lowercase()))
+ return Err(ParseError::EmptyHost)
+ }
+ if input.starts_with("[") {
+ if !input.ends_with("]") {
+ return Err(ParseError::InvalidIpv6Address)
}
+ return parse_ipv6addr(&input[1..input.len() - 1]).map(Host::Ipv6)
+ }
+ let decoded = percent_decode(input.as_bytes());
+ let domain = String::from_utf8_lossy(&decoded);
+ // TODO: Remove this check and use IDNA "domain to ASCII"
+ if !domain.is_ascii() {
+ return Err(ParseError::NonAsciiDomainsNotSupportedYet)
+ } else if domain.find(&[
+ '\0', '\t', '\n', '\r', ' ', '#', '%', '/', ':', '?', '@', '[', '\\', ']'
+ ][..]).is_some() {
+ return Err(ParseError::InvalidDomainCharacter)
+ }
+ match parse_ipv4addr(&domain[..]) {
+ Ok(Some(ipv4addr)) => Ok(Host::Ipv4(ipv4addr)),
+ Ok(None) => Ok(Host::Domain(domain.to_ascii_lowercase())),
+ Err(e) => Err(e),
}
}
@@ -81,203 +73,186 @@ impl Host {
impl fmt::Display for Host {
- fn fmt(&self, formatter: &mut Formatter) -> fmt::Result {
+ fn fmt(&self, f: &mut Formatter) -> fmt::Result {
match *self {
- Host::Domain(ref domain) => domain.fmt(formatter),
- Host::Ipv6(ref address) => {
- try!(formatter.write_str("["));
- try!(address.fmt(formatter));
- formatter.write_str("]")
- }
+ Host::Domain(ref domain) => domain.fmt(f),
+ Host::Ipv4(ref addr) => addr.fmt(f),
+ Host::Ipv6(ref addr) => write!(f, "[{}]", addr),
+ }
+ }
+}
+
+fn parse_ipv4number(mut input: &str) -> ParseResult<u32> {
+ let mut r = 10;
+ if input.starts_with("0x") || input.starts_with("0X") {
+ input = &input[2..];
+ r = 16;
+ } else if input.len() >= 2 && input.starts_with("0") {
+ input = &input[1..];
+ r = 8;
+ }
+ if input.is_empty() {
+ return Ok(0);
+ }
+ match u32::from_str_radix(&input, r) {
+ Ok(number) => return Ok(number),
+ Err(_) => Err(ParseError::InvalidIpv4Address),
+ }
+}
+
+fn parse_ipv4addr(input: &str) -> ParseResult<Option<Ipv4Addr>> {
+ let mut parts: Vec<&str> = input.split('.').collect();
+ if parts.last() == Some(&"") {
+ parts.pop();
+ }
+ if parts.len() > 4 {
+ return Ok(None);
+ }
+ let mut numbers: Vec<u32> = Vec::new();
+ for part in parts {
+ if part == "" {
+ return Ok(None);
}
+ if let Ok(n) = parse_ipv4number(part) {
+ numbers.push(n);
+ } else {
+ return Ok(None);
+ }
+ }
+ let mut ipv4 = numbers.pop().expect("a non-empty list of numbers");
+ if ipv4 > u32::max_value() >> (8 * numbers.len() as u32) {
+ return Err(ParseError::InvalidIpv4Address);
}
+ if numbers.iter().any(|x| *x > 255) {
+ return Err(ParseError::InvalidIpv4Address);
+ }
+ for (counter, n) in numbers.iter().enumerate() {
+ ipv4 += n << (8 * (3 - counter as u32))
+ }
+ Ok(Some(Ipv4Addr::from(ipv4)))
}
-impl Ipv6Address {
- /// Parse an IPv6 address, without the [] square brackets.
- pub fn parse(input: &str) -> ParseResult<Ipv6Address> {
- let input = input.as_bytes();
- let len = input.len();
- let mut is_ip_v4 = false;
- let mut pieces = [0, 0, 0, 0, 0, 0, 0, 0];
- let mut piece_pointer = 0;
- let mut compress_pointer = None;
- let mut i = 0;
+fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
+ let input = input.as_bytes();
+ let len = input.len();
+ let mut is_ip_v4 = false;
+ let mut pieces = [0, 0, 0, 0, 0, 0, 0, 0];
+ let mut piece_pointer = 0;
+ let mut compress_pointer = None;
+ let mut i = 0;
+
+ if len < 2 {
+ return Err(ParseError::InvalidIpv6Address)
+ }
- if len < 2 {
+ if input[0] == b':' {
+ if input[1] != b':' {
return Err(ParseError::InvalidIpv6Address)
}
+ i = 2;
+ piece_pointer = 1;
+ compress_pointer = Some(1);
+ }
- if input[0] == b':' {
- if input[1] != b':' {
- return Err(ParseError::InvalidIpv6Address)
- }
- i = 2;
- piece_pointer = 1;
- compress_pointer = Some(1);
+ while i < len {
+ if piece_pointer == 8 {
+ return Err(ParseError::InvalidIpv6Address)
}
-
- while i < len {
- if piece_pointer == 8 {
+ if input[i] == b':' {
+ if compress_pointer.is_some() {
return Err(ParseError::InvalidIpv6Address)
}
- if input[i] == b':' {
- if compress_pointer.is_some() {
- return Err(ParseError::InvalidIpv6Address)
- }
- i += 1;
- piece_pointer += 1;
- compress_pointer = Some(piece_pointer);
- continue
- }
- let start = i;
- let end = cmp::min(len, start + 4);
- let mut value = 0u16;
- while i < end {
- match from_hex(input[i]) {
- Some(digit) => {
- value = value * 0x10 + digit as u16;
- i += 1;
- },
- None => break
- }
- }
- if i < len {
- match input[i] {
- b'.' => {
- if i == start {
- return Err(ParseError::InvalidIpv6Address)
- }
- i = start;
- is_ip_v4 = true;
- },
- b':' => {
- i += 1;
- if i == len {
- return Err(ParseError::InvalidIpv6Address)
- }
- },
- _ => return Err(ParseError::InvalidIpv6Address)
- }
- }
- if is_ip_v4 {
- break
- }
- pieces[piece_pointer] = value;
+ i += 1;
piece_pointer += 1;
+ compress_pointer = Some(piece_pointer);
+ continue
}
-
- if is_ip_v4 {
- if piece_pointer > 6 {
- return Err(ParseError::InvalidIpv6Address)
+ let start = i;
+ let end = cmp::min(len, start + 4);
+ let mut value = 0u16;
+ while i < end {
+ match from_hex(input[i]) {
+ Some(digit) => {
+ value = value * 0x10 + digit as u16;
+ i += 1;
+ },
+ None => break
}
- let mut dots_seen = 0;
- while i < len {
- // FIXME: https://github.com/whatwg/url/commit/1c22aa119c354e0020117e02571cec53f7c01064
- let mut value = 0u16;
- while i < len {
- let digit = match input[i] {
- c @ b'0' ... b'9' => c - b'0',
- _ => break
- };
- value = value * 10 + digit as u16;
- if value == 0 || value > 255 {
+ }
+ if i < len {
+ match input[i] {
+ b'.' => {
+ if i == start {
return Err(ParseError::InvalidIpv6Address)
}
- }
- if dots_seen < 3 && !(i < len && input[i] == b'.') {
- return Err(ParseError::InvalidIpv6Address)
- }
- pieces[piece_pointer] = pieces[piece_pointer] * 0x100 + value;
- if dots_seen == 0 || dots_seen == 2 {
- piece_pointer += 1;
- }
- i += 1;
- if dots_seen == 3 && i < len {
- return Err(ParseError::InvalidIpv6Address)
- }
- dots_seen += 1;
+ i = start;
+ is_ip_v4 = true;
+ },
+ b':' => {
+ i += 1;
+ if i == len {
+ return Err(ParseError::InvalidIpv6Address)
+ }
+ },
+ _ => return Err(ParseError::InvalidIpv6Address)
}
}
-
- match compress_pointer {
- Some(compress_pointer) => {
- let mut swaps = piece_pointer - compress_pointer;
- piece_pointer = 7;
- while swaps > 0 {
- pieces[piece_pointer] = pieces[compress_pointer + swaps - 1];
- pieces[compress_pointer + swaps - 1] = 0;
- swaps -= 1;
- piece_pointer -= 1;
- }
- }
- _ => if piece_pointer != 8 {
- return Err(ParseError::InvalidIpv6Address)
- }
+ if is_ip_v4 {
+ break
}
- Ok(Ipv6Address { pieces: pieces })
+ pieces[piece_pointer] = value;
+ piece_pointer += 1;
}
- /// Serialize the IPv6 address to a string.
- pub fn serialize(&self) -> String {
- self.to_string()
- }
-}
-
-
-impl fmt::Display for Ipv6Address {
- fn fmt(&self, formatter: &mut Formatter) -> fmt::Result {
- let (compress_start, compress_end) = longest_zero_sequence(&self.pieces);
- let mut i = 0;
- while i < 8 {
- if i == compress_start {
- try!(formatter.write_str(":"));
- if i == 0 {
- try!(formatter.write_str(":"));
- }
- if compress_end < 8 {
- i = compress_end;
- } else {
- break;
+ if is_ip_v4 {
+ if piece_pointer > 6 {
+ return Err(ParseError::InvalidIpv6Address)
+ }
+ let mut dots_seen = 0;
+ while i < len {
+ // FIXME: https://github.com/whatwg/url/commit/1c22aa119c354e0020117e02571cec53f7c01064
+ let mut value = 0u16;
+ while i < len {
+ let digit = match input[i] {
+ c @ b'0' ... b'9' => c - b'0',
+ _ => break
+ };
+ value = value * 10 + digit as u16;
+ if value == 0 || value > 255 {
+ return Err(ParseError::InvalidIpv6Address)
}
}
- try!(write!(formatter, "{:x}", self.pieces[i as usize]));
- if i < 7 {
- try!(formatter.write_str(":"));
+ if dots_seen < 3 && !(i < len && input[i] == b'.') {
+ return Err(ParseError::InvalidIpv6Address)
+ }
+ pieces[piece_pointer] = pieces[piece_pointer] * 0x100 + value;
+ if dots_seen == 0 || dots_seen == 2 {
+ piece_pointer += 1;
}
i += 1;
+ if dots_seen == 3 && i < len {
+ return Err(ParseError::InvalidIpv6Address)
+ }
+ dots_seen += 1;
}
- Ok(())
}
-}
-
-fn longest_zero_sequence(pieces: &[u16; 8]) -> (isize, isize) {
- let mut longest = -1;
- let mut longest_length = -1;
- let mut start = -1;
- macro_rules! finish_sequence(
- ($end: expr) => {
- if start >= 0 {
- let length = $end - start;
- if length > longest_length {
- longest = start;
- longest_length = length;
- }
- }
- };
- );
- for i in 0..8 {
- if pieces[i as usize] == 0 {
- if start < 0 {
- start = i;
+ match compress_pointer {
+ Some(compress_pointer) => {
+ let mut swaps = piece_pointer - compress_pointer;
+ piece_pointer = 7;
+ while swaps > 0 {
+ pieces[piece_pointer] = pieces[compress_pointer + swaps - 1];
+ pieces[compress_pointer + swaps - 1] = 0;
+ swaps -= 1;
+ piece_pointer -= 1;
}
- } else {
- finish_sequence!(i);
- start = -1;
+ }
+ _ => if piece_pointer != 8 {
+ return Err(ParseError::InvalidIpv6Address)
}
}
- finish_sequence!(8);
- (longest, longest + longest_length)
+ Ok(Ipv6Addr::new(pieces[0], pieces[1], pieces[2], pieces[3],
+ pieces[4], pieces[5], pieces[6], pieces[7]))
}
diff --git a/src/lib.rs b/src/lib.rs
--- a/src/lib.rs
+++ b/src/lib.rs
@@ -143,7 +143,7 @@ use std::cmp::Ordering;
#[cfg(feature="serde_serialization")]
use std::str::FromStr;
-pub use host::{Host, Ipv6Address};
+pub use host::Host;
pub use parser::{ErrorHandler, ParseResult, ParseError};
use percent_encoding::{percent_encode, lossy_utf8_percent_decode, DEFAULT_ENCODE_SET};
@@ -1140,4 +1140,3 @@ fn file_url_path_to_pathbuf_windows(path: &[String]) -> Result<PathBuf, ()> {
"to_file_path() failed to produce an absolute Path");
Ok(path)
}
-
diff --git a/src/parser.rs b/src/parser.rs
--- a/src/parser.rs
+++ b/src/parser.rs
@@ -47,6 +47,7 @@ simple_enum_error! {
EmptyHost => "empty host",
InvalidScheme => "invalid scheme",
InvalidPort => "invalid port number",
+ InvalidIpv4Address => "invalid IPv4 address",
InvalidIpv6Address => "invalid IPv6 address",
InvalidDomainCharacter => "invalid domain character",
InvalidCharacter => "invalid character",
diff --git a/src/urltestdata.txt b/src/urltestdata.txt
--- a/src/urltestdata.txt
+++ b/src/urltestdata.txt
@@ -162,7 +162,7 @@ http://www.google.com/foo?bar=baz# about:blank s:http h:www.google.com p:/foo q:
http://www.google.com/foo?bar=baz#\s\u00BB s:http h:www.google.com p:/foo q:?bar=baz f:#\s%C2%BB
http://[www.google.com]/
http://www.google.com s:http h:www.google.com p:/
-http://192.0x00A80001 s:http h:192.0x00a80001 p:/
+http://192.0x00A80001 s:http h:192.168.0.1 p:/
http://www/foo%2Ehtml s:http h:www p:/foo%2Ehtml
http://www/foo/%2E/html s:http h:www p:/foo/html
http://user:pass@/
|
diff --git a/src/tests.rs b/src/tests.rs
--- a/src/tests.rs
+++ b/src/tests.rs
@@ -8,6 +8,7 @@
use std::char;
+use std::net::{Ipv4Addr, Ipv6Addr};
use super::{UrlParser, Url, SchemeData, RelativeSchemeData, Host};
@@ -347,3 +348,21 @@ fn relative_scheme_data_equality() {
let b: Url = url("http://foo.com/");
check_eq(&a, &b);
}
+
+#[test]
+fn host() {
+ let a = Host::parse("www.mozilla.org").unwrap();
+ let b = Host::parse("1.35.33.49").unwrap();
+ let c = Host::parse("[2001:0db8:85a3:08d3:1319:8a2e:0370:7344]").unwrap();
+ assert_eq!(a, Host::Domain("www.mozilla.org".to_owned()));
+ assert_eq!(b, Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
+ assert_eq!(c, Host::Ipv6(Ipv6Addr::new(0x2001, 0x0db8, 0x85a3, 0x08d3,
+ 0x1319, 0x8a2e, 0x0370, 0x7344)));
+ assert_eq!(Host::parse("[::]").unwrap(), Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 0)));
+ assert_eq!(Host::parse("[::1]").unwrap(), Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 1)));
+ assert_eq!(Host::parse("0x1.0X23.0x21.061").unwrap(), Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
+ assert_eq!(Host::parse("0x1232131").unwrap(), Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
+ assert!(Host::parse("42.0x1232131").is_err());
+ assert_eq!(Host::parse("111").unwrap(), Host::Ipv4(Ipv4Addr::new(0, 0, 0, 111)));
+ assert_eq!(Host::parse("2..2.3").unwrap(), Host::Domain("2..2.3".to_owned()));
+}
|
Invalid IPv4 addresses are not rejected
https://github.com/w3c/web-platform-tests/blob/11f3aee19205a2ae97efa1cbeb211a2395192ea8/url/urltestdata.txt#L325
|
I believe this test does not match the current spec, but in this case I think the spec should be changed. Spec issue: https://www.w3.org/Bugs/Public/show_bug.cgi?id=26431
Spec has been resolved
| 2015-11-20T15:45:55
|
rust
|
Easy
|
hyperium/h2
| 202
|
hyperium__h2-202
|
[
"154"
] |
26e7a2d4165d500ee8426a10d2919e40663b4160
|
diff --git a/README.md b/README.md
--- a/README.md
+++ b/README.md
@@ -51,7 +51,7 @@ Next, add this to your crate:
```rust
extern crate h2;
-use h2::server::Server;
+use h2::server::Connection;
fn main() {
// ...
diff --git a/examples/akamai.rs b/examples/akamai.rs
--- a/examples/akamai.rs
+++ b/examples/akamai.rs
@@ -8,7 +8,7 @@ extern crate tokio_core;
extern crate tokio_rustls;
extern crate webpki_roots;
-use h2::client::Client;
+use h2::client;
use futures::*;
use http::{Method, Request};
@@ -64,7 +64,7 @@ pub fn main() {
let tls = io_dump::Dump::to_stdout(tls);
println!("Starting client handshake");
- Client::handshake(tls)
+ client::handshake(tls)
})
.then(|res| {
let (mut client, h2) = res.unwrap();
diff --git a/examples/client.rs b/examples/client.rs
--- a/examples/client.rs
+++ b/examples/client.rs
@@ -5,7 +5,7 @@ extern crate http;
extern crate io_dump;
extern crate tokio_core;
-use h2::client::{Client};
+use h2::client;
use h2::RecvStream;
use futures::*;
@@ -55,7 +55,7 @@ pub fn main() {
let tcp = tcp.then(|res| {
let tcp = io_dump::Dump::to_stdout(res.unwrap());
- Client::handshake(tcp)
+ client::handshake(tcp)
}).then(|res| {
let (mut client, h2) = res.unwrap();
diff --git a/examples/server-tr.rs b/examples/server-tr.rs
--- a/examples/server-tr.rs
+++ b/examples/server-tr.rs
@@ -5,7 +5,7 @@ extern crate h2;
extern crate http;
extern crate tokio_core;
-use h2::server::Server;
+use h2::server;
use bytes::*;
use futures::*;
@@ -28,7 +28,7 @@ pub fn main() {
// let socket = io_dump::Dump::to_stdout(socket);
- let connection = Server::handshake(socket)
+ let connection = server::handshake(socket)
.and_then(|conn| {
println!("H2 connection bound");
diff --git a/examples/server.rs b/examples/server.rs
--- a/examples/server.rs
+++ b/examples/server.rs
@@ -5,7 +5,7 @@ extern crate h2;
extern crate http;
extern crate tokio_core;
-use h2::server::Server;
+use h2::server;
use bytes::*;
use futures::*;
@@ -27,7 +27,7 @@ pub fn main() {
let server = listener.incoming().for_each(move |(socket, _)| {
// let socket = io_dump::Dump::to_stdout(socket);
- let connection = Server::handshake(socket)
+ let connection = server::handshake(socket)
.and_then(|conn| {
println!("H2 connection bound");
diff --git a/src/client.rs b/src/client.rs
--- a/src/client.rs
+++ b/src/client.rs
@@ -23,7 +23,7 @@ pub struct Handshake<T, B: IntoBuf = Bytes> {
}
/// Marker type indicating a client peer
-pub struct Client<B: IntoBuf> {
+pub struct SendRequest<B: IntoBuf> {
inner: proto::Streams<B::Buf, Peer>,
pending: Option<proto::StreamKey>,
}
@@ -43,7 +43,7 @@ pub struct ResponseFuture {
inner: proto::OpaqueStreamRef,
}
-/// Build a Client.
+/// Build a client.
#[derive(Clone, Debug)]
pub struct Builder {
/// Time to keep locally reset streams around before reaping.
@@ -63,54 +63,13 @@ pub struct Builder {
#[derive(Debug)]
pub(crate) struct Peer;
-// ===== impl Client =====
+// ===== impl SendRequest =====
-impl Client<Bytes> {
- /// Bind an H2 client connection.
- ///
- /// Returns a future which resolves to the connection value once the H2
- /// handshake has been completed.
- ///
- /// It's important to note that this does not **flush** the outbound
- /// settings to the wire.
- pub fn handshake<T>(io: T) -> Handshake<T, Bytes>
- where
- T: AsyncRead + AsyncWrite,
- {
- Builder::default().handshake(io)
- }
-}
-
-impl Client<Bytes> {
- /// Creates a Client Builder to customize a Client before binding.
- pub fn builder() -> Builder {
- Builder::default()
- }
-}
-
-impl<B> Client<B>
+impl<B> SendRequest<B>
where
B: IntoBuf,
B::Buf: 'static,
{
- fn handshake2<T>(io: T, builder: Builder) -> Handshake<T, B>
- where
- T: AsyncRead + AsyncWrite,
- {
- use tokio_io::io;
-
- debug!("binding client connection");
-
- let msg: &'static [u8] = b"PRI * HTTP/2.0\r\n\r\nSM\r\n\r\n";
- let handshake = io::write_all(io, msg);
-
- Handshake {
- builder,
- inner: handshake,
- _marker: PhantomData,
- }
- }
-
/// Returns `Ready` when the connection can initialize a new HTTP 2.0
/// stream.
pub fn poll_ready(&mut self) -> Poll<(), ::Error> {
@@ -144,21 +103,21 @@ where
}
}
-impl<B> fmt::Debug for Client<B>
+impl<B> fmt::Debug for SendRequest<B>
where
B: IntoBuf,
{
fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
- fmt.debug_struct("Client").finish()
+ fmt.debug_struct("SendRequest").finish()
}
}
-impl<B> Clone for Client<B>
+impl<B> Clone for SendRequest<B>
where
B: IntoBuf,
{
fn clone(&self) -> Self {
- Client {
+ SendRequest {
inner: self.inner.clone(),
pending: None,
}
@@ -166,7 +125,7 @@ where
}
#[cfg(feature = "unstable")]
-impl<B> Client<B>
+impl<B> SendRequest<B>
where
B: IntoBuf,
{
@@ -191,6 +150,16 @@ where
// ===== impl Builder =====
impl Builder {
+ /// Creates a `Connection` Builder to customize a `Connection` before binding.
+ pub fn new() -> Builder {
+ Builder {
+ reset_stream_duration: Duration::from_secs(proto::DEFAULT_RESET_STREAM_SECS),
+ reset_stream_max: proto::DEFAULT_RESET_STREAM_MAX,
+ settings: Default::default(),
+ stream_id: 1.into(),
+ }
+ }
+
/// Set the initial window size of the remote peer.
pub fn initial_window_size(&mut self, size: u32) -> &mut Self {
self.settings.set_initial_window_size(Some(size));
@@ -265,29 +234,51 @@ impl Builder {
B: IntoBuf,
B::Buf: 'static,
{
- Client::handshake2(io, self.clone())
+ Connection::handshake2(io, self.clone())
}
}
impl Default for Builder {
fn default() -> Builder {
- Builder {
- reset_stream_duration: Duration::from_secs(proto::DEFAULT_RESET_STREAM_SECS),
- reset_stream_max: proto::DEFAULT_RESET_STREAM_MAX,
- settings: Default::default(),
- stream_id: 1.into(),
- }
+ Builder::new()
}
}
-// ===== impl Connection =====
+/// Bind an H2 client connection.
+///
+/// Returns a future which resolves to the connection value once the H2
+/// handshake has been completed.
+///
+/// It's important to note that this does not **flush** the outbound
+/// settings to the wire.
+pub fn handshake<T>(io: T) -> Handshake<T, Bytes>
+where T: AsyncRead + AsyncWrite,
+{
+ Builder::new().handshake(io)
+}
+// ===== impl Connection =====
impl<T, B> Connection<T, B>
where
T: AsyncRead + AsyncWrite,
B: IntoBuf,
{
+ fn handshake2(io: T, builder: Builder) -> Handshake<T, B> {
+ use tokio_io::io;
+
+ debug!("binding client connection");
+
+ let msg: &'static [u8] = b"PRI * HTTP/2.0\r\n\r\nSM\r\n\r\n";
+ let handshake = io::write_all(io, msg);
+
+ Handshake {
+ builder,
+ inner: handshake,
+ _marker: PhantomData,
+ }
+ }
+
/// Sets the target window size for the whole connection.
///
/// Default in HTTP2 is 65_535.
@@ -330,7 +321,7 @@ where
B: IntoBuf,
B::Buf: 'static,
{
- type Item = (Client<B>, Connection<T, B>);
+ type Item = (SendRequest<B>, Connection<T, B>);
type Error = ::Error;
fn poll(&mut self) -> Poll<Self::Item, Self::Error> {
@@ -359,14 +350,14 @@ where
reset_stream_max: self.builder.reset_stream_max,
settings: self.builder.settings.clone(),
});
- let client = Client {
+ let send_request = SendRequest {
inner: connection.streams().clone(),
pending: None,
};
- let conn = Connection {
+ let connection = Connection {
inner: connection,
};
- Ok(Async::Ready((client, conn)))
+ Ok(Async::Ready((send_request, connection)))
}
}
diff --git a/src/server.rs b/src/server.rs
--- a/src/server.rs
+++ b/src/server.rs
@@ -7,44 +7,47 @@
//! HTTP/2.0 handshake. See [here](../index.html#handshake) for more details.
//!
//! Once a connection is obtained and primed (ALPN negotiation, HTTP/1.1
-//! upgrade, etc...), the connection handle is passed to [`Server::handshake`],
-//! which will begin the [HTTP/2.0 handshake]. This returns a future that will
-//! complete once the handshake is complete and HTTP/2.0 streams may be
-//! received.
+//! upgrade, etc...), the connection handle is passed to
+//! [`Connection::handshake`], which will begin the [HTTP/2.0 handshake]. This
+//! returns a future that will complete once the handshake is complete and
+//! HTTP/2.0 streams may be received.
//!
-//! [`Server::handshake`] will use a default configuration. There are a number
-//! of configuration values that can be set by using a [`Builder`] instead.
+//! [`Connection::handshake`] will use a default configuration. There are a
+//! number of configuration values that can be set by using a [`Builder`]
+//! instead.
//!
//! # Inbound streams
//!
-//! The [`Server`] instance is used to accept inbound HTTP/2.0 streams. It does
-//! this by implementing [`futures::Stream`]. When a new stream is received, a
-//! call to [`Server::poll`] will return `(request, response)`. The `request`
-//! handle (of type [`http::Request<RecvStream>`]) contains the HTTP request
-//! head as well as provides a way to receive the inbound data stream and the
-//! trailers. The `response` handle (of type [`SendStream`]) allows responding
-//! to the request, stream the response payload, send trailers, and send push
-//! promises.
+//! The [`Connection`] instance is used to accept inbound HTTP/2.0 streams. It
+//! does this by implementing [`futures::Stream`]. When a new stream is
+//! received, a call to [`Connection::poll`] will return `(request, response)`.
+//! The `request` handle (of type [`http::Request<RecvStream>`]) contains the
+//! HTTP request head as well as provides a way to receive the inbound data
+//! stream and the trailers. The `response` handle (of type [`SendStream`])
+//! allows responding to the request, stream the response payload, send
+//! trailers, and send push promises.
//!
//! The send ([`SendStream`]) and receive ([`RecvStream`]) halves of the stream
//! can be operated independently.
//!
//! # Managing the connection
//!
-//! The [`Server`] instance is used to manage the connection state. The caller
-//! is required to call either [`Server::poll`] or [`Server::poll_close`] in
-//! order to advance the connection state. Simply operating on [`SendStream`] or
-//! [`RecvStream`] will have no effect unless the connection state is advanced.
+//! The [`Connection`] instance is used to manage the connection state. The
+//! caller is required to call either [`Connection::poll`] or
+//! [`Connection::poll_close`] in order to advance the connection state. Simply
+//! operating on [`SendStream`] or [`RecvStream`] will have no effect unless the
+//! connection state is advanced.
//!
-//! It is not required to call **both** [`Server::poll`] and
-//! [`Server::poll_close`]. If the caller is ready to accept a new stream, then
-//! only [`Server::poll`] should be called. When the caller **does not** want to
-//! accept a new stream, [`Server::poll_close`] should be called.
+//! It is not required to call **both** [`Connection::poll`] and
+//! [`Connection::poll_close`]. If the caller is ready to accept a new stream,
+//! then only [`Connection::poll`] should be called. When the caller **does
+//! not** want to accept a new stream, [`Connection::poll_close`] should be
+//! called.
//!
-//! The [`Server`] instance should only be dropped once [`Server::poll_close`]
-//! returns `Ready`. Once [`Server::poll`] returns `Ready(None)`, there will no
-//! longer be any more inbound streams. At this point, only
-//! [`Server::poll_close`] should be called.
+//! The [`Connection`] instance should only be dropped once
+//! [`Connection::poll_close`] returns `Ready`. Once [`Connection::poll`]
+//! returns `Ready(None)`, there will no longer be any more inbound streams. At
+//! this point, only [`Connection::poll_close`] should be called.
//!
//! # Shutting down the server
//!
@@ -65,7 +68,7 @@
//!
//! use futures::{Future, Stream};
//! # use futures::future::ok;
-//! use h2::server::Server;
+//! use h2::server;
//! use http::{Response, StatusCode};
//! use tokio_core::reactor;
//! use tokio_core::net::TcpListener;
@@ -83,7 +86,7 @@
//! // Spawn a new task to process each connection.
//! handle.spawn({
//! // Start the HTTP/2.0 connection handshake
-//! Server::handshake(socket)
+//! server::handshake(socket)
//! .and_then(|h2| {
//! // Accept all inbound HTTP/2.0 streams sent over the
//! // connection.
@@ -114,12 +117,12 @@
//! ```
//!
//! [prior knowledge]: http://httpwg.org/specs/rfc7540.html#known-http
-//! [`Server::handshake`]: struct.Server.html#method.handshake
+//! [`Connection::handshake`]: struct.Connection.html#method.handshake
//! [HTTP/2.0 handshake]: http://httpwg.org/specs/rfc7540.html#ConnectionHeader
//! [`Builder`]: struct.Builder.html
-//! [`Server`]: struct.Server.html
-//! [`Server::poll`]: struct.Server.html#method.poll
-//! [`Server::poll_close`]: struct.Server.html#method.poll_close
+//! [`Connection`]: struct.Connection.html
+//! [`Connection::poll`]: struct.Connection.html#method.poll
+//! [`Connection::poll_close`]: struct.Connection.html#method.poll_close
//! [`futures::Stream`]: https://docs.rs/futures/0.1/futures/stream/trait.Stream.html
//! [`http::Request<RecvStream>`]: ../struct.RecvStream.html
//! [`SendStream`]: ../struct.SendStream.html
@@ -127,7 +130,7 @@
use {SendStream, RecvStream, ReleaseCapacity};
use codec::{Codec, RecvError};
use frame::{self, Reason, Settings, StreamId};
-use proto::{self, Config, Connection, Prioritized};
+use proto::{self, Config, Prioritized};
use bytes::{Buf, Bytes, IntoBuf};
use futures::{self, Async, Future, Poll};
@@ -138,7 +141,7 @@ use std::time::Duration;
/// In progress HTTP/2.0 connection handshake future.
///
-/// This type implements `Future`, yielding a `Server` instance once the
+/// This type implements `Future`, yielding a `Connection` instance once the
/// handshake has completed.
///
/// The handshake is completed once the connection preface is fully received
@@ -160,21 +163,21 @@ pub struct Handshake<T, B: IntoBuf = Bytes> {
/// Accepts inbound HTTP/2.0 streams on a connection.
///
-/// A `Server` is backed by an I/O resource (usually a TCP socket) and
+/// A `Connection` is backed by an I/O resource (usually a TCP socket) and
/// implements the HTTP/2.0 server logic for that connection. It is responsible
/// for receiving inbound streams initiated by the client as well as driving the
/// internal state forward.
///
-/// `Server` values are created by calling [`handshake`]. Once a `Server` value
-/// is obtained, the caller must call [`poll`] or [`poll_close`] in order to
-/// drive the internal connection state forward.
+/// `Connection` values are created by calling [`handshake`]. Once a
+/// `Connection` value is obtained, the caller must call [`poll`] or
+/// [`poll_close`] in order to drive the internal connection state forward.
///
/// See [module level] documentation for more details
///
/// [module level]: index.html
-/// [`handshake`]: struct.Server.html#method.handshake
-/// [`poll`]: struct.Server.html#method.poll
-/// [`poll_close`]: struct.Server.html#method.poll_close
+/// [`handshake`]: struct.Connection.html#method.handshake
+/// [`poll`]: struct.Connection.html#method.poll
+/// [`poll_close`]: struct.Connection.html#method.poll_close
///
/// # Examples
///
@@ -184,10 +187,11 @@ pub struct Handshake<T, B: IntoBuf = Bytes> {
/// # extern crate tokio_io;
/// # use futures::{Future, Stream};
/// # use tokio_io::*;
+/// # use h2::server;
/// # use h2::server::*;
/// #
/// # fn doc<T: AsyncRead + AsyncWrite>(my_io: T) {
-/// Server::handshake(my_io)
+/// server::handshake(my_io)
/// .and_then(|server| {
/// server.for_each(|(request, respond)| {
/// // Process the request and send the response back to the client
@@ -201,24 +205,24 @@ pub struct Handshake<T, B: IntoBuf = Bytes> {
/// # pub fn main() {}
/// ```
#[must_use = "streams do nothing unless polled"]
-pub struct Server<T, B: IntoBuf> {
- connection: Connection<T, Peer, B>,
+pub struct Connection<T, B: IntoBuf> {
+ connection: proto::Connection<T, Peer, B>,
}
-/// Server factory, which can be used in order to configure the properties of
-/// the HTTP/2.0 server before it is created.
+/// Client connection factory, which can be used in order to configure the
+/// properties of the HTTP/2.0 server before it is created.
///
/// Methods can be changed on it in order to configure it.
///
/// The server is constructed by calling [`handshake`] and passing the I/O
/// handle that will back the HTTP/2.0 server.
///
-/// New instances of `Builder` are obtained via [`Server::builder`].
+/// New instances of `Builder` are obtained via [`Builder::new`].
///
/// See function level documentation for details on the various server
/// configuration settings.
///
-/// [`Server::builder`]: struct.Server.html#method.builder
+/// [`Builder::new`]: struct.Builder.html#method.new
/// [`handshake`]: struct.Builder.html#method.handshake
///
/// # Examples
@@ -234,7 +238,7 @@ pub struct Server<T, B: IntoBuf> {
/// # {
/// // `server_fut` is a future representing the completion of the HTTP/2.0
/// // handshake.
-/// let server_fut = Server::builder()
+/// let server_fut = Builder::new()
/// .initial_window_size(1_000_000)
/// .max_concurrent_streams(1000)
/// .handshake(my_io);
@@ -255,32 +259,32 @@ pub struct Builder {
settings: Settings,
}
-/// Respond to a client request.
+/// Send a response back to the client
///
-/// A `Respond` instance is provided when receiving a request and is used to
-/// send the associated response back to the client. It is also used to
+/// A `SendResponse` instance is provided when receiving a request and is used
+/// to send the associated response back to the client. It is also used to
/// explicitly reset the stream with a custom reason.
///
/// It will also be used to initiate push promises linked with the associated
/// stream. This is [not yet
/// implemented](https://github.com/carllerche/h2/issues/185).
///
-/// If the `Respond` instance is dropped without sending a response, then the
-/// HTTP/2.0 stream will be reset.
+/// If the `SendResponse` instance is dropped without sending a response, then
+/// the HTTP/2.0 stream will be reset.
///
/// See [module] level docs for more details.
///
/// [module]: index.html
#[derive(Debug)]
-pub struct Respond<B: IntoBuf> {
+pub struct SendResponse<B: IntoBuf> {
inner: proto::StreamRef<B::Buf>,
}
/// Stages of an in-progress handshake.
enum Handshaking<T, B: IntoBuf> {
- /// State 1. Server is flushing pending SETTINGS frame.
+ /// State 1. Connection is flushing pending SETTINGS frame.
Flushing(Flush<T, Prioritized<B::Buf>>),
- /// State 2. Server is waiting for the client preface.
+ /// State 2. Connection is waiting for the client preface.
ReadingPreface(ReadPreface<T, Prioritized<B::Buf>>),
/// Dummy state for `mem::replace`.
Empty,
@@ -302,85 +306,50 @@ pub(crate) struct Peer;
const PREFACE: [u8; 24] = *b"PRI * HTTP/2.0\r\n\r\nSM\r\n\r\n";
-// ===== impl Server =====
-
-impl<T> Server<T, Bytes>
-where
- T: AsyncRead + AsyncWrite,
+/// Create a new configured HTTP/2.0 server with default configuration
+/// values backed by `io`.
+///
+/// It is expected that `io` already be in an appropriate state to commence
+/// the [HTTP/2.0 handshake]. See [Handshake] for more details.
+///
+/// Returns a future which resolves to the [`Connection`] instance once the
+/// HTTP/2.0 handshake has been completed. The returned [`Connection`]
+/// instance will be using default configuration values. Use [`Builder`] to
+/// customize the configuration values used by a [`Connection`] instance.
+///
+/// [HTTP/2.0 handshake]: http://httpwg.org/specs/rfc7540.html#ConnectionHeader
+/// [Handshake]: ../index.html#handshake
+/// [`Connection`]: struct.Connection.html
+///
+/// # Examples
+///
+/// ```
+/// # extern crate h2;
+/// # extern crate tokio_io;
+/// # use tokio_io::*;
+/// # use h2::server;
+/// # use h2::server::*;
+/// #
+/// # fn doc<T: AsyncRead + AsyncWrite>(my_io: T)
+/// # -> Handshake<T>
+/// # {
+/// // `server_fut` is a future representing the completion of the HTTP/2.0
+/// // handshake.
+/// let handshake_fut = server::handshake(my_io);
+/// # handshake_fut
+/// # }
+/// #
+/// # pub fn main() {}
+/// ```
+pub fn handshake<T>(io: T) -> Handshake<T, Bytes>
+where T: AsyncRead + AsyncWrite,
{
- /// Create a new configured HTTP/2.0 server with default configuration
- /// values backed by `io`.
- ///
- /// It is expected that `io` already be in an appropriate state to commence
- /// the [HTTP/2.0 handshake]. See [Handshake] for more details.
- ///
- /// Returns a future which resolves to the [`Server`] instance once the
- /// HTTP/2.0 handshake has been completed. The returned [`Server`] instance
- /// will be using default configuration values. Use [`Builder`] to customize
- /// the configuration values used by a [`Server`] instance.
- ///
- /// [HTTP/2.0 handshake]: http://httpwg.org/specs/rfc7540.html#ConnectionHeader
- /// [Handshake]: ../index.html#handshake
- /// [`Server`]: struct.Server.html
- ///
- /// # Examples
- ///
- /// ```
- /// # extern crate h2;
- /// # extern crate tokio_io;
- /// # use tokio_io::*;
- /// # use h2::server::*;
- /// #
- /// # fn doc<T: AsyncRead + AsyncWrite>(my_io: T)
- /// # -> Handshake<T>
- /// # {
- /// // `server_fut` is a future representing the completion of the HTTP/2.0
- /// // handshake.
- /// let handshake_fut = Server::handshake(my_io);
- /// # handshake_fut
- /// # }
- /// #
- /// # pub fn main() {}
- /// ```
- pub fn handshake(io: T) -> Handshake<T, Bytes> {
- Server::builder().handshake(io)
- }
+ Builder::new().handshake(io)
}
-impl Server<(), Bytes> {
- /// Return a new `Server` builder instance initialized with default
- /// configuration values.
- ///
- /// Configuration methods can be chained on the return value.
- ///
- /// # Examples
- ///
- /// ```
- /// # extern crate h2;
- /// # extern crate tokio_io;
- /// # use tokio_io::*;
- /// # use h2::server::*;
- /// #
- /// # fn doc<T: AsyncRead + AsyncWrite>(my_io: T)
- /// # -> Handshake<T>
- /// # {
- /// // `server_fut` is a future representing the completion of the HTTP/2.0
- /// // handshake.
- /// let server_fut = Server::builder()
- /// .initial_window_size(1_000_000)
- /// .max_concurrent_streams(1000)
- /// .handshake(my_io);
- /// # server_fut
- /// # }
- /// #
- /// # pub fn main() {}
- /// ```
- pub fn builder() -> Builder {
- Builder::default()
- }
-}
+// ===== impl Connection =====
-impl<T, B> Server<T, B>
+impl<T, B> Connection<T, B>
where
T: AsyncRead + AsyncWrite,
B: IntoBuf,
@@ -437,7 +406,7 @@ where
///
/// See [here](index.html#managing-the-connection) for more details.
///
- /// [`poll`]: struct.Server.html#method.poll
+ /// [`poll`]: struct.Connection.html#method.poll
/// [`RecvStream`]: ../struct.RecvStream.html
/// [`SendStream`]: ../struct.SendStream.html
pub fn poll_close(&mut self) -> Poll<(), ::Error> {
@@ -445,13 +414,13 @@ where
}
}
-impl<T, B> futures::Stream for Server<T, B>
+impl<T, B> futures::Stream for Connection<T, B>
where
T: AsyncRead + AsyncWrite,
B: IntoBuf,
B::Buf: 'static,
{
- type Item = (Request<RecvStream>, Respond<B>);
+ type Item = (Request<RecvStream>, SendResponse<B>);
type Error = ::Error;
fn poll(&mut self) -> Poll<Option<Self::Item>, ::Error> {
@@ -472,7 +441,7 @@ where
let body = RecvStream::new(ReleaseCapacity::new(inner.clone_to_opaque()));
let request = Request::from_parts(head, body);
- let respond = Respond { inner };
+ let respond = SendResponse { inner };
return Ok(Some((request, respond)).into());
}
@@ -481,14 +450,14 @@ where
}
}
-impl<T, B> fmt::Debug for Server<T, B>
+impl<T, B> fmt::Debug for Connection<T, B>
where
T: fmt::Debug,
B: fmt::Debug + IntoBuf,
B::Buf: fmt::Debug,
{
fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
- fmt.debug_struct("Server")
+ fmt.debug_struct("Connection")
.field("connection", &self.connection)
.finish()
}
@@ -497,6 +466,41 @@ where
// ===== impl Builder =====
impl Builder {
+ /// Return a new client builder instance initialized with default
+ /// configuration values.
+ ///
+ /// Configuration methods can be chained on the return value.
+ ///
+ /// # Examples
+ ///
+ /// ```
+ /// # extern crate h2;
+ /// # extern crate tokio_io;
+ /// # use tokio_io::*;
+ /// # use h2::server::*;
+ /// #
+ /// # fn doc<T: AsyncRead + AsyncWrite>(my_io: T)
+ /// # -> Handshake<T>
+ /// # {
+ /// // `server_fut` is a future representing the completion of the HTTP/2.0
+ /// // handshake.
+ /// let server_fut = Builder::new()
+ /// .initial_window_size(1_000_000)
+ /// .max_concurrent_streams(1000)
+ /// .handshake(my_io);
+ /// # server_fut
+ /// # }
+ /// #
+ /// # pub fn main() {}
+ /// ```
+ pub fn new() -> Builder {
+ Builder {
+ reset_stream_duration: Duration::from_secs(proto::DEFAULT_RESET_STREAM_SECS),
+ reset_stream_max: proto::DEFAULT_RESET_STREAM_MAX,
+ settings: Settings::default(),
+ }
+ }
+
/// Indicates the initial window size (in octets) for stream-level
/// flow control for received data.
///
@@ -520,7 +524,7 @@ impl Builder {
/// # {
/// // `server_fut` is a future representing the completion of the HTTP/2.0
/// // handshake.
- /// let server_fut = Server::builder()
+ /// let server_fut = Builder::new()
/// .initial_window_size(1_000_000)
/// .handshake(my_io);
/// # server_fut
@@ -555,7 +559,7 @@ impl Builder {
/// # {
/// // `server_fut` is a future representing the completion of the HTTP/2.0
/// // handshake.
- /// let server_fut = Server::builder()
+ /// let server_fut = Builder::new()
/// .max_frame_size(1_000_000)
/// .handshake(my_io);
/// # server_fut
@@ -610,7 +614,7 @@ impl Builder {
/// # {
/// // `server_fut` is a future representing the completion of the HTTP/2.0
/// // handshake.
- /// let server_fut = Server::builder()
+ /// let server_fut = Builder::new()
/// .max_concurrent_streams(1000)
/// .handshake(my_io);
/// # server_fut
@@ -626,9 +630,10 @@ impl Builder {
/// Set the maximum number of concurrent locally reset streams.
///
/// When a stream is explicitly reset by either calling
- /// [`Respond::send_reset`] or by dropping a [`Respond`] instance before
- /// completing te stream, the HTTP/2.0 specification requires that any
- /// further frames received for that stream must be ignored for "some time".
+ /// [`SendResponse::send_reset`] or by dropping a [`SendResponse`] instance
+ /// before completing te stream, the HTTP/2.0 specification requires that
+ /// any further frames received for that stream must be ignored for "some
+ /// time".
///
/// In order to satisfy the specification, internal state must be maintained
/// to implement the behavior. This state grows linearly with the number of
@@ -657,7 +662,7 @@ impl Builder {
/// # {
/// // `server_fut` is a future representing the completion of the HTTP/2.0
/// // handshake.
- /// let server_fut = Server::builder()
+ /// let server_fut = Builder::new()
/// .max_concurrent_reset_streams(1000)
/// .handshake(my_io);
/// # server_fut
@@ -673,9 +678,10 @@ impl Builder {
/// Set the maximum number of concurrent locally reset streams.
///
/// When a stream is explicitly reset by either calling
- /// [`Respond::send_reset`] or by dropping a [`Respond`] instance before
- /// completing te stream, the HTTP/2.0 specification requires that any
- /// further frames received for that stream must be ignored for "some time".
+ /// [`SendResponse::send_reset`] or by dropping a [`SendResponse`] instance
+ /// before completing te stream, the HTTP/2.0 specification requires that
+ /// any further frames received for that stream must be ignored for "some
+ /// time".
///
/// In order to satisfy the specification, internal state must be maintained
/// to implement the behavior. This state grows linearly with the number of
@@ -705,7 +711,7 @@ impl Builder {
/// # {
/// // `server_fut` is a future representing the completion of the HTTP/2.0
/// // handshake.
- /// let server_fut = Server::builder()
+ /// let server_fut = Builder::new()
/// .reset_stream_duration(Duration::from_secs(10))
/// .handshake(my_io);
/// # server_fut
@@ -723,7 +729,7 @@ impl Builder {
/// It is expected that `io` already be in an appropriate state to commence
/// the [HTTP/2.0 handshake]. See [Handshake] for more details.
///
- /// Returns a future which resolves to the [`Server`] instance once the
+ /// Returns a future which resolves to the [`Connection`] instance once the
/// HTTP/2.0 handshake has been completed.
///
/// This function also allows the caller to configure the send payload data
@@ -731,7 +737,7 @@ impl Builder {
///
/// [HTTP/2.0 handshake]: http://httpwg.org/specs/rfc7540.html#ConnectionHeader
/// [Handshake]: ../index.html#handshake
- /// [`Server`]: struct.Server.html
+ /// [`Connection`]: struct.Connection.html
/// [Outbound data type]: ../index.html#outbound-data-type.
///
/// # Examples
@@ -749,7 +755,7 @@ impl Builder {
/// # {
/// // `server_fut` is a future representing the completion of the HTTP/2.0
/// // handshake.
- /// let handshake_fut = Server::builder()
+ /// let handshake_fut = Builder::new()
/// .handshake(my_io);
/// # handshake_fut
/// # }
@@ -771,7 +777,7 @@ impl Builder {
/// # {
/// // `server_fut` is a future representing the completion of the HTTP/2.0
/// // handshake.
- /// let server_fut: Handshake<_, &'static [u8]> = Server::builder()
+ /// let server_fut: Handshake<_, &'static [u8]> = Builder::new()
/// .handshake(my_io);
/// # server_fut
/// # }
@@ -784,23 +790,19 @@ impl Builder {
B: IntoBuf,
B::Buf: 'static,
{
- Server::handshake2(io, self.clone())
+ Connection::handshake2(io, self.clone())
}
}
impl Default for Builder {
fn default() -> Builder {
- Builder {
- reset_stream_duration: Duration::from_secs(proto::DEFAULT_RESET_STREAM_SECS),
- reset_stream_max: proto::DEFAULT_RESET_STREAM_MAX,
- settings: Settings::default(),
- }
+ Builder::new()
}
}
-// ===== impl Respond =====
+// ===== impl SendResponse =====
-impl<B: IntoBuf> Respond<B> {
+impl<B: IntoBuf> SendResponse<B> {
/// Send a response to a client request.
///
/// On success, a [`SendStream`] instance is returned. This instance can be
@@ -810,11 +812,11 @@ impl<B: IntoBuf> Respond<B> {
/// instance, then `end_of_stream` must be set to `true` when calling this
/// function.
///
- /// The [`Respond`] instance is already associated with a received request.
- /// This function may only be called once per instance and only if
+ /// The [`SendResponse`] instance is already associated with a received
+ /// request. This function may only be called once per instance and only if
/// [`send_reset`] has not been previously called.
///
- /// [`Respond`]: #
+ /// [`SendResponse`]: #
/// [`SendStream`]: ../struct.SendStream.html
/// [`send_reset`]: #method.send_reset
pub fn send_response(
@@ -924,7 +926,7 @@ impl<T, B: IntoBuf> Future for Handshake<T, B>
where T: AsyncRead + AsyncWrite,
B: IntoBuf,
{
- type Item = Server<T, B>;
+ type Item = Connection<T, B>;
type Error = ::Error;
fn poll(&mut self) -> Poll<Self::Item, Self::Error> {
@@ -955,7 +957,7 @@ impl<T, B: IntoBuf> Future for Handshake<T, B>
};
let poll = if let ReadingPreface(ref mut read) = self.state {
// We're now waiting for the client preface. Poll the `ReadPreface`
- // future. If it has completed, we will create a `Server` handle
+ // future. If it has completed, we will create a `Connection` handle
// for the connection.
read.poll()
// Actually creating the `Connection` has to occur outside of this
@@ -966,14 +968,14 @@ impl<T, B: IntoBuf> Future for Handshake<T, B>
unreachable!("Handshake::poll() state was not advanced completely!")
};
let server = poll?.map(|codec| {
- let connection = Connection::new(codec, Config {
+ let connection = proto::Connection::new(codec, Config {
next_stream_id: 2.into(),
reset_stream_duration: self.builder.reset_stream_duration,
reset_stream_max: self.builder.reset_stream_max,
settings: self.builder.settings.clone(),
});
trace!("Handshake::poll(); connection established!");
- Server { connection }
+ Connection { connection }
});
Ok(server)
}
|
diff --git a/tests/client_request.rs b/tests/client_request.rs
--- a/tests/client_request.rs
+++ b/tests/client_request.rs
@@ -13,7 +13,7 @@ fn handshake() {
.write(SETTINGS_ACK)
.build();
- let (_, h2) = Client::handshake(mock).wait().unwrap();
+ let (_, h2) = client::handshake(mock).wait().unwrap();
trace!("hands have been shook");
@@ -37,7 +37,7 @@ fn client_other_thread() {
.send_frame(frames::headers(1).response(200).eos())
.close();
- let h2 = Client::handshake(io)
+ let h2 = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, h2)| {
::std::thread::spawn(move || {
@@ -76,7 +76,7 @@ fn recv_invalid_server_stream_id() {
.write(&[0, 0, 8, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1])
.build();
- let (mut client, h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, h2) = client::handshake(mock).wait().unwrap();
// Send the request
let request = Request::builder()
@@ -100,7 +100,7 @@ fn request_stream_id_overflows() {
let (io, srv) = mock::new();
- let h2 = Client::builder()
+ let h2 = client::Builder::new()
.initial_stream_id(::std::u32::MAX >> 1)
.handshake::<_, Bytes>(io)
.expect("handshake")
@@ -172,7 +172,7 @@ fn client_builder_max_concurrent_streams() {
.send_frame(frames::headers(1).response(200).eos())
.close();
- let mut builder = Client::builder();
+ let mut builder = client::Builder::new();
builder.max_concurrent_streams(1);
let h2 = builder
@@ -219,7 +219,7 @@ fn request_over_max_concurrent_streams_errors() {
.send_frame(frames::data(5, "").eos())
.close();
- let h2 = Client::handshake(io)
+ let h2 = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, h2)| {
// we send a simple req here just to drive the connection so we can
@@ -294,7 +294,7 @@ fn http_11_request_without_scheme_or_authority() {
.send_frame(frames::headers(1).response(200).eos())
.close();
- let h2 = Client::handshake(io)
+ let h2 = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, h2)| {
// we send a simple req here just to drive the connection so we can
@@ -324,7 +324,7 @@ fn http_2_request_without_scheme_or_authority() {
.recv_settings()
.close();
- let h2 = Client::handshake(io)
+ let h2 = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, h2)| {
// we send a simple req here just to drive the connection so we can
@@ -367,7 +367,7 @@ fn request_with_connection_headers() {
("te", "boom"),
];
- let client = Client::handshake(io)
+ let client = client::handshake(io)
.expect("handshake")
.and_then(move |(mut client, conn)| {
for (name, val) in headers {
@@ -402,7 +402,7 @@ fn connection_close_notifies_response_future() {
// don't send any response, just close
.close();
- let client = Client::handshake(io)
+ let client = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, conn)| {
let request = Request::builder()
@@ -444,7 +444,7 @@ fn connection_close_notifies_client_poll_ready() {
)
.close();
- let client = Client::handshake(io)
+ let client = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, conn)| {
let request = Request::builder()
@@ -497,7 +497,7 @@ fn sending_request_on_closed_connection() {
.send_frame(frames::headers(0).response(200).eos())
.close();
- let h2 = Client::handshake(io)
+ let h2 = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, h2)| {
let request = Request::builder()
diff --git a/tests/codec_write.rs b/tests/codec_write.rs
--- a/tests/codec_write.rs
+++ b/tests/codec_write.rs
@@ -27,7 +27,7 @@ fn write_continuation_frames() {
)
.close();
- let client = Client::handshake(io)
+ let client = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, conn)| {
let mut request = Request::builder();
diff --git a/tests/flow_control.rs b/tests/flow_control.rs
--- a/tests/flow_control.rs
+++ b/tests/flow_control.rs
@@ -27,7 +27,7 @@ fn send_data_without_requesting_capacity() {
.read(&[0, 0, 1, 1, 5, 0, 0, 0, 1, 0x89])
.build();
- let (mut client, mut h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::handshake(mock).wait().unwrap();
let request = Request::builder()
.method(Method::POST)
@@ -82,7 +82,7 @@ fn release_capacity_sends_window_update() {
// gotta end the connection
.map(drop);
- let h2 = Client::handshake(io).unwrap().and_then(|(mut client, h2)| {
+ let h2 = client::handshake(io).unwrap().and_then(|(mut client, h2)| {
let request = Request::builder()
.method(Method::GET)
.uri("https://http2.akamai.com/")
@@ -147,7 +147,7 @@ fn release_capacity_of_small_amount_does_not_send_window_update() {
// gotta end the connection
.map(drop);
- let h2 = Client::handshake(io).unwrap().and_then(|(mut client, h2)| {
+ let h2 = client::handshake(io).unwrap().and_then(|(mut client, h2)| {
let request = Request::builder()
.method(Method::GET)
.uri("https://http2.akamai.com/")
@@ -216,7 +216,7 @@ fn recv_data_overflows_connection_window() {
.recv_frame(frames::go_away(0).flow_control());
// connection is ended by client
- let h2 = Client::handshake(io).unwrap().and_then(|(mut client, h2)| {
+ let h2 = client::handshake(io).unwrap().and_then(|(mut client, h2)| {
let request = Request::builder()
.method(Method::GET)
.uri("https://http2.akamai.com/")
@@ -279,7 +279,7 @@ fn recv_data_overflows_stream_window() {
.recv_frame(frames::reset(1).flow_control())
.close();
- let h2 = Client::builder()
+ let h2 = client::Builder::new()
.initial_window_size(16_384)
.handshake::<_, Bytes>(io)
.unwrap()
@@ -348,7 +348,7 @@ fn stream_error_release_connection_capacity() {
.recv_frame(frames::window_update(0, 16_384 * 2 + 10))
.close();
- let client = Client::handshake(io).unwrap()
+ let client = client::handshake(io).unwrap()
.and_then(|(mut client, conn)| {
let request = Request::builder()
.uri("https://http2.akamai.com/")
@@ -397,7 +397,7 @@ fn stream_close_by_data_frame_releases_capacity() {
let window_size = frame::DEFAULT_INITIAL_WINDOW_SIZE as usize;
- let h2 = Client::handshake(io).unwrap().and_then(|(mut client, h2)| {
+ let h2 = client::handshake(io).unwrap().and_then(|(mut client, h2)| {
let request = Request::builder()
.method(Method::POST)
.uri("https://http2.akamai.com/")
@@ -468,7 +468,7 @@ fn stream_close_by_trailers_frame_releases_capacity() {
let window_size = frame::DEFAULT_INITIAL_WINDOW_SIZE as usize;
- let h2 = Client::handshake(io).unwrap().and_then(|(mut client, h2)| {
+ let h2 = client::handshake(io).unwrap().and_then(|(mut client, h2)| {
let request = Request::builder()
.method(Method::POST)
.uri("https://http2.akamai.com/")
@@ -551,7 +551,7 @@ fn recv_window_update_on_stream_closed_by_data_frame() {
let _ = ::env_logger::init();
let (io, srv) = mock::new();
- let h2 = Client::handshake(io)
+ let h2 = client::handshake(io)
.unwrap()
.and_then(|(mut client, h2)| {
let request = Request::builder()
@@ -600,7 +600,7 @@ fn reserved_capacity_assigned_in_multi_window_updates() {
let _ = ::env_logger::init();
let (io, srv) = mock::new();
- let h2 = Client::handshake(io)
+ let h2 = client::handshake(io)
.unwrap()
.and_then(|(mut client, h2)| {
let request = Request::builder()
@@ -729,7 +729,7 @@ fn connection_notified_on_released_capacity() {
let th2 = thread::spawn(move || {
- let (mut client, h2) = Client::handshake(io).wait().unwrap();
+ let (mut client, h2) = client::handshake(io).wait().unwrap();
let (h2, _) = h2.drive(settings_rx).wait().unwrap();
@@ -809,7 +809,7 @@ fn recv_settings_removes_available_capacity() {
.close();
- let h2 = Client::handshake(io).unwrap()
+ let h2 = client::handshake(io).unwrap()
.and_then(|(mut client, h2)| {
let request = Request::builder()
.method(Method::POST)
@@ -870,7 +870,7 @@ fn recv_no_init_window_then_receive_some_init_window() {
.close();
- let h2 = Client::handshake(io).unwrap()
+ let h2 = client::handshake(io).unwrap()
.and_then(|(mut client, h2)| {
let request = Request::builder()
.method(Method::POST)
@@ -971,7 +971,7 @@ fn settings_lowered_capacity_returns_capacity_to_connection() {
.wait().unwrap();
});
- let (mut client, h2) = Client::handshake(io).unwrap()
+ let (mut client, h2) = client::handshake(io).unwrap()
.wait().unwrap();
// Drive client connection
@@ -1034,7 +1034,7 @@ fn client_increase_target_window_size() {
.close();
- let client = Client::handshake(io).unwrap()
+ let client = client::handshake(io).unwrap()
.and_then(|(_client, mut conn)| {
conn.set_target_window_size(2 << 20);
@@ -1062,7 +1062,7 @@ fn increase_target_window_size_after_using_some() {
.recv_frame(frames::window_update(0, (2 << 20) - 65_535))
.close();
- let client = Client::handshake(io).unwrap()
+ let client = client::handshake(io).unwrap()
.and_then(|(mut client, conn)| {
let request = Request::builder()
.uri("https://http2.akamai.com/")
@@ -1105,7 +1105,7 @@ fn decrease_target_window_size() {
.recv_frame(frames::window_update(0, 16_384))
.close();
- let client = Client::handshake(io).unwrap()
+ let client = client::handshake(io).unwrap()
.and_then(|(mut client, mut conn)| {
conn.set_target_window_size(16_384 * 2);
@@ -1142,7 +1142,7 @@ fn server_target_window_size() {
.recv_frame(frames::window_update(0, (2 << 20) - 65_535))
.close();
- let srv = Server::handshake(io).unwrap()
+ let srv = server::handshake(io).unwrap()
.and_then(|mut conn| {
conn.set_target_window_size(2 << 20);
conn.into_future().unwrap()
@@ -1180,7 +1180,7 @@ fn recv_settings_increase_window_size_after_using_some() {
.send_frame(frames::headers(1).response(200).eos())
.close();
- let client = Client::handshake(io).unwrap()
+ let client = client::handshake(io).unwrap()
.and_then(|(mut client, conn)| {
let request = Request::builder()
.method("POST")
diff --git a/tests/ping_pong.rs b/tests/ping_pong.rs
--- a/tests/ping_pong.rs
+++ b/tests/ping_pong.rs
@@ -8,7 +8,7 @@ fn recv_single_ping() {
let (m, mock) = mock::new();
// Create the handshake
- let h2 = Client::handshake(m)
+ let h2 = client::handshake(m)
.unwrap()
.and_then(|(_, conn)| conn.unwrap());
@@ -49,7 +49,7 @@ fn recv_multiple_pings() {
.recv_frame(frames::ping([2; 8]).pong())
.close();
- let srv = Server::handshake(io)
+ let srv = server::handshake(io)
.expect("handshake")
.and_then(|srv| {
// future of first request, which never comes
@@ -79,7 +79,7 @@ fn pong_has_highest_priority() {
.recv_frame(frames::headers(1).response(200).eos())
.close();
- let srv = Server::handshake(io)
+ let srv = server::handshake(io)
.expect("handshake")
.and_then(|srv| {
// future of first request
diff --git a/tests/prioritization.rs b/tests/prioritization.rs
--- a/tests/prioritization.rs
+++ b/tests/prioritization.rs
@@ -26,7 +26,7 @@ fn single_stream_send_large_body() {
.build();
let notify = MockNotify::new();
- let (mut client, mut h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::handshake(mock).wait().unwrap();
// Poll h2 once to get notifications
loop {
@@ -94,7 +94,7 @@ fn single_stream_send_extra_large_body_multi_frames_one_buffer() {
.build();
let notify = MockNotify::new();
- let (mut client, mut h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::handshake(mock).wait().unwrap();
// Poll h2 once to get notifications
loop {
@@ -181,7 +181,7 @@ fn single_stream_send_body_greater_than_default_window() {
.build();
let notify = MockNotify::new();
- let (mut client, mut h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::handshake(mock).wait().unwrap();
// Poll h2 once to get notifications
loop {
@@ -265,7 +265,7 @@ fn single_stream_send_extra_large_body_multi_frames_multi_buffer() {
.read(&[0, 0, 1, 1, 5, 0, 0, 0, 1, 0x89])
.build();
- let (mut client, mut h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::handshake(mock).wait().unwrap();
let request = Request::builder()
.method(Method::POST)
@@ -296,7 +296,7 @@ fn send_data_receive_window_update() {
let _ = ::env_logger::init();
let (m, mock) = mock::new();
- let h2 = Client::handshake(m)
+ let h2 = client::handshake(m)
.unwrap()
.and_then(|(mut client, h2)| {
let request = Request::builder()
diff --git a/tests/push_promise.rs b/tests/push_promise.rs
--- a/tests/push_promise.rs
+++ b/tests/push_promise.rs
@@ -20,7 +20,7 @@ fn recv_push_works() {
.send_frame(frames::headers(1).response(200).eos())
.send_frame(frames::headers(2).response(200).eos());
- let h2 = Client::handshake(io).unwrap().and_then(|(mut client, h2)| {
+ let h2 = client::handshake(io).unwrap().and_then(|(mut client, h2)| {
let request = Request::builder()
.method(Method::GET)
.uri("https://http2.akamai.com/")
@@ -58,7 +58,7 @@ fn recv_push_when_push_disabled_is_conn_error() {
.send_frame(frames::headers(1).response(200).eos())
.recv_frame(frames::go_away(0).protocol_error());
- let h2 = Client::builder()
+ let h2 = client::Builder::new()
.enable_push(false)
.handshake::<_, Bytes>(io)
.unwrap()
@@ -115,7 +115,7 @@ fn pending_push_promises_reset_when_dropped() {
.recv_frame(frames::reset(2).cancel())
.close();
- let client = Client::handshake(io).unwrap().and_then(|(mut client, conn)| {
+ let client = client::handshake(io).unwrap().and_then(|(mut client, conn)| {
let request = Request::builder()
.method(Method::GET)
.uri("https://http2.akamai.com/")
diff --git a/tests/server.rs b/tests/server.rs
--- a/tests/server.rs
+++ b/tests/server.rs
@@ -17,7 +17,7 @@ fn read_preface_in_multiple_frames() {
.read(SETTINGS_ACK)
.build();
- let h2 = Server::handshake(mock).wait().unwrap();
+ let h2 = server::handshake(mock).wait().unwrap();
assert!(Stream::wait(h2).next().is_none());
}
@@ -47,7 +47,7 @@ fn server_builder_set_max_concurrent_streams() {
.recv_frame(frames::headers(1).response(200).eos())
.close();
- let mut builder = Server::builder();
+ let mut builder = server::Builder::new();
builder.max_concurrent_streams(1);
let h2 = builder
@@ -89,7 +89,7 @@ fn serve_request() {
.recv_frame(frames::headers(1).response(200).eos())
.close();
- let srv = Server::handshake(io).expect("handshake").and_then(|srv| {
+ let srv = server::handshake(io).expect("handshake").and_then(|srv| {
srv.into_future().unwrap().and_then(|(reqstream, srv)| {
let (req, mut stream) = reqstream.unwrap();
@@ -129,7 +129,7 @@ fn recv_invalid_authority() {
.recv_frame(frames::reset(1).protocol_error())
.close();
- let srv = Server::handshake(io)
+ let srv = server::handshake(io)
.expect("handshake")
.and_then(|srv| srv.into_future().unwrap());
@@ -164,7 +164,7 @@ fn recv_connection_header() {
.recv_frame(frames::reset(9).protocol_error())
.close();
- let srv = Server::handshake(io)
+ let srv = server::handshake(io)
.expect("handshake")
.and_then(|srv| srv.into_future().unwrap());
@@ -188,7 +188,7 @@ fn sends_reset_cancel_when_body_is_dropped() {
.recv_frame(frames::reset(1).cancel())
.close();
- let srv = Server::handshake(io).expect("handshake").and_then(|srv| {
+ let srv = server::handshake(io).expect("handshake").and_then(|srv| {
srv.into_future().unwrap().and_then(|(reqstream, srv)| {
let (req, mut stream) = reqstream.unwrap();
diff --git a/tests/stream_states.rs b/tests/stream_states.rs
--- a/tests/stream_states.rs
+++ b/tests/stream_states.rs
@@ -20,7 +20,7 @@ fn send_recv_headers_only() {
.read(&[0, 0, 1, 1, 5, 0, 0, 0, 1, 0x89])
.build();
- let (mut client, mut h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::handshake(mock).wait().unwrap();
// Send the request
let request = Request::builder()
@@ -62,7 +62,7 @@ fn send_recv_data() {
])
.build();
- let (mut client, mut h2) = Client::builder().handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::Builder::new().handshake(mock).wait().unwrap();
let request = Request::builder()
.method(Method::POST)
@@ -119,7 +119,7 @@ fn send_headers_recv_data_single_frame() {
])
.build();
- let (mut client, mut h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::handshake(mock).wait().unwrap();
// Send the request
let request = Request::builder()
@@ -154,7 +154,7 @@ fn closed_streams_are_released() {
let _ = ::env_logger::init();
let (io, srv) = mock::new();
- let h2 = Client::handshake(io).unwrap().and_then(|(mut client, h2)| {
+ let h2 = client::handshake(io).unwrap().and_then(|(mut client, h2)| {
let request = Request::get("https://example.com/").body(()).unwrap();
// Send request
@@ -199,7 +199,7 @@ fn errors_if_recv_frame_exceeds_max_frame_size() {
let _ = ::env_logger::init();
let (io, mut srv) = mock::new();
- let h2 = Client::handshake(io).unwrap().and_then(|(mut client, h2)| {
+ let h2 = client::handshake(io).unwrap().and_then(|(mut client, h2)| {
let request = Request::builder()
.method(Method::GET)
.uri("https://example.com/")
@@ -254,7 +254,7 @@ fn configure_max_frame_size() {
let _ = ::env_logger::init();
let (io, mut srv) = mock::new();
- let h2 = Client::builder()
+ let h2 = client::Builder::new()
.max_frame_size(16_384 * 2)
.handshake::<_, Bytes>(io)
.expect("handshake")
@@ -325,7 +325,7 @@ fn recv_goaway_finishes_processed_streams() {
.recv_frame(frames::go_away(0));
//.close();
- let h2 = Client::handshake(io)
+ let h2 = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, h2)| {
let request = Request::builder()
@@ -396,7 +396,7 @@ fn recv_next_stream_id_updated_by_malformed_headers() {
.recv_frame(frames::go_away(1).protocol_error())
.close();
- let srv = Server::handshake(io)
+ let srv = server::handshake(io)
.expect("handshake")
.and_then(|srv| srv.into_future().then(|res| {
let (err, _) = res.unwrap_err();
@@ -429,7 +429,7 @@ fn skipped_stream_ids_are_implicitly_closed() {
// implicitly closed.
.send_frame(frames::headers(3).response(200));
- let h2 = Client::builder()
+ let h2 = client::Builder::new()
.initial_stream_id(5)
.handshake::<_, Bytes>(io)
.expect("handshake")
@@ -491,7 +491,7 @@ fn send_rst_stream_allows_recv_data() {
.ping_pong([1; 8])
.close();
- let client = Client::handshake(io)
+ let client = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, conn)| {
let request = Request::builder()
@@ -540,7 +540,7 @@ fn send_rst_stream_allows_recv_trailers() {
.ping_pong([1; 8])
.close();
- let client = Client::handshake(io)
+ let client = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, conn)| {
let request = Request::builder()
@@ -591,7 +591,7 @@ fn rst_stream_expires() {
.recv_frame(frames::go_away(0).protocol_error())
.close();
- let client = Client::builder()
+ let client = client::Builder::new()
.reset_stream_duration(Duration::from_millis(10))
.handshake::<_, Bytes>(io)
.expect("handshake")
@@ -663,7 +663,7 @@ fn rst_stream_max() {
.recv_frame(frames::go_away(0).protocol_error())
.close();
- let client = Client::builder()
+ let client = client::Builder::new()
.max_concurrent_reset_streams(1)
.handshake::<_, Bytes>(io)
.expect("handshake")
@@ -744,7 +744,7 @@ fn reserved_state_recv_window_update() {
.ping_pong([1; 8])
.close();
- let client = Client::handshake(io)
+ let client = client::handshake(io)
.expect("handshake")
.and_then(|(mut client, conn)| {
let request = Request::builder()
diff --git a/tests/support/prelude.rs b/tests/support/prelude.rs
--- a/tests/support/prelude.rs
+++ b/tests/support/prelude.rs
@@ -3,9 +3,9 @@
pub use super::h2;
pub use self::h2::*;
-pub use self::h2::client::{self, Client};
+pub use self::h2::client;
pub use self::h2::frame::StreamId;
-pub use self::h2::server::{self, Server};
+pub use self::h2::server;
// Re-export mock
pub use super::mock::{self, HandleFutureExt};
diff --git a/tests/trailers.rs b/tests/trailers.rs
--- a/tests/trailers.rs
+++ b/tests/trailers.rs
@@ -23,7 +23,7 @@ fn recv_trailers_only() {
])
.build();
- let (mut client, mut h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::handshake(mock).wait().unwrap();
// Send the request
let request = Request::builder()
@@ -71,7 +71,7 @@ fn send_trailers_immediately() {
])
.build();
- let (mut client, mut h2) = Client::handshake(mock).wait().unwrap();
+ let (mut client, mut h2) = client::handshake(mock).wait().unwrap();
// Send the request
let request = Request::builder()
|
Rename `server::Server` -> `Accept` or `Listener`
This type is mostly used to acquire new H2 streams.
This is fairly low priority, but I thought I would propose the change to see what others thought about it.
|
I'm on the fence about this. Does @olix0r have any thoughts?
i think `Server` and `Client` should be equivalent... So if we're reserving `Client` for something higher up the stack, I think we should save `Server` as well. I think either `Accept` or `Listener` is fine (and I'd look to the client side to determine how to name them -- Connect/Accept, Connector/Listener, etc)
Ok, here is my latest proposal.
* We reserve `Server` and `Client` names for hopefully something more fitting.
* `server::Server` -> `server::Connection`
* `client::Client` -> `client::SendRequest`. (there already is a `client::Connection`, which is correct).
I don't love `SendRequest`, but admittedly there isn't much of a better name. `client::Handle`? :trollface:
I declare a moratorium on naming things Handle!
| 2017-12-22T04:31:18
|
rust
|
Hard
|
servo/rust-url
| 125
|
servo__rust-url-125
|
[
"124"
] |
122f5daa95c697acd55dc4d827ee5ef709236ed3
|
diff --git a/src/parser.rs b/src/parser.rs
--- a/src/parser.rs
+++ b/src/parser.rs
@@ -7,6 +7,7 @@
// except according to those terms.
use std::ascii::AsciiExt;
+use std::cmp::max;
use std::error::Error;
use std::fmt::{self, Formatter};
@@ -284,7 +285,7 @@ fn parse_relative_url<'a>(input: &'a str, scheme: String, scheme_type: SchemeTyp
path: path
}), remaining)
} else {
- let base_path = &base.path[..base.path.len() - 1];
+ let base_path = &base.path[..max(base.path.len(), 1) - 1];
// Relative path state
let (path, remaining) = try!(parse_path(
base_path, input, Context::UrlParser, scheme_type, parser));
|
diff --git a/src/tests.rs b/src/tests.rs
--- a/src/tests.rs
+++ b/src/tests.rs
@@ -291,3 +291,13 @@ fn new_directory_paths() {
fn from_str() {
assert!("http://testing.com/this".parse::<Url>().is_ok());
}
+
+#[test]
+fn issue_124() {
+ let url: Url = "file:a".parse().unwrap();
+ assert_eq!(url.path().unwrap(), ["a"]);
+ let url: Url = "file:...".parse().unwrap();
+ assert_eq!(url.path().unwrap(), ["..."]);
+ let url: Url = "file:..".parse().unwrap();
+ assert_eq!(url.path().unwrap(), [""]);
+}
|
Integer Overflow on odd `file` URL
This code:
``` rust
"file:...".parse::<Url>();
```
will yield this error:
```
test tests::bad_file_url ... FAILED
failures:
---- tests::bad_file_url stdout ----
thread 'tests::bad_file_url' panicked at 'arithmetic operation overflowed', src/parser.rs:287
failures:
tests::bad_file_url
test result: FAILED. 0 passed; 1 failed; 0 ignored; 0 measured
```
| 2015-08-10T23:31:57
|
rust
|
Easy
|
|
hyperium/h2
| 140
|
hyperium__h2-140
|
[
"82"
] |
431442735d4509f65d490733bc1a968e92162f80
|
diff --git a/src/proto/streams/flow_control.rs b/src/proto/streams/flow_control.rs
--- a/src/proto/streams/flow_control.rs
+++ b/src/proto/streams/flow_control.rs
@@ -126,8 +126,10 @@ impl FlowControl {
/// This is called after receiving a SETTINGS frame with a lower
/// INITIAL_WINDOW_SIZE value.
pub fn dec_window(&mut self, sz: WindowSize) {
+ trace!("dec_window; sz={}; window={}, available={}", sz, self.window_size, self.available);
// This should not be able to overflow `window_size` from the bottom.
self.window_size -= sz as i32;
+ self.available = self.available.saturating_sub(sz);
}
/// Decrements the window reflecting data has actually been sent. The caller
diff --git a/src/proto/streams/streams.rs b/src/proto/streams/streams.rs
--- a/src/proto/streams/streams.rs
+++ b/src/proto/streams/streams.rs
@@ -734,12 +734,20 @@ where
P: Peer,
{
fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
- let me = self.inner.lock().unwrap();
- let stream = &me.store[self.key];
- fmt.debug_struct("StreamRef")
- .field("stream_id", &stream.id)
- .field("ref_count", &stream.ref_count)
- .finish()
+ match self.inner.lock() {
+ Ok(me) => {
+ let stream = &me.store[self.key];
+ fmt.debug_struct("StreamRef")
+ .field("stream_id", &stream.id)
+ .field("ref_count", &stream.ref_count)
+ .finish()
+ },
+ Err(_poisoned) => {
+ fmt.debug_struct("StreamRef")
+ .field("inner", &"<Poisoned>")
+ .finish()
+ }
+ }
}
}
|
diff --git a/tests/flow_control.rs b/tests/flow_control.rs
--- a/tests/flow_control.rs
+++ b/tests/flow_control.rs
@@ -532,17 +532,16 @@ fn recv_window_update_on_stream_closed_by_data_frame() {
// Send a data frame, this will also close the connection
stream.send_data("hello".into(), true).unwrap();
+ // keep `stream` from being dropped in order to prevent
+ // it from sending an RST_STREAM frame.
+ //
+ // i know this is kind of evil, but it's necessary to
+ // ensure that the stream is closed by the EOS frame,
+ // and not by the RST_STREAM.
+ std::mem::forget(stream);
+
// Wait for the connection to close
- h2.map(|h2| {
- // keep `stream` from being dropped in order to prevent
- // it from sending an RST_STREAM frame.
- std::mem::forget(stream);
- // i know this is kind of evil, but it's necessary to
- // ensure that the stream is closed by the EOS frame,
- // and not by the RST_STREAM.
- h2
- })
- .unwrap()
+ h2.unwrap()
});
let srv = srv.assert_client_handshake()
@@ -744,3 +743,60 @@ fn connection_notified_on_released_capacity() {
// implicitly released before.
drop(b);
}
+
+#[test]
+fn recv_settings_removes_available_capacity() {
+ let _ = ::env_logger::init();
+ let (io, srv) = mock::new();
+
+ let mut settings = frame::Settings::default();
+ settings.set_initial_window_size(Some(0));
+
+ let srv = srv.assert_client_handshake_with_settings(settings).unwrap()
+ .recv_settings()
+ .recv_frame(
+ frames::headers(1)
+ .request("POST", "https://http2.akamai.com/")
+ )
+ .idle_ms(100)
+ .send_frame(frames::window_update(0, 11))
+ .send_frame(frames::window_update(1, 11))
+ .recv_frame(frames::data(1, "hello world").eos())
+ .send_frame(
+ frames::headers(1)
+ .response(204)
+ .eos()
+ )
+ .close();
+
+
+ let h2 = Client::handshake(io).unwrap()
+ .and_then(|(mut client, h2)| {
+ let request = Request::builder()
+ .method(Method::POST)
+ .uri("https://http2.akamai.com/")
+ .body(()).unwrap();
+
+ let mut stream = client.send_request(request, false).unwrap();
+
+ stream.reserve_capacity(11);
+
+ h2.drive(util::wait_for_capacity(stream, 11))
+ })
+ .and_then(|(h2, mut stream)| {
+ assert_eq!(stream.capacity(), 11);
+
+ stream.send_data("hello world".into(), true).unwrap();
+
+ h2.drive(GetResponse { stream: Some(stream) })
+ })
+ .and_then(|(h2, (response, _))| {
+ assert_eq!(response.status(), StatusCode::NO_CONTENT);
+
+ // Wait for the connection to close
+ h2.unwrap()
+ });
+
+ let _ = h2.join(srv)
+ .wait().unwrap();
+}
|
Receiving a SETTINGS frame that reduces window size causes queued streams to panic
This test panics. This may be resolved by #79
```rust
#[test]
fn something_funky() {
let _ = ::env_logger::init();
let (io, srv) = mock::new();
let h2 = Client::handshake(io).unwrap()
.and_then(|mut h2| {
let request = Request::builder()
.method(Method::POST)
.uri("https://http2.akamai.com/")
.body(()).unwrap();
let mut stream = h2.request(request, false).unwrap();
stream.reserve_capacity(11);
h2.drive(util::wait_for_capacity(stream, 11))
})
.and_then(|(h2, mut stream)| {
assert_eq!(stream.capacity(), 11);
stream.send_data("hello world".into(), true).unwrap();
h2.drive(GetResponse { stream: Some(stream) })
})
.and_then(|(h2, (response, _))| {
assert_eq!(response.status(), StatusCode::NO_CONTENT);
// Wait for the connection to close
h2.unwrap()
})
;
let mut settings = frame::Settings::default();
settings.set_initial_window_size(0);
let srv = srv.assert_client_handshake_with_settings(settings).unwrap()
.recv_settings()
.recv_frame(
frames::headers(1)
.request("POST", "https://http2.akamai.com/")
)
.idle_ms(100)
.send_frame(
frames::window_update(0, 11))
.send_frame(
frames::window_update(1, 11))
.recv_frame(
frames::data(1, "hello world").eos())
.send_frame(
frames::headers(1)
.response(204)
.eos()
)
/*
.recv_frame(frames::data(1, "hello").eos())
.send_frame(frames::window_update(1, 5))
*/
.map(drop)
;
let _ = h2.join(srv)
.wait().unwrap();
}
```
| 2017-10-06T19:27:19
|
rust
|
Hard
|
|
servo/rust-url
| 517
|
servo__rust-url-517
|
[
"483"
] |
695351be29b015a29f39f55e44f4b88a947b3844
|
diff --git a/.travis.yml b/.travis.yml
--- a/.travis.yml
+++ b/.travis.yml
@@ -1,28 +1,12 @@
language: rust
+script: cargo test --all-features --all
jobs:
include:
- - rust: 1.17.0
- install:
- # --precise requires Cargo.lock to already exist
- - cargo update
- # getopts is only used in tests. Its versions 0.2.16+ don’t build on 1.17.0
- - cargo update -p getopts --precise 0.2.15
-
- - cargo update -p unicode-normalization --precise 0.1.5
-
- # data-url uses pub(crate) which is unstable in 1.17
- script: cargo test --all-features -p url -p idna -p percent-encoding -p url_serde
-
+ - rust: 1.30.0
- rust: stable
- script: cargo test --all-features --all
-
- rust: beta
- script: cargo test --all-features --all
-
- rust: nightly
- script: cargo test --all-features --all
-
- rust: nightly
env: TARGET=WASM32 # For job list UI
install: rustup target add wasm32-unknown-unknown
diff --git a/Cargo.toml b/Cargo.toml
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -2,7 +2,7 @@
name = "url"
# When updating version, also modify html_root_url in the lib.rs
-version = "1.7.2"
+version = "2.0.0"
authors = ["The rust-url developers"]
description = "URL library for Rust, based on the WHATWG URL Standard"
@@ -18,7 +18,7 @@ travis-ci = { repository = "servo/rust-url" }
appveyor = { repository = "Manishearth/rust-url" }
[workspace]
-members = [".", "idna", "percent_encoding", "url_serde", "data-url"]
+members = [".", "idna", "percent_encoding", "data-url"]
[[test]]
name = "unit"
@@ -32,27 +32,16 @@ test = false
[dev-dependencies]
rustc-test = "0.3"
-rustc-serialize = "0.3"
-serde_json = ">=0.6.1, <0.9"
+serde_json = "1.0"
bencher = "0.1"
-[features]
-query_encoding = ["encoding"]
-heap_size = ["heapsize"]
-
[dependencies]
-encoding = {version = "0.2", optional = true}
-heapsize = {version = ">=0.4.1, <0.5", optional = true}
-idna = { version = "0.1.0", path = "./idna" }
+idna = { version = "0.2.0", path = "./idna" }
matches = "0.1"
percent-encoding = { version = "1.0.0", path = "./percent_encoding" }
-rustc-serialize = {version = "0.3", optional = true}
-serde = {version = ">=0.6.1, <0.9", optional = true}
+serde = {version = "1.0", optional = true}
[[bench]]
name = "parse_url"
harness = false
-
-[package.metadata.docs.rs]
-features = ["query_encoding"]
diff --git a/data-url/src/forgiving_base64.rs b/data-url/src/forgiving_base64.rs
--- a/data-url/src/forgiving_base64.rs
+++ b/data-url/src/forgiving_base64.rs
@@ -29,7 +29,7 @@ impl From<DecodeError<Impossible>> for InvalidBase64 {
fn from(e: DecodeError<Impossible>) -> Self {
match e {
DecodeError::InvalidBase64(e) => e,
- DecodeError::WriteError(e) => match e {}
+ DecodeError::WriteError(e) => match e {},
}
}
}
@@ -46,14 +46,20 @@ pub fn decode_to_vec(input: &[u8]) -> Result<Vec<u8>, InvalidBase64> {
}
/// <https://infra.spec.whatwg.org/#forgiving-base64-decode>
-pub struct Decoder<F, E> where F: FnMut(&[u8]) -> Result<(), E> {
+pub struct Decoder<F, E>
+where
+ F: FnMut(&[u8]) -> Result<(), E>,
+{
write_bytes: F,
bit_buffer: u32,
buffer_bit_length: u8,
padding_symbols: u8,
}
-impl<F, E> Decoder<F, E> where F: FnMut(&[u8]) -> Result<(), E> {
+impl<F, E> Decoder<F, E>
+where
+ F: FnMut(&[u8]) -> Result<(), E>,
+{
pub fn new(write_bytes: F) -> Self {
Self {
write_bytes,
@@ -72,12 +78,12 @@ impl<F, E> Decoder<F, E> where F: FnMut(&[u8]) -> Result<(), E> {
// Remove ASCII whitespace
if matches!(byte, b' ' | b'\t' | b'\n' | b'\r' | b'\x0C') {
- continue
+ continue;
}
if byte == b'=' {
self.padding_symbols = self.padding_symbols.saturating_add(1);
- continue
+ continue;
}
Err(InvalidBase64Details::UnexpectedSymbol(byte))?
@@ -115,32 +121,22 @@ impl<F, E> Decoder<F, E> where F: FnMut(&[u8]) -> Result<(), E> {
(12, 2) | (12, 0) => {
// A multiple of four of alphabet symbols, followed by two more symbols,
// optionally followed by two padding characters (which make a total multiple of four).
- let byte_buffer = [
- (self.bit_buffer >> 4) as u8,
- ];
+ let byte_buffer = [(self.bit_buffer >> 4) as u8];
(self.write_bytes)(&byte_buffer).map_err(DecodeError::WriteError)?;
}
(18, 1) | (18, 0) => {
// A multiple of four of alphabet symbols, followed by three more symbols,
// optionally followed by one padding character (which make a total multiple of four).
- let byte_buffer = [
- (self.bit_buffer >> 10) as u8,
- (self.bit_buffer >> 2) as u8,
- ];
+ let byte_buffer = [(self.bit_buffer >> 10) as u8, (self.bit_buffer >> 2) as u8];
(self.write_bytes)(&byte_buffer).map_err(DecodeError::WriteError)?;
}
- (6, _) => {
- Err(InvalidBase64Details::LoneAlphabetSymbol)?
- }
- _ => {
- Err(InvalidBase64Details::Padding)?
- }
+ (6, _) => Err(InvalidBase64Details::LoneAlphabetSymbol)?,
+ _ => Err(InvalidBase64Details::Padding)?,
}
Ok(())
}
}
-
/// Generated by `make_base64_decode_table.py` based on "Table 1: The Base 64 Alphabet"
/// at <https://tools.ietf.org/html/rfc4648#section-4>
///
@@ -148,6 +144,7 @@ impl<F, E> Decoder<F, E> where F: FnMut(&[u8]) -> Result<(), E> {
/// Array values are their positions in the base64 alphabet,
/// or -1 for symbols not in the alphabet.
/// The position contributes 6 bits to the decoded bytes.
+#[rustfmt::skip]
const BASE64_DECODE_TABLE: [i8; 256] = [
-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
diff --git a/data-url/src/lib.rs b/data-url/src/lib.rs
--- a/data-url/src/lib.rs
+++ b/data-url/src/lib.rs
@@ -15,14 +15,15 @@
//! assert!(fragment.is_none());
//! ```
-#[macro_use] extern crate matches;
+#[macro_use]
+extern crate matches;
macro_rules! require {
($condition: expr) => {
if !$condition {
- return None
+ return None;
}
- }
+ };
}
pub mod forgiving_base64;
@@ -53,7 +54,11 @@ impl<'a> DataUrl<'a> {
let (mime_type, base64) = parse_header(from_colon_to_comma);
- Ok(DataUrl { mime_type, base64, encoded_body_plus_fragment })
+ Ok(DataUrl {
+ mime_type,
+ base64,
+ encoded_body_plus_fragment,
+ })
}
pub fn mime_type(&self) -> &mime::Mime {
@@ -62,9 +67,12 @@ impl<'a> DataUrl<'a> {
/// Streaming-decode the data URL’s body to `write_body_bytes`,
/// and return the URL’s fragment identifier if it has one.
- pub fn decode<F, E>(&self, write_body_bytes: F)
- -> Result<Option<FragmentIdentifier<'a>>, forgiving_base64::DecodeError<E>>
- where F: FnMut(&[u8]) -> Result<(), E>
+ pub fn decode<F, E>(
+ &self,
+ write_body_bytes: F,
+ ) -> Result<Option<FragmentIdentifier<'a>>, forgiving_base64::DecodeError<E>>
+ where
+ F: FnMut(&[u8]) -> Result<(), E>,
{
if self.base64 {
decode_with_base64(self.encoded_body_plus_fragment, write_body_bytes)
@@ -75,9 +83,9 @@ impl<'a> DataUrl<'a> {
}
/// Return the decoded body, and the URL’s fragment identifier if it has one.
- pub fn decode_to_vec(&self)
- -> Result<(Vec<u8>, Option<FragmentIdentifier<'a>>), forgiving_base64::InvalidBase64>
- {
+ pub fn decode_to_vec(
+ &self,
+ ) -> Result<(Vec<u8>, Option<FragmentIdentifier<'a>>), forgiving_base64::InvalidBase64> {
let mut body = Vec::new();
let fragment = self.decode(|bytes| Ok(body.extend_from_slice(bytes)))?;
Ok((body, fragment))
@@ -100,7 +108,7 @@ impl<'a> FragmentIdentifier<'a> {
percent_encode(byte, &mut string)
}
// Printable ASCII
- _ => string.push(byte as char)
+ _ => string.push(byte as char),
}
}
string
@@ -125,7 +133,9 @@ fn pretend_parse_data_url(input: &str) -> Option<&str> {
let mut bytes = left_trimmed.bytes();
{
// Ignore ASCII tabs or newlines like the URL parser would
- let mut iter = bytes.by_ref().filter(|&byte| !matches!(byte, b'\t' | b'\n' | b'\r'));
+ let mut iter = bytes
+ .by_ref()
+ .filter(|&byte| !matches!(byte, b'\t' | b'\n' | b'\r'));
require!(iter.next()?.to_ascii_lowercase() == b'd');
require!(iter.next()?.to_ascii_lowercase() == b'a');
require!(iter.next()?.to_ascii_lowercase() == b't');
@@ -142,10 +152,10 @@ fn pretend_parse_data_url(input: &str) -> Option<&str> {
fn find_comma_before_fragment(after_colon: &str) -> Option<(&str, &str)> {
for (i, byte) in after_colon.bytes().enumerate() {
if byte == b',' {
- return Some((&after_colon[..i], &after_colon[i + 1..]))
+ return Some((&after_colon[..i], &after_colon[i + 1..]));
}
if byte == b'#' {
- break
+ break;
}
}
None
@@ -187,18 +197,16 @@ fn parse_header(from_colon_to_comma: &str) -> (mime::Mime, bool) {
}
// Printable ASCII
- _ => string.push(byte as char)
+ _ => string.push(byte as char),
}
}
// FIXME: does Mime::from_str match the MIME Sniffing Standard’s parsing algorithm?
// <https://mimesniff.spec.whatwg.org/#parse-a-mime-type>
- let mime_type = string.parse().unwrap_or_else(|_| {
- mime::Mime {
- type_: String::from("text"),
- subtype: String::from("plain"),
- parameters: vec![(String::from("charset"), String::from("US-ASCII"))],
- }
+ let mime_type = string.parse().unwrap_or_else(|_| mime::Mime {
+ type_: String::from("text"),
+ subtype: String::from("plain"),
+ parameters: vec![(String::from("charset"), String::from("US-ASCII"))],
});
(mime_type, base64)
@@ -209,7 +217,9 @@ fn remove_base64_suffix(s: &str) -> Option<&str> {
let mut bytes = s.bytes();
{
// Ignore ASCII tabs or newlines like the URL parser would
- let iter = bytes.by_ref().filter(|&byte| !matches!(byte, b'\t' | b'\n' | b'\r'));
+ let iter = bytes
+ .by_ref()
+ .filter(|&byte| !matches!(byte, b'\t' | b'\n' | b'\r'));
// Search from the end
let mut iter = iter.rev();
@@ -240,9 +250,12 @@ fn percent_encode(byte: u8, string: &mut String) {
/// Anything that would have been UTF-8 percent-encoded by the URL parser
/// would be percent-decoded here.
/// We skip that round-trip and pass it through unchanged.
-fn decode_without_base64<F, E>(encoded_body_plus_fragment: &str, mut write_bytes: F)
- -> Result<Option<FragmentIdentifier>, E>
- where F: FnMut(&[u8]) -> Result<(), E>
+fn decode_without_base64<F, E>(
+ encoded_body_plus_fragment: &str,
+ mut write_bytes: F,
+) -> Result<Option<FragmentIdentifier>, E>
+where
+ F: FnMut(&[u8]) -> Result<(), E>,
{
let bytes = encoded_body_plus_fragment.as_bytes();
let mut slice_start = 0;
@@ -275,11 +288,11 @@ fn decode_without_base64<F, E>(encoded_body_plus_fragment: &str, mut write_bytes
b'#' => {
let fragment_start = i + 1;
let fragment = &encoded_body_plus_fragment[fragment_start..];
- return Ok(Some(FragmentIdentifier(fragment)))
+ return Ok(Some(FragmentIdentifier(fragment)));
}
// Ignore over '\t' | '\n' | '\r'
- _ => slice_start = i + 1
+ _ => slice_start = i + 1,
}
}
}
@@ -290,9 +303,12 @@ fn decode_without_base64<F, E>(encoded_body_plus_fragment: &str, mut write_bytes
/// `decode_without_base64()` composed with
/// <https://infra.spec.whatwg.org/#isomorphic-decode> composed with
/// <https://infra.spec.whatwg.org/#forgiving-base64-decode>.
-fn decode_with_base64<F, E>(encoded_body_plus_fragment: &str, write_bytes: F)
- -> Result<Option<FragmentIdentifier>, forgiving_base64::DecodeError<E>>
- where F: FnMut(&[u8]) -> Result<(), E>
+fn decode_with_base64<F, E>(
+ encoded_body_plus_fragment: &str,
+ write_bytes: F,
+) -> Result<Option<FragmentIdentifier>, forgiving_base64::DecodeError<E>>
+where
+ F: FnMut(&[u8]) -> Result<(), E>,
{
let mut decoder = forgiving_base64::Decoder::new(write_bytes);
let fragment = decode_without_base64(encoded_body_plus_fragment, |bytes| decoder.feed(bytes))?;
diff --git a/data-url/src/mime.rs b/data-url/src/mime.rs
--- a/data-url/src/mime.rs
+++ b/data-url/src/mime.rs
@@ -7,14 +7,16 @@ pub struct Mime {
pub type_: String,
pub subtype: String,
/// (name, value)
- pub parameters: Vec<(String, String)>
+ pub parameters: Vec<(String, String)>,
}
impl Mime {
pub fn get_parameter<P>(&self, name: &P) -> Option<&str>
- where P: ?Sized + PartialEq<str>
+ where
+ P: ?Sized + PartialEq<str>,
{
- self.parameters.iter()
+ self.parameters
+ .iter()
.find(|&&(ref n, _)| name == &**n)
.map(|&(_, ref v)| &**v)
}
@@ -67,11 +69,11 @@ fn parse_parameters(s: &str, parameters: &mut Vec<(String, String)>) {
let piece = piece.trim_left_matches(ascii_whitespace);
let (name, value) = split2(piece, '=');
if name.is_empty() || !only_http_token_code_points(name) || contains(¶meters, name) {
- continue
+ continue;
}
if let Some(value) = value {
let value = if value.starts_with('"') {
- let max_len = value.len().saturating_sub(2); // without start or end quotes
+ let max_len = value.len().saturating_sub(2); // without start or end quotes
let mut unescaped_value = String::with_capacity(max_len);
let mut chars = value[1..].chars();
'until_closing_quote: loop {
@@ -79,7 +81,7 @@ fn parse_parameters(s: &str, parameters: &mut Vec<(String, String)>) {
match c {
'"' => break 'until_closing_quote,
'\\' => unescaped_value.push(chars.next().unwrap_or('\\')),
- _ => unescaped_value.push(c)
+ _ => unescaped_value.push(c),
}
}
if let Some(piece) = semicolon_separated.next() {
@@ -88,17 +90,17 @@ fn parse_parameters(s: &str, parameters: &mut Vec<(String, String)>) {
unescaped_value.push(';');
chars = piece.chars()
} else {
- break
+ break;
}
}
if !valid_value(&unescaped_value) {
- continue
+ continue;
}
unescaped_value
} else {
let value = value.trim_right_matches(ascii_whitespace);
if !valid_value(value) {
- continue
+ continue;
}
value.to_owned()
};
@@ -160,6 +162,7 @@ macro_rules! byte_map {
}
// Copied from https://github.com/hyperium/mime/blob/v0.3.5/src/parse.rs#L293
+#[rustfmt::skip]
static IS_HTTP_TOKEN: [bool; 256] = byte_map![
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
diff --git a/docs/.nojekyll b/docs/.nojekyll
deleted file mode 100644
diff --git a/docs/404.html b/docs/404.html
deleted file mode 100644
--- a/docs/404.html
+++ /dev/null
@@ -1,3 +0,0 @@
-<meta http-equiv="refresh" content="0; url=https://docs.rs/url/">
-<link rel="canonical" href="https://docs.rs/url/">
-<a href="https://docs.rs/url/">Moved to docs.rs</a>
diff --git a/docs/index.html b/docs/index.html
deleted file mode 100644
--- a/docs/index.html
+++ /dev/null
@@ -1,3 +0,0 @@
-<meta http-equiv="refresh" content="0; url=https://docs.rs/url/">
-<link rel="canonical" href="https://docs.rs/url/">
-<a href="https://docs.rs/url/">Moved to docs.rs</a>
diff --git a/idna/Cargo.toml b/idna/Cargo.toml
--- a/idna/Cargo.toml
+++ b/idna/Cargo.toml
@@ -1,10 +1,11 @@
[package]
name = "idna"
-version = "0.1.5"
+version = "0.2.0"
authors = ["The rust-url developers"]
description = "IDNA (Internationalizing Domain Names in Applications) and Punycode."
repository = "https://github.com/servo/rust-url/"
license = "MIT/Apache-2.0"
+autotests = false
[lib]
doctest = false
diff --git a/idna/src/lib.rs b/idna/src/lib.rs
--- a/idna/src/lib.rs
+++ b/idna/src/lib.rs
@@ -32,12 +32,15 @@
//! > that minimizes the impact of this transition for client software,
//! > allowing client software to access domains that are valid under either system.
-#[macro_use] extern crate matches;
+#[macro_use]
+extern crate matches;
extern crate unicode_bidi;
extern crate unicode_normalization;
pub mod punycode;
-pub mod uts46;
+mod uts46;
+
+pub use uts46::{Config, Errors};
/// The [domain to ASCII](https://url.spec.whatwg.org/#concept-domain-to-ascii) algorithm.
///
@@ -47,11 +50,16 @@ pub mod uts46;
///
/// This process may fail.
pub fn domain_to_ascii(domain: &str) -> Result<String, uts46::Errors> {
- uts46::to_ascii(domain, uts46::Flags {
- use_std3_ascii_rules: false,
- transitional_processing: false,
- verify_dns_length: false,
- })
+ Config::default().to_ascii(domain)
+}
+
+/// The [domain to ASCII](https://url.spec.whatwg.org/#concept-domain-to-ascii) algorithm,
+/// with the `beStrict` flag set.
+pub fn domain_to_ascii_strict(domain: &str) -> Result<String, uts46::Errors> {
+ Config::default()
+ .use_std3_ascii_rules(true)
+ .verify_dns_length(true)
+ .to_ascii(domain)
}
/// The [domain to Unicode](https://url.spec.whatwg.org/#concept-domain-to-unicode) algorithm.
@@ -63,11 +71,5 @@ pub fn domain_to_ascii(domain: &str) -> Result<String, uts46::Errors> {
/// This may indicate [syntax violations](https://url.spec.whatwg.org/#syntax-violation)
/// but always returns a string for the mapped domain.
pub fn domain_to_unicode(domain: &str) -> (String, Result<(), uts46::Errors>) {
- uts46::to_unicode(domain, uts46::Flags {
- use_std3_ascii_rules: false,
-
- // Unused:
- transitional_processing: false,
- verify_dns_length: false,
- })
+ Config::default().to_unicode(domain)
}
diff --git a/idna/src/punycode.rs b/idna/src/punycode.rs
--- a/idna/src/punycode.rs
+++ b/idna/src/punycode.rs
@@ -13,10 +13,8 @@
//! `encode_str` and `decode_to_string` provide convenience wrappers
//! that convert from and to Rust’s UTF-8 based `str` and `String` types.
-use std::u32;
use std::char;
-#[allow(unused_imports, deprecated)]
-use std::ascii::AsciiExt;
+use std::u32;
// Bootstring parameters for Punycode
static BASE: u32 = 36;
@@ -28,7 +26,6 @@ static INITIAL_BIAS: u32 = 72;
static INITIAL_N: u32 = 0x80;
static DELIMITER: char = '-';
-
#[inline]
fn adapt(mut delta: u32, num_points: u32, first_time: bool) -> u32 {
delta /= if first_time { DAMP } else { 2 };
@@ -41,7 +38,6 @@ fn adapt(mut delta: u32, num_points: u32, first_time: bool) -> u32 {
k + (((BASE - T_MIN + 1) * delta) / (delta + SKEW))
}
-
/// Convert Punycode to an Unicode `String`.
///
/// This is a convenience wrapper around `decode`.
@@ -50,7 +46,6 @@ pub fn decode_to_string(input: &str) -> Option<String> {
decode(input).map(|chars| chars.into_iter().collect())
}
-
/// Convert Punycode to Unicode.
///
/// Return None on malformed input or overflow.
@@ -63,8 +58,12 @@ pub fn decode(input: &str) -> Option<Vec<char>> {
None => (Vec::new(), input),
Some(position) => (
input[..position].chars().collect(),
- if position > 0 { &input[position + 1..] } else { input }
- )
+ if position > 0 {
+ &input[position + 1..]
+ } else {
+ input
+ },
+ ),
};
let mut code_point = INITIAL_N;
let mut bias = INITIAL_BIAS;
@@ -82,35 +81,39 @@ pub fn decode(input: &str) -> Option<Vec<char>> {
// which gets added to i.
loop {
let digit = match byte {
- byte @ b'0' ... b'9' => byte - b'0' + 26,
- byte @ b'A' ... b'Z' => byte - b'A',
- byte @ b'a' ... b'z' => byte - b'a',
- _ => return None
+ byte @ b'0'..=b'9' => byte - b'0' + 26,
+ byte @ b'A'..=b'Z' => byte - b'A',
+ byte @ b'a'..=b'z' => byte - b'a',
+ _ => return None,
} as u32;
if digit > (u32::MAX - i) / weight {
- return None // Overflow
+ return None; // Overflow
}
i += digit * weight;
- let t = if k <= bias { T_MIN }
- else if k >= bias + T_MAX { T_MAX }
- else { k - bias };
+ let t = if k <= bias {
+ T_MIN
+ } else if k >= bias + T_MAX {
+ T_MAX
+ } else {
+ k - bias
+ };
if digit < t {
- break
+ break;
}
if weight > u32::MAX / (BASE - t) {
- return None // Overflow
+ return None; // Overflow
}
weight *= BASE - t;
k += BASE;
byte = match iter.next() {
- None => return None, // End of input before the end of this delta
+ None => return None, // End of input before the end of this delta
Some(byte) => byte,
};
}
let length = output.len() as u32;
bias = adapt(i - previous_i, length + 1, previous_i == 0);
if i / (length + 1) > u32::MAX - code_point {
- return None // Overflow
+ return None; // Overflow
}
// i was supposed to wrap around from length+1 to 0,
// incrementing code_point each time.
@@ -118,7 +121,7 @@ pub fn decode(input: &str) -> Option<Vec<char>> {
i %= length + 1;
let c = match char::from_u32(code_point) {
Some(c) => c,
- None => return None
+ None => return None,
};
output.insert(i as usize, c);
i += 1;
@@ -126,7 +129,6 @@ pub fn decode(input: &str) -> Option<Vec<char>> {
Some(output)
}
-
/// Convert an Unicode `str` to Punycode.
///
/// This is a convenience wrapper around `encode`.
@@ -135,16 +137,16 @@ pub fn encode_str(input: &str) -> Option<String> {
encode(&input.chars().collect::<Vec<char>>())
}
-
/// Convert Unicode to Punycode.
///
/// Return None on overflow, which can only happen on inputs that would take more than
/// 63 encoded bytes, the DNS limit on domain name labels.
pub fn encode(input: &[char]) -> Option<String> {
// Handle "basic" (ASCII) code points. They are encoded as-is.
- let output_bytes = input.iter().filter_map(|&c|
- if c.is_ascii() { Some(c as u8) } else { None }
- ).collect();
+ let output_bytes = input
+ .iter()
+ .filter_map(|&c| if c.is_ascii() { Some(c as u8) } else { None })
+ .collect();
let mut output = unsafe { String::from_utf8_unchecked(output_bytes) };
let basic_length = output.len() as u32;
if basic_length > 0 {
@@ -158,10 +160,14 @@ pub fn encode(input: &[char]) -> Option<String> {
while processed < input_length {
// All code points < code_point have been handled already.
// Find the next larger one.
- let min_code_point = input.iter().map(|&c| c as u32)
- .filter(|&c| c >= code_point).min().unwrap();
+ let min_code_point = input
+ .iter()
+ .map(|&c| c as u32)
+ .filter(|&c| c >= code_point)
+ .min()
+ .unwrap();
if min_code_point - code_point > (u32::MAX - delta) / (processed + 1) {
- return None // Overflow
+ return None; // Overflow
}
// Increase delta to advance the decoder’s <code_point,i> state to <min_code_point,0>
delta += (min_code_point - code_point) * (processed + 1);
@@ -171,7 +177,7 @@ pub fn encode(input: &[char]) -> Option<String> {
if c < code_point {
delta += 1;
if delta == 0 {
- return None // Overflow
+ return None; // Overflow
}
}
if c == code_point {
@@ -179,11 +185,15 @@ pub fn encode(input: &[char]) -> Option<String> {
let mut q = delta;
let mut k = BASE;
loop {
- let t = if k <= bias { T_MIN }
- else if k >= bias + T_MAX { T_MAX }
- else { k - bias };
+ let t = if k <= bias {
+ T_MIN
+ } else if k >= bias + T_MAX {
+ T_MAX
+ } else {
+ k - bias
+ };
if q < t {
- break
+ break;
}
let value = t + ((q - t) % (BASE - t));
output.push(value_to_digit(value));
@@ -202,12 +212,11 @@ pub fn encode(input: &[char]) -> Option<String> {
Some(output)
}
-
#[inline]
fn value_to_digit(value: u32) -> char {
match value {
- 0 ... 25 => (value as u8 + 'a' as u8) as char, // a..z
- 26 ... 35 => (value as u8 - 26 + '0' as u8) as char, // 0..9
- _ => panic!()
+ 0..=25 => (value as u8 + 'a' as u8) as char, // a..z
+ 26..=35 => (value as u8 - 26 + '0' as u8) as char, // 0..9
+ _ => panic!(),
}
}
diff --git a/idna/src/uts46.rs b/idna/src/uts46.rs
--- a/idna/src/uts46.rs
+++ b/idna/src/uts46.rs
@@ -11,18 +11,14 @@
use self::Mapping::*;
use punycode;
-#[allow(unused_imports, deprecated)]
-use std::ascii::AsciiExt;
-use std::cmp::Ordering::{Equal, Less, Greater};
-use unicode_bidi::{BidiClass, bidi_class};
-use unicode_normalization::UnicodeNormalization;
+use std::cmp::Ordering::{Equal, Greater, Less};
+use unicode_bidi::{bidi_class, BidiClass};
use unicode_normalization::char::is_combining_mark;
+use unicode_normalization::UnicodeNormalization;
include!("uts46_mapping_table.rs");
-
-pub static PUNYCODE_PREFIX: &'static str = "xn--";
-
+const PUNYCODE_PREFIX: &'static str = "xn--";
#[derive(Debug)]
struct StringTableSlice {
@@ -68,28 +64,30 @@ fn find_char(codepoint: char) -> &'static Mapping {
Equal
}
});
- r.ok().map(|i| {
- const SINGLE_MARKER: u16 = 1 << 15;
+ r.ok()
+ .map(|i| {
+ const SINGLE_MARKER: u16 = 1 << 15;
- let x = INDEX_TABLE[i];
- let single = (x & SINGLE_MARKER) != 0;
- let offset = !SINGLE_MARKER & x;
+ let x = INDEX_TABLE[i];
+ let single = (x & SINGLE_MARKER) != 0;
+ let offset = !SINGLE_MARKER & x;
- if single {
- &MAPPING_TABLE[offset as usize]
- } else {
- &MAPPING_TABLE[(offset + (codepoint as u16 - TABLE[i].from as u16)) as usize]
- }
- }).unwrap()
+ if single {
+ &MAPPING_TABLE[offset as usize]
+ } else {
+ &MAPPING_TABLE[(offset + (codepoint as u16 - TABLE[i].from as u16)) as usize]
+ }
+ })
+ .unwrap()
}
-fn map_char(codepoint: char, flags: Flags, output: &mut String, errors: &mut Vec<Error>) {
+fn map_char(codepoint: char, config: Config, output: &mut String, errors: &mut Vec<Error>) {
match *find_char(codepoint) {
Mapping::Valid => output.push(codepoint),
- Mapping::Ignored => {},
+ Mapping::Ignored => {}
Mapping::Mapped(ref slice) => output.push_str(decode_slice(slice)),
Mapping::Deviation(ref slice) => {
- if flags.transitional_processing {
+ if config.transitional_processing {
output.push_str(decode_slice(slice))
} else {
output.push(codepoint)
@@ -100,13 +98,13 @@ fn map_char(codepoint: char, flags: Flags, output: &mut String, errors: &mut Vec
output.push(codepoint);
}
Mapping::DisallowedStd3Valid => {
- if flags.use_std3_ascii_rules {
+ if config.use_std3_ascii_rules {
errors.push(Error::DissallowedByStd3AsciiRules);
}
output.push(codepoint)
}
Mapping::DisallowedStd3Mapped(ref slice) => {
- if flags.use_std3_ascii_rules {
+ if config.use_std3_ascii_rules {
errors.push(Error::DissallowedMappedInStd3);
}
output.push_str(decode_slice(slice))
@@ -135,16 +133,23 @@ fn passes_bidi(label: &str, is_bidi_domain: bool) -> bool {
loop {
match chars.next() {
Some(c) => {
- if !matches!(bidi_class(c),
- BidiClass::L | BidiClass::EN |
- BidiClass::ES | BidiClass::CS |
- BidiClass::ET | BidiClass::ON |
- BidiClass::BN | BidiClass::NSM
- ) {
+ if !matches!(
+ bidi_class(c),
+ BidiClass::L
+ | BidiClass::EN
+ | BidiClass::ES
+ | BidiClass::CS
+ | BidiClass::ET
+ | BidiClass::ON
+ | BidiClass::BN
+ | BidiClass::NSM
+ ) {
return false;
}
- },
- None => { break; },
+ }
+ None => {
+ break;
+ }
}
}
@@ -158,16 +163,18 @@ fn passes_bidi(label: &str, is_bidi_domain: bool) -> bool {
last_non_nsm = rev_chars.next();
continue;
}
- _ => { break; },
+ _ => {
+ break;
+ }
}
}
match last_non_nsm {
- Some(c) if bidi_class(c) == BidiClass::L
- || bidi_class(c) == BidiClass::EN => {},
- Some(_) => { return false; },
+ Some(c) if bidi_class(c) == BidiClass::L || bidi_class(c) == BidiClass::EN => {}
+ Some(_) => {
+ return false;
+ }
_ => {}
}
-
}
// RTL label
@@ -188,33 +195,51 @@ fn passes_bidi(label: &str, is_bidi_domain: bool) -> bool {
found_an = true;
}
- if !matches!(char_class, BidiClass::R | BidiClass::AL |
- BidiClass::AN | BidiClass::EN |
- BidiClass::ES | BidiClass::CS |
- BidiClass::ET | BidiClass::ON |
- BidiClass::BN | BidiClass::NSM) {
+ if !matches!(
+ char_class,
+ BidiClass::R
+ | BidiClass::AL
+ | BidiClass::AN
+ | BidiClass::EN
+ | BidiClass::ES
+ | BidiClass::CS
+ | BidiClass::ET
+ | BidiClass::ON
+ | BidiClass::BN
+ | BidiClass::NSM
+ ) {
return false;
}
- },
- None => { break; },
+ }
+ None => {
+ break;
+ }
}
}
// Rule 3
let mut rev_chars = label.chars().rev();
let mut last = rev_chars.next();
- loop { // must end in L or EN followed by 0 or more NSM
+ loop {
+ // must end in L or EN followed by 0 or more NSM
match last {
Some(c) if bidi_class(c) == BidiClass::NSM => {
last = rev_chars.next();
continue;
}
- _ => { break; },
+ _ => {
+ break;
+ }
}
}
match last {
- Some(c) if matches!(bidi_class(c), BidiClass::R | BidiClass::AL |
- BidiClass::EN | BidiClass::AN) => {},
- _ => { return false; }
+ Some(c)
+ if matches!(
+ bidi_class(c),
+ BidiClass::R | BidiClass::AL | BidiClass::EN | BidiClass::AN
+ ) => {}
+ _ => {
+ return false;
+ }
}
// Rule 4
@@ -233,34 +258,30 @@ fn passes_bidi(label: &str, is_bidi_domain: bool) -> bool {
}
/// http://www.unicode.org/reports/tr46/#Validity_Criteria
-fn validate_full(label: &str, is_bidi_domain: bool, flags: Flags, errors: &mut Vec<Error>) {
+fn validate_full(label: &str, is_bidi_domain: bool, config: Config, errors: &mut Vec<Error>) {
// V1: Must be in NFC form.
if label.nfc().ne(label.chars()) {
errors.push(Error::ValidityCriteria);
} else {
- validate(label, is_bidi_domain, flags, errors);
+ validate(label, is_bidi_domain, config, errors);
}
}
-fn validate(label: &str, is_bidi_domain: bool, flags: Flags, errors: &mut Vec<Error>) {
+fn validate(label: &str, is_bidi_domain: bool, config: Config, errors: &mut Vec<Error>) {
let first_char = label.chars().next();
if first_char == None {
// Empty string, pass
}
-
// V2: No U+002D HYPHEN-MINUS in both third and fourth positions.
//
// NOTE: Spec says that the label must not contain a HYPHEN-MINUS character in both the
// third and fourth positions. But nobody follows this criteria. See the spec issue below:
// https://github.com/whatwg/url/issues/53
- //
- // TODO: Add *CheckHyphens* flag.
// V3: neither begin nor end with a U+002D HYPHEN-MINUS
- else if label.starts_with("-") || label.ends_with("-") {
+ else if config.check_hyphens && (label.starts_with("-") || label.ends_with("-")) {
errors.push(Error::ValidityCriteria);
}
-
// V4: not contain a U+002E FULL STOP
//
// Here, label can't contain '.' since the input is from .split('.')
@@ -269,17 +290,15 @@ fn validate(label: &str, is_bidi_domain: bool, flags: Flags, errors: &mut Vec<Er
else if is_combining_mark(first_char.unwrap()) {
errors.push(Error::ValidityCriteria);
}
-
// V6: Check against Mapping Table
else if label.chars().any(|c| match *find_char(c) {
Mapping::Valid => false,
- Mapping::Deviation(_) => flags.transitional_processing,
- Mapping::DisallowedStd3Valid => flags.use_std3_ascii_rules,
+ Mapping::Deviation(_) => config.transitional_processing,
+ Mapping::DisallowedStd3Valid => config.use_std3_ascii_rules,
_ => true,
}) {
errors.push(Error::ValidityCriteria);
}
-
// V7: ContextJ rules
//
// TODO: Implement rules and add *CheckJoiners* flag.
@@ -287,17 +306,16 @@ fn validate(label: &str, is_bidi_domain: bool, flags: Flags, errors: &mut Vec<Er
// V8: Bidi rules
//
// TODO: Add *CheckBidi* flag
- else if !passes_bidi(label, is_bidi_domain)
- {
+ else if !passes_bidi(label, is_bidi_domain) {
errors.push(Error::ValidityCriteria);
}
}
/// http://www.unicode.org/reports/tr46/#Processing
-fn processing(domain: &str, flags: Flags, errors: &mut Vec<Error>) -> String {
+fn processing(domain: &str, config: Config, errors: &mut Vec<Error>) -> String {
let mut mapped = String::with_capacity(domain.len());
for c in domain.chars() {
- map_char(c, flags, &mut mapped, errors)
+ map_char(c, config, &mut mapped, errors)
}
let mut normalized = String::with_capacity(mapped.len());
normalized.extend(mapped.nfc());
@@ -305,18 +323,18 @@ fn processing(domain: &str, flags: Flags, errors: &mut Vec<Error>) -> String {
// Find out if it's a Bidi Domain Name
//
// First, check for literal bidi chars
- let mut is_bidi_domain = domain.chars().any(|c|
- matches!(bidi_class(c), BidiClass::R | BidiClass::AL | BidiClass::AN)
- );
+ let mut is_bidi_domain = domain
+ .chars()
+ .any(|c| matches!(bidi_class(c), BidiClass::R | BidiClass::AL | BidiClass::AN));
if !is_bidi_domain {
// Then check for punycode-encoded bidi chars
for label in normalized.split('.') {
if label.starts_with(PUNYCODE_PREFIX) {
match punycode::decode_to_string(&label[PUNYCODE_PREFIX.len()..]) {
Some(decoded_label) => {
- if decoded_label.chars().any(|c|
+ if decoded_label.chars().any(|c| {
matches!(bidi_class(c), BidiClass::R | BidiClass::AL | BidiClass::AN)
- ) {
+ }) {
is_bidi_domain = true;
}
}
@@ -338,26 +356,124 @@ fn processing(domain: &str, flags: Flags, errors: &mut Vec<Error>) -> String {
if label.starts_with(PUNYCODE_PREFIX) {
match punycode::decode_to_string(&label[PUNYCODE_PREFIX.len()..]) {
Some(decoded_label) => {
- let flags = Flags { transitional_processing: false, ..flags };
- validate_full(&decoded_label, is_bidi_domain, flags, errors);
+ let config = config.transitional_processing(false);
+ validate_full(&decoded_label, is_bidi_domain, config, errors);
validated.push_str(&decoded_label)
}
- None => errors.push(Error::PunycodeError)
+ None => errors.push(Error::PunycodeError),
}
} else {
// `normalized` is already `NFC` so we can skip that check
- validate(label, is_bidi_domain, flags, errors);
+ validate(label, is_bidi_domain, config, errors);
validated.push_str(label)
}
}
validated
}
-#[derive(Copy, Clone)]
-pub struct Flags {
- pub use_std3_ascii_rules: bool,
- pub transitional_processing: bool,
- pub verify_dns_length: bool,
+#[derive(Clone, Copy)]
+pub struct Config {
+ use_std3_ascii_rules: bool,
+ transitional_processing: bool,
+ verify_dns_length: bool,
+ check_hyphens: bool,
+}
+
+/// The defaults are that of https://url.spec.whatwg.org/#idna
+impl Default for Config {
+ fn default() -> Self {
+ Config {
+ use_std3_ascii_rules: false,
+ transitional_processing: false,
+ check_hyphens: false,
+ // check_bidi: true,
+ // check_joiners: true,
+
+ // Only use for to_ascii, not to_unicode
+ verify_dns_length: false,
+ }
+ }
+}
+
+impl Config {
+ #[inline]
+ pub fn use_std3_ascii_rules(mut self, value: bool) -> Self {
+ self.use_std3_ascii_rules = value;
+ self
+ }
+
+ #[inline]
+ pub fn transitional_processing(mut self, value: bool) -> Self {
+ self.transitional_processing = value;
+ self
+ }
+
+ #[inline]
+ pub fn verify_dns_length(mut self, value: bool) -> Self {
+ self.verify_dns_length = value;
+ self
+ }
+
+ #[inline]
+ pub fn check_hyphens(mut self, value: bool) -> Self {
+ self.check_hyphens = value;
+ self
+ }
+
+ /// http://www.unicode.org/reports/tr46/#ToASCII
+ pub fn to_ascii(self, domain: &str) -> Result<String, Errors> {
+ let mut errors = Vec::new();
+ let mut result = String::new();
+ let mut first = true;
+ for label in processing(domain, self, &mut errors).split('.') {
+ if !first {
+ result.push('.');
+ }
+ first = false;
+ if label.is_ascii() {
+ result.push_str(label);
+ } else {
+ match punycode::encode_str(label) {
+ Some(x) => {
+ result.push_str(PUNYCODE_PREFIX);
+ result.push_str(&x);
+ }
+ None => errors.push(Error::PunycodeError),
+ }
+ }
+ }
+
+ if self.verify_dns_length {
+ let domain = if result.ends_with(".") {
+ &result[..result.len() - 1]
+ } else {
+ &*result
+ };
+ if domain.len() < 1 || domain.split('.').any(|label| label.len() < 1) {
+ errors.push(Error::TooShortForDns)
+ }
+ if domain.len() > 253 || domain.split('.').any(|label| label.len() > 63) {
+ errors.push(Error::TooLongForDns)
+ }
+ }
+ if errors.is_empty() {
+ Ok(result)
+ } else {
+ Err(Errors(errors))
+ }
+ }
+
+ /// http://www.unicode.org/reports/tr46/#ToUnicode
+ pub fn to_unicode(self, domain: &str) -> (String, Result<(), Errors>) {
+ let mut errors = Vec::new();
+ let domain = processing(domain, self, &mut errors);
+ let errors = if errors.is_empty() {
+ Ok(())
+ } else {
+ Err(Errors(errors))
+ };
+ (domain, errors)
+ }
}
#[derive(PartialEq, Eq, Clone, Copy, Debug)]
@@ -377,57 +493,3 @@ enum Error {
/// More details may be exposed in the future.
#[derive(Debug)]
pub struct Errors(Vec<Error>);
-
-/// http://www.unicode.org/reports/tr46/#ToASCII
-pub fn to_ascii(domain: &str, flags: Flags) -> Result<String, Errors> {
- let mut errors = Vec::new();
- let mut result = String::new();
- let mut first = true;
- for label in processing(domain, flags, &mut errors).split('.') {
- if !first {
- result.push('.');
- }
- first = false;
- if label.is_ascii() {
- result.push_str(label);
- } else {
- match punycode::encode_str(label) {
- Some(x) => {
- result.push_str(PUNYCODE_PREFIX);
- result.push_str(&x);
- },
- None => errors.push(Error::PunycodeError)
- }
- }
- }
-
- if flags.verify_dns_length {
- let domain = if result.ends_with(".") { &result[..result.len()-1] } else { &*result };
- if domain.len() < 1 || domain.split('.').any(|label| label.len() < 1) {
- errors.push(Error::TooShortForDns)
- }
- if domain.len() > 253 || domain.split('.').any(|label| label.len() > 63) {
- errors.push(Error::TooLongForDns)
- }
- }
- if errors.is_empty() {
- Ok(result)
- } else {
- Err(Errors(errors))
- }
-}
-
-/// http://www.unicode.org/reports/tr46/#ToUnicode
-///
-/// Only `use_std3_ascii_rules` is used in `flags`.
-pub fn to_unicode(domain: &str, mut flags: Flags) -> (String, Result<(), Errors>) {
- flags.transitional_processing = false;
- let mut errors = Vec::new();
- let domain = processing(domain, flags, &mut errors);
- let errors = if errors.is_empty() {
- Ok(())
- } else {
- Err(Errors(errors))
- };
- (domain, errors)
-}
diff --git a/percent_encoding/lib.rs b/percent_encoding/lib.rs
--- a/percent_encoding/lib.rs
+++ b/percent_encoding/lib.rs
@@ -32,7 +32,6 @@
//! assert_eq!(utf8_percent_encode("foo bar?", DEFAULT_ENCODE_SET).to_string(), "foo%20bar%3F");
//! ```
-use std::ascii::AsciiExt;
use std::borrow::Cow;
use std::fmt;
use std::slice;
@@ -176,23 +175,23 @@ define_encode_set! {
pub fn percent_encode_byte(byte: u8) -> &'static str {
let index = usize::from(byte) * 3;
&"\
- %00%01%02%03%04%05%06%07%08%09%0A%0B%0C%0D%0E%0F\
- %10%11%12%13%14%15%16%17%18%19%1A%1B%1C%1D%1E%1F\
- %20%21%22%23%24%25%26%27%28%29%2A%2B%2C%2D%2E%2F\
- %30%31%32%33%34%35%36%37%38%39%3A%3B%3C%3D%3E%3F\
- %40%41%42%43%44%45%46%47%48%49%4A%4B%4C%4D%4E%4F\
- %50%51%52%53%54%55%56%57%58%59%5A%5B%5C%5D%5E%5F\
- %60%61%62%63%64%65%66%67%68%69%6A%6B%6C%6D%6E%6F\
- %70%71%72%73%74%75%76%77%78%79%7A%7B%7C%7D%7E%7F\
- %80%81%82%83%84%85%86%87%88%89%8A%8B%8C%8D%8E%8F\
- %90%91%92%93%94%95%96%97%98%99%9A%9B%9C%9D%9E%9F\
- %A0%A1%A2%A3%A4%A5%A6%A7%A8%A9%AA%AB%AC%AD%AE%AF\
- %B0%B1%B2%B3%B4%B5%B6%B7%B8%B9%BA%BB%BC%BD%BE%BF\
- %C0%C1%C2%C3%C4%C5%C6%C7%C8%C9%CA%CB%CC%CD%CE%CF\
- %D0%D1%D2%D3%D4%D5%D6%D7%D8%D9%DA%DB%DC%DD%DE%DF\
- %E0%E1%E2%E3%E4%E5%E6%E7%E8%E9%EA%EB%EC%ED%EE%EF\
- %F0%F1%F2%F3%F4%F5%F6%F7%F8%F9%FA%FB%FC%FD%FE%FF\
- "[index..index + 3]
+ %00%01%02%03%04%05%06%07%08%09%0A%0B%0C%0D%0E%0F\
+ %10%11%12%13%14%15%16%17%18%19%1A%1B%1C%1D%1E%1F\
+ %20%21%22%23%24%25%26%27%28%29%2A%2B%2C%2D%2E%2F\
+ %30%31%32%33%34%35%36%37%38%39%3A%3B%3C%3D%3E%3F\
+ %40%41%42%43%44%45%46%47%48%49%4A%4B%4C%4D%4E%4F\
+ %50%51%52%53%54%55%56%57%58%59%5A%5B%5C%5D%5E%5F\
+ %60%61%62%63%64%65%66%67%68%69%6A%6B%6C%6D%6E%6F\
+ %70%71%72%73%74%75%76%77%78%79%7A%7B%7C%7D%7E%7F\
+ %80%81%82%83%84%85%86%87%88%89%8A%8B%8C%8D%8E%8F\
+ %90%91%92%93%94%95%96%97%98%99%9A%9B%9C%9D%9E%9F\
+ %A0%A1%A2%A3%A4%A5%A6%A7%A8%A9%AA%AB%AC%AD%AE%AF\
+ %B0%B1%B2%B3%B4%B5%B6%B7%B8%B9%BA%BB%BC%BD%BE%BF\
+ %C0%C1%C2%C3%C4%C5%C6%C7%C8%C9%CA%CB%CC%CD%CE%CF\
+ %D0%D1%D2%D3%D4%D5%D6%D7%D8%D9%DA%DB%DC%DD%DE%DF\
+ %E0%E1%E2%E3%E4%E5%E6%E7%E8%E9%EA%EB%EC%ED%EE%EF\
+ %F0%F1%F2%F3%F4%F5%F6%F7%F8%F9%FA%FB%FC%FD%FE%FF\
+ "[index..index + 3]
}
/// Percent-encode the given bytes with the given encode set.
@@ -260,7 +259,7 @@ impl<'a, E: EncodeSet> Iterator for PercentEncode<'a, E> {
// 1 for first_byte + i for previous iterations of this loop
let (unchanged_slice, remaining) = self.bytes.split_at(1 + i);
self.bytes = remaining;
- return Some(unsafe { str::from_utf8_unchecked(unchanged_slice) })
+ return Some(unsafe { str::from_utf8_unchecked(unchanged_slice) });
} else {
assert!(byte.is_ascii());
}
@@ -296,17 +295,15 @@ impl<'a, E: EncodeSet> From<PercentEncode<'a, E>> for Cow<'a, str> {
fn from(mut iter: PercentEncode<'a, E>) -> Self {
match iter.next() {
None => "".into(),
- Some(first) => {
- match iter.next() {
- None => first.into(),
- Some(second) => {
- let mut string = first.to_owned();
- string.push_str(second);
- string.extend(iter);
- string.into()
- }
+ Some(first) => match iter.next() {
+ None => first.into(),
+ Some(second) => {
+ let mut string = first.to_owned();
+ string.push_str(second);
+ string.extend(iter);
+ string.into()
}
- }
+ },
}
}
}
@@ -328,7 +325,7 @@ impl<'a, E: EncodeSet> From<PercentEncode<'a, E>> for Cow<'a, str> {
#[inline]
pub fn percent_decode(input: &[u8]) -> PercentDecode {
PercentDecode {
- bytes: input.iter()
+ bytes: input.iter(),
}
}
@@ -388,10 +385,8 @@ impl<'a> PercentDecode<'a> {
let unchanged_bytes_len = initial_bytes.len() - bytes_iter.len() - 3;
let mut decoded = initial_bytes[..unchanged_bytes_len].to_owned();
decoded.push(decoded_byte);
- decoded.extend(PercentDecode {
- bytes: bytes_iter
- });
- return Some(decoded)
+ decoded.extend(PercentDecode { bytes: bytes_iter });
+ return Some(decoded);
}
}
// Nothing to decode
@@ -403,18 +398,14 @@ impl<'a> PercentDecode<'a> {
/// This is return `Err` when the percent-decoded bytes are not well-formed in UTF-8.
pub fn decode_utf8(self) -> Result<Cow<'a, str>, str::Utf8Error> {
match self.clone().into() {
- Cow::Borrowed(bytes) => {
- match str::from_utf8(bytes) {
- Ok(s) => Ok(s.into()),
- Err(e) => Err(e),
- }
- }
- Cow::Owned(bytes) => {
- match String::from_utf8(bytes) {
- Ok(s) => Ok(s.into()),
- Err(e) => Err(e.utf8_error()),
- }
- }
+ Cow::Borrowed(bytes) => match str::from_utf8(bytes) {
+ Ok(s) => Ok(s.into()),
+ Err(e) => Err(e),
+ },
+ Cow::Owned(bytes) => match String::from_utf8(bytes) {
+ Ok(s) => Ok(s.into()),
+ Err(e) => Err(e.utf8_error()),
+ },
}
}
@@ -443,5 +434,3 @@ fn decode_utf8_lossy(input: Cow<[u8]>) -> Cow<str> {
}
}
}
-
-
diff --git a/src/encoding.rs b/src/encoding.rs
deleted file mode 100644
--- a/src/encoding.rs
+++ /dev/null
@@ -1,146 +0,0 @@
-// Copyright 2013-2014 The rust-url developers.
-//
-// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
-// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
-// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
-// option. This file may not be copied, modified, or distributed
-// except according to those terms.
-
-
-//! Abstraction that conditionally compiles either to rust-encoding,
-//! or to only support UTF-8.
-
-#[cfg(feature = "query_encoding")] extern crate encoding;
-
-use std::borrow::Cow;
-#[cfg(feature = "query_encoding")] use std::fmt::{self, Debug, Formatter};
-
-#[cfg(feature = "query_encoding")] use self::encoding::types::{DecoderTrap, EncoderTrap};
-#[cfg(feature = "query_encoding")] use self::encoding::label::encoding_from_whatwg_label;
-#[cfg(feature = "query_encoding")] pub use self::encoding::types::EncodingRef;
-
-#[cfg(feature = "query_encoding")]
-#[derive(Copy, Clone)]
-pub struct EncodingOverride {
- /// `None` means UTF-8.
- encoding: Option<EncodingRef>
-}
-
-#[cfg(feature = "query_encoding")]
-impl EncodingOverride {
- pub fn from_opt_encoding(encoding: Option<EncodingRef>) -> Self {
- encoding.map(Self::from_encoding).unwrap_or_else(Self::utf8)
- }
-
- pub fn from_encoding(encoding: EncodingRef) -> Self {
- EncodingOverride {
- encoding: if encoding.name() == "utf-8" { None } else { Some(encoding) }
- }
- }
-
- #[inline]
- pub fn utf8() -> Self {
- EncodingOverride { encoding: None }
- }
-
- pub fn lookup(label: &[u8]) -> Option<Self> {
- // Don't use String::from_utf8_lossy since no encoding label contains U+FFFD
- // https://encoding.spec.whatwg.org/#names-and-labels
- ::std::str::from_utf8(label)
- .ok()
- .and_then(encoding_from_whatwg_label)
- .map(Self::from_encoding)
- }
-
- /// https://encoding.spec.whatwg.org/#get-an-output-encoding
- pub fn to_output_encoding(self) -> Self {
- if let Some(encoding) = self.encoding {
- if matches!(encoding.name(), "utf-16le" | "utf-16be") {
- return Self::utf8()
- }
- }
- self
- }
-
- pub fn is_utf8(&self) -> bool {
- self.encoding.is_none()
- }
-
- pub fn name(&self) -> &'static str {
- match self.encoding {
- Some(encoding) => encoding.name(),
- None => "utf-8",
- }
- }
-
- pub fn decode<'a>(&self, input: Cow<'a, [u8]>) -> Cow<'a, str> {
- match self.encoding {
- // `encoding.decode` never returns `Err` when called with `DecoderTrap::Replace`
- Some(encoding) => encoding.decode(&input, DecoderTrap::Replace).unwrap().into(),
- None => decode_utf8_lossy(input),
- }
- }
-
- pub fn encode<'a>(&self, input: Cow<'a, str>) -> Cow<'a, [u8]> {
- match self.encoding {
- // `encoding.encode` never returns `Err` when called with `EncoderTrap::NcrEscape`
- Some(encoding) => Cow::Owned(encoding.encode(&input, EncoderTrap::NcrEscape).unwrap()),
- None => encode_utf8(input)
- }
- }
-}
-
-#[cfg(feature = "query_encoding")]
-impl Debug for EncodingOverride {
- fn fmt(&self, f: &mut Formatter) -> fmt::Result {
- write!(f, "EncodingOverride {{ encoding: ")?;
- match self.encoding {
- Some(e) => write!(f, "{} }}", e.name()),
- None => write!(f, "None }}")
- }
- }
-}
-
-#[cfg(not(feature = "query_encoding"))]
-#[derive(Copy, Clone, Debug)]
-pub struct EncodingOverride;
-
-#[cfg(not(feature = "query_encoding"))]
-impl EncodingOverride {
- #[inline]
- pub fn utf8() -> Self {
- EncodingOverride
- }
-
- pub fn decode<'a>(&self, input: Cow<'a, [u8]>) -> Cow<'a, str> {
- decode_utf8_lossy(input)
- }
-
- pub fn encode<'a>(&self, input: Cow<'a, str>) -> Cow<'a, [u8]> {
- encode_utf8(input)
- }
-}
-
-pub fn decode_utf8_lossy(input: Cow<[u8]>) -> Cow<str> {
- match input {
- Cow::Borrowed(bytes) => String::from_utf8_lossy(bytes),
- Cow::Owned(bytes) => {
- let raw_utf8: *const [u8];
- match String::from_utf8_lossy(&bytes) {
- Cow::Borrowed(utf8) => raw_utf8 = utf8.as_bytes(),
- Cow::Owned(s) => return s.into(),
- }
- // from_utf8_lossy returned a borrow of `bytes` unchanged.
- debug_assert!(raw_utf8 == &*bytes as *const [u8]);
- // Reuse the existing `Vec` allocation.
- unsafe { String::from_utf8_unchecked(bytes) }.into()
- }
- }
-}
-
-pub fn encode_utf8(input: Cow<str>) -> Cow<[u8]> {
- match input {
- Cow::Borrowed(s) => Cow::Borrowed(s.as_bytes()),
- Cow::Owned(s) => Cow::Owned(s.into_bytes())
- }
-}
diff --git a/src/form_urlencoded.rs b/src/form_urlencoded.rs
--- a/src/form_urlencoded.rs
+++ b/src/form_urlencoded.rs
@@ -13,13 +13,11 @@
//! Converts between a string (such as an URL’s query string)
//! and a sequence of (name, value) pairs.
-use encoding::EncodingOverride;
-use percent_encoding::{percent_encode_byte, percent_decode};
+use percent_encoding::{percent_decode, percent_encode_byte};
+use query_encoding::{self, decode_utf8_lossy, EncodingOverride};
use std::borrow::{Borrow, Cow};
-use std::fmt;
use std::str;
-
/// Convert a byte string in the `application/x-www-form-urlencoded` syntax
/// into a iterator of (name, value) pairs.
///
@@ -29,63 +27,12 @@ use std::str;
/// converted to `[("#first", "%try%")]`.
#[inline]
pub fn parse(input: &[u8]) -> Parse {
- Parse {
- input: input,
- encoding: EncodingOverride::utf8(),
- }
+ Parse { input: input }
}
-
-
-/// Convert a byte string in the `application/x-www-form-urlencoded` syntax
-/// into a iterator of (name, value) pairs.
-///
-/// Use `parse(input.as_bytes())` to parse a `&str` string.
-///
-/// This function is only available if the `query_encoding`
-/// [feature](http://doc.crates.io/manifest.html#the-features-section]) is enabled.
-///
-/// Arguments:
-///
-/// * `encoding_override`: The character encoding each name and values is decoded as
-/// after percent-decoding. Defaults to UTF-8.
-/// `EncodingRef` is defined in [rust-encoding](https://github.com/lifthrasiir/rust-encoding).
-/// * `use_charset`: The *use _charset_ flag*. If in doubt, set to `false`.
-#[cfg(feature = "query_encoding")]
-pub fn parse_with_encoding<'a>(input: &'a [u8],
- encoding_override: Option<::encoding::EncodingRef>,
- use_charset: bool)
- -> Result<Parse<'a>, ()> {
- use std::ascii::AsciiExt;
-
- let mut encoding = EncodingOverride::from_opt_encoding(encoding_override);
- if !(encoding.is_utf8() || input.is_ascii()) {
- return Err(())
- }
- if use_charset {
- for sequence in input.split(|&b| b == b'&') {
- // No '+' in "_charset_" to replace with ' '.
- if sequence.starts_with(b"_charset_=") {
- let value = &sequence[b"_charset_=".len()..];
- // Skip replacing '+' with ' ' in value since no encoding label contains either:
- // https://encoding.spec.whatwg.org/#names-and-labels
- if let Some(e) = EncodingOverride::lookup(value) {
- encoding = e;
- break
- }
- }
- }
- }
- Ok(Parse {
- input: input,
- encoding: encoding,
- })
-}
-
/// The return type of `parse()`.
-#[derive(Copy, Clone, Debug)]
+#[derive(Copy, Clone)]
pub struct Parse<'a> {
input: &'a [u8],
- encoding: EncodingOverride,
}
impl<'a> Iterator for Parse<'a> {
@@ -94,28 +41,25 @@ impl<'a> Iterator for Parse<'a> {
fn next(&mut self) -> Option<Self::Item> {
loop {
if self.input.is_empty() {
- return None
+ return None;
}
let mut split2 = self.input.splitn(2, |&b| b == b'&');
let sequence = split2.next().unwrap();
self.input = split2.next().unwrap_or(&[][..]);
if sequence.is_empty() {
- continue
+ continue;
}
let mut split2 = sequence.splitn(2, |&b| b == b'=');
let name = split2.next().unwrap();
let value = split2.next().unwrap_or(&[][..]);
- return Some((
- decode(name, self.encoding),
- decode(value, self.encoding),
- ))
+ return Some((decode(name), decode(value)));
}
}
}
-fn decode(input: &[u8], encoding: EncodingOverride) -> Cow<str> {
+fn decode(input: &[u8]) -> Cow<str> {
let replaced = replace_plus(input);
- encoding.decode(match percent_decode(&replaced).if_any() {
+ decode_utf8_lossy(match percent_decode(&replaced).if_any() {
Some(vec) => Cow::Owned(vec),
None => replaced,
})
@@ -146,16 +90,17 @@ impl<'a> Parse<'a> {
}
/// Like `Parse`, but yields pairs of `String` instead of pairs of `Cow<str>`.
-#[derive(Debug)]
pub struct ParseIntoOwned<'a> {
- inner: Parse<'a>
+ inner: Parse<'a>,
}
impl<'a> Iterator for ParseIntoOwned<'a> {
type Item = (String, String);
fn next(&mut self) -> Option<Self::Item> {
- self.inner.next().map(|(k, v)| (k.into_owned(), v.into_owned()))
+ self.inner
+ .next()
+ .map(|(k, v)| (k.into_owned(), v.into_owned()))
}
}
@@ -164,9 +109,7 @@ impl<'a> Iterator for ParseIntoOwned<'a> {
///
/// Return an iterator of `&str` slices.
pub fn byte_serialize(input: &[u8]) -> ByteSerialize {
- ByteSerialize {
- bytes: input,
- }
+ ByteSerialize { bytes: input }
}
/// Return value of `byte_serialize()`.
@@ -176,7 +119,7 @@ pub struct ByteSerialize<'a> {
}
fn byte_serialized_unchanged(byte: u8) -> bool {
- matches!(byte, b'*' | b'-' | b'.' | b'0' ... b'9' | b'A' ... b'Z' | b'_' | b'a' ... b'z')
+ matches!(byte, b'*' | b'-' | b'.' | b'0' ..= b'9' | b'A' ..= b'Z' | b'_' | b'a' ..= b'z')
}
impl<'a> Iterator for ByteSerialize<'a> {
@@ -186,7 +129,11 @@ impl<'a> Iterator for ByteSerialize<'a> {
if let Some((&first, tail)) = self.bytes.split_first() {
if !byte_serialized_unchanged(first) {
self.bytes = tail;
- return Some(if first == b' ' { "+" } else { percent_encode_byte(first) })
+ return Some(if first == b' ' {
+ "+"
+ } else {
+ percent_encode_byte(first)
+ });
}
let position = tail.iter().position(|&b| !byte_serialized_unchanged(b));
let (unchanged_slice, remaining) = match position {
@@ -212,20 +159,10 @@ impl<'a> Iterator for ByteSerialize<'a> {
/// The [`application/x-www-form-urlencoded` serializer](
/// https://url.spec.whatwg.org/#concept-urlencoded-serializer).
-#[derive(Debug)]
-pub struct Serializer<T: Target> {
+pub struct Serializer<'a, T: Target> {
target: Option<T>,
start_position: usize,
- encoding: EncodingOverride,
- custom_encoding: Option<SilentDebug<Box<FnMut(&str) -> Cow<[u8]>>>>,
-}
-
-struct SilentDebug<T>(T);
-
-impl<T> fmt::Debug for SilentDebug<T> {
- fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
- f.write_str("…")
- }
+ encoding: EncodingOverride<'a>,
}
pub trait Target {
@@ -235,14 +172,22 @@ pub trait Target {
}
impl Target for String {
- fn as_mut_string(&mut self) -> &mut String { self }
- fn finish(self) -> Self { self }
+ fn as_mut_string(&mut self) -> &mut String {
+ self
+ }
+ fn finish(self) -> Self {
+ self
+ }
type Finished = Self;
}
impl<'a> Target for &'a mut String {
- fn as_mut_string(&mut self) -> &mut String { &mut **self }
- fn finish(self) -> Self { self }
+ fn as_mut_string(&mut self) -> &mut String {
+ &mut **self
+ }
+ fn finish(self) -> Self {
+ self
+ }
type Finished = Self;
}
@@ -270,7 +215,7 @@ impl<'a> Target for ::UrlQuery<'a> {
type Finished = &'a mut ::Url;
}
-impl<T: Target> Serializer<T> {
+impl<'a, T: Target> Serializer<'a, T> {
/// Create a new `application/x-www-form-urlencoded` serializer for the given target.
///
/// If the target is non-empty,
@@ -285,12 +230,11 @@ impl<T: Target> Serializer<T> {
/// If that suffix is non-empty,
/// its content is assumed to already be in `application/x-www-form-urlencoded` syntax.
pub fn for_suffix(mut target: T, start_position: usize) -> Self {
- &target.as_mut_string()[start_position..]; // Panic if out of bounds
+ &target.as_mut_string()[start_position..]; // Panic if out of bounds
Serializer {
target: Some(target),
start_position: start_position,
- encoding: EncodingOverride::utf8(),
- custom_encoding: None,
+ encoding: None,
}
}
@@ -303,17 +247,8 @@ impl<T: Target> Serializer<T> {
}
/// Set the character encoding to be used for names and values before percent-encoding.
- #[cfg(feature = "query_encoding")]
- pub fn encoding_override(&mut self, new: Option<::encoding::EncodingRef>) -> &mut Self {
- self.encoding = EncodingOverride::from_opt_encoding(new).to_output_encoding();
- self
- }
-
- /// Set the character encoding to be used for names and values before percent-encoding.
- pub fn custom_encoding_override<F>(&mut self, encode: F) -> &mut Self
- where F: FnMut(&str) -> Cow<[u8]> + 'static
- {
- self.custom_encoding = Some(SilentDebug(Box::new(encode)));
+ pub fn encoding_override(&mut self, new: EncodingOverride<'a>) -> &mut Self {
+ self.encoding = new;
self
}
@@ -321,8 +256,13 @@ impl<T: Target> Serializer<T> {
///
/// Panics if called after `.finish()`.
pub fn append_pair(&mut self, name: &str, value: &str) -> &mut Self {
- append_pair(string(&mut self.target), self.start_position, self.encoding,
- &mut self.custom_encoding, name, value);
+ append_pair(
+ string(&mut self.target),
+ self.start_position,
+ self.encoding,
+ name,
+ value,
+ );
self
}
@@ -334,36 +274,28 @@ impl<T: Target> Serializer<T> {
///
/// Panics if called after `.finish()`.
pub fn extend_pairs<I, K, V>(&mut self, iter: I) -> &mut Self
- where I: IntoIterator, I::Item: Borrow<(K, V)>, K: AsRef<str>, V: AsRef<str> {
+ where
+ I: IntoIterator,
+ I::Item: Borrow<(K, V)>,
+ K: AsRef<str>,
+ V: AsRef<str>,
+ {
{
let string = string(&mut self.target);
for pair in iter {
let &(ref k, ref v) = pair.borrow();
- append_pair(string, self.start_position, self.encoding,
- &mut self.custom_encoding, k.as_ref(), v.as_ref());
+ append_pair(
+ string,
+ self.start_position,
+ self.encoding,
+ k.as_ref(),
+ v.as_ref(),
+ );
}
}
self
}
- /// Add a name/value pair whose name is `_charset_`
- /// and whose value is the character encoding’s name.
- /// (See the `encoding_override()` method.)
- ///
- /// Panics if called after `.finish()`.
- #[cfg(feature = "query_encoding")]
- pub fn append_charset(&mut self) -> &mut Self {
- assert!(self.custom_encoding.is_none(),
- "Cannot use both custom_encoding_override() and append_charset()");
- {
- let string = string(&mut self.target);
- append_separator_if_needed(string, self.start_position);
- string.push_str("_charset_=");
- string.push_str(self.encoding.name());
- }
- self
- }
-
/// If this serializer was constructed with a string, take and return that string.
///
/// ```rust
@@ -377,7 +309,10 @@ impl<T: Target> Serializer<T> {
///
/// Panics if called more than once.
pub fn finish(&mut self) -> T::Finished {
- self.target.take().expect("url::form_urlencoded::Serializer double finish").finish()
+ self.target
+ .take()
+ .expect("url::form_urlencoded::Serializer double finish")
+ .finish()
}
}
@@ -388,24 +323,25 @@ fn append_separator_if_needed(string: &mut String, start_position: usize) {
}
fn string<T: Target>(target: &mut Option<T>) -> &mut String {
- target.as_mut().expect("url::form_urlencoded::Serializer finished").as_mut_string()
+ target
+ .as_mut()
+ .expect("url::form_urlencoded::Serializer finished")
+ .as_mut_string()
}
-fn append_pair(string: &mut String, start_position: usize, encoding: EncodingOverride,
- custom_encoding: &mut Option<SilentDebug<Box<FnMut(&str) -> Cow<[u8]>>>>,
- name: &str, value: &str) {
+fn append_pair(
+ string: &mut String,
+ start_position: usize,
+ encoding: EncodingOverride,
+ name: &str,
+ value: &str,
+) {
append_separator_if_needed(string, start_position);
- append_encoded(name, string, encoding, custom_encoding);
+ append_encoded(name, string, encoding);
string.push('=');
- append_encoded(value, string, encoding, custom_encoding);
+ append_encoded(value, string, encoding);
}
-fn append_encoded(s: &str, string: &mut String, encoding: EncodingOverride,
- custom_encoding: &mut Option<SilentDebug<Box<FnMut(&str) -> Cow<[u8]>>>>) {
- let bytes = if let Some(SilentDebug(ref mut custom)) = *custom_encoding {
- custom(s)
- } else {
- encoding.encode(s.into())
- };
- string.extend(byte_serialize(&bytes));
+fn append_encoded(s: &str, string: &mut String, encoding: EncodingOverride) {
+ string.extend(byte_serialize(&query_encoding::encode(encoding, s.into())))
}
diff --git a/src/host.rs b/src/host.rs
--- a/src/host.rs
+++ b/src/host.rs
@@ -6,15 +6,12 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-#[cfg(feature = "heapsize")] use heapsize::HeapSizeOf;
+use idna;
+use parser::{ParseError, ParseResult};
+use percent_encoding::{percent_decode, utf8_percent_encode, SIMPLE_ENCODE_SET};
use std::cmp;
use std::fmt::{self, Formatter};
-use std::io;
-use std::net::{Ipv4Addr, Ipv6Addr, SocketAddr, SocketAddrV4, SocketAddrV6, ToSocketAddrs};
-use std::vec;
-use parser::{ParseResult, ParseError};
-use percent_encoding::{percent_decode, utf8_percent_encode, SIMPLE_ENCODE_SET};
-use idna;
+use std::net::{Ipv4Addr, Ipv6Addr};
#[derive(Copy, Clone, Debug, Eq, PartialEq)]
pub enum HostInternal {
@@ -24,12 +21,12 @@ pub enum HostInternal {
Ipv6(Ipv6Addr),
}
-#[cfg(feature = "heapsize")]
-known_heap_size!(0, HostInternal);
-
-#[cfg(feature="serde")]
+#[cfg(feature = "serde")]
impl ::serde::Serialize for HostInternal {
- fn serialize<S>(&self, serializer: &mut S) -> Result<(), S::Error> where S: ::serde::Serializer {
+ fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
+ where
+ S: ::serde::Serializer,
+ {
// This doesn’t use `derive` because that involves
// large dependencies (that take a long time to build), and
// either Macros 1.1 which are not stable yet or a cumbersome build script.
@@ -42,13 +39,17 @@ impl ::serde::Serialize for HostInternal {
HostInternal::Domain => Some(None),
HostInternal::Ipv4(addr) => Some(Some(IpAddr::V4(addr))),
HostInternal::Ipv6(addr) => Some(Some(IpAddr::V6(addr))),
- }.serialize(serializer)
+ }
+ .serialize(serializer)
}
}
-#[cfg(feature="serde")]
-impl ::serde::Deserialize for HostInternal {
- fn deserialize<D>(deserializer: &mut D) -> Result<Self, D::Error> where D: ::serde::Deserializer {
+#[cfg(feature = "serde")]
+impl<'de> ::serde::Deserialize<'de> for HostInternal {
+ fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
+ where
+ D: ::serde::Deserializer<'de>,
+ {
use std::net::IpAddr;
Ok(match ::serde::Deserialize::deserialize(deserializer)? {
None => HostInternal::None,
@@ -71,7 +72,7 @@ impl<S> From<Host<S>> for HostInternal {
/// The host name of an URL.
#[derive(Clone, Debug, Eq, PartialEq, Ord, PartialOrd, Hash)]
-pub enum Host<S=String> {
+pub enum Host<S = String> {
/// A DNS domain name, as '.' dot-separated labels.
/// Non-ASCII labels are encoded in punycode per IDNA if this is the host of
/// a special URL, or percent encoded for non-special URLs. Hosts for
@@ -91,21 +92,28 @@ pub enum Host<S=String> {
Ipv6(Ipv6Addr),
}
-#[cfg(feature="serde")]
-impl<S: ::serde::Serialize> ::serde::Serialize for Host<S> {
- fn serialize<R>(&self, serializer: &mut R) -> Result<(), R::Error> where R: ::serde::Serializer {
+#[cfg(feature = "serde")]
+impl<S: ::serde::Serialize> ::serde::Serialize for Host<S> {
+ fn serialize<R>(&self, serializer: R) -> Result<R::Ok, R::Error>
+ where
+ R: ::serde::Serializer,
+ {
use std::net::IpAddr;
match *self {
Host::Domain(ref s) => Ok(s),
Host::Ipv4(addr) => Err(IpAddr::V4(addr)),
Host::Ipv6(addr) => Err(IpAddr::V6(addr)),
- }.serialize(serializer)
+ }
+ .serialize(serializer)
}
}
-#[cfg(feature="serde")]
-impl<S: ::serde::Deserialize> ::serde::Deserialize for Host<S> {
- fn deserialize<D>(deserializer: &mut D) -> Result<Self, D::Error> where D: ::serde::Deserializer {
+#[cfg(feature = "serde")]
+impl<'de, S: ::serde::Deserialize<'de>> ::serde::Deserialize<'de> for Host<S> {
+ fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
+ where
+ D: ::serde::Deserializer<'de>,
+ {
use std::net::IpAddr;
Ok(match ::serde::Deserialize::deserialize(deserializer)? {
Ok(s) => Host::Domain(s),
@@ -115,16 +123,6 @@ impl<S: ::serde::Deserialize> ::serde::Deserialize for Host<S> {
}
}
-#[cfg(feature = "heapsize")]
-impl<S: HeapSizeOf> HeapSizeOf for Host<S> {
- fn heap_size_of_children(&self) -> usize {
- match *self {
- Host::Domain(ref s) => s.heap_size_of_children(),
- _ => 0,
- }
- }
-}
-
impl<'a> Host<&'a str> {
/// Return a copy of `self` that owns an allocated `String` but does not borrow an `&Url`.
pub fn to_owned(&self) -> Host<String> {
@@ -143,16 +141,34 @@ impl Host<String> {
pub fn parse(input: &str) -> Result<Self, ParseError> {
if input.starts_with('[') {
if !input.ends_with(']') {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
- return parse_ipv6addr(&input[1..input.len() - 1]).map(Host::Ipv6)
+ return parse_ipv6addr(&input[1..input.len() - 1]).map(Host::Ipv6);
}
let domain = percent_decode(input.as_bytes()).decode_utf8_lossy();
let domain = idna::domain_to_ascii(&domain)?;
- if domain.find(|c| matches!(c,
- '\0' | '\t' | '\n' | '\r' | ' ' | '#' | '%' | '/' | ':' | '?' | '@' | '[' | '\\' | ']'
- )).is_some() {
- return Err(ParseError::InvalidDomainCharacter)
+ if domain
+ .find(|c| {
+ matches!(
+ c,
+ '\0' | '\t'
+ | '\n'
+ | '\r'
+ | ' '
+ | '#'
+ | '%'
+ | '/'
+ | ':'
+ | '?'
+ | '@'
+ | '['
+ | '\\'
+ | ']'
+ )
+ })
+ .is_some()
+ {
+ return Err(ParseError::InvalidDomainCharacter);
}
if let Some(address) = parse_ipv4addr(&domain)? {
Ok(Host::Ipv4(address))
@@ -165,14 +181,31 @@ impl Host<String> {
pub fn parse_opaque(input: &str) -> Result<Self, ParseError> {
if input.starts_with('[') {
if !input.ends_with(']') {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
- return parse_ipv6addr(&input[1..input.len() - 1]).map(Host::Ipv6)
+ return parse_ipv6addr(&input[1..input.len() - 1]).map(Host::Ipv6);
}
- if input.find(|c| matches!(c,
- '\0' | '\t' | '\n' | '\r' | ' ' | '#' | '/' | ':' | '?' | '@' | '[' | '\\' | ']'
- )).is_some() {
- return Err(ParseError::InvalidDomainCharacter)
+ if input
+ .find(|c| {
+ matches!(
+ c,
+ '\0' | '\t'
+ | '\n'
+ | '\r'
+ | ' '
+ | '#'
+ | '/'
+ | ':'
+ | '?'
+ | '@'
+ | '['
+ | '\\'
+ | ']'
+ )
+ })
+ .is_some()
+ {
+ return Err(ParseError::InvalidDomainCharacter);
}
let s = utf8_percent_encode(input, SIMPLE_ENCODE_SET).to_string();
Ok(Host::Domain(s))
@@ -193,80 +226,6 @@ impl<S: AsRef<str>> fmt::Display for Host<S> {
}
}
-/// This mostly exists because coherence rules don’t allow us to implement
-/// `ToSocketAddrs for (Host<S>, u16)`.
-#[derive(Clone, Debug)]
-pub struct HostAndPort<S=String> {
- pub host: Host<S>,
- pub port: u16,
-}
-
-impl<'a> HostAndPort<&'a str> {
- /// Return a copy of `self` that owns an allocated `String` but does not borrow an `&Url`.
- pub fn to_owned(&self) -> HostAndPort<String> {
- HostAndPort {
- host: self.host.to_owned(),
- port: self.port
- }
- }
-}
-
-impl<S: AsRef<str>> fmt::Display for HostAndPort<S> {
- fn fmt(&self, f: &mut Formatter) -> fmt::Result {
- self.host.fmt(f)?;
- f.write_str(":")?;
- self.port.fmt(f)
- }
-}
-
-
-impl<S: AsRef<str>> ToSocketAddrs for HostAndPort<S> {
- type Iter = SocketAddrs;
-
- fn to_socket_addrs(&self) -> io::Result<Self::Iter> {
- let port = self.port;
- match self.host {
- Host::Domain(ref domain) => Ok(SocketAddrs {
- // FIXME: use std::net::lookup_host when it’s stable.
- state: SocketAddrsState::Domain((domain.as_ref(), port).to_socket_addrs()?)
- }),
- Host::Ipv4(address) => Ok(SocketAddrs {
- state: SocketAddrsState::One(SocketAddr::V4(SocketAddrV4::new(address, port)))
- }),
- Host::Ipv6(address) => Ok(SocketAddrs {
- state: SocketAddrsState::One(SocketAddr::V6(SocketAddrV6::new(address, port, 0, 0)))
- }),
- }
- }
-}
-
-/// Socket addresses for an URL.
-#[derive(Debug)]
-pub struct SocketAddrs {
- state: SocketAddrsState
-}
-
-#[derive(Debug)]
-enum SocketAddrsState {
- Domain(vec::IntoIter<SocketAddr>),
- One(SocketAddr),
- Done,
-}
-
-impl Iterator for SocketAddrs {
- type Item = SocketAddr;
- fn next(&mut self) -> Option<SocketAddr> {
- match self.state {
- SocketAddrsState::Domain(ref mut iter) => iter.next(),
- SocketAddrsState::One(s) => {
- self.state = SocketAddrsState::Done;
- Some(s)
- }
- SocketAddrsState::Done => None
- }
- }
-}
-
fn write_ipv6(addr: &Ipv6Addr, f: &mut Formatter) -> fmt::Result {
let segments = addr.segments();
let (compress_start, compress_end) = longest_zero_sequence(&segments);
@@ -344,10 +303,12 @@ fn parse_ipv4number(mut input: &str) -> Result<Option<u32>, ()> {
// So instead we check if the input looks like a real number and only return
// an error when it's an overflow.
let valid_number = match r {
- 8 => input.chars().all(|c| c >= '0' && c <='7'),
- 10 => input.chars().all(|c| c >= '0' && c <='9'),
- 16 => input.chars().all(|c| (c >= '0' && c <='9') || (c >='a' && c <= 'f') || (c >= 'A' && c <= 'F')),
- _ => false
+ 8 => input.chars().all(|c| c >= '0' && c <= '7'),
+ 10 => input.chars().all(|c| c >= '0' && c <= '9'),
+ 16 => input
+ .chars()
+ .all(|c| (c >= '0' && c <= '9') || (c >= 'a' && c <= 'f') || (c >= 'A' && c <= 'F')),
+ _ => false,
};
if !valid_number {
@@ -369,7 +330,7 @@ fn parse_ipv4number(mut input: &str) -> Result<Option<u32>, ()> {
/// <https://url.spec.whatwg.org/#concept-ipv4-parser>
fn parse_ipv4addr(input: &str) -> ParseResult<Option<Ipv4Addr>> {
if input.is_empty() {
- return Ok(None)
+ return Ok(None);
}
let mut parts: Vec<&str> = input.split('.').collect();
if parts.last() == Some(&"") {
@@ -387,7 +348,7 @@ fn parse_ipv4addr(input: &str) -> ParseResult<Option<Ipv4Addr>> {
match parse_ipv4number(part) {
Ok(Some(n)) => numbers.push(n),
Ok(None) => return Ok(None),
- Err(()) => overflow = true
+ Err(()) => overflow = true,
};
}
if overflow {
@@ -395,7 +356,7 @@ fn parse_ipv4addr(input: &str) -> ParseResult<Option<Ipv4Addr>> {
}
let mut ipv4 = numbers.pop().expect("a non-empty list of numbers");
// Equivalent to: ipv4 >= 256 ** (4 − numbers.len())
- if ipv4 > u32::max_value() >> (8 * numbers.len() as u32) {
+ if ipv4 > u32::max_value() >> (8 * numbers.len() as u32) {
return Err(ParseError::InvalidIpv4Address);
}
if numbers.iter().any(|x| *x > 255) {
@@ -418,12 +379,12 @@ fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
let mut i = 0;
if len < 2 {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
if input[0] == b':' {
if input[1] != b':' {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
i = 2;
piece_pointer = 1;
@@ -432,16 +393,16 @@ fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
while i < len {
if piece_pointer == 8 {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
if input[i] == b':' {
if compress_pointer.is_some() {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
i += 1;
piece_pointer += 1;
compress_pointer = Some(piece_pointer);
- continue
+ continue;
}
let start = i;
let end = cmp::min(len, start + 4);
@@ -451,33 +412,33 @@ fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
Some(digit) => {
value = value * 0x10 + digit as u16;
i += 1;
- },
- None => break
+ }
+ None => break,
}
}
if i < len {
match input[i] {
b'.' => {
if i == start {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
i = start;
if piece_pointer > 6 {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
is_ip_v4 = true;
- },
+ }
b':' => {
i += 1;
if i == len {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
- },
- _ => return Err(ParseError::InvalidIpv6Address)
+ }
+ _ => return Err(ParseError::InvalidIpv6Address),
}
}
if is_ip_v4 {
- break
+ break;
}
pieces[piece_pointer] = value;
piece_pointer += 1;
@@ -485,7 +446,7 @@ fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
if is_ip_v4 {
if piece_pointer > 6 {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
let mut numbers_seen = 0;
while i < len {
@@ -493,23 +454,23 @@ fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
if numbers_seen < 4 && (i < len && input[i] == b'.') {
i += 1
} else {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
}
let mut ipv4_piece = None;
while i < len {
let digit = match input[i] {
- c @ b'0' ... b'9' => c - b'0',
- _ => break
+ c @ b'0'..=b'9' => c - b'0',
+ _ => break,
};
match ipv4_piece {
None => ipv4_piece = Some(digit as u16),
- Some(0) => return Err(ParseError::InvalidIpv6Address), // No leading zero
+ Some(0) => return Err(ParseError::InvalidIpv6Address), // No leading zero
Some(ref mut v) => {
*v = *v * 10 + digit as u16;
if *v > 255 {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
}
}
@@ -519,7 +480,7 @@ fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
pieces[piece_pointer] = if let Some(v) = ipv4_piece {
pieces[piece_pointer] * 0x100 + v
} else {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
};
numbers_seen += 1;
@@ -529,12 +490,12 @@ fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
}
if numbers_seen != 4 {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
}
if i < len {
- return Err(ParseError::InvalidIpv6Address)
+ return Err(ParseError::InvalidIpv6Address);
}
match compress_pointer {
@@ -547,10 +508,13 @@ fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
piece_pointer -= 1;
}
}
- _ => if piece_pointer != 8 {
- return Err(ParseError::InvalidIpv6Address)
+ _ => {
+ if piece_pointer != 8 {
+ return Err(ParseError::InvalidIpv6Address);
+ }
}
}
- Ok(Ipv6Addr::new(pieces[0], pieces[1], pieces[2], pieces[3],
- pieces[4], pieces[5], pieces[6], pieces[7]))
+ Ok(Ipv6Addr::new(
+ pieces[0], pieces[1], pieces[2], pieces[3], pieces[4], pieces[5], pieces[6], pieces[7],
+ ))
}
diff --git a/src/lib.rs b/src/lib.rs
--- a/src/lib.rs
+++ b/src/lib.rs
@@ -105,50 +105,51 @@ assert_eq!(css_url.as_str(), "http://servo.github.io/rust-url/main.css");
# run().unwrap();
*/
-#![doc(html_root_url = "https://docs.rs/url/1.7.0")]
+#![doc(html_root_url = "https://docs.rs/url/2.0.0")]
-#[cfg(feature="rustc-serialize")] extern crate rustc_serialize;
-#[macro_use] extern crate matches;
-#[cfg(feature="serde")] extern crate serde;
-#[cfg(feature="heapsize")] #[macro_use] extern crate heapsize;
-
-pub extern crate idna;
#[macro_use]
-pub extern crate percent_encoding;
+extern crate matches;
+extern crate idna;
+#[cfg(feature = "serde")]
+extern crate serde;
+#[macro_use]
+extern crate percent_encoding;
-use encoding::EncodingOverride;
-#[cfg(feature = "heapsize")] use heapsize::HeapSizeOf;
use host::HostInternal;
-use parser::{Parser, Context, SchemeType, to_u32, ViolationFn};
-use percent_encoding::{PATH_SEGMENT_ENCODE_SET, USERINFO_ENCODE_SET,
- percent_encode, percent_decode, utf8_percent_encode};
+use parser::{to_u32, Context, Parser, SchemeType};
+use percent_encoding::{
+ percent_decode, percent_encode, utf8_percent_encode, PATH_SEGMENT_ENCODE_SET,
+ USERINFO_ENCODE_SET,
+};
use std::borrow::Borrow;
use std::cmp;
-#[cfg(feature = "serde")] use std::error::Error;
-use std::fmt::{self, Write, Debug, Formatter};
+#[cfg(feature = "serde")]
+use std::error::Error;
+use std::fmt::{self, Write};
use std::hash;
-use std::io;
use std::mem;
-use std::net::{ToSocketAddrs, IpAddr};
+use std::net::IpAddr;
use std::ops::{Range, RangeFrom, RangeTo};
use std::path::{Path, PathBuf};
use std::str;
-pub use origin::{Origin, OpaqueOrigin};
-pub use host::{Host, HostAndPort, SocketAddrs};
-pub use path_segments::PathSegmentsMut;
+pub use host::Host;
+pub use origin::{OpaqueOrigin, Origin};
pub use parser::{ParseError, SyntaxViolation};
+pub use path_segments::PathSegmentsMut;
+pub use query_encoding::EncodingOverride;
pub use slicing::Position;
-mod encoding;
mod host;
mod origin;
-mod path_segments;
mod parser;
+mod path_segments;
+mod query_encoding;
mod slicing;
pub mod form_urlencoded;
-#[doc(hidden)] pub mod quirks;
+#[doc(hidden)]
+pub mod quirks;
/// A parsed URL record.
#[derive(Clone)]
@@ -165,30 +166,23 @@ pub struct Url {
serialization: String,
// Components
- scheme_end: u32, // Before ':'
- username_end: u32, // Before ':' (if a password is given) or '@' (if not)
+ scheme_end: u32, // Before ':'
+ username_end: u32, // Before ':' (if a password is given) or '@' (if not)
host_start: u32,
host_end: u32,
host: HostInternal,
port: Option<u16>,
- path_start: u32, // Before initial '/', if any
- query_start: Option<u32>, // Before '?', unlike Position::QueryStart
- fragment_start: Option<u32>, // Before '#', unlike Position::FragmentStart
-}
-
-#[cfg(feature = "heapsize")]
-impl HeapSizeOf for Url {
- fn heap_size_of_children(&self) -> usize {
- self.serialization.heap_size_of_children()
- }
+ path_start: u32, // Before initial '/', if any
+ query_start: Option<u32>, // Before '?', unlike Position::QueryStart
+ fragment_start: Option<u32>, // Before '#', unlike Position::FragmentStart
}
/// Full configuration for the URL parser.
#[derive(Copy, Clone)]
pub struct ParseOptions<'a> {
base_url: Option<&'a Url>,
- encoding_override: encoding::EncodingOverride,
- violation_fn: ViolationFn<'a>,
+ encoding_override: EncodingOverride<'a>,
+ violation_fn: Option<&'a dyn Fn(SyntaxViolation)>,
}
impl<'a> ParseOptions<'a> {
@@ -200,28 +194,8 @@ impl<'a> ParseOptions<'a> {
/// Override the character encoding of query strings.
/// This is a legacy concept only relevant for HTML.
- ///
- /// `EncodingRef` is defined in [rust-encoding](https://github.com/lifthrasiir/rust-encoding).
- ///
- /// This method is only available if the `query_encoding`
- /// [feature](http://doc.crates.io/manifest.html#the-features-section]) is enabled.
- #[cfg(feature = "query_encoding")]
- pub fn encoding_override(mut self, new: Option<encoding::EncodingRef>) -> Self {
- self.encoding_override = EncodingOverride::from_opt_encoding(new).to_output_encoding();
- self
- }
-
- /// Call the provided function or closure on non-fatal parse errors, passing
- /// a static string description. This method is deprecated in favor of
- /// `syntax_violation_callback` and is implemented as an adaptor for the
- /// latter, passing the `SyntaxViolation` description. Only the last value
- /// passed to either method will be used by a parser.
- #[deprecated]
- pub fn log_syntax_violation(mut self, new: Option<&'a Fn(&'static str)>) -> Self {
- self.violation_fn = match new {
- Some(f) => ViolationFn::OldFn(f),
- None => ViolationFn::NoOp
- };
+ pub fn encoding_override(mut self, new: EncodingOverride<'a>) -> Self {
+ self.encoding_override = new;
self
}
@@ -247,11 +221,8 @@ impl<'a> ParseOptions<'a> {
/// # }
/// # run().unwrap();
/// ```
- pub fn syntax_violation_callback(mut self, new: Option<&'a Fn(SyntaxViolation)>) -> Self {
- self.violation_fn = match new {
- Some(f) => ViolationFn::NewFn(f),
- None => ViolationFn::NoOp
- };
+ pub fn syntax_violation_callback(mut self, new: Option<&'a dyn Fn(SyntaxViolation)>) -> Self {
+ self.violation_fn = new;
self
}
@@ -263,18 +234,8 @@ impl<'a> ParseOptions<'a> {
query_encoding_override: self.encoding_override,
violation_fn: self.violation_fn,
context: Context::UrlParser,
- }.parse_url(input)
- }
-}
-
-impl<'a> Debug for ParseOptions<'a> {
- fn fmt(&self, f: &mut Formatter) -> fmt::Result {
- write!(f,
- "ParseOptions {{ base_url: {:?}, encoding_override: {:?}, \
- violation_fn: {:?} }}",
- self.base_url,
- self.encoding_override,
- self.violation_fn)
+ }
+ .parse_url(input)
}
}
@@ -331,10 +292,11 @@ impl Url {
/// [`ParseError`]: enum.ParseError.html
#[inline]
pub fn parse_with_params<I, K, V>(input: &str, iter: I) -> Result<Url, ::ParseError>
- where I: IntoIterator,
- I::Item: Borrow<(K, V)>,
- K: AsRef<str>,
- V: AsRef<str>
+ where
+ I: IntoIterator,
+ I::Item: Borrow<(K, V)>,
+ K: AsRef<str>,
+ V: AsRef<str>,
{
let mut url = Url::options().parse(input);
@@ -403,8 +365,8 @@ impl Url {
pub fn options<'a>() -> ParseOptions<'a> {
ParseOptions {
base_url: None,
- encoding_override: EncodingOverride::utf8(),
- violation_fn: ViolationFn::NoOp,
+ encoding_override: None,
+ violation_fn: None,
}
}
@@ -464,10 +426,13 @@ impl Url {
macro_rules! assert {
($x: expr) => {
if !$x {
- return Err(format!("!( {} ) for URL {:?}",
- stringify!($x), self.serialization))
+ return Err(format!(
+ "!( {} ) for URL {:?}",
+ stringify!($x),
+ self.serialization
+ ));
}
- }
+ };
}
macro_rules! assert_eq {
@@ -485,12 +450,14 @@ impl Url {
}
assert!(self.scheme_end >= 1);
- assert!(matches!(self.byte_at(0), b'a'...b'z' | b'A'...b'Z'));
- assert!(self.slice(1..self.scheme_end).chars()
- .all(|c| matches!(c, 'a'...'z' | 'A'...'Z' | '0'...'9' | '+' | '-' | '.')));
+ assert!(matches!(self.byte_at(0), b'a'..=b'z' | b'A'..=b'Z'));
+ assert!(self
+ .slice(1..self.scheme_end)
+ .chars()
+ .all(|c| matches!(c, 'a'..='z' | 'A'..='Z' | '0'..='9' | '+' | '-' | '.')));
assert_eq!(self.byte_at(self.scheme_end), b':');
- if self.slice(self.scheme_end + 1 ..).starts_with("//") {
+ if self.slice(self.scheme_end + 1..).starts_with("//") {
// URL with authority
match self.byte_at(self.username_end) {
b':' => {
@@ -521,7 +488,10 @@ impl Url {
} else {
assert_eq!(self.byte_at(self.host_end), b':');
let port_str = self.slice(self.host_end + 1..self.path_start);
- assert_eq!(self.port, Some(port_str.parse::<u16>().expect("Couldn't parse port?")));
+ assert_eq!(
+ self.port,
+ Some(port_str.parse::<u16>().expect("Couldn't parse port?"))
+ );
}
assert_eq!(self.byte_at(self.path_start), b'/');
} else {
@@ -551,10 +521,12 @@ impl Url {
assert_eq!(self.username_end, other.username_end);
assert_eq!(self.host_start, other.host_start);
assert_eq!(self.host_end, other.host_end);
- assert!(self.host == other.host ||
+ assert!(
+ self.host == other.host ||
// XXX No host round-trips to empty host.
// See https://github.com/whatwg/url/issues/79
- (self.host_str(), other.host_str()) == (None, Some("")));
+ (self.host_str(), other.host_str()) == (None, Some(""))
+ );
assert_eq!(self.port, other.port);
assert_eq!(self.path_start, other.path_start);
assert_eq!(self.query_start, other.query_start);
@@ -977,47 +949,6 @@ impl Url {
self.port.or_else(|| parser::default_port(self.scheme()))
}
- /// If the URL has a host, return something that implements `ToSocketAddrs`.
- ///
- /// If the URL has no port number and the scheme’s default port number is not known
- /// (see `Url::port_or_known_default`),
- /// the closure is called to obtain a port number.
- /// Typically, this closure can match on the result `Url::scheme`
- /// to have per-scheme default port numbers,
- /// and panic for schemes it’s not prepared to handle.
- /// For example:
- ///
- /// ```rust
- /// # use url::Url;
- /// # use std::net::TcpStream;
- /// # use std::io;
- /// fn connect(url: &Url) -> io::Result<TcpStream> {
- /// TcpStream::connect(url.with_default_port(default_port)?)
- /// }
- ///
- /// fn default_port(url: &Url) -> Result<u16, ()> {
- /// match url.scheme() {
- /// "git" => Ok(9418),
- /// "git+ssh" => Ok(22),
- /// "git+https" => Ok(443),
- /// "git+http" => Ok(80),
- /// _ => Err(()),
- /// }
- /// }
- /// ```
- pub fn with_default_port<F>(&self, f: F) -> io::Result<HostAndPort<&str>>
- where F: FnOnce(&Url) -> Result<u16, ()> {
- Ok(HostAndPort {
- host: self.host()
- .ok_or(())
- .or_else(|()| io_error("URL has no host"))?,
- port: self.port_or_known_default()
- .ok_or(())
- .or_else(|()| f(self))
- .or_else(|()| io_error("URL has no port number"))?
- })
- }
-
/// Return the path for this URL, as a percent-encoded ASCII string.
/// For cannot-be-a-base URLs, this is an arbitrary string that doesn’t start with '/'.
/// For other URLs, this starts with a '/' slash
@@ -1044,8 +975,7 @@ impl Url {
pub fn path(&self) -> &str {
match (self.query_start, self.fragment_start) {
(None, None) => self.slice(self.path_start..),
- (Some(next_component_start), _) |
- (None, Some(next_component_start)) => {
+ (Some(next_component_start), _) | (None, Some(next_component_start)) => {
self.slice(self.path_start..next_component_start)
}
}
@@ -1351,7 +1281,10 @@ impl Url {
self.serialization.push('?');
}
- let query = UrlQuery { url: Some(self), fragment: fragment };
+ let query = UrlQuery {
+ url: Some(self),
+ fragment: fragment,
+ };
form_urlencoded::Serializer::for_suffix(query, query_start + "?".len())
}
@@ -1361,7 +1294,7 @@ impl Url {
let after_path = self.slice(i..).to_owned();
self.serialization.truncate(i as usize);
after_path
- },
+ }
(None, None) => String::new(),
}
}
@@ -1402,7 +1335,7 @@ impl Url {
}
parser.parse_cannot_be_a_base_path(parser::Input::new(path));
} else {
- let mut has_host = true; // FIXME
+ let mut has_host = true; // FIXME
parser.parse_path_start(scheme_type, &mut has_host, parser::Input::new(path));
}
});
@@ -1426,8 +1359,12 @@ impl Url {
*index -= old_after_path_position;
*index += new_after_path_position;
};
- if let Some(ref mut index) = self.query_start { adjust(index) }
- if let Some(ref mut index) = self.fragment_start { adjust(index) }
+ if let Some(ref mut index) = self.query_start {
+ adjust(index)
+ }
+ if let Some(ref mut index) = self.fragment_start {
+ adjust(index)
+ }
self.serialization.push_str(after_path)
}
@@ -1494,7 +1431,7 @@ impl Url {
pub fn set_port(&mut self, mut port: Option<u16>) -> Result<(), ()> {
// has_host implies !cannot_be_a_base
if !self.has_host() || self.host() == Some(Host::Domain("")) || self.scheme() == "file" {
- return Err(())
+ return Err(());
}
if port.is_some() && port == parser::default_port(self.scheme()) {
port = None
@@ -1507,11 +1444,16 @@ impl Url {
match (self.port, port) {
(None, None) => {}
(Some(_), None) => {
- self.serialization.drain(self.host_end as usize .. self.path_start as usize);
+ self.serialization
+ .drain(self.host_end as usize..self.path_start as usize);
let offset = self.path_start - self.host_end;
self.path_start = self.host_end;
- if let Some(ref mut index) = self.query_start { *index -= offset }
- if let Some(ref mut index) = self.fragment_start { *index -= offset }
+ if let Some(ref mut index) = self.query_start {
+ *index -= offset
+ }
+ if let Some(ref mut index) = self.fragment_start {
+ *index -= offset
+ }
}
(Some(old), Some(new)) if old == new => {}
(_, Some(new)) => {
@@ -1525,8 +1467,12 @@ impl Url {
*index -= old_path_start;
*index += new_path_start;
};
- if let Some(ref mut index) = self.query_start { adjust(index) }
- if let Some(ref mut index) = self.fragment_start { adjust(index) }
+ if let Some(ref mut index) = self.query_start {
+ adjust(index)
+ }
+ if let Some(ref mut index) = self.fragment_start {
+ adjust(index)
+ }
self.serialization.push_str(&path_and_after);
}
}
@@ -1617,7 +1563,7 @@ impl Url {
/// [`ParseError`]: enum.ParseError.html
pub fn set_host(&mut self, host: Option<&str>) -> Result<(), ParseError> {
if self.cannot_be_a_base() {
- return Err(ParseError::SetHostOnCannotBeABaseUrl)
+ return Err(ParseError::SetHostOnCannotBeABaseUrl);
}
if let Some(host) = host {
@@ -1631,27 +1577,36 @@ impl Url {
}
} else if self.has_host() {
if SchemeType::from(self.scheme()).is_special() {
- return Err(ParseError::EmptyHost)
+ return Err(ParseError::EmptyHost);
}
debug_assert!(self.byte_at(self.scheme_end) == b':');
debug_assert!(self.byte_at(self.path_start) == b'/');
let new_path_start = self.scheme_end + 1;
- self.serialization.drain(new_path_start as usize..self.path_start as usize);
+ self.serialization
+ .drain(new_path_start as usize..self.path_start as usize);
let offset = self.path_start - new_path_start;
self.path_start = new_path_start;
self.username_end = new_path_start;
self.host_start = new_path_start;
self.host_end = new_path_start;
self.port = None;
- if let Some(ref mut index) = self.query_start { *index -= offset }
- if let Some(ref mut index) = self.fragment_start { *index -= offset }
+ if let Some(ref mut index) = self.query_start {
+ *index -= offset
+ }
+ if let Some(ref mut index) = self.fragment_start {
+ *index -= offset
+ }
}
Ok(())
}
/// opt_new_port: None means leave unchanged, Some(None) means remove any port number.
fn set_host_internal(&mut self, host: Host<String>, opt_new_port: Option<Option<u16>>) {
- let old_suffix_pos = if opt_new_port.is_some() { self.path_start } else { self.host_end };
+ let old_suffix_pos = if opt_new_port.is_some() {
+ self.path_start
+ } else {
+ self.host_end
+ };
let suffix = self.slice(old_suffix_pos..).to_owned();
self.serialization.truncate(self.host_start as usize);
if !self.has_authority() {
@@ -1680,8 +1635,12 @@ impl Url {
*index += new_suffix_pos;
};
adjust(&mut self.path_start);
- if let Some(ref mut index) = self.query_start { adjust(index) }
- if let Some(ref mut index) = self.fragment_start { adjust(index) }
+ if let Some(ref mut index) = self.query_start {
+ adjust(index)
+ }
+ if let Some(ref mut index) = self.fragment_start {
+ adjust(index)
+ }
}
/// Change this URL’s host to the given IP address.
@@ -1723,7 +1682,7 @@ impl Url {
///
pub fn set_ip_host(&mut self, address: IpAddr) -> Result<(), ()> {
if self.cannot_be_a_base() {
- return Err(())
+ return Err(());
}
let address = match address {
@@ -1763,13 +1722,14 @@ impl Url {
pub fn set_password(&mut self, password: Option<&str>) -> Result<(), ()> {
// has_host implies !cannot_be_a_base
if !self.has_host() || self.host() == Some(Host::Domain("")) || self.scheme() == "file" {
- return Err(())
+ return Err(());
}
if let Some(password) = password {
let host_and_after = self.slice(self.host_start..).to_owned();
self.serialization.truncate(self.username_end as usize);
self.serialization.push(':');
- self.serialization.extend(utf8_percent_encode(password, USERINFO_ENCODE_SET));
+ self.serialization
+ .extend(utf8_percent_encode(password, USERINFO_ENCODE_SET));
self.serialization.push('@');
let old_host_start = self.host_start;
@@ -1781,28 +1741,37 @@ impl Url {
self.host_start = new_host_start;
adjust(&mut self.host_end);
adjust(&mut self.path_start);
- if let Some(ref mut index) = self.query_start { adjust(index) }
- if let Some(ref mut index) = self.fragment_start { adjust(index) }
+ if let Some(ref mut index) = self.query_start {
+ adjust(index)
+ }
+ if let Some(ref mut index) = self.fragment_start {
+ adjust(index)
+ }
self.serialization.push_str(&host_and_after);
- } else if self.byte_at(self.username_end) == b':' { // If there is a password to remove
+ } else if self.byte_at(self.username_end) == b':' {
+ // If there is a password to remove
let has_username_or_password = self.byte_at(self.host_start - 1) == b'@';
debug_assert!(has_username_or_password);
let username_start = self.scheme_end + 3;
let empty_username = username_start == self.username_end;
- let start = self.username_end; // Remove the ':'
+ let start = self.username_end; // Remove the ':'
let end = if empty_username {
self.host_start // Remove the '@' as well
} else {
- self.host_start - 1 // Keep the '@' to separate the username from the host
+ self.host_start - 1 // Keep the '@' to separate the username from the host
};
- self.serialization.drain(start as usize .. end as usize);
+ self.serialization.drain(start as usize..end as usize);
let offset = end - start;
self.host_start -= offset;
self.host_end -= offset;
self.path_start -= offset;
- if let Some(ref mut index) = self.query_start { *index -= offset }
- if let Some(ref mut index) = self.fragment_start { *index -= offset }
+ if let Some(ref mut index) = self.query_start {
+ *index -= offset
+ }
+ if let Some(ref mut index) = self.fragment_start {
+ *index -= offset
+ }
}
Ok(())
}
@@ -1845,16 +1814,17 @@ impl Url {
pub fn set_username(&mut self, username: &str) -> Result<(), ()> {
// has_host implies !cannot_be_a_base
if !self.has_host() || self.host() == Some(Host::Domain("")) || self.scheme() == "file" {
- return Err(())
+ return Err(());
}
let username_start = self.scheme_end + 3;
debug_assert!(self.slice(self.scheme_end..username_start) == "://");
if self.slice(username_start..self.username_end) == username {
- return Ok(())
+ return Ok(());
}
let after_username = self.slice(self.username_end..).to_owned();
self.serialization.truncate(username_start as usize);
- self.serialization.extend(utf8_percent_encode(username, USERINFO_ENCODE_SET));
+ self.serialization
+ .extend(utf8_percent_encode(username, USERINFO_ENCODE_SET));
let mut removed_bytes = self.username_end;
self.username_end = to_u32(self.serialization.len()).unwrap();
@@ -1883,8 +1853,12 @@ impl Url {
adjust(&mut self.host_start);
adjust(&mut self.host_end);
adjust(&mut self.path_start);
- if let Some(ref mut index) = self.query_start { adjust(index) }
- if let Some(ref mut index) = self.fragment_start { adjust(index) }
+ if let Some(ref mut index) = self.query_start {
+ adjust(index)
+ }
+ if let Some(ref mut index) = self.fragment_start {
+ adjust(index)
+ }
Ok(())
}
@@ -1949,9 +1923,10 @@ impl Url {
pub fn set_scheme(&mut self, scheme: &str) -> Result<(), ()> {
let mut parser = Parser::for_setter(String::new());
let remaining = parser.parse_scheme(parser::Input::new(scheme))?;
- if !remaining.is_empty() ||
- (!self.has_host() && SchemeType::from(&parser.serialization).is_special()) {
- return Err(())
+ if !remaining.is_empty()
+ || (!self.has_host() && SchemeType::from(&parser.serialization).is_special())
+ {
+ return Err(());
}
let old_scheme_end = self.scheme_end;
let new_scheme_end = to_u32(parser.serialization.len()).unwrap();
@@ -1965,8 +1940,12 @@ impl Url {
adjust(&mut self.host_start);
adjust(&mut self.host_end);
adjust(&mut self.path_start);
- if let Some(ref mut index) = self.query_start { adjust(index) }
- if let Some(ref mut index) = self.fragment_start { adjust(index) }
+ if let Some(ref mut index) = self.query_start {
+ adjust(index)
+ }
+ if let Some(ref mut index) = self.fragment_start {
+ adjust(index)
+ }
parser.serialization.push_str(self.slice(old_scheme_end..));
self.serialization = parser.serialization;
@@ -2000,7 +1979,7 @@ impl Url {
/// # run().unwrap();
/// # }
/// ```
- #[cfg(any(unix, windows, target_os="redox"))]
+ #[cfg(any(unix, windows, target_os = "redox"))]
pub fn from_file_path<P: AsRef<Path>>(path: P) -> Result<Url, ()> {
let mut serialization = "file://".to_owned();
let host_start = serialization.len() as u32;
@@ -2036,7 +2015,7 @@ impl Url {
///
/// Note that `std::path` does not consider trailing slashes significant
/// and usually does not include them (e.g. in `Path::parent()`).
- #[cfg(any(unix, windows, target_os="redox"))]
+ #[cfg(any(unix, windows, target_os = "redox"))]
pub fn from_directory_path<P: AsRef<Path>>(path: P) -> Result<Url, ()> {
let mut url = Url::from_file_path(path)?;
if !url.serialization.ends_with('/') {
@@ -2053,18 +2032,38 @@ impl Url {
/// This method is only available if the `serde` Cargo feature is enabled.
#[cfg(feature = "serde")]
#[deny(unused)]
- pub fn serialize_internal<S>(&self, serializer: &mut S) -> Result<(), S::Error> where S: serde::Serializer {
+ pub fn serialize_internal<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
+ where
+ S: serde::Serializer,
+ {
use serde::Serialize;
// Destructuring first lets us ensure that adding or removing fields forces this method
// to be updated
- let Url { ref serialization, ref scheme_end,
- ref username_end, ref host_start,
- ref host_end, ref host, ref port,
- ref path_start, ref query_start,
- ref fragment_start} = *self;
- (serialization, scheme_end, username_end,
- host_start, host_end, host, port, path_start,
- query_start, fragment_start).serialize(serializer)
+ let Url {
+ ref serialization,
+ ref scheme_end,
+ ref username_end,
+ ref host_start,
+ ref host_end,
+ ref host,
+ ref port,
+ ref path_start,
+ ref query_start,
+ ref fragment_start,
+ } = *self;
+ (
+ serialization,
+ scheme_end,
+ username_end,
+ host_start,
+ host_end,
+ host,
+ port,
+ path_start,
+ query_start,
+ fragment_start,
+ )
+ .serialize(serializer)
}
/// Serialize with Serde using the internal representation of the `Url` struct.
@@ -2075,11 +2074,23 @@ impl Url {
/// This method is only available if the `serde` Cargo feature is enabled.
#[cfg(feature = "serde")]
#[deny(unused)]
- pub fn deserialize_internal<D>(deserializer: &mut D) -> Result<Self, D::Error> where D: serde::Deserializer {
- use serde::{Deserialize, Error};
- let (serialization, scheme_end, username_end,
- host_start, host_end, host, port, path_start,
- query_start, fragment_start) = Deserialize::deserialize(deserializer)?;
+ pub fn deserialize_internal<'de, D>(deserializer: D) -> Result<Self, D::Error>
+ where
+ D: serde::Deserializer<'de>,
+ {
+ use serde::de::{Deserialize, Error, Unexpected};
+ let (
+ serialization,
+ scheme_end,
+ username_end,
+ host_start,
+ host_end,
+ host,
+ port,
+ path_start,
+ query_start,
+ fragment_start,
+ ) = Deserialize::deserialize(deserializer)?;
let url = Url {
serialization: serialization,
scheme_end: scheme_end,
@@ -2090,15 +2101,17 @@ impl Url {
port: port,
path_start: path_start,
query_start: query_start,
- fragment_start: fragment_start
+ fragment_start: fragment_start,
};
if cfg!(debug_assertions) {
- url.check_invariants().map_err(|ref reason| Error::invalid_value(&reason))?
+ url.check_invariants().map_err(|reason| {
+ let reason: &str = &reason;
+ Error::invalid_value(Unexpected::Other("value"), &reason)
+ })?
}
Ok(url)
}
-
/// Assuming the URL is in the `file` scheme or similar,
/// convert its path to an absolute `std::path::Path`.
///
@@ -2118,15 +2131,15 @@ impl Url {
/// (That is, if the percent-decoded path contains a NUL byte or,
/// for a Windows path, is not UTF-8.)
#[inline]
- #[cfg(any(unix, windows, target_os="redox"))]
+ #[cfg(any(unix, windows, target_os = "redox"))]
pub fn to_file_path(&self) -> Result<PathBuf, ()> {
if let Some(segments) = self.path_segments() {
let host = match self.host() {
None | Some(Host::Domain("localhost")) => None,
Some(_) if cfg!(windows) && self.scheme() == "file" => {
- Some(&self.serialization[self.host_start as usize .. self.host_end as usize])
- },
- _ => return Err(())
+ Some(&self.serialization[self.host_start as usize..self.host_end as usize])
+ }
+ _ => return Err(()),
};
return file_url_segments_to_pathbuf(host, segments);
@@ -2137,7 +2150,10 @@ impl Url {
// Private helper methods:
#[inline]
- fn slice<R>(&self, range: R) -> &str where R: RangeArg {
+ fn slice<R>(&self, range: R) -> &str
+ where
+ R: RangeArg,
+ {
range.slice_of(&self.serialization)
}
@@ -2147,15 +2163,6 @@ impl Url {
}
}
-/// Return an error if `Url::host` or `Url::port_or_known_default` return `None`.
-impl ToSocketAddrs for Url {
- type Iter = SocketAddrs;
-
- fn to_socket_addrs(&self) -> io::Result<Self::Iter> {
- self.with_default_port(|_| Err(()))?.to_socket_addrs()
- }
-}
-
/// Parse a string as an URL, without a base URL or encoding override.
impl str::FromStr for Url {
type Err = ParseError;
@@ -2212,7 +2219,10 @@ impl PartialOrd for Url {
/// URLs hash like their serialization.
impl hash::Hash for Url {
#[inline]
- fn hash<H>(&self, state: &mut H) where H: hash::Hasher {
+ fn hash<H>(&self, state: &mut H)
+ where
+ H: hash::Hasher,
+ {
hash::Hash::hash(&self.serialization, state)
}
}
@@ -2232,47 +2242,33 @@ trait RangeArg {
impl RangeArg for Range<u32> {
#[inline]
fn slice_of<'a>(&self, s: &'a str) -> &'a str {
- &s[self.start as usize .. self.end as usize]
+ &s[self.start as usize..self.end as usize]
}
}
impl RangeArg for RangeFrom<u32> {
#[inline]
fn slice_of<'a>(&self, s: &'a str) -> &'a str {
- &s[self.start as usize ..]
+ &s[self.start as usize..]
}
}
impl RangeArg for RangeTo<u32> {
#[inline]
fn slice_of<'a>(&self, s: &'a str) -> &'a str {
- &s[.. self.end as usize]
- }
-}
-
-#[cfg(feature="rustc-serialize")]
-impl rustc_serialize::Encodable for Url {
- fn encode<S: rustc_serialize::Encoder>(&self, encoder: &mut S) -> Result<(), S::Error> {
- encoder.emit_str(self.as_str())
- }
-}
-
-
-#[cfg(feature="rustc-serialize")]
-impl rustc_serialize::Decodable for Url {
- fn decode<D: rustc_serialize::Decoder>(decoder: &mut D) -> Result<Url, D::Error> {
- Url::parse(&*decoder.read_str()?).map_err(|error| {
- decoder.error(&format!("URL parsing error: {}", error))
- })
+ &s[..self.end as usize]
}
}
/// Serializes this URL into a `serde` stream.
///
/// This implementation is only available if the `serde` Cargo feature is enabled.
-#[cfg(feature="serde")]
+#[cfg(feature = "serde")]
impl serde::Serialize for Url {
- fn serialize<S>(&self, serializer: &mut S) -> Result<(), S::Error> where S: serde::Serializer {
+ fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
+ where
+ S: serde::Serializer,
+ {
serializer.serialize_str(self.as_str())
}
}
@@ -2280,22 +2276,28 @@ impl serde::Serialize for Url {
/// Deserializes this URL from a `serde` stream.
///
/// This implementation is only available if the `serde` Cargo feature is enabled.
-#[cfg(feature="serde")]
-impl serde::Deserialize for Url {
- fn deserialize<D>(deserializer: &mut D) -> Result<Url, D::Error> where D: serde::Deserializer {
+#[cfg(feature = "serde")]
+impl<'de> serde::Deserialize<'de> for Url {
+ fn deserialize<D>(deserializer: D) -> Result<Url, D::Error>
+ where
+ D: serde::Deserializer<'de>,
+ {
+ use serde::de::{Error, Unexpected};
let string_representation: String = serde::Deserialize::deserialize(deserializer)?;
Url::parse(&string_representation).map_err(|err| {
- serde::Error::invalid_value(err.description())
+ Error::invalid_value(Unexpected::Str(&string_representation), &err.description())
})
}
}
#[cfg(any(unix, target_os = "redox"))]
-fn path_to_file_url_segments(path: &Path, serialization: &mut String)
- -> Result<(u32, HostInternal), ()> {
+fn path_to_file_url_segments(
+ path: &Path,
+ serialization: &mut String,
+) -> Result<(u32, HostInternal), ()> {
use std::os::unix::prelude::OsStrExt;
if !path.is_absolute() {
- return Err(())
+ return Err(());
}
let host_end = to_u32(serialization.len()).unwrap();
let mut empty = true;
@@ -2304,7 +2306,9 @@ fn path_to_file_url_segments(path: &Path, serialization: &mut String)
empty = false;
serialization.push('/');
serialization.extend(percent_encode(
- component.as_os_str().as_bytes(), PATH_SEGMENT_ENCODE_SET));
+ component.as_os_str().as_bytes(),
+ PATH_SEGMENT_ENCODE_SET,
+ ));
}
if empty {
// An URL’s path must not be empty.
@@ -2314,18 +2318,22 @@ fn path_to_file_url_segments(path: &Path, serialization: &mut String)
}
#[cfg(windows)]
-fn path_to_file_url_segments(path: &Path, serialization: &mut String)
- -> Result<(u32, HostInternal), ()> {
+fn path_to_file_url_segments(
+ path: &Path,
+ serialization: &mut String,
+) -> Result<(u32, HostInternal), ()> {
path_to_file_url_segments_windows(path, serialization)
}
// Build this unconditionally to alleviate https://github.com/servo/rust-url/issues/102
#[cfg_attr(not(windows), allow(dead_code))]
-fn path_to_file_url_segments_windows(path: &Path, serialization: &mut String)
- -> Result<(u32, HostInternal), ()> {
- use std::path::{Prefix, Component};
+fn path_to_file_url_segments_windows(
+ path: &Path,
+ serialization: &mut String,
+) -> Result<(u32, HostInternal), ()> {
+ use std::path::{Component, Prefix};
if !path.is_absolute() {
- return Err(())
+ return Err(());
}
let mut components = path.components();
@@ -2339,7 +2347,7 @@ fn path_to_file_url_segments_windows(path: &Path, serialization: &mut String)
serialization.push('/');
serialization.push(letter as char);
serialization.push(':');
- },
+ }
Prefix::UNC(server, share) | Prefix::VerbatimUNC(server, share) => {
let host = Host::parse(server.to_str().ok_or(())?).map_err(|_| ())?;
write!(serialization, "{}", host).unwrap();
@@ -2348,29 +2356,35 @@ fn path_to_file_url_segments_windows(path: &Path, serialization: &mut String)
serialization.push('/');
let share = share.to_str().ok_or(())?;
serialization.extend(percent_encode(share.as_bytes(), PATH_SEGMENT_ENCODE_SET));
- },
- _ => return Err(())
+ }
+ _ => return Err(()),
},
- _ => return Err(())
+ _ => return Err(()),
}
for component in components {
- if component == Component::RootDir { continue }
+ if component == Component::RootDir {
+ continue;
+ }
// FIXME: somehow work with non-unicode?
let component = component.as_os_str().to_str().ok_or(())?;
serialization.push('/');
- serialization.extend(percent_encode(component.as_bytes(), PATH_SEGMENT_ENCODE_SET));
+ serialization.extend(percent_encode(
+ component.as_bytes(),
+ PATH_SEGMENT_ENCODE_SET,
+ ));
}
Ok((host_end, host_internal))
}
-
#[cfg(any(unix, target_os = "redox"))]
-fn file_url_segments_to_pathbuf(host: Option<&str>, segments: str::Split<char>) -> Result<PathBuf, ()> {
+fn file_url_segments_to_pathbuf(
+ host: Option<&str>,
+ segments: str::Split<char>,
+) -> Result<PathBuf, ()> {
use std::ffi::OsStr;
use std::os::unix::prelude::OsStrExt;
- use std::path::PathBuf;
if host.is_some() {
return Err(());
@@ -2387,20 +2401,27 @@ fn file_url_segments_to_pathbuf(host: Option<&str>, segments: str::Split<char>)
}
let os_str = OsStr::from_bytes(&bytes);
let path = PathBuf::from(os_str);
- debug_assert!(path.is_absolute(),
- "to_file_path() failed to produce an absolute Path");
+ debug_assert!(
+ path.is_absolute(),
+ "to_file_path() failed to produce an absolute Path"
+ );
Ok(path)
}
#[cfg(windows)]
-fn file_url_segments_to_pathbuf(host: Option<&str>, segments: str::Split<char>) -> Result<PathBuf, ()> {
+fn file_url_segments_to_pathbuf(
+ host: Option<&str>,
+ segments: str::Split<char>,
+) -> Result<PathBuf, ()> {
file_url_segments_to_pathbuf_windows(host, segments)
}
// Build this unconditionally to alleviate https://github.com/servo/rust-url/issues/102
#[cfg_attr(not(windows), allow(dead_code))]
-fn file_url_segments_to_pathbuf_windows(host: Option<&str>, mut segments: str::Split<char>) -> Result<PathBuf, ()> {
-
+fn file_url_segments_to_pathbuf_windows(
+ host: Option<&str>,
+ mut segments: str::Split<char>,
+) -> Result<PathBuf, ()> {
let mut string = if let Some(host) = host {
r"\\".to_owned() + host
} else {
@@ -2409,23 +2430,23 @@ fn file_url_segments_to_pathbuf_windows(host: Option<&str>, mut segments: str::S
match first.len() {
2 => {
if !first.starts_with(parser::ascii_alpha) || first.as_bytes()[1] != b':' {
- return Err(())
+ return Err(());
}
first.to_owned()
- },
+ }
4 => {
if !first.starts_with(parser::ascii_alpha) {
- return Err(())
+ return Err(());
}
let bytes = first.as_bytes();
if bytes[1] != b'%' || bytes[2] != b'3' || (bytes[3] != b'a' && bytes[3] != b'A') {
- return Err(())
+ return Err(());
}
first[0..1].to_owned() + ":"
- },
+ }
_ => return Err(()),
}
@@ -2441,15 +2462,13 @@ fn file_url_segments_to_pathbuf_windows(host: Option<&str>, mut segments: str::S
}
}
let path = PathBuf::from(string);
- debug_assert!(path.is_absolute(),
- "to_file_path() failed to produce an absolute Path");
+ debug_assert!(
+ path.is_absolute(),
+ "to_file_path() failed to produce an absolute Path"
+ );
Ok(path)
}
-fn io_error<T>(reason: &str) -> io::Result<T> {
- Err(io::Error::new(io::ErrorKind::InvalidData, reason))
-}
-
/// Implementation detail of `Url::query_pairs_mut`. Typically not used directly.
#[derive(Debug)]
pub struct UrlQuery<'a> {
@@ -2464,48 +2483,3 @@ impl<'a> Drop for UrlQuery<'a> {
}
}
}
-
-
-/// Define a new struct
-/// that implements the [`EncodeSet`](percent_encoding/trait.EncodeSet.html) trait,
-/// for use in [`percent_decode()`](percent_encoding/fn.percent_encode.html)
-/// and related functions.
-///
-/// Parameters are characters to include in the set in addition to those of the base set.
-/// See [encode sets specification](http://url.spec.whatwg.org/#simple-encode-set).
-///
-/// Example
-/// =======
-///
-/// ```rust
-/// #[macro_use] extern crate url;
-/// use url::percent_encoding::{utf8_percent_encode, SIMPLE_ENCODE_SET};
-/// define_encode_set! {
-/// /// This encode set is used in the URL parser for query strings.
-/// pub QUERY_ENCODE_SET = [SIMPLE_ENCODE_SET] | {' ', '"', '#', '<', '>'}
-/// }
-/// # fn main() {
-/// assert_eq!(utf8_percent_encode("foo bar", QUERY_ENCODE_SET).collect::<String>(), "foo%20bar");
-/// # }
-/// ```
-#[macro_export]
-macro_rules! define_encode_set {
- ($(#[$attr: meta])* pub $name: ident = [$base_set: expr] | {$($ch: pat),*}) => {
- $(#[$attr])*
- #[derive(Copy, Clone)]
- #[allow(non_camel_case_types)]
- pub struct $name;
-
- impl $crate::percent_encoding::EncodeSet for $name {
- #[inline]
- fn contains(&self, byte: u8) -> bool {
- match byte as char {
- $(
- $ch => true,
- )*
- _ => $base_set.contains(byte)
- }
- }
- }
- }
-}
diff --git a/src/origin.rs b/src/origin.rs
--- a/src/origin.rs
+++ b/src/origin.rs
@@ -6,11 +6,10 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-#[cfg(feature = "heapsize")] use heapsize::HeapSizeOf;
use host::Host;
use idna::domain_to_unicode;
use parser::default_port;
-use std::sync::atomic::{AtomicUsize, ATOMIC_USIZE_INIT, Ordering};
+use std::sync::atomic::{AtomicUsize, Ordering};
use Url;
pub fn url_origin(url: &Url) -> Origin {
@@ -20,16 +19,17 @@ pub fn url_origin(url: &Url) -> Origin {
let result = Url::parse(url.path());
match result {
Ok(ref url) => url_origin(url),
- Err(_) => Origin::new_opaque()
+ Err(_) => Origin::new_opaque(),
}
- },
- "ftp" | "gopher" | "http" | "https" | "ws" | "wss" => {
- Origin::Tuple(scheme.to_owned(), url.host().unwrap().to_owned(),
- url.port_or_known_default().unwrap())
- },
+ }
+ "ftp" | "gopher" | "http" | "https" | "ws" | "wss" => Origin::Tuple(
+ scheme.to_owned(),
+ url.host().unwrap().to_owned(),
+ url.port_or_known_default().unwrap(),
+ ),
// TODO: Figure out what to do if the scheme is a file
"file" => Origin::new_opaque(),
- _ => Origin::new_opaque()
+ _ => Origin::new_opaque(),
}
}
@@ -56,27 +56,13 @@ pub enum Origin {
Opaque(OpaqueOrigin),
/// Consists of the URL's scheme, host and port
- Tuple(String, Host<String>, u16)
-}
-
-#[cfg(feature = "heapsize")]
-impl HeapSizeOf for Origin {
- fn heap_size_of_children(&self) -> usize {
- match *self {
- Origin::Tuple(ref scheme, ref host, _) => {
- scheme.heap_size_of_children() +
- host.heap_size_of_children()
- },
- _ => 0,
- }
- }
+ Tuple(String, Host<String>, u16),
}
-
impl Origin {
/// Creates a new opaque origin that is only equal to itself.
pub fn new_opaque() -> Origin {
- static COUNTER: AtomicUsize = ATOMIC_USIZE_INIT;
+ static COUNTER: AtomicUsize = AtomicUsize::new(0);
Origin::Opaque(OpaqueOrigin(COUNTER.fetch_add(1, Ordering::SeqCst)))
}
@@ -110,7 +96,7 @@ impl Origin {
let (domain, _errors) = domain_to_unicode(domain);
Host::Domain(domain)
}
- _ => host.clone()
+ _ => host.clone(),
};
if default_port(scheme) == Some(port) {
format!("{}://{}", scheme, host)
@@ -125,6 +111,3 @@ impl Origin {
/// Opaque identifier for URLs that have file or other schemes
#[derive(Eq, PartialEq, Hash, Clone, Debug)]
pub struct OpaqueOrigin(usize);
-
-#[cfg(feature = "heapsize")]
-known_heap_size!(0, OpaqueOrigin);
diff --git a/src/parser.rs b/src/parser.rs
--- a/src/parser.rs
+++ b/src/parser.rs
@@ -6,21 +6,17 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-#[allow(unused_imports, deprecated)]
-use std::ascii::AsciiExt;
-
use std::error::Error;
use std::fmt::{self, Formatter, Write};
use std::str;
-use Url;
-use encoding::EncodingOverride;
use host::{Host, HostInternal};
use percent_encoding::{
- utf8_percent_encode, percent_encode,
- SIMPLE_ENCODE_SET, DEFAULT_ENCODE_SET, USERINFO_ENCODE_SET, QUERY_ENCODE_SET,
- PATH_SEGMENT_ENCODE_SET
+ percent_encode, utf8_percent_encode, DEFAULT_ENCODE_SET, PATH_SEGMENT_ENCODE_SET,
+ QUERY_ENCODE_SET, SIMPLE_ENCODE_SET, USERINFO_ENCODE_SET,
};
+use query_encoding::EncodingOverride;
+use Url;
define_encode_set! {
// The backslash (\) character is treated as a path separator in special URLs
@@ -65,17 +61,16 @@ simple_enum_error! {
Overflow => "URLs more than 4 GB are not supported",
}
-#[cfg(feature = "heapsize")]
-known_heap_size!(0, ParseError);
-
impl fmt::Display for ParseError {
fn fmt(&self, fmt: &mut Formatter) -> fmt::Result {
self.description().fmt(fmt)
}
}
-impl From<::idna::uts46::Errors> for ParseError {
- fn from(_: ::idna::uts46::Errors) -> ParseError { ParseError::IdnaError }
+impl From<::idna::Errors> for ParseError {
+ fn from(_: ::idna::Errors) -> ParseError {
+ ParseError::IdnaError
+ }
}
macro_rules! syntax_violation_enum {
@@ -117,9 +112,6 @@ syntax_violation_enum! {
UnencodedAtSign => "unencoded @ sign in username or password",
}
-#[cfg(feature = "heapsize")]
-known_heap_size!(0, SyntaxViolation);
-
impl fmt::Display for SyntaxViolation {
fn fmt(&self, fmt: &mut Formatter) -> fmt::Result {
self.description().fmt(fmt)
@@ -168,20 +160,22 @@ pub struct Input<'i> {
impl<'i> Input<'i> {
pub fn new(input: &'i str) -> Self {
- Input::with_log(input, ViolationFn::NoOp)
+ Input::with_log(input, None)
}
- pub fn with_log(original_input: &'i str, vfn: ViolationFn) -> Self {
+ pub fn with_log(original_input: &'i str, vfn: Option<&dyn Fn(SyntaxViolation)>) -> Self {
let input = original_input.trim_matches(c0_control_or_space);
- if vfn.is_set() {
+ if let Some(vfn) = vfn {
if input.len() < original_input.len() {
- vfn.call(SyntaxViolation::C0SpaceIgnored)
+ vfn(SyntaxViolation::C0SpaceIgnored)
}
if input.chars().any(|c| matches!(c, '\t' | '\n' | '\r')) {
- vfn.call(SyntaxViolation::TabOrNewlineIgnored)
+ vfn(SyntaxViolation::TabOrNewlineIgnored)
}
}
- Input { chars: input.chars() }
+ Input {
+ chars: input.chars(),
+ }
}
#[inline]
@@ -220,7 +214,7 @@ impl<'i> Input<'i> {
remaining = input;
count += 1;
} else {
- return (count, remaining)
+ return (count, remaining);
}
}
}
@@ -232,10 +226,10 @@ impl<'i> Input<'i> {
match self.chars.next() {
Some(c) => {
if !matches!(c, '\t' | '\n' | '\r') {
- return Some((c, &utf8[..c.len_utf8()]))
+ return Some((c, &utf8[..c.len_utf8()]));
}
}
- None => return None
+ None => return None,
}
}
}
@@ -246,14 +240,16 @@ pub trait Pattern {
}
impl Pattern for char {
- fn split_prefix<'i>(self, input: &mut Input<'i>) -> bool { input.next() == Some(self) }
+ fn split_prefix<'i>(self, input: &mut Input<'i>) -> bool {
+ input.next() == Some(self)
+ }
}
impl<'a> Pattern for &'a str {
fn split_prefix<'i>(self, input: &mut Input<'i>) -> bool {
for c in self.chars() {
if input.next() != Some(c) {
- return false
+ return false;
}
}
true
@@ -261,70 +257,25 @@ impl<'a> Pattern for &'a str {
}
impl<F: FnMut(char) -> bool> Pattern for F {
- fn split_prefix<'i>(self, input: &mut Input<'i>) -> bool { input.next().map_or(false, self) }
+ fn split_prefix<'i>(self, input: &mut Input<'i>) -> bool {
+ input.next().map_or(false, self)
+ }
}
impl<'i> Iterator for Input<'i> {
type Item = char;
fn next(&mut self) -> Option<char> {
- self.chars.by_ref().find(|&c| !matches!(c, '\t' | '\n' | '\r'))
- }
-}
-
-/// Wrapper for syntax violation callback functions.
-#[derive(Copy, Clone)]
-pub enum ViolationFn<'a> {
- NewFn(&'a (Fn(SyntaxViolation) + 'a)),
- OldFn(&'a (Fn(&'static str) + 'a)),
- NoOp
-}
-
-impl<'a> ViolationFn<'a> {
- /// Call with a violation.
- pub fn call(self, v: SyntaxViolation) {
- match self {
- ViolationFn::NewFn(f) => f(v),
- ViolationFn::OldFn(f) => f(v.description()),
- ViolationFn::NoOp => {}
- }
- }
-
- /// Call with a violation, if provided test returns true. Avoids
- /// the test entirely if `NoOp`.
- pub fn call_if<F>(self, v: SyntaxViolation, test: F)
- where F: Fn() -> bool
- {
- match self {
- ViolationFn::NewFn(f) => if test() { f(v) },
- ViolationFn::OldFn(f) => if test() { f(v.description()) },
- ViolationFn::NoOp => {} // avoid test
- }
- }
-
- /// True if not `NoOp`
- pub fn is_set(self) -> bool {
- match self {
- ViolationFn::NoOp => false,
- _ => true
- }
- }
-}
-
-impl<'a> fmt::Debug for ViolationFn<'a> {
- fn fmt(&self, f: &mut Formatter) -> fmt::Result {
- match *self {
- ViolationFn::NewFn(_) => write!(f, "NewFn(Fn(SyntaxViolation))"),
- ViolationFn::OldFn(_) => write!(f, "OldFn(Fn(&'static str))"),
- ViolationFn::NoOp => write!(f, "NoOp")
- }
+ self.chars
+ .by_ref()
+ .find(|&c| !matches!(c, '\t' | '\n' | '\r'))
}
}
pub struct Parser<'a> {
pub serialization: String,
pub base_url: Option<&'a Url>,
- pub query_encoding_override: EncodingOverride,
- pub violation_fn: ViolationFn<'a>,
+ pub query_encoding_override: EncodingOverride<'a>,
+ pub violation_fn: Option<&'a dyn Fn(SyntaxViolation)>,
pub context: Context,
}
@@ -336,12 +287,26 @@ pub enum Context {
}
impl<'a> Parser<'a> {
+ fn log_violation(&self, v: SyntaxViolation) {
+ if let Some(f) = self.violation_fn {
+ f(v)
+ }
+ }
+
+ fn log_violation_if(&self, v: SyntaxViolation, test: impl FnOnce() -> bool) {
+ if let Some(f) = self.violation_fn {
+ if test() {
+ f(v)
+ }
+ }
+ }
+
pub fn for_setter(serialization: String) -> Parser<'a> {
Parser {
serialization: serialization,
base_url: None,
- query_encoding_override: EncodingOverride::utf8(),
- violation_fn: ViolationFn::NoOp,
+ query_encoding_override: None,
+ violation_fn: None,
context: Context::Setter,
}
}
@@ -350,7 +315,7 @@ impl<'a> Parser<'a> {
pub fn parse_url(mut self, input: &str) -> ParseResult<Url> {
let input = Input::with_log(input, self.violation_fn);
if let Ok(remaining) = self.parse_scheme(input.clone()) {
- return self.parse_with_scheme(remaining)
+ return self.parse_with_scheme(remaining);
}
// No-scheme state
@@ -374,18 +339,18 @@ impl<'a> Parser<'a> {
pub fn parse_scheme<'i>(&mut self, mut input: Input<'i>) -> Result<Input<'i>, ()> {
if input.is_empty() || !input.starts_with(ascii_alpha) {
- return Err(())
+ return Err(());
}
debug_assert!(self.serialization.is_empty());
while let Some(c) = input.next() {
match c {
- 'a'...'z' | 'A'...'Z' | '0'...'9' | '+' | '-' | '.' => {
+ 'a'..='z' | 'A'..='Z' | '0'..='9' | '+' | '-' | '.' => {
self.serialization.push(c.to_ascii_lowercase())
}
':' => return Ok(input),
_ => {
self.serialization.clear();
- return Err(())
+ return Err(());
}
}
}
@@ -399,15 +364,19 @@ impl<'a> Parser<'a> {
}
fn parse_with_scheme(mut self, input: Input) -> ParseResult<Url> {
- use SyntaxViolation::{ExpectedFileDoubleSlash, ExpectedDoubleSlash};
+ use SyntaxViolation::{ExpectedDoubleSlash, ExpectedFileDoubleSlash};
let scheme_end = to_u32(self.serialization.len())?;
let scheme_type = SchemeType::from(&self.serialization);
self.serialization.push(':');
match scheme_type {
SchemeType::File => {
- self.violation_fn.call_if(ExpectedFileDoubleSlash, || !input.starts_with("//"));
+ self.log_violation_if(ExpectedFileDoubleSlash, || !input.starts_with("//"));
let base_file_url = self.base_url.and_then(|base| {
- if base.scheme() == "file" { Some(base) } else { None }
+ if base.scheme() == "file" {
+ Some(base)
+ } else {
+ None
+ }
});
self.serialization.clear();
self.parse_file(input, base_file_url)
@@ -416,31 +385,39 @@ impl<'a> Parser<'a> {
// special relative or authority state
let (slashes_count, remaining) = input.count_matching(|c| matches!(c, '/' | '\\'));
if let Some(base_url) = self.base_url {
- if slashes_count < 2 &&
- base_url.scheme() == &self.serialization[..scheme_end as usize] {
+ if slashes_count < 2
+ && base_url.scheme() == &self.serialization[..scheme_end as usize]
+ {
// "Cannot-be-a-base" URLs only happen with "not special" schemes.
debug_assert!(!base_url.cannot_be_a_base());
self.serialization.clear();
- return self.parse_relative(input, scheme_type, base_url)
+ return self.parse_relative(input, scheme_type, base_url);
}
}
// special authority slashes state
- self.violation_fn.call_if(ExpectedDoubleSlash, || {
- input.clone().take_while(|&c| matches!(c, '/' | '\\'))
- .collect::<String>() != "//"
+ self.log_violation_if(ExpectedDoubleSlash, || {
+ input
+ .clone()
+ .take_while(|&c| matches!(c, '/' | '\\'))
+ .collect::<String>()
+ != "//"
});
self.after_double_slash(remaining, scheme_type, scheme_end)
}
- SchemeType::NotSpecial => self.parse_non_special(input, scheme_type, scheme_end)
+ SchemeType::NotSpecial => self.parse_non_special(input, scheme_type, scheme_end),
}
}
/// Scheme other than file, http, https, ws, ws, ftp, gopher.
- fn parse_non_special(mut self, input: Input, scheme_type: SchemeType, scheme_end: u32)
- -> ParseResult<Url> {
+ fn parse_non_special(
+ mut self,
+ input: Input,
+ scheme_type: SchemeType,
+ scheme_end: u32,
+ ) -> ParseResult<Url> {
// path or authority state (
if let Some(input) = input.split_prefix("//") {
- return self.after_double_slash(input, scheme_type, scheme_end)
+ return self.after_double_slash(input, scheme_type, scheme_end);
}
// Anarchist URL (no authority)
let path_start = to_u32(self.serialization.len())?;
@@ -456,8 +433,16 @@ impl<'a> Parser<'a> {
} else {
self.parse_cannot_be_a_base_path(input)
};
- self.with_query_and_fragment(scheme_end, username_end, host_start,
- host_end, host, port, path_start, remaining)
+ self.with_query_and_fragment(
+ scheme_end,
+ username_end,
+ host_start,
+ host_end,
+ host,
+ port,
+ path_start,
+ remaining,
+ )
}
fn parse_file(mut self, input: Input, mut base_file_url: Option<&Url>) -> ParseResult<Url> {
@@ -496,14 +481,13 @@ impl<'a> Parser<'a> {
fragment_start: None,
})
}
- },
+ }
Some('?') => {
if let Some(base_url) = base_file_url {
// Copy everything up to the query string
let before_query = match (base_url.query_start, base_url.fragment_start) {
(None, None) => &*base_url.serialization,
- (Some(i), _) |
- (None, Some(i)) => base_url.slice(..i)
+ (Some(i), _) | (None, Some(i)) => base_url.slice(..i),
};
self.serialization.push_str(before_query);
let (query_start, fragment_start) =
@@ -533,7 +517,7 @@ impl<'a> Parser<'a> {
fragment_start: fragment_start,
})
}
- },
+ }
Some('#') => {
if let Some(base_url) = base_file_url {
self.fragment_only(base_url, input)
@@ -559,10 +543,10 @@ impl<'a> Parser<'a> {
}
}
Some('/') | Some('\\') => {
- self.violation_fn.call_if(Backslash, || first_char == Some('\\'));
+ self.log_violation_if(Backslash, || first_char == Some('\\'));
// file slash state
let (next_char, input_after_next_char) = input_after_first_char.split_first();
- self.violation_fn.call_if(Backslash, || next_char == Some('\\'));
+ self.log_violation_if(Backslash, || next_char == Some('\\'));
if matches!(next_char, Some('/') | Some('\\')) {
// file host state
self.serialization.push_str("file://");
@@ -582,7 +566,8 @@ impl<'a> Parser<'a> {
// For file URLs that have a host and whose path starts
// with the windows drive letter we just remove the host.
if !has_host {
- self.serialization.drain(host_start as usize..host_end as usize);
+ self.serialization
+ .drain(host_start as usize..host_end as usize);
host_end = host_start;
host = HostInternal::None;
}
@@ -613,7 +598,11 @@ impl<'a> Parser<'a> {
}
}
let remaining = self.parse_path(
- SchemeType::File, &mut false, path_start, input_after_first_char);
+ SchemeType::File,
+ &mut false,
+ path_start,
+ input_after_first_char,
+ );
let (query_start, fragment_start) =
self.parse_query_and_fragment(scheme_end, remaining)?;
let path_start = path_start as u32;
@@ -638,22 +627,32 @@ impl<'a> Parser<'a> {
if let Some(base_url) = base_file_url {
let before_query = match (base_url.query_start, base_url.fragment_start) {
(None, None) => &*base_url.serialization,
- (Some(i), _) |
- (None, Some(i)) => base_url.slice(..i)
+ (Some(i), _) | (None, Some(i)) => base_url.slice(..i),
};
self.serialization.push_str(before_query);
self.pop_path(SchemeType::File, base_url.path_start as usize);
let remaining = self.parse_path(
- SchemeType::File, &mut true, base_url.path_start as usize, input);
+ SchemeType::File,
+ &mut true,
+ base_url.path_start as usize,
+ input,
+ );
self.with_query_and_fragment(
- base_url.scheme_end, base_url.username_end, base_url.host_start,
- base_url.host_end, base_url.host, base_url.port, base_url.path_start, remaining)
+ base_url.scheme_end,
+ base_url.username_end,
+ base_url.host_start,
+ base_url.host_end,
+ base_url.host,
+ base_url.port,
+ base_url.path_start,
+ remaining,
+ )
} else {
self.serialization.push_str("file:///");
let scheme_end = "file".len() as u32;
let path_start = "file://".len();
- let remaining = self.parse_path(
- SchemeType::File, &mut false, path_start, input);
+ let remaining =
+ self.parse_path(SchemeType::File, &mut false, path_start, input);
let (query_start, fragment_start) =
self.parse_query_and_fragment(scheme_end, remaining)?;
let path_start = path_start as u32;
@@ -674,8 +673,12 @@ impl<'a> Parser<'a> {
}
}
- fn parse_relative(mut self, input: Input, scheme_type: SchemeType, base_url: &Url)
- -> ParseResult<Url> {
+ fn parse_relative(
+ mut self,
+ input: Input,
+ scheme_type: SchemeType,
+ base_url: &Url,
+ ) -> ParseResult<Url> {
// relative state
debug_assert!(self.serialization.is_empty());
let (first_char, input_after_first_char) = input.split_first();
@@ -692,13 +695,12 @@ impl<'a> Parser<'a> {
fragment_start: None,
..*base_url
})
- },
+ }
Some('?') => {
// Copy everything up to the query string
let before_query = match (base_url.query_start, base_url.fragment_start) {
(None, None) => &*base_url.serialization,
- (Some(i), _) |
- (None, Some(i)) => base_url.slice(..i)
+ (Some(i), _) | (None, Some(i)) => base_url.slice(..i),
};
self.serialization.push_str(before_query);
let (query_start, fragment_start) =
@@ -709,49 +711,75 @@ impl<'a> Parser<'a> {
fragment_start: fragment_start,
..*base_url
})
- },
+ }
Some('#') => self.fragment_only(base_url, input),
Some('/') | Some('\\') => {
let (slashes_count, remaining) = input.count_matching(|c| matches!(c, '/' | '\\'));
if slashes_count >= 2 {
- self.violation_fn.call_if(SyntaxViolation::ExpectedDoubleSlash, || {
- input.clone().take_while(|&c| matches!(c, '/' | '\\'))
- .collect::<String>() != "//"
+ self.log_violation_if(SyntaxViolation::ExpectedDoubleSlash, || {
+ input
+ .clone()
+ .take_while(|&c| matches!(c, '/' | '\\'))
+ .collect::<String>()
+ != "//"
});
let scheme_end = base_url.scheme_end;
debug_assert!(base_url.byte_at(scheme_end) == b':');
- self.serialization.push_str(base_url.slice(..scheme_end + 1));
- return self.after_double_slash(remaining, scheme_type, scheme_end)
+ self.serialization
+ .push_str(base_url.slice(..scheme_end + 1));
+ return self.after_double_slash(remaining, scheme_type, scheme_end);
}
let path_start = base_url.path_start;
debug_assert!(base_url.byte_at(path_start) == b'/');
- self.serialization.push_str(base_url.slice(..path_start + 1));
+ self.serialization
+ .push_str(base_url.slice(..path_start + 1));
let remaining = self.parse_path(
- scheme_type, &mut true, path_start as usize, input_after_first_char);
+ scheme_type,
+ &mut true,
+ path_start as usize,
+ input_after_first_char,
+ );
self.with_query_and_fragment(
- base_url.scheme_end, base_url.username_end, base_url.host_start,
- base_url.host_end, base_url.host, base_url.port, base_url.path_start, remaining)
+ base_url.scheme_end,
+ base_url.username_end,
+ base_url.host_start,
+ base_url.host_end,
+ base_url.host,
+ base_url.port,
+ base_url.path_start,
+ remaining,
+ )
}
_ => {
let before_query = match (base_url.query_start, base_url.fragment_start) {
(None, None) => &*base_url.serialization,
- (Some(i), _) |
- (None, Some(i)) => base_url.slice(..i)
+ (Some(i), _) | (None, Some(i)) => base_url.slice(..i),
};
self.serialization.push_str(before_query);
// FIXME spec says just "remove last entry", not the "pop" algorithm
self.pop_path(scheme_type, base_url.path_start as usize);
- let remaining = self.parse_path(
- scheme_type, &mut true, base_url.path_start as usize, input);
+ let remaining =
+ self.parse_path(scheme_type, &mut true, base_url.path_start as usize, input);
self.with_query_and_fragment(
- base_url.scheme_end, base_url.username_end, base_url.host_start,
- base_url.host_end, base_url.host, base_url.port, base_url.path_start, remaining)
+ base_url.scheme_end,
+ base_url.username_end,
+ base_url.host_start,
+ base_url.host_end,
+ base_url.host,
+ base_url.port,
+ base_url.path_start,
+ remaining,
+ )
}
}
}
- fn after_double_slash(mut self, input: Input, scheme_type: SchemeType, scheme_end: u32)
- -> ParseResult<Url> {
+ fn after_double_slash(
+ mut self,
+ input: Input,
+ scheme_type: SchemeType,
+ scheme_end: u32,
+ ) -> ParseResult<Url> {
self.serialization.push('/');
self.serialization.push('/');
// authority state
@@ -762,15 +790,25 @@ impl<'a> Parser<'a> {
self.parse_host_and_port(remaining, scheme_end, scheme_type)?;
// path state
let path_start = to_u32(self.serialization.len())?;
- let remaining = self.parse_path_start(
- scheme_type, &mut true, remaining);
- self.with_query_and_fragment(scheme_end, username_end, host_start,
- host_end, host, port, path_start, remaining)
+ let remaining = self.parse_path_start(scheme_type, &mut true, remaining);
+ self.with_query_and_fragment(
+ scheme_end,
+ username_end,
+ host_start,
+ host_end,
+ host,
+ port,
+ path_start,
+ remaining,
+ )
}
/// Return (username_end, remaining)
- fn parse_userinfo<'i>(&mut self, mut input: Input<'i>, scheme_type: SchemeType)
- -> ParseResult<(u32, Input<'i>)> {
+ fn parse_userinfo<'i>(
+ &mut self,
+ mut input: Input<'i>,
+ scheme_type: SchemeType,
+ ) -> ParseResult<(u32, Input<'i>)> {
let mut last_at = None;
let mut remaining = input.clone();
let mut char_count = 0;
@@ -778,12 +816,12 @@ impl<'a> Parser<'a> {
match c {
'@' => {
if last_at.is_some() {
- self.violation_fn.call(SyntaxViolation::UnencodedAtSign)
+ self.log_violation(SyntaxViolation::UnencodedAtSign)
} else {
- self.violation_fn.call(SyntaxViolation::EmbeddedCredentials)
+ self.log_violation(SyntaxViolation::EmbeddedCredentials)
}
last_at = Some((char_count, remaining.clone()))
- },
+ }
'/' | '?' | '#' => break,
'\\' if scheme_type.is_special() => break,
_ => (),
@@ -793,7 +831,7 @@ impl<'a> Parser<'a> {
let (mut userinfo_char_count, remaining) = match last_at {
None => return Ok((to_u32(self.serialization.len())?, input)),
Some((0, remaining)) => return Ok((to_u32(self.serialization.len())?, remaining)),
- Some(x) => x
+ Some(x) => x,
};
let mut username_end = None;
@@ -815,7 +853,8 @@ impl<'a> Parser<'a> {
has_username = true;
}
self.check_url_code_point(c, &input);
- self.serialization.extend(utf8_percent_encode(utf8_c, USERINFO_ENCODE_SET));
+ self.serialization
+ .extend(utf8_percent_encode(utf8_c, USERINFO_ENCODE_SET));
}
}
let username_end = match username_end {
@@ -828,9 +867,12 @@ impl<'a> Parser<'a> {
Ok((username_end, remaining))
}
- fn parse_host_and_port<'i>(&mut self, input: Input<'i>,
- scheme_end: u32, scheme_type: SchemeType)
- -> ParseResult<(u32, HostInternal, Option<u16>, Input<'i>)> {
+ fn parse_host_and_port<'i>(
+ &mut self,
+ input: Input<'i>,
+ scheme_end: u32,
+ scheme_type: SchemeType,
+ ) -> ParseResult<(u32, HostInternal, Option<u16>, Input<'i>)> {
let (host, remaining) = Parser::parse_host(input, scheme_type)?;
write!(&mut self.serialization, "{}", host).unwrap();
let host_end = to_u32(self.serialization.len())?;
@@ -846,8 +888,10 @@ impl<'a> Parser<'a> {
Ok((host_end, host.into(), port, remaining))
}
- pub fn parse_host(mut input: Input, scheme_type: SchemeType)
- -> ParseResult<(Host<String>, Input)> {
+ pub fn parse_host(
+ mut input: Input,
+ scheme_type: SchemeType,
+ ) -> ParseResult<(Host<String>, Input)> {
// Undo the Input abstraction here to avoid allocating in the common case
// where the host part of the input does not contain any tab or newline
let input_str = input.chars.as_str();
@@ -871,7 +915,7 @@ impl<'a> Parser<'a> {
inside_square_brackets = false;
non_ignored_chars += 1
}
- _ => non_ignored_chars += 1
+ _ => non_ignored_chars += 1,
}
bytes += c.len_utf8();
}
@@ -888,7 +932,7 @@ impl<'a> Parser<'a> {
}
}
if scheme_type.is_special() && host_str.is_empty() {
- return Err(ParseError::EmptyHost)
+ return Err(ParseError::EmptyHost);
}
if !scheme_type.is_special() {
let host = Host::parse_opaque(host_str)?;
@@ -898,8 +942,10 @@ impl<'a> Parser<'a> {
Ok((host, input))
}
- pub fn parse_file_host<'i>(&mut self, input: Input<'i>)
- -> ParseResult<(bool, HostInternal, Input<'i>)> {
+ pub fn parse_file_host<'i>(
+ &mut self,
+ input: Input<'i>,
+ ) -> ParseResult<(bool, HostInternal, Input<'i>)> {
// Undo the Input abstraction here to avoid allocating in the common case
// where the host part of the input does not contain any tab or newline
let input_str = input.chars.as_str();
@@ -928,7 +974,7 @@ impl<'a> Parser<'a> {
}
}
if is_windows_drive_letter(host_str) {
- return Ok((false, HostInternal::None, input))
+ return Ok((false, HostInternal::None, input));
}
let host = if host_str.is_empty() {
HostInternal::None
@@ -944,23 +990,27 @@ impl<'a> Parser<'a> {
Ok((true, host, remaining))
}
- pub fn parse_port<P>(mut input: Input, default_port: P,
- context: Context)
- -> ParseResult<(Option<u16>, Input)>
- where P: Fn() -> Option<u16> {
+ pub fn parse_port<P>(
+ mut input: Input,
+ default_port: P,
+ context: Context,
+ ) -> ParseResult<(Option<u16>, Input)>
+ where
+ P: Fn() -> Option<u16>,
+ {
let mut port: u32 = 0;
let mut has_any_digit = false;
while let (Some(c), remaining) = input.split_first() {
if let Some(digit) = c.to_digit(10) {
port = port * 10 + digit;
if port > ::std::u16::MAX as u32 {
- return Err(ParseError::InvalidPort)
+ return Err(ParseError::InvalidPort);
}
has_any_digit = true;
} else if context == Context::UrlParser && !matches!(c, '/' | '\\' | '?' | '#') {
- return Err(ParseError::InvalidPort)
+ return Err(ParseError::InvalidPort);
} else {
- break
+ break;
}
input = remaining;
}
@@ -971,16 +1021,21 @@ impl<'a> Parser<'a> {
Ok((opt_port, input))
}
- pub fn parse_path_start<'i>(&mut self, scheme_type: SchemeType, has_host: &mut bool,
- mut input: Input<'i>)
- -> Input<'i> {
+ pub fn parse_path_start<'i>(
+ &mut self,
+ scheme_type: SchemeType,
+ has_host: &mut bool,
+ mut input: Input<'i>,
+ ) -> Input<'i> {
// Path start state
match input.split_first() {
(Some('/'), remaining) => input = remaining,
- (Some('\\'), remaining) => if scheme_type.is_special() {
- self.violation_fn.call(SyntaxViolation::Backslash);
- input = remaining
- },
+ (Some('\\'), remaining) => {
+ if scheme_type.is_special() {
+ self.log_violation(SyntaxViolation::Backslash);
+ input = remaining
+ }
+ }
_ => {}
}
let path_start = self.serialization.len();
@@ -988,9 +1043,13 @@ impl<'a> Parser<'a> {
self.parse_path(scheme_type, has_host, path_start, input)
}
- pub fn parse_path<'i>(&mut self, scheme_type: SchemeType, has_host: &mut bool,
- path_start: usize, mut input: Input<'i>)
- -> Input<'i> {
+ pub fn parse_path<'i>(
+ &mut self,
+ scheme_type: SchemeType,
+ has_host: &mut bool,
+ path_start: usize,
+ mut input: Input<'i>,
+ ) -> Input<'i> {
// Relative path state
debug_assert!(self.serialization.ends_with('/'));
loop {
@@ -998,62 +1057,70 @@ impl<'a> Parser<'a> {
let mut ends_with_slash = false;
loop {
let input_before_c = input.clone();
- let (c, utf8_c) = if let Some(x) = input.next_utf8() { x } else { break };
+ let (c, utf8_c) = if let Some(x) = input.next_utf8() {
+ x
+ } else {
+ break;
+ };
match c {
'/' if self.context != Context::PathSegmentSetter => {
ends_with_slash = true;
- break
- },
- '\\' if self.context != Context::PathSegmentSetter &&
- scheme_type.is_special() => {
- self.violation_fn.call(SyntaxViolation::Backslash);
+ break;
+ }
+ '\\' if self.context != Context::PathSegmentSetter
+ && scheme_type.is_special() =>
+ {
+ self.log_violation(SyntaxViolation::Backslash);
ends_with_slash = true;
- break
- },
+ break;
+ }
'?' | '#' if self.context == Context::UrlParser => {
input = input_before_c;
- break
- },
+ break;
+ }
_ => {
self.check_url_code_point(c, &input);
if self.context == Context::PathSegmentSetter {
if scheme_type.is_special() {
self.serialization.extend(utf8_percent_encode(
- utf8_c, SPECIAL_PATH_SEGMENT_ENCODE_SET));
+ utf8_c,
+ SPECIAL_PATH_SEGMENT_ENCODE_SET,
+ ));
} else {
- self.serialization.extend(utf8_percent_encode(
- utf8_c, PATH_SEGMENT_ENCODE_SET));
+ self.serialization
+ .extend(utf8_percent_encode(utf8_c, PATH_SEGMENT_ENCODE_SET));
}
} else {
- self.serialization.extend(utf8_percent_encode(
- utf8_c, DEFAULT_ENCODE_SET));
+ self.serialization
+ .extend(utf8_percent_encode(utf8_c, DEFAULT_ENCODE_SET));
}
}
}
}
match &self.serialization[segment_start..] {
- ".." | "%2e%2e" | "%2e%2E" | "%2E%2e" | "%2E%2E" | "%2e." | "%2E." | ".%2e" | ".%2E" => {
+ ".." | "%2e%2e" | "%2e%2E" | "%2E%2e" | "%2E%2E" | "%2e." | "%2E." | ".%2e"
+ | ".%2E" => {
debug_assert!(self.serialization.as_bytes()[segment_start - 1] == b'/');
- self.serialization.truncate(segment_start - 1); // Truncate "/.."
+ self.serialization.truncate(segment_start - 1); // Truncate "/.."
self.pop_path(scheme_type, path_start);
if !self.serialization[path_start..].ends_with('/') {
self.serialization.push('/')
}
- },
+ }
"." | "%2e" | "%2E" => {
self.serialization.truncate(segment_start);
- },
+ }
_ => {
- if scheme_type.is_file() && is_windows_drive_letter(
- &self.serialization[path_start + 1..]
- ) {
+ if scheme_type.is_file()
+ && is_windows_drive_letter(&self.serialization[path_start + 1..])
+ {
if self.serialization.ends_with('|') {
self.serialization.pop();
self.serialization.push(':');
}
if *has_host {
- self.violation_fn.call(SyntaxViolation::FileWithHostAndWindowsDrive);
- *has_host = false; // FIXME account for this in callers
+ self.log_violation(SyntaxViolation::FileWithHostAndWindowsDrive);
+ *has_host = false; // FIXME account for this in callers
}
}
if ends_with_slash {
@@ -1062,7 +1129,7 @@ impl<'a> Parser<'a> {
}
}
if !ends_with_slash {
- break
+ break;
}
}
input
@@ -1076,14 +1143,12 @@ impl<'a> Parser<'a> {
let segment_start = path_start + slash_position + 1;
// Don’t pop a Windows drive letter
// FIXME: *normalized* Windows drive letter
- if !(
- scheme_type.is_file() &&
- is_windows_drive_letter(&self.serialization[segment_start..])
- ) {
+ if !(scheme_type.is_file()
+ && is_windows_drive_letter(&self.serialization[segment_start..]))
+ {
self.serialization.truncate(segment_start);
}
}
-
}
pub fn parse_cannot_be_a_base_path<'i>(&mut self, mut input: Input<'i>) -> Input<'i> {
@@ -1095,20 +1160,26 @@ impl<'a> Parser<'a> {
}
Some((c, utf8_c)) => {
self.check_url_code_point(c, &input);
- self.serialization.extend(utf8_percent_encode(
- utf8_c, SIMPLE_ENCODE_SET));
+ self.serialization
+ .extend(utf8_percent_encode(utf8_c, SIMPLE_ENCODE_SET));
}
- None => return input
+ None => return input,
}
}
}
- fn with_query_and_fragment(mut self, scheme_end: u32, username_end: u32,
- host_start: u32, host_end: u32, host: HostInternal,
- port: Option<u16>, path_start: u32, remaining: Input)
- -> ParseResult<Url> {
- let (query_start, fragment_start) =
- self.parse_query_and_fragment(scheme_end, remaining)?;
+ fn with_query_and_fragment(
+ mut self,
+ scheme_end: u32,
+ username_end: u32,
+ host_start: u32,
+ host_end: u32,
+ host: HostInternal,
+ port: Option<u16>,
+ path_start: u32,
+ remaining: Input,
+ ) -> ParseResult<Url> {
+ let (query_start, fragment_start) = self.parse_query_and_fragment(scheme_end, remaining)?;
Ok(Url {
serialization: self.serialization,
scheme_end: scheme_end,
@@ -1119,13 +1190,16 @@ impl<'a> Parser<'a> {
port: port,
path_start: path_start,
query_start: query_start,
- fragment_start: fragment_start
+ fragment_start: fragment_start,
})
}
/// Return (query_start, fragment_start)
- fn parse_query_and_fragment(&mut self, scheme_end: u32, mut input: Input)
- -> ParseResult<(Option<u32>, Option<u32>)> {
+ fn parse_query_and_fragment(
+ &mut self,
+ scheme_end: u32,
+ mut input: Input,
+ ) -> ParseResult<(Option<u32>, Option<u32>)> {
let mut query_start = None;
match input.next() {
Some('#') => {}
@@ -1136,11 +1210,11 @@ impl<'a> Parser<'a> {
if let Some(remaining) = remaining {
input = remaining
} else {
- return Ok((query_start, None))
+ return Ok((query_start, None));
}
}
None => return Ok((None, None)),
- _ => panic!("Programming error. parse_query_and_fragment() called without ? or #")
+ _ => panic!("Programming error. parse_query_and_fragment() called without ? or #"),
}
let fragment_start = to_u32(self.serialization.len())?;
@@ -1149,14 +1223,13 @@ impl<'a> Parser<'a> {
Ok((query_start, Some(fragment_start)))
}
- pub fn parse_query<'i>(&mut self, scheme_end: u32, mut input: Input<'i>)
- -> Option<Input<'i>> {
- let mut query = String::new(); // FIXME: use a streaming decoder instead
+ pub fn parse_query<'i>(&mut self, scheme_end: u32, mut input: Input<'i>) -> Option<Input<'i>> {
+ let mut query = String::new(); // FIXME: use a streaming decoder instead
let mut remaining = None;
while let Some(c) = input.next() {
if c == '#' && self.context == Context::UrlParser {
remaining = Some(input);
- break
+ break;
} else {
self.check_url_code_point(c, &input);
query.push(c);
@@ -1165,10 +1238,11 @@ impl<'a> Parser<'a> {
let encoding = match &self.serialization[..scheme_end as usize] {
"http" | "https" | "file" | "ftp" | "gopher" => self.query_encoding_override,
- _ => EncodingOverride::utf8(),
+ _ => None,
};
- let query_bytes = encoding.encode(query.into());
- self.serialization.extend(percent_encode(&query_bytes, QUERY_ENCODE_SET));
+ let query_bytes = ::query_encoding::encode(encoding, &query);
+ self.serialization
+ .extend(percent_encode(&query_bytes, QUERY_ENCODE_SET));
remaining
}
@@ -1178,7 +1252,8 @@ impl<'a> Parser<'a> {
None => &*base_url.serialization,
};
debug_assert!(self.serialization.is_empty());
- self.serialization.reserve(before_fragment.len() + input.chars.as_str().len());
+ self.serialization
+ .reserve(before_fragment.len() + input.chars.as_str().len());
self.serialization.push_str(before_fragment);
self.serialization.push('#');
let next = input.next();
@@ -1193,27 +1268,27 @@ impl<'a> Parser<'a> {
pub fn parse_fragment(&mut self, mut input: Input) {
while let Some((c, utf8_c)) = input.next_utf8() {
- if c == '\0' {
- self.violation_fn.call(SyntaxViolation::NullInFragment)
+ if c == '\0' {
+ self.log_violation(SyntaxViolation::NullInFragment)
} else {
self.check_url_code_point(c, &input);
- self.serialization.extend(utf8_percent_encode(utf8_c,
- SIMPLE_ENCODE_SET));
+ self.serialization
+ .extend(utf8_percent_encode(utf8_c, SIMPLE_ENCODE_SET));
}
}
}
fn check_url_code_point(&self, c: char, input: &Input) {
- let vfn = self.violation_fn;
- if vfn.is_set() {
+ if let Some(vfn) = self.violation_fn {
if c == '%' {
let mut input = input.clone();
if !matches!((input.next(), input.next()), (Some(a), Some(b))
- if is_ascii_hex_digit(a) && is_ascii_hex_digit(b)) {
- vfn.call(SyntaxViolation::PercentDecode)
+ if is_ascii_hex_digit(a) && is_ascii_hex_digit(b))
+ {
+ vfn(SyntaxViolation::PercentDecode)
}
} else if !is_url_code_point(c) {
- vfn.call(SyntaxViolation::NonUrlCodePoint)
+ vfn(SyntaxViolation::NonUrlCodePoint)
}
}
}
@@ -1221,7 +1296,7 @@ impl<'a> Parser<'a> {
#[inline]
fn is_ascii_hex_digit(c: char) -> bool {
- matches!(c, 'a'...'f' | 'A'...'F' | '0'...'9')
+ matches!(c, 'a'..='f' | 'A'..='F' | '0'..='9')
}
// Non URL code points:
@@ -1234,32 +1309,32 @@ fn is_ascii_hex_digit(c: char) -> bool {
#[inline]
fn is_url_code_point(c: char) -> bool {
matches!(c,
- 'a'...'z' |
- 'A'...'Z' |
- '0'...'9' |
+ 'a'..='z' |
+ 'A'..='Z' |
+ '0'..='9' |
'!' | '$' | '&' | '\'' | '(' | ')' | '*' | '+' | ',' | '-' |
'.' | '/' | ':' | ';' | '=' | '?' | '@' | '_' | '~' |
- '\u{A0}'...'\u{D7FF}' | '\u{E000}'...'\u{FDCF}' | '\u{FDF0}'...'\u{FFFD}' |
- '\u{10000}'...'\u{1FFFD}' | '\u{20000}'...'\u{2FFFD}' |
- '\u{30000}'...'\u{3FFFD}' | '\u{40000}'...'\u{4FFFD}' |
- '\u{50000}'...'\u{5FFFD}' | '\u{60000}'...'\u{6FFFD}' |
- '\u{70000}'...'\u{7FFFD}' | '\u{80000}'...'\u{8FFFD}' |
- '\u{90000}'...'\u{9FFFD}' | '\u{A0000}'...'\u{AFFFD}' |
- '\u{B0000}'...'\u{BFFFD}' | '\u{C0000}'...'\u{CFFFD}' |
- '\u{D0000}'...'\u{DFFFD}' | '\u{E1000}'...'\u{EFFFD}' |
- '\u{F0000}'...'\u{FFFFD}' | '\u{100000}'...'\u{10FFFD}')
+ '\u{A0}'..='\u{D7FF}' | '\u{E000}'..='\u{FDCF}' | '\u{FDF0}'..='\u{FFFD}' |
+ '\u{10000}'..='\u{1FFFD}' | '\u{20000}'..='\u{2FFFD}' |
+ '\u{30000}'..='\u{3FFFD}' | '\u{40000}'..='\u{4FFFD}' |
+ '\u{50000}'..='\u{5FFFD}' | '\u{60000}'..='\u{6FFFD}' |
+ '\u{70000}'..='\u{7FFFD}' | '\u{80000}'..='\u{8FFFD}' |
+ '\u{90000}'..='\u{9FFFD}' | '\u{A0000}'..='\u{AFFFD}' |
+ '\u{B0000}'..='\u{BFFFD}' | '\u{C0000}'..='\u{CFFFD}' |
+ '\u{D0000}'..='\u{DFFFD}' | '\u{E1000}'..='\u{EFFFD}' |
+ '\u{F0000}'..='\u{FFFFD}' | '\u{100000}'..='\u{10FFFD}')
}
/// https://url.spec.whatwg.org/#c0-controls-and-space
#[inline]
fn c0_control_or_space(ch: char) -> bool {
- ch <= ' ' // U+0000 to U+0020
+ ch <= ' ' // U+0000 to U+0020
}
/// https://url.spec.whatwg.org/#ascii-alpha
#[inline]
pub fn ascii_alpha(ch: char) -> bool {
- matches!(ch, 'a'...'z' | 'A'...'Z')
+ matches!(ch, 'a'..='z' | 'A'..='Z')
}
#[inline]
@@ -1274,13 +1349,11 @@ pub fn to_u32(i: usize) -> ParseResult<u32> {
/// Wether the scheme is file:, the path has a single segment, and that segment
/// is a Windows drive letter
fn is_windows_drive_letter(segment: &str) -> bool {
- segment.len() == 2
- && starts_with_windows_drive_letter(segment)
+ segment.len() == 2 && starts_with_windows_drive_letter(segment)
}
fn starts_with_windows_drive_letter(s: &str) -> bool {
- ascii_alpha(s.as_bytes()[0] as char)
- && matches!(s.as_bytes()[1], b':' | b'|')
+ ascii_alpha(s.as_bytes()[0] as char) && matches!(s.as_bytes()[1], b':' | b'|')
}
fn starts_with_windows_drive_letter_segment(input: &Input) -> bool {
diff --git a/src/path_segments.rs b/src/path_segments.rs
--- a/src/path_segments.rs
+++ b/src/path_segments.rs
@@ -6,7 +6,7 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-use parser::{self, SchemeType, to_u32};
+use parser::{self, to_u32, SchemeType};
use std::str;
use Url;
@@ -56,7 +56,8 @@ pub fn new(url: &mut Url) -> PathSegmentsMut {
impl<'a> Drop for PathSegmentsMut<'a> {
fn drop(&mut self) {
- self.url.restore_after_path(self.old_after_path_position, &self.after_path)
+ self.url
+ .restore_after_path(self.old_after_path_position, &self.after_path)
}
}
@@ -126,8 +127,12 @@ impl<'a> PathSegmentsMut<'a> {
///
/// Returns `&mut Self` so that method calls can be chained.
pub fn pop(&mut self) -> &mut Self {
- let last_slash = self.url.serialization[self.after_first_slash..].rfind('/').unwrap_or(0);
- self.url.serialization.truncate(self.after_first_slash + last_slash);
+ let last_slash = self.url.serialization[self.after_first_slash..]
+ .rfind('/')
+ .unwrap_or(0);
+ self.url
+ .serialization
+ .truncate(self.after_first_slash + last_slash);
self
}
@@ -194,7 +199,10 @@ impl<'a> PathSegmentsMut<'a> {
/// # run().unwrap();
/// ```
pub fn extend<I>(&mut self, segments: I) -> &mut Self
- where I: IntoIterator, I::Item: AsRef<str> {
+ where
+ I: IntoIterator,
+ I::Item: AsRef<str>,
+ {
let scheme_type = SchemeType::from(self.url.scheme());
let path_start = self.url.path_start as usize;
self.url.mutate(|parser| {
@@ -202,14 +210,18 @@ impl<'a> PathSegmentsMut<'a> {
for segment in segments {
let segment = segment.as_ref();
if matches!(segment, "." | "..") {
- continue
+ continue;
}
if parser.serialization.len() > path_start + 1 {
parser.serialization.push('/');
}
- let mut has_host = true; // FIXME account for this?
- parser.parse_path(scheme_type, &mut has_host, path_start,
- parser::Input::new(segment));
+ let mut has_host = true; // FIXME account for this?
+ parser.parse_path(
+ scheme_type,
+ &mut has_host,
+ path_start,
+ parser::Input::new(segment),
+ );
}
});
self
diff --git a/src/query_encoding.rs b/src/query_encoding.rs
new file mode 100644
--- /dev/null
+++ b/src/query_encoding.rs
@@ -0,0 +1,35 @@
+// Copyright 2019 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+use std::borrow::Cow;
+
+pub type EncodingOverride<'a> = Option<&'a dyn Fn(&str) -> Cow<[u8]>>;
+
+pub(crate) fn encode<'a>(encoding_override: EncodingOverride, input: &'a str) -> Cow<'a, [u8]> {
+ if let Some(o) = encoding_override {
+ return o(input);
+ }
+ input.as_bytes().into()
+}
+
+pub(crate) fn decode_utf8_lossy(input: Cow<[u8]>) -> Cow<str> {
+ match input {
+ Cow::Borrowed(bytes) => String::from_utf8_lossy(bytes),
+ Cow::Owned(bytes) => {
+ let raw_utf8: *const [u8];
+ match String::from_utf8_lossy(&bytes) {
+ Cow::Borrowed(utf8) => raw_utf8 = utf8.as_bytes(),
+ Cow::Owned(s) => return s.into(),
+ }
+ // from_utf8_lossy returned a borrow of `bytes` unchanged.
+ debug_assert!(raw_utf8 == &*bytes as *const [u8]);
+ // Reuse the existing `Vec` allocation.
+ unsafe { String::from_utf8_unchecked(bytes) }.into()
+ }
+ }
+}
diff --git a/src/quirks.rs b/src/quirks.rs
--- a/src/quirks.rs
+++ b/src/quirks.rs
@@ -11,8 +11,8 @@
//! Unless you need to be interoperable with web browsers,
//! you probably want to use `Url` method instead.
-use {Url, Position, Host, ParseError, idna};
-use parser::{Parser, SchemeType, default_port, Context, Input};
+use parser::{default_port, Context, Input, Parser, SchemeType};
+use {idna, Host, ParseError, Position, Url};
/// https://url.spec.whatwg.org/#dom-url-domaintoascii
pub fn domain_to_ascii(domain: &str) -> String {
@@ -84,7 +84,11 @@ pub fn password(url: &Url) -> &str {
/// Setter for https://url.spec.whatwg.org/#dom-url-password
pub fn set_password(url: &mut Url, new_password: &str) -> Result<(), ()> {
- url.set_password(if new_password.is_empty() { None } else { Some(new_password) })
+ url.set_password(if new_password.is_empty() {
+ None
+ } else {
+ Some(new_password)
+ })
}
/// Getter for https://url.spec.whatwg.org/#dom-url-host
@@ -96,7 +100,7 @@ pub fn host(url: &Url) -> &str {
/// Setter for https://url.spec.whatwg.org/#dom-url-host
pub fn set_host(url: &mut Url, new_host: &str) -> Result<(), ()> {
if url.cannot_be_a_base() {
- return Err(())
+ return Err(());
}
let host;
let opt_port;
@@ -108,12 +112,13 @@ pub fn set_host(url: &mut Url, new_host: &str) -> Result<(), ()> {
host = h;
opt_port = if let Some(remaining) = remaining.split_prefix(':') {
Parser::parse_port(remaining, || default_port(scheme), Context::Setter)
- .ok().map(|(port, _remaining)| port)
+ .ok()
+ .map(|(port, _remaining)| port)
} else {
None
};
}
- Err(_) => return Err(())
+ Err(_) => return Err(()),
}
}
url.set_host_internal(host, opt_port);
@@ -129,7 +134,7 @@ pub fn hostname(url: &Url) -> &str {
/// Setter for https://url.spec.whatwg.org/#dom-url-hostname
pub fn set_hostname(url: &mut Url, new_hostname: &str) -> Result<(), ()> {
if url.cannot_be_a_base() {
- return Err(())
+ return Err(());
}
let result = Parser::parse_host(Input::new(new_hostname), SchemeType::from(url.scheme()));
if let Ok((host, _remaining)) = result {
@@ -153,9 +158,13 @@ pub fn set_port(url: &mut Url, new_port: &str) -> Result<(), ()> {
// has_host implies !cannot_be_a_base
let scheme = url.scheme();
if !url.has_host() || url.host() == Some(Host::Domain("")) || scheme == "file" {
- return Err(())
+ return Err(());
}
- result = Parser::parse_port(Input::new(new_port), || default_port(scheme), Context::Setter)
+ result = Parser::parse_port(
+ Input::new(new_port),
+ || default_port(scheme),
+ Context::Setter,
+ )
}
if let Ok((new_port, _remaining)) = result {
url.set_port_internal(new_port);
@@ -168,7 +177,7 @@ pub fn set_port(url: &mut Url, new_port: &str) -> Result<(), ()> {
/// Getter for https://url.spec.whatwg.org/#dom-url-pathname
#[inline]
pub fn pathname(url: &Url) -> &str {
- url.path()
+ url.path()
}
/// Setter for https://url.spec.whatwg.org/#dom-url-pathname
diff --git a/src/slicing.rs b/src/slicing.rs
--- a/src/slicing.rs
+++ b/src/slicing.rs
@@ -6,7 +6,7 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-use std::ops::{Range, RangeFrom, RangeTo, RangeFull, Index};
+use std::ops::{Index, Range, RangeFrom, RangeFull, RangeTo};
use Url;
impl Index<RangeFull> for Url {
@@ -94,7 +94,7 @@ pub enum Position {
BeforeQuery,
AfterQuery,
BeforeFragment,
- AfterFragment
+ AfterFragment,
}
impl Url {
@@ -105,43 +105,49 @@ impl Url {
Position::AfterScheme => self.scheme_end as usize,
- Position::BeforeUsername => if self.has_authority() {
- self.scheme_end as usize + "://".len()
- } else {
- debug_assert!(self.byte_at(self.scheme_end) == b':');
- debug_assert!(self.scheme_end + ":".len() as u32 == self.username_end);
- self.scheme_end as usize + ":".len()
- },
+ Position::BeforeUsername => {
+ if self.has_authority() {
+ self.scheme_end as usize + "://".len()
+ } else {
+ debug_assert!(self.byte_at(self.scheme_end) == b':');
+ debug_assert!(self.scheme_end + ":".len() as u32 == self.username_end);
+ self.scheme_end as usize + ":".len()
+ }
+ }
Position::AfterUsername => self.username_end as usize,
- Position::BeforePassword => if self.has_authority() &&
- self.byte_at(self.username_end) == b':' {
- self.username_end as usize + ":".len()
- } else {
- debug_assert!(self.username_end == self.host_start);
- self.username_end as usize
- },
-
- Position::AfterPassword => if self.has_authority() &&
- self.byte_at(self.username_end) == b':' {
- debug_assert!(self.byte_at(self.host_start - "@".len() as u32) == b'@');
- self.host_start as usize - "@".len()
- } else {
- debug_assert!(self.username_end == self.host_start);
- self.host_start as usize
- },
+ Position::BeforePassword => {
+ if self.has_authority() && self.byte_at(self.username_end) == b':' {
+ self.username_end as usize + ":".len()
+ } else {
+ debug_assert!(self.username_end == self.host_start);
+ self.username_end as usize
+ }
+ }
+
+ Position::AfterPassword => {
+ if self.has_authority() && self.byte_at(self.username_end) == b':' {
+ debug_assert!(self.byte_at(self.host_start - "@".len() as u32) == b'@');
+ self.host_start as usize - "@".len()
+ } else {
+ debug_assert!(self.username_end == self.host_start);
+ self.host_start as usize
+ }
+ }
Position::BeforeHost => self.host_start as usize,
Position::AfterHost => self.host_end as usize,
- Position::BeforePort => if self.port.is_some() {
- debug_assert!(self.byte_at(self.host_end) == b':');
- self.host_end as usize + ":".len()
- } else {
- self.host_end as usize
- },
+ Position::BeforePort => {
+ if self.port.is_some() {
+ debug_assert!(self.byte_at(self.host_end) == b':');
+ self.host_end as usize + ":".len()
+ } else {
+ self.host_end as usize
+ }
+ }
Position::AfterPort => self.path_start as usize,
@@ -179,4 +185,3 @@ impl Url {
}
}
}
-
diff --git a/url_serde/Cargo.toml b/url_serde/Cargo.toml
deleted file mode 100644
--- a/url_serde/Cargo.toml
+++ /dev/null
@@ -1,23 +0,0 @@
-[package]
-
-name = "url_serde"
-version = "0.2.0"
-authors = ["The rust-url developers"]
-
-description = "Serde support for URL types"
-documentation = "https://docs.rs/url_serde/"
-repository = "https://github.com/servo/rust-url"
-readme = "README.md"
-keywords = ["url", "serde"]
-license = "MIT/Apache-2.0"
-
-[dependencies]
-serde = "1.0"
-url = {version = "1.0.0", path = ".."}
-
-[dev-dependencies]
-serde_json = "1.0"
-serde_derive = "1.0"
-
-[lib]
-doctest = false
diff --git a/url_serde/LICENSE-APACHE b/url_serde/LICENSE-APACHE
deleted file mode 120000
--- a/url_serde/LICENSE-APACHE
+++ /dev/null
@@ -1 +0,0 @@
-../LICENSE-APACHE
\ No newline at end of file
diff --git a/url_serde/LICENSE-MIT b/url_serde/LICENSE-MIT
deleted file mode 120000
--- a/url_serde/LICENSE-MIT
+++ /dev/null
@@ -1 +0,0 @@
-../LICENSE-MIT
\ No newline at end of file
diff --git a/url_serde/README.md b/url_serde/README.md
deleted file mode 100644
--- a/url_serde/README.md
+++ /dev/null
@@ -1,11 +0,0 @@
-Serde support for rust-url types
-================================
-
-This crate provides wrappers and convenience functions to make `rust-url` and `serde`
-work hand in hand.
-
-Version `0.2` or newer of this crate offer support for `serde 1.0`.
-Version `0.1` of this crate offer support for `serde 0.9`.
-Versions of `serde` older than `0.9` are natively supported by `rust-url` crate directly.
-
-For more details, see the crate [documentation](https://docs.rs/url_serde/).
\ No newline at end of file
diff --git a/url_serde/src/lib.rs b/url_serde/src/lib.rs
deleted file mode 100644
--- a/url_serde/src/lib.rs
+++ /dev/null
@@ -1,421 +0,0 @@
-// Copyright 2017 The rust-url developers.
-//
-// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
-// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
-// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
-// option. This file may not be copied, modified, or distributed
-// except according to those terms.
-
-/*!
-
-This crate provides wrappers and convenience functions to make rust-url
-and Serde work hand in hand.
-
-The supported types are:
-
-* `url::Url`
-
-# How do I use a data type with a `Url` member with Serde?
-
-Use the serde attributes `deserialize_with` and `serialize_with`.
-
-```
-#[derive(serde::Serialize, serde::Deserialize)]
-struct MyStruct {
- #[serde(serialize_with = "serialize")]
- url: Url,
-}
-```
-
-# How do I use a data type with an unnamed `Url` member with serde?
-
-Same problem, same solution.
-
-```
-#[derive(serde::Serialize, serde::Deserialize)]
-enum MyEnum {
- A(#[serde(with = "url_serde")] Url, OtherType),
-}
-```
-
-# How do I encode a `Url` value with `serde_json::to_string`?
-
-Use the `Ser` wrapper.
-
-```
-serde_json::to_string(&Ser::new(&url))
-```
-
-# How do I decode a `Url` value with `serde_json::parse`?
-
-Use the `De` wrapper.
-
-```
-serde_json::from_str(r"http:://www.rust-lang.org").map(De::into_inner)
-```
-
-# How do I send `Url` values as part of an IPC channel?
-
-Use the `Serde` wrapper. It implements `Deref` and `DerefMut` for convenience.
-
-```
-ipc::channel::<Serde<Url>>()
-```
-*/
-
-#![deny(missing_docs)]
-#![deny(unsafe_code)]
-
-extern crate serde;
-#[cfg(test)] #[macro_use] extern crate serde_derive;
-#[cfg(test)] extern crate serde_json;
-extern crate url;
-
-use serde::{Deserialize, Serialize, Serializer, Deserializer};
-use std::cmp::PartialEq;
-use std::error::Error;
-use std::fmt;
-use std::io::Write;
-use std::ops::{Deref, DerefMut};
-use std::str;
-use url::{Url, Host};
-
-/// Serialises `value` with a given serializer.
-///
-/// This is useful to serialize `rust-url` types used in structure fields or
-/// tuple members with `#[serde(serialize_with = "url_serde::serialize")]`.
-pub fn serialize<T, S>(value: &T, serializer: S) -> Result<S::Ok, S::Error>
- where S: Serializer, for<'a> Ser<'a, T>: Serialize
-{
- Ser::new(value).serialize(serializer)
-}
-
-/// A wrapper to serialize `rust-url` types.
-///
-/// This is useful with functions such as `serde_json::to_string`.
-///
-/// Values of this type can only be passed to the `serde::Serialize` trait.
-#[derive(Debug)]
-pub struct Ser<'a, T: 'a>(&'a T);
-
-impl<'a, T> Ser<'a, T> where Ser<'a, T>: Serialize {
- /// Returns a new `Ser` wrapper.
- #[inline(always)]
- pub fn new(value: &'a T) -> Self {
- Ser(value)
- }
-}
-
-/// Serializes this URL into a `serde` stream.
-impl<'a> Serialize for Ser<'a, Url> {
- fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error> where S: Serializer {
- serializer.serialize_str(self.0.as_str())
- }
-}
-
-/// Serializes this Option<URL> into a `serde` stream.
-impl<'a> Serialize for Ser<'a, Option<Url>> {
- fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error> where S: Serializer {
- if let Some(url) = self.0.as_ref() {
- serializer.serialize_some(url.as_str())
- } else {
- serializer.serialize_none()
- }
- }
-}
-
-impl<'a, String> Serialize for Ser<'a, Host<String>> where String: AsRef<str> {
- fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error> where S: Serializer {
- match *self.0 {
- Host::Domain(ref s) => serializer.serialize_str(s.as_ref()),
- Host::Ipv4(_) | Host::Ipv6(_) => {
- // max("101.102.103.104".len(),
- // "[1000:1002:1003:1004:1005:1006:101.102.103.104]".len())
- const MAX_LEN: usize = 47;
- let mut buffer = [0; MAX_LEN];
- serializer.serialize_str(display_into_buffer(&self.0, &mut buffer))
- }
- }
- }
-}
-
-/// Like .to_string(), but doesn’t allocate memory for a `String`.
-///
-/// Panics if `buffer` is too small.
-fn display_into_buffer<'a, T: fmt::Display>(value: &T, buffer: &'a mut [u8]) -> &'a str {
- let remaining_len;
- {
- let mut remaining = &mut *buffer;
- write!(remaining, "{}", value).unwrap();
- remaining_len = remaining.len()
- }
- let written_len = buffer.len() - remaining_len;
- let written = &buffer[..written_len];
-
- // write! only provides std::fmt::Formatter to Display implementations,
- // which has methods write_str and write_char but no method to write arbitrary bytes.
- // Therefore, `written` is well-formed in UTF-8.
- #[allow(unsafe_code)]
- unsafe {
- str::from_utf8_unchecked(written)
- }
-}
-
-/// Deserialises a `T` value with a given deserializer.
-///
-/// This is useful to deserialize Url types used in structure fields or
-/// tuple members with `#[serde(deserialize_with = "url_serde::deserialize")]`.
-pub fn deserialize<'de, T, D>(deserializer: D) -> Result<T, D::Error>
- where D: Deserializer<'de>, De<T>: Deserialize<'de>
-{
- De::deserialize(deserializer).map(De::into_inner)
-}
-
-/// A wrapper to deserialize `rust-url` types.
-///
-/// This is useful with functions such as `serde_json::from_str`.
-///
-/// Values of this type can only be obtained through
-/// the `serde::Deserialize` trait.
-#[derive(Debug)]
-pub struct De<T>(T);
-
-impl<'de, T> De<T> where De<T>: serde::Deserialize<'de> {
- /// Consumes this wrapper, returning the deserialized value.
- #[inline(always)]
- pub fn into_inner(self) -> T {
- self.0
- }
-}
-
-/// Deserializes this URL from a `serde` stream.
-impl<'de> Deserialize<'de> for De<Url> {
- fn deserialize<D>(deserializer: D) -> Result<Self, D::Error> where D: Deserializer<'de> {
- let string_representation: String = Deserialize::deserialize(deserializer)?;
- Url::parse(&string_representation).map(De).map_err(|err| {
- serde::de::Error::custom(err.description())
- })
- }
-}
-
-/// Deserializes this Option<URL> from a `serde` stream.
-impl<'de> Deserialize<'de> for De<Option<Url>> {
- fn deserialize<D>(deserializer: D) -> Result<Self, D::Error> where D: Deserializer<'de> {
- let option_representation: Option<String> = Deserialize::deserialize(deserializer)?;
- if let Some(s) = option_representation {
- return Url::parse(&s)
- .map(Some)
- .map(De)
- .map_err(|err| {serde::de::Error::custom(err.description())});
- }
- Ok(De(None))
-
- }
-}
-
-impl<'de> Deserialize<'de> for De<Host> {
- fn deserialize<D>(deserializer: D) -> Result<Self, D::Error> where D: Deserializer<'de> {
- let string_representation: String = Deserialize::deserialize(deserializer)?;
- Host::parse(&string_representation).map(De).map_err(|err| {
- serde::de::Error::custom(err.description())
- })
- }
-}
-
-/// A convenience wrapper to be used as a type parameter, for example when
-/// a `Vec<T>` or an `HashMap<K, V>` need to be passed to serde.
-#[derive(Clone, Eq, Hash, PartialEq)]
-pub struct Serde<T>(pub T);
-
-/// A convenience type alias for Serde<Url>.
-pub type SerdeUrl = Serde<Url>;
-
-impl<'de, T> Serde<T>
-where De<T>: Deserialize<'de>, for<'a> Ser<'a, T>: Serialize
-{
- /// Consumes this wrapper, returning the inner value.
- #[inline(always)]
- pub fn into_inner(self) -> T {
- self.0
- }
-}
-
-impl<'de, T> fmt::Debug for Serde<T>
-where T: fmt::Debug, De<T>: Deserialize<'de>, for<'a> Ser<'a, T>: Serialize
-{
- fn fmt(&self, formatter: &mut fmt::Formatter) -> Result<(), fmt::Error> {
- self.0.fmt(formatter)
- }
-}
-
-impl<'de, T> Deref for Serde<T>
-where De<T>: Deserialize<'de>, for<'a> Ser<'a, T>: Serialize
-{
- type Target = T;
-
- fn deref(&self) -> &T {
- &self.0
- }
-}
-
-impl<'de, T> DerefMut for Serde<T>
-where De<T>: Deserialize<'de>, for<'a> Ser<'a, T>: Serialize
-{
- fn deref_mut(&mut self) -> &mut T {
- &mut self.0
- }
-}
-
-impl<'de, T: PartialEq> PartialEq<T> for Serde<T>
-where De<T>: Deserialize<'de>, for<'a> Ser<'a, T>: Serialize
-{
- fn eq(&self, other: &T) -> bool {
- self.0 == *other
- }
-}
-
-impl<'de, T> Deserialize<'de> for Serde<T>
-where De<T>: Deserialize<'de>, for<'a> Ser<'a, T>: Serialize
-{
- fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
- where D: Deserializer<'de>
- {
- De::deserialize(deserializer).map(De::into_inner).map(Serde)
- }
-}
-
-impl<'de, T> Serialize for Serde<T>
-where De<T>: Deserialize<'de>, for<'a> Ser<'a, T>: Serialize
-{
- fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
- where S: Serializer
- {
- Ser(&self.0).serialize(serializer)
- }
-}
-
-#[test]
-fn test_ser_de_url() {
- let url = Url::parse("http://www.test.com/foo/bar?$param=bazz").unwrap();
- let s = serde_json::to_string(&Ser::new(&url)).unwrap();
- let new_url: Url = serde_json::from_str(&s).map(De::into_inner).unwrap();
- assert_eq!(url, new_url);
-}
-
-#[test]
-fn test_derive_deserialize_with_for_url() {
- #[derive(Deserialize, Debug, Eq, PartialEq)]
- struct Test {
- #[serde(deserialize_with = "deserialize", rename = "_url_")]
- url: Url
- }
-
- let url_str = "http://www.test.com/foo/bar?$param=bazz";
-
- let expected = Test {
- url: Url::parse(url_str).unwrap()
- };
- let json_string = format!(r#"{{"_url_": "{}"}}"#, url_str);
- let got: Test = serde_json::from_str(&json_string).unwrap();
- assert_eq!(expected, got);
-
-}
-
-#[test]
-fn test_derive_deserialize_with_for_option_url() {
- #[derive(Deserialize, Debug, Eq, PartialEq)]
- struct Test {
- #[serde(deserialize_with = "deserialize", rename = "_url_")]
- url: Option<Url>
- }
-
- let url_str = "http://www.test.com/foo/bar?$param=bazz";
-
- let expected = Test {
- url: Some(Url::parse(url_str).unwrap())
- };
- let json_string = format!(r#"{{"_url_": "{}"}}"#, url_str);
- let got: Test = serde_json::from_str(&json_string).unwrap();
- assert_eq!(expected, got);
-
- let expected = Test {
- url: None
- };
- let json_string = r#"{"_url_": null}"#;
- let got: Test = serde_json::from_str(&json_string).unwrap();
- assert_eq!(expected, got);
-}
-
-#[test]
-fn test_derive_serialize_with_for_url() {
- #[derive(Serialize, Debug, Eq, PartialEq)]
- struct Test {
- #[serde(serialize_with = "serialize", rename = "_url_")]
- url: Url
- }
-
- let url_str = "http://www.test.com/foo/bar?$param=bazz";
-
- let expected = format!(r#"{{"_url_":"{}"}}"#, url_str);
- let input = Test {url: Url::parse(url_str).unwrap()};
- let got = serde_json::to_string(&input).unwrap();
- assert_eq!(expected, got);
-}
-
-#[test]
-fn test_derive_serialize_with_for_option_url() {
- #[derive(Serialize, Debug, Eq, PartialEq)]
- struct Test {
- #[serde(serialize_with = "serialize", rename = "_url_")]
- url: Option<Url>
- }
-
- let url_str = "http://www.test.com/foo/bar?$param=bazz";
-
- let expected = format!(r#"{{"_url_":"{}"}}"#, url_str);
- let input = Test {url: Some(Url::parse(url_str).unwrap())};
- let got = serde_json::to_string(&input).unwrap();
- assert_eq!(expected, got);
-
- let expected = format!(r#"{{"_url_":null}}"#);
- let input = Test {url: None};
- let got = serde_json::to_string(&input).unwrap();
- assert_eq!(expected, got);
-}
-
-#[test]
-fn test_derive_with_for_url() {
- #[derive(Serialize, Deserialize, Debug, Eq, PartialEq)]
- struct Test {
- #[serde(with = "self", rename = "_url_")]
- url: Url
- }
-
- let url_str = "http://www.test.com/foo/bar?$param=bazz";
- let json_string = format!(r#"{{"_url_":"{}"}}"#, url_str);
-
- // test deserialization
- let expected = Test {
- url: Url::parse(url_str).unwrap()
- };
- let got: Test = serde_json::from_str(&json_string).unwrap();
- assert_eq!(expected, got);
-
- // test serialization
- let input = Test {url: Url::parse(url_str).unwrap()};
- let got = serde_json::to_string(&input).unwrap();
- assert_eq!(json_string, got);
-}
-
-#[test]
-fn test_host() {
- for host in &[
- Host::Domain("foo.com".to_owned()),
- Host::Ipv4("127.0.0.1".parse().unwrap()),
- Host::Ipv6("::1".parse().unwrap()),
- ] {
- let json = serde_json::to_string(&Ser(host)).unwrap();
- let de: De<Host> = serde_json::from_str(&json).unwrap();
- assert_eq!(de.into_inner(), *host)
- }
-}
|
diff --git a/data-url/tests/wpt.rs b/data-url/tests/wpt.rs
--- a/data-url/tests/wpt.rs
+++ b/data-url/tests/wpt.rs
@@ -1,6 +1,7 @@
extern crate data_url;
extern crate rustc_test;
-#[macro_use] extern crate serde;
+#[macro_use]
+extern crate serde;
extern crate serde_json;
fn run_data_url(input: String, expected_mime: Option<String>, expected_body: Option<Vec<u8>>) {
@@ -22,11 +23,10 @@ fn run_data_url(input: String, expected_mime: Option<String>, expected_body: Opt
}
fn collect_data_url<F>(add_test: &mut F)
- where F: FnMut(String, bool, rustc_test::TestFn)
+where
+ F: FnMut(String, bool, rustc_test::TestFn),
{
- let known_failures = [
- "data://test:test/,X",
- ];
+ let known_failures = ["data://test:test/,X"];
#[derive(Deserialize)]
#[serde(untagged)]
@@ -47,7 +47,7 @@ fn collect_data_url<F>(add_test: &mut F)
should_panic,
rustc_test::TestFn::dyn_test_fn(move || {
run_data_url(input, expected_mime, expected_body)
- })
+ }),
);
}
}
@@ -62,9 +62,9 @@ fn run_base64(input: String, expected: Option<Vec<u8>>) {
}
}
-
fn collect_base64<F>(add_test: &mut F)
- where F: FnMut(String, bool, rustc_test::TestFn)
+where
+ F: FnMut(String, bool, rustc_test::TestFn),
{
let known_failures = [];
@@ -75,9 +75,7 @@ fn collect_base64<F>(add_test: &mut F)
add_test(
format!("base64 {:?}", input),
should_panic,
- rustc_test::TestFn::dyn_test_fn(move || {
- run_base64(input, expected)
- })
+ rustc_test::TestFn::dyn_test_fn(move || run_base64(input, expected)),
);
}
}
@@ -92,9 +90,9 @@ fn run_mime(input: String, expected: Option<String>) {
}
}
-
fn collect_mime<F>(add_test: &mut F)
- where F: FnMut(String, bool, rustc_test::TestFn)
+where
+ F: FnMut(String, bool, rustc_test::TestFn),
{
let known_failures = [];
@@ -102,7 +100,10 @@ fn collect_mime<F>(add_test: &mut F)
#[serde(untagged)]
enum Entry {
Comment(String),
- TestCase { input: String, output: Option<String> }
+ TestCase {
+ input: String,
+ output: Option<String>,
+ },
}
let v: Vec<Entry> = serde_json::from_str(include_str!("mime-types.json")).unwrap();
@@ -115,7 +116,7 @@ fn collect_mime<F>(add_test: &mut F)
Entry::TestCase { input, output } => (input, output),
Entry::Comment(s) => {
last_comment = Some(s);
- continue
+ continue;
}
};
@@ -127,9 +128,7 @@ fn collect_mime<F>(add_test: &mut F)
format!("MIME type {:?}", input)
},
should_panic,
- rustc_test::TestFn::dyn_test_fn(move || {
- run_mime(input, expected)
- })
+ rustc_test::TestFn::dyn_test_fn(move || run_mime(input, expected)),
);
}
}
diff --git a/idna/tests/punycode.rs b/idna/tests/punycode.rs
--- a/idna/tests/punycode.rs
+++ b/idna/tests/punycode.rs
@@ -15,19 +15,25 @@ fn one_test(decoded: &str, encoded: &str) {
None => panic!("Decoding {} failed.", encoded),
Some(result) => {
let result = result.into_iter().collect::<String>();
- assert!(result == decoded,
- format!("Incorrect decoding of \"{}\":\n \"{}\"\n!= \"{}\"\n",
- encoded, result, decoded))
+ assert!(
+ result == decoded,
+ format!(
+ "Incorrect decoding of \"{}\":\n \"{}\"\n!= \"{}\"\n",
+ encoded, result, decoded
+ )
+ )
}
}
match encode_str(decoded) {
None => panic!("Encoding {} failed.", decoded),
- Some(result) => {
- assert!(result == encoded,
- format!("Incorrect encoding of \"{}\":\n \"{}\"\n!= \"{}\"\n",
- decoded, result, encoded))
- }
+ Some(result) => assert!(
+ result == encoded,
+ format!(
+ "Incorrect encoding of \"{}\":\n \"{}\"\n!= \"{}\"\n",
+ decoded, result, encoded
+ )
+ ),
}
}
@@ -41,25 +47,29 @@ fn get_string<'a>(map: &'a Object, key: &str) -> &'a str {
pub fn collect_tests<F: FnMut(String, TestFn)>(add_test: &mut F) {
match Json::from_str(include_str!("punycode_tests.json")) {
- Ok(Json::Array(tests)) => for (i, test) in tests.into_iter().enumerate() {
- match test {
- Json::Object(o) => {
- let test_name = {
- let desc = get_string(&o, "description");
+ Ok(Json::Array(tests)) => {
+ for (i, test) in tests.into_iter().enumerate() {
+ match test {
+ Json::Object(o) => {
+ let test_name = {
+ let desc = get_string(&o, "description");
if desc.is_empty() {
- format!("Punycode {}", i + 1)
- } else {
- format!("Punycode {}: {}", i + 1, desc)
- }
- };
- add_test(test_name, TestFn::dyn_test_fn(move || one_test(
- get_string(&o, "decoded"),
- get_string(&o, "encoded"),
- )))
+ format!("Punycode {}", i + 1)
+ } else {
+ format!("Punycode {}: {}", i + 1, desc)
+ }
+ };
+ add_test(
+ test_name,
+ TestFn::dyn_test_fn(move || {
+ one_test(get_string(&o, "decoded"), get_string(&o, "encoded"))
+ }),
+ )
+ }
+ _ => panic!(),
}
- _ => panic!(),
}
- },
- other => panic!("{:?}", other)
+ }
+ other => panic!("{:?}", other),
}
}
diff --git a/idna/tests/unit.rs b/idna/tests/unit.rs
--- a/idna/tests/unit.rs
+++ b/idna/tests/unit.rs
@@ -1,16 +1,13 @@
extern crate idna;
extern crate unicode_normalization;
-use idna::uts46;
use unicode_normalization::char::is_combining_mark;
-
-fn _to_ascii(domain: &str) -> Result<String, uts46::Errors> {
- uts46::to_ascii(domain, uts46::Flags {
- transitional_processing: false,
- use_std3_ascii_rules: true,
- verify_dns_length: true,
- })
+fn _to_ascii(domain: &str) -> Result<String, idna::Errors> {
+ idna::Config::default()
+ .verify_dns_length(true)
+ .use_std3_ascii_rules(true)
+ .to_ascii(domain)
}
#[test]
@@ -29,7 +26,10 @@ fn test_v8_bidi_rules() {
assert_eq!(_to_ascii("אבּג").unwrap(), "xn--kdb3bdf");
assert_eq!(_to_ascii("ابج").unwrap(), "xn--mgbcm");
assert_eq!(_to_ascii("abc.ابج").unwrap(), "abc.xn--mgbcm");
- assert_eq!(_to_ascii("אבּג.ابج").unwrap(), "xn--kdb3bdf.xn--mgbcm");
+ assert_eq!(
+ _to_ascii("אבּג.ابج").unwrap(),
+ "xn--kdb3bdf.xn--mgbcm"
+ );
// Bidi domain names cannot start with digits
assert!(_to_ascii("0a.\u{05D0}").is_err());
diff --git a/idna/tests/uts46.rs b/idna/tests/uts46.rs
--- a/idna/tests/uts46.rs
+++ b/idna/tests/uts46.rs
@@ -7,19 +7,18 @@
// except according to those terms.
use std::char;
-use idna::uts46;
use test::TestFn;
pub fn collect_tests<F: FnMut(String, TestFn)>(add_test: &mut F) {
// http://www.unicode.org/Public/idna/latest/IdnaTest.txt
for (i, line) in include_str!("IdnaTest.txt").lines().enumerate() {
if line == "" || line.starts_with("#") {
- continue
+ continue;
}
// Remove comments
let mut line = match line.find("#") {
Some(index) => &line[0..index],
- None => line
+ None => line,
};
let mut expected_failure = false;
@@ -35,61 +34,85 @@ pub fn collect_tests<F: FnMut(String, TestFn)>(add_test: &mut F) {
let source = unescape(original);
let to_unicode = pieces.remove(0);
let to_ascii = pieces.remove(0);
- let nv8 = if pieces.len() > 0 { pieces.remove(0) } else { "" };
+ let nv8 = if pieces.len() > 0 {
+ pieces.remove(0)
+ } else {
+ ""
+ };
if expected_failure {
continue;
}
let test_name = format!("UTS #46 line {}", i + 1);
- add_test(test_name, TestFn::dyn_test_fn(move || {
- let result = uts46::to_ascii(&source, uts46::Flags {
- use_std3_ascii_rules: true,
- transitional_processing: test_type == "T",
- verify_dns_length: true,
- });
+ add_test(
+ test_name,
+ TestFn::dyn_test_fn(move || {
+ let result = idna::Config::default()
+ .use_std3_ascii_rules(true)
+ .verify_dns_length(true)
+ .check_hyphens(true)
+ .transitional_processing(test_type == "T")
+ .to_ascii(&source);
- if to_ascii.starts_with("[") {
- if to_ascii.starts_with("[C") {
- // http://unicode.org/reports/tr46/#Deviations
- // applications that perform IDNA2008 lookup are not required to check
- // for these contexts
- return;
- }
- if to_ascii == "[V2]" {
- // Everybody ignores V2
- // https://github.com/servo/rust-url/pull/240
- // https://github.com/whatwg/url/issues/53#issuecomment-181528158
- // http://www.unicode.org/review/pri317/
+ if to_ascii.starts_with("[") {
+ if to_ascii.starts_with("[C") {
+ // http://unicode.org/reports/tr46/#Deviations
+ // applications that perform IDNA2008 lookup are not required to check
+ // for these contexts
+ return;
+ }
+ if to_ascii == "[V2]" {
+ // Everybody ignores V2
+ // https://github.com/servo/rust-url/pull/240
+ // https://github.com/whatwg/url/issues/53#issuecomment-181528158
+ // http://www.unicode.org/review/pri317/
+ return;
+ }
+ let res = result.ok();
+ assert!(
+ res == None,
+ "Expected error. result: {} | original: {} | source: {}",
+ res.unwrap(),
+ original,
+ source
+ );
return;
}
- let res = result.ok();
- assert!(res == None, "Expected error. result: {} | original: {} | source: {}",
- res.unwrap(), original, source);
- return;
- }
- let to_ascii = if to_ascii.len() > 0 {
- to_ascii.to_string()
- } else {
- if to_unicode.len() > 0 {
- to_unicode.to_string()
+ let to_ascii = if to_ascii.len() > 0 {
+ to_ascii.to_string()
} else {
- source.clone()
- }
- };
+ if to_unicode.len() > 0 {
+ to_unicode.to_string()
+ } else {
+ source.clone()
+ }
+ };
- if nv8 == "NV8" {
- // This result isn't valid under IDNA2008. Skip it
- return;
- }
+ if nv8 == "NV8" {
+ // This result isn't valid under IDNA2008. Skip it
+ return;
+ }
- assert!(result.is_ok(), "Couldn't parse {} | original: {} | error: {:?}",
- source, original, result.err());
- let output = result.ok().unwrap();
- assert!(output == to_ascii, "result: {} | expected: {} | original: {} | source: {}",
- output, to_ascii, original, source);
- }))
+ assert!(
+ result.is_ok(),
+ "Couldn't parse {} | original: {} | error: {:?}",
+ source,
+ original,
+ result.err()
+ );
+ let output = result.ok().unwrap();
+ assert!(
+ output == to_ascii,
+ "result: {} | expected: {} | original: {} | source: {}",
+ output,
+ to_ascii,
+ original,
+ source
+ );
+ }),
+ )
}
}
@@ -99,7 +122,7 @@ fn unescape(input: &str) -> String {
loop {
match chars.next() {
None => return output,
- Some(c) =>
+ Some(c) => {
if c == '\\' {
match chars.next().unwrap() {
'\\' => output.push('\\'),
@@ -108,10 +131,12 @@ fn unescape(input: &str) -> String {
let c2 = chars.next().unwrap().to_digit(16).unwrap();
let c3 = chars.next().unwrap().to_digit(16).unwrap();
let c4 = chars.next().unwrap().to_digit(16).unwrap();
- match char::from_u32(((c1 * 16 + c2) * 16 + c3) * 16 + c4)
- {
+ match char::from_u32(((c1 * 16 + c2) * 16 + c3) * 16 + c4) {
Some(c) => output.push(c),
- None => { output.push_str(&format!("\\u{:X}{:X}{:X}{:X}",c1,c2,c3,c4)); }
+ None => {
+ output
+ .push_str(&format!("\\u{:X}{:X}{:X}{:X}", c1, c2, c3, c4));
+ }
};
}
_ => panic!("Invalid test data input"),
@@ -119,6 +144,7 @@ fn unescape(input: &str) -> String {
} else {
output.push(c);
}
+ }
}
}
}
diff --git a/tests/data.rs b/tests/data.rs
--- a/tests/data.rs
+++ b/tests/data.rs
@@ -8,29 +8,29 @@
//! Data-driven tests
-extern crate rustc_serialize;
extern crate rustc_test as test;
+extern crate serde_json;
extern crate url;
-use rustc_serialize::json::{self, Json};
-use url::{Url, quirks};
+use serde_json::Value;
+use std::str::FromStr;
+use url::{quirks, Url};
fn check_invariants(url: &Url) {
url.check_invariants().unwrap();
- #[cfg(feature="serde")] {
- extern crate serde_json;
+ #[cfg(feature = "serde")]
+ {
let bytes = serde_json::to_vec(url).unwrap();
let new_url: Url = serde_json::from_slice(&bytes).unwrap();
assert_eq!(url, &new_url);
}
}
-
fn run_parsing(input: &str, base: &str, expected: Result<ExpectedAttributes, ()>) {
let base = match Url::parse(&base) {
Ok(base) => base,
Err(_) if expected.is_err() => return,
- Err(message) => panic!("Error parsing base {:?}: {}", base, message)
+ Err(message) => panic!("Error parsing base {:?}: {}", base, message),
};
let (url, expected) = match (base.join(&input), expected) {
(Ok(url), Ok(expected)) => (url, expected),
@@ -42,14 +42,18 @@ fn run_parsing(input: &str, base: &str, expected: Result<ExpectedAttributes, ()>
check_invariants(&url);
macro_rules! assert_eq {
- ($expected: expr, $got: expr) => {
- {
- let expected = $expected;
- let got = $got;
- assert!(expected == got, "{:?} != {} {:?} for URL {:?}",
- got, stringify!($expected), expected, url);
- }
- }
+ ($expected: expr, $got: expr) => {{
+ let expected = $expected;
+ let got = $got;
+ assert!(
+ expected == got,
+ "{:?} != {} {:?} for URL {:?}",
+ got,
+ stringify!($expected),
+ expected,
+ url
+ );
+ }};
}
macro_rules! assert_attributes {
@@ -84,46 +88,45 @@ struct ExpectedAttributes {
}
trait JsonExt {
- fn take(&mut self, key: &str) -> Option<Json>;
- fn object(self) -> json::Object;
+ fn take_key(&mut self, key: &str) -> Option<Value>;
fn string(self) -> String;
fn take_string(&mut self, key: &str) -> String;
}
-impl JsonExt for Json {
- fn take(&mut self, key: &str) -> Option<Json> {
+impl JsonExt for Value {
+ fn take_key(&mut self, key: &str) -> Option<Value> {
self.as_object_mut().unwrap().remove(key)
}
- fn object(self) -> json::Object {
- if let Json::Object(o) = self { o } else { panic!("Not a Json::Object") }
- }
-
fn string(self) -> String {
- if let Json::String(s) = self { s } else { panic!("Not a Json::String") }
+ if let Value::String(s) = self {
+ s
+ } else {
+ panic!("Not a Value::String")
+ }
}
fn take_string(&mut self, key: &str) -> String {
- self.take(key).unwrap().string()
+ self.take_key(key).unwrap().string()
}
}
fn collect_parsing<F: FnMut(String, test::TestFn)>(add_test: &mut F) {
// Copied form https://github.com/w3c/web-platform-tests/blob/master/url/
- let mut json = Json::from_str(include_str!("urltestdata.json"))
+ let mut json = Value::from_str(include_str!("urltestdata.json"))
.expect("JSON parse error in urltestdata.json");
for entry in json.as_array_mut().unwrap() {
if entry.is_string() {
- continue // ignore comments
+ continue; // ignore comments
}
let base = entry.take_string("base");
let input = entry.take_string("input");
- let expected = if entry.find("failure").is_some() {
+ let expected = if entry.take_key("failure").is_some() {
Err(())
} else {
Ok(ExpectedAttributes {
href: entry.take_string("href"),
- origin: entry.take("origin").map(Json::string),
+ origin: entry.take_key("origin").map(|s| s.string()),
protocol: entry.take_string("protocol"),
username: entry.take_string("username"),
password: entry.take_string("password"),
@@ -135,24 +138,31 @@ fn collect_parsing<F: FnMut(String, test::TestFn)>(add_test: &mut F) {
hash: entry.take_string("hash"),
})
};
- add_test(format!("{:?} @ base {:?}", input, base),
- test::TestFn::dyn_test_fn(move || run_parsing(&input, &base, expected)));
+ add_test(
+ format!("{:?} @ base {:?}", input, base),
+ test::TestFn::dyn_test_fn(move || run_parsing(&input, &base, expected)),
+ );
}
}
-fn collect_setters<F>(add_test: &mut F) where F: FnMut(String, test::TestFn) {
- let mut json = Json::from_str(include_str!("setters_tests.json"))
+fn collect_setters<F>(add_test: &mut F)
+where
+ F: FnMut(String, test::TestFn),
+{
+ let mut json = Value::from_str(include_str!("setters_tests.json"))
.expect("JSON parse error in setters_tests.json");
macro_rules! setter {
($attr: expr, $setter: ident) => {{
- let mut tests = json.take($attr).unwrap();
+ let mut tests = json.take_key($attr).unwrap();
for mut test in tests.as_array_mut().unwrap().drain(..) {
- let comment = test.take("comment").map(Json::string).unwrap_or(String::new());
+ let comment = test.take_key("comment")
+ .map(|s| s.string())
+ .unwrap_or(String::new());
let href = test.take_string("href");
let new_value = test.take_string("new_value");
let name = format!("{:?}.{} = {:?} {}", href, $attr, new_value, comment);
- let mut expected = test.take("expected").unwrap();
+ let mut expected = test.take_key("expected").unwrap();
add_test(name, test::TestFn::dyn_test_fn(move || {
let mut url = Url::parse(&href).unwrap();
check_invariants(&url);
@@ -167,7 +177,7 @@ fn collect_setters<F>(add_test: &mut F) where F: FnMut(String, test::TestFn) {
macro_rules! assert_attributes {
($url: expr, $expected: expr, $($attr: ident)+) => {
$(
- if let Some(value) = $expected.take(stringify!($attr)) {
+ if let Some(value) = $expected.take_key(stringify!($attr)) {
assert_eq!(quirks::$attr(&$url), value.string())
}
)+
diff --git a/tests/unit.rs b/tests/unit.rs
--- a/tests/unit.rs
+++ b/tests/unit.rs
@@ -8,15 +8,15 @@
//! Unit tests
-#[macro_use]
extern crate url;
+#[macro_use]
+extern crate percent_encoding;
-use std::ascii::AsciiExt;
use std::borrow::Cow;
use std::cell::{Cell, RefCell};
use std::net::{Ipv4Addr, Ipv6Addr};
use std::path::{Path, PathBuf};
-use url::{Host, HostAndPort, Url, form_urlencoded};
+use url::{form_urlencoded, Host, Url};
#[test]
fn size() {
@@ -25,7 +25,9 @@ fn size() {
}
macro_rules! assert_from_file_path {
- ($path: expr) => { assert_from_file_path!($path, $path) };
+ ($path: expr) => {
+ assert_from_file_path!($path, $path)
+ };
($path: expr, $url_path: expr) => {{
let url = Url::from_file_path(Path::new($path)).unwrap();
assert_eq!(url.host(), None);
@@ -34,8 +36,6 @@ macro_rules! assert_from_file_path {
}};
}
-
-
#[test]
fn new_file_paths() {
if cfg!(unix) {
@@ -74,7 +74,10 @@ fn new_path_windows_fun() {
assert_from_file_path!("C:\\foo\\ba\0r", "/C:/foo/ba%00r");
// Invalid UTF-8
- assert!(Url::parse("file:///C:/foo/ba%80r").unwrap().to_file_path().is_err());
+ assert!(Url::parse("file:///C:/foo/ba%80r")
+ .unwrap()
+ .to_file_path()
+ .is_err());
// test windows canonicalized path
let path = PathBuf::from(r"\\?\C:\foo\bar");
@@ -86,7 +89,6 @@ fn new_path_windows_fun() {
}
}
-
#[test]
fn new_directory_paths() {
if cfg!(unix) {
@@ -100,7 +102,10 @@ fn new_directory_paths() {
if cfg!(windows) {
assert_eq!(Url::from_directory_path(Path::new("relative")), Err(()));
assert_eq!(Url::from_directory_path(Path::new(r"..\relative")), Err(()));
- assert_eq!(Url::from_directory_path(Path::new(r"\drive-relative")), Err(()));
+ assert_eq!(
+ Url::from_directory_path(Path::new(r"\drive-relative")),
+ Err(())
+ );
assert_eq!(Url::from_directory_path(Path::new(r"\\ucn\")), Err(()));
let url = Url::from_directory_path(Path::new(r"C:\foo\bar")).unwrap();
@@ -127,10 +132,16 @@ fn from_str() {
#[test]
fn parse_with_params() {
- let url = Url::parse_with_params("http://testing.com/this?dont=clobberme",
- &[("lang", "rust")]).unwrap();
+ let url = Url::parse_with_params(
+ "http://testing.com/this?dont=clobberme",
+ &[("lang", "rust")],
+ )
+ .unwrap();
- assert_eq!(url.as_str(), "http://testing.com/this?dont=clobberme&lang=rust");
+ assert_eq!(
+ url.as_str(),
+ "http://testing.com/this?dont=clobberme&lang=rust"
+ );
}
#[test]
@@ -145,8 +156,8 @@ fn issue_124() {
#[test]
fn test_equality() {
- use std::hash::{Hash, Hasher};
use std::collections::hash_map::DefaultHasher;
+ use std::hash::{Hash, Hasher};
fn check_eq(a: &Url, b: &Url) {
assert_eq!(a, b);
@@ -196,13 +207,29 @@ fn host() {
assert_eq!(Url::parse(input).unwrap().host(), Some(host));
}
assert_host("http://www.mozilla.org", Host::Domain("www.mozilla.org"));
- assert_host("http://1.35.33.49", Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
- assert_host("http://[2001:0db8:85a3:08d3:1319:8a2e:0370:7344]", Host::Ipv6(Ipv6Addr::new(
- 0x2001, 0x0db8, 0x85a3, 0x08d3, 0x1319, 0x8a2e, 0x0370, 0x7344)));
+ assert_host(
+ "http://1.35.33.49",
+ Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)),
+ );
+ assert_host(
+ "http://[2001:0db8:85a3:08d3:1319:8a2e:0370:7344]",
+ Host::Ipv6(Ipv6Addr::new(
+ 0x2001, 0x0db8, 0x85a3, 0x08d3, 0x1319, 0x8a2e, 0x0370, 0x7344,
+ )),
+ );
assert_host("http://1.35.+33.49", Host::Domain("1.35.+33.49"));
- assert_host("http://[::]", Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 0)));
- assert_host("http://[::1]", Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 1)));
- assert_host("http://0x1.0X23.0x21.061", Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
+ assert_host(
+ "http://[::]",
+ Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 0)),
+ );
+ assert_host(
+ "http://[::1]",
+ Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 1)),
+ );
+ assert_host(
+ "http://0x1.0X23.0x21.061",
+ Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)),
+ );
assert_host("http://0x1232131", Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
assert_host("http://111", Host::Ipv4(Ipv4Addr::new(0, 0, 0, 111)));
assert_host("http://2..2.3", Host::Domain("2..2.3"));
@@ -217,15 +244,26 @@ fn host_serialization() {
// but https://url.spec.whatwg.org/#concept-ipv6-serializer specifies not to.
// Not [::0.0.0.2] / [::ffff:0.0.0.2]
- assert_eq!(Url::parse("http://[0::2]").unwrap().host_str(), Some("[::2]"));
- assert_eq!(Url::parse("http://[0::ffff:0:2]").unwrap().host_str(), Some("[::ffff:0:2]"));
+ assert_eq!(
+ Url::parse("http://[0::2]").unwrap().host_str(),
+ Some("[::2]")
+ );
+ assert_eq!(
+ Url::parse("http://[0::ffff:0:2]").unwrap().host_str(),
+ Some("[::ffff:0:2]")
+ );
}
#[test]
fn test_idna() {
assert!("http://goșu.ro".parse::<Url>().is_ok());
- assert_eq!(Url::parse("http://☃.net/").unwrap().host(), Some(Host::Domain("xn--n3h.net")));
- assert!("https://r2---sn-huoa-cvhl.googlevideo.com/crossdomain.xml".parse::<Url>().is_ok());
+ assert_eq!(
+ Url::parse("http://☃.net/").unwrap().host(),
+ Some(Host::Domain("xn--n3h.net"))
+ );
+ assert!("https://r2---sn-huoa-cvhl.googlevideo.com/crossdomain.xml"
+ .parse::<Url>()
+ .is_ok());
}
#[test]
@@ -236,9 +274,18 @@ fn test_serialization() {
("http://@emptyuser.com/", "http://emptyuser.com/"),
("http://:@emptypass.com/", "http://emptypass.com/"),
("http://[email protected]/", "http://[email protected]/"),
- ("http://user:[email protected]/", "http://user:[email protected]/"),
- ("http://slashquery.com/path/?q=something", "http://slashquery.com/path/?q=something"),
- ("http://noslashquery.com/path?q=something", "http://noslashquery.com/path?q=something")
+ (
+ "http://user:[email protected]/",
+ "http://user:[email protected]/",
+ ),
+ (
+ "http://slashquery.com/path/?q=something",
+ "http://slashquery.com/path/?q=something",
+ ),
+ (
+ "http://noslashquery.com/path?q=something",
+ "http://noslashquery.com/path?q=something",
+ ),
];
for &(input, result) in &data {
let url = Url::parse(input).unwrap();
@@ -251,11 +298,16 @@ fn test_form_urlencoded() {
let pairs: &[(Cow<str>, Cow<str>)] = &[
("foo".into(), "é&".into()),
("bar".into(), "".into()),
- ("foo".into(), "#".into())
+ ("foo".into(), "#".into()),
];
- let encoded = form_urlencoded::Serializer::new(String::new()).extend_pairs(pairs).finish();
+ let encoded = form_urlencoded::Serializer::new(String::new())
+ .extend_pairs(pairs)
+ .finish();
assert_eq!(encoded, "foo=%C3%A9%26&bar=&foo=%23");
- assert_eq!(form_urlencoded::parse(encoded.as_bytes()).collect::<Vec<_>>(), pairs.to_vec());
+ assert_eq!(
+ form_urlencoded::parse(encoded.as_bytes()).collect::<Vec<_>>(),
+ pairs.to_vec()
+ );
}
#[test]
@@ -269,44 +321,14 @@ fn test_form_serialize() {
}
#[test]
-fn form_urlencoded_custom_encoding_override() {
+fn form_urlencoded_encoding_override() {
let encoded = form_urlencoded::Serializer::new(String::new())
- .custom_encoding_override(|s| s.as_bytes().to_ascii_uppercase().into())
+ .encoding_override(Some(&|s| s.as_bytes().to_ascii_uppercase().into()))
.append_pair("foo", "bar")
.finish();
assert_eq!(encoded, "FOO=BAR");
}
-#[test]
-fn host_and_port_display() {
- assert_eq!(
- format!(
- "{}",
- HostAndPort{ host: Host::Domain("www.mozilla.org"), port: 80}
- ),
- "www.mozilla.org:80"
- );
- assert_eq!(
- format!(
- "{}",
- HostAndPort::<String>{ host: Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)), port: 65535 }
- ),
- "1.35.33.49:65535"
- );
- assert_eq!(
- format!(
- "{}",
- HostAndPort::<String>{
- host: Host::Ipv6(Ipv6Addr::new(
- 0x2001, 0x0db8, 0x85a3, 0x08d3, 0x1319, 0x8a2e, 0x0370, 0x7344
- )),
- port: 1337
- })
- ,
- "[2001:db8:85a3:8d3:1319:8a2e:370:7344]:1337"
- )
-}
-
#[test]
/// https://github.com/servo/rust-url/issues/61
fn issue_61() {
@@ -323,8 +345,13 @@ fn issue_61() {
fn issue_197() {
let mut url = Url::from_file_path("/").expect("Failed to parse path");
url.check_invariants().unwrap();
- assert_eq!(url, Url::parse("file:///").expect("Failed to parse path + protocol"));
- url.path_segments_mut().expect("path_segments_mut").pop_if_empty();
+ assert_eq!(
+ url,
+ Url::parse("file:///").expect("Failed to parse path + protocol")
+ );
+ url.path_segments_mut()
+ .expect("path_segments_mut")
+ .pop_if_empty();
}
#[test]
@@ -346,12 +373,19 @@ fn append_trailing_slash() {
/// https://github.com/servo/rust-url/issues/227
fn extend_query_pairs_then_mutate() {
let mut url: Url = "http://localhost:6767/foo/bar".parse().unwrap();
- url.query_pairs_mut().extend_pairs(vec![ ("auth", "my-token") ].into_iter());
+ url.query_pairs_mut()
+ .extend_pairs(vec![("auth", "my-token")].into_iter());
url.check_invariants().unwrap();
- assert_eq!(url.to_string(), "http://localhost:6767/foo/bar?auth=my-token");
+ assert_eq!(
+ url.to_string(),
+ "http://localhost:6767/foo/bar?auth=my-token"
+ );
url.path_segments_mut().unwrap().push("some_other_path");
url.check_invariants().unwrap();
- assert_eq!(url.to_string(), "http://localhost:6767/foo/bar/some_other_path?auth=my-token");
+ assert_eq!(
+ url.to_string(),
+ "http://localhost:6767/foo/bar/some_other_path?auth=my-token"
+ );
}
#[test]
@@ -388,7 +422,10 @@ fn test_set_host() {
#[test]
// https://github.com/servo/rust-url/issues/166
fn test_leading_dots() {
- assert_eq!(Host::parse(".org").unwrap(), Host::Domain(".org".to_owned()));
+ assert_eq!(
+ Host::parse(".org").unwrap(),
+ Host::Domain(".org".to_owned())
+ );
assert_eq!(Url::parse("file://./foo").unwrap().domain(), Some("."));
}
@@ -396,17 +433,20 @@ fn test_leading_dots() {
// inside both a module and a function
#[test]
fn define_encode_set_scopes() {
- use url::percent_encoding::{utf8_percent_encode, SIMPLE_ENCODE_SET};
+ use percent_encoding::{utf8_percent_encode, SIMPLE_ENCODE_SET};
define_encode_set! {
/// This encode set is used in the URL parser for query strings.
pub QUERY_ENCODE_SET = [SIMPLE_ENCODE_SET] | {' ', '"', '#', '<', '>'}
}
- assert_eq!(utf8_percent_encode("foo bar", QUERY_ENCODE_SET).collect::<String>(), "foo%20bar");
+ assert_eq!(
+ utf8_percent_encode("foo bar", QUERY_ENCODE_SET).collect::<String>(),
+ "foo%20bar"
+ );
mod m {
- use url::percent_encoding::{utf8_percent_encode, SIMPLE_ENCODE_SET};
+ use percent_encoding::{utf8_percent_encode, SIMPLE_ENCODE_SET};
define_encode_set! {
/// This encode set is used in the URL parser for query strings.
@@ -414,7 +454,10 @@ fn define_encode_set_scopes() {
}
pub fn test() {
- assert_eq!(utf8_percent_encode("foo bar", QUERY_ENCODE_SET).collect::<String>(), "foo%20bar");
+ assert_eq!(
+ utf8_percent_encode("foo bar", QUERY_ENCODE_SET).collect::<String>(),
+ "foo%20bar"
+ );
}
}
@@ -424,8 +467,8 @@ fn define_encode_set_scopes() {
#[test]
/// https://github.com/servo/rust-url/issues/302
fn test_origin_hash() {
- use std::hash::{Hash,Hasher};
use std::collections::hash_map::DefaultHasher;
+ use std::hash::{Hash, Hasher};
fn hash<T: Hash>(value: &T) -> u64 {
let mut hasher = DefaultHasher::new();
@@ -444,7 +487,9 @@ fn test_origin_hash() {
Url::parse("ftp://example.net").unwrap().origin(),
Url::parse("file://example.net").unwrap().origin(),
Url::parse("http://[email protected]/").unwrap().origin(),
- Url::parse("http://user:[email protected]/").unwrap().origin(),
+ Url::parse("http://user:[email protected]/")
+ .unwrap()
+ .origin(),
];
for origin_to_compare in &origins_to_compare {
@@ -466,7 +511,7 @@ fn test_origin_hash() {
#[test]
fn test_windows_unc_path() {
if !cfg!(windows) {
- return
+ return;
}
let url = Url::from_file_path(Path::new(r"\\host\share\path\file.txt")).unwrap();
@@ -490,28 +535,14 @@ fn test_windows_unc_path() {
assert!(url.is_err());
}
-// Test the now deprecated log_syntax_violation method for backward
-// compatibility
-#[test]
-#[allow(deprecated)]
-fn test_old_log_violation_option() {
- let violation = Cell::new(None);
- let url = Url::options()
- .log_syntax_violation(Some(&|s| violation.set(Some(s.to_owned()))))
- .parse("http:////mozilla.org:42").unwrap();
- assert_eq!(url.port(), Some(42));
-
- let violation = violation.take();
- assert_eq!(violation, Some("expected //".to_string()));
-}
-
#[test]
fn test_syntax_violation_callback() {
use url::SyntaxViolation::*;
let violation = Cell::new(None);
let url = Url::options()
.syntax_violation_callback(Some(&|v| violation.set(Some(v))))
- .parse("http:////mozilla.org:42").unwrap();
+ .parse("http:////mozilla.org:42")
+ .unwrap();
assert_eq!(url.port(), Some(42));
let v = violation.take().unwrap();
@@ -527,13 +558,15 @@ fn test_syntax_violation_callback_lifetimes() {
let url = Url::options()
.syntax_violation_callback(Some(&vfn))
- .parse("http:////mozilla.org:42").unwrap();
+ .parse("http:////mozilla.org:42")
+ .unwrap();
assert_eq!(url.port(), Some(42));
assert_eq!(violation.take(), Some(ExpectedDoubleSlash));
let url = Url::options()
.syntax_violation_callback(Some(&vfn))
- .parse("http://mozilla.org\\path").unwrap();
+ .parse("http://mozilla.org\\path")
+ .unwrap();
assert_eq!(url.path(), "/path");
assert_eq!(violation.take(), Some(Backslash));
}
@@ -544,13 +577,11 @@ fn test_options_reuse() {
let violations = RefCell::new(Vec::new());
let vfn = |v| violations.borrow_mut().push(v);
- let options = Url::options()
- .syntax_violation_callback(Some(&vfn));
+ let options = Url::options().syntax_violation_callback(Some(&vfn));
let url = options.parse("http:////mozilla.org").unwrap();
let options = options.base_url(Some(&url));
let url = options.parse("/sub\\path").unwrap();
assert_eq!(url.as_str(), "http://mozilla.org/sub/path");
- assert_eq!(*violations.borrow(),
- vec!(ExpectedDoubleSlash, Backslash));
+ assert_eq!(*violations.borrow(), vec!(ExpectedDoubleSlash, Backslash));
}
|
Relaxed parsing mode
Hello
I understand the library tries to follow the standard as close as possible.
However, there are URLs out there in the wild that exist, work and are rejected by this library as invalid. As an example, `http://canada-region-70-24-.static-apple-com.center/` (rejected because of the trailing `-`) ‒ if you point a browser there, you'll get a content (not a very useful one, granted).
Would it be possible to have some relaxed parsing mode (if there is, I haven't found it in the documentation) where I would still get the methods to get the host and path and query out of the URL and canonicalize it, while allowing for certain violations against how a good URL looks like? I have little choice over the URLs that I need to handle ‒ basically, whatever happens in the wild might come my way and I have to do something meaningful with it.
|
The spec for [parsing hosts](https://url.spec.whatwg.org/#host-parsing) says:
> 5. Let asciiDomain be the result of running domain to ASCII on domain.
The spec for the [domain to ASCII](https://url.spec.whatwg.org/#concept-domain-to-ascii) algorithm says:
> Let result be the result of running Unicode ToASCII with domain_name set to domain, UseSTD3ASCIIRules set to beStrict, CheckHyphens set to false, CheckBidi set to true, CheckJoiners set to true, Transitional_Processing set to false, and VerifyDnsLength set to beStrict.
The spec for [Unicode ToASCII](https://www.unicode.org/reports/tr46/#ToASCII) refers to the [validity criteria](https://www.unicode.org/reports/tr46/#Validity_Criteria) section which says:
> If CheckHyphens, the label must neither begin nor end with a U+002D HYPHEN-MINUS character.
But as mentioned earlier, the Unicode ToASCII algorithm is to be invoked with *CheckHyphens* set to `false`.
Seems like a `rust-url` bug to me.
https://github.com/servo/rust-url/blob/a1d8c8849fd35098c90a6a05dc772e827303ce41/idna/src/uts46.rs#L253-L262
Ouch. `idna::uts46::Flags` is a public struct with public fields, so adding one for the `CheckHyphens` flag is a breaking change for the `idna` crate, and `idna::uts46::Errors` is exposed in the `url` crate through the `From<idna::uts46::Errors>` for `url::ParseError`, meaning the breaking change should be propagated as a breaking bump in `url` too. 😕
I suggest we add a type `idna::uts46::Config` with builder methods similar to the public fields of `idna::uts46::Flags` and two methods `to_ascii` and `to_unicode`.
We can then reimplement `idna::uts46::to_ascii` (and similarly do the same thing for `to_unicode`) as:
```rust
pub fn to_ascii(domain: &str, flags: Flags) -> Result<String, Errors> {
Config::from(flags).to_ascii(domain)
}
```
| 2019-07-15T19:34:49
|
rust
|
Easy
|
shuttle-hq/synth
| 50
|
shuttle-hq__synth-50
|
[
"8"
] |
3fa7929a1bc5a0ebe2137e65a57541cf0c25e255
|
diff --git a/.github/workflows/scripts/validate_mysql_gen_count.sh b/.github/workflows/scripts/validate_mysql_gen_count.sh
new file mode 100644
--- /dev/null
+++ b/.github/workflows/scripts/validate_mysql_gen_count.sh
@@ -0,0 +1,8 @@
+#!/bin/bash
+
+sum_rows_query="SELECT (SELECT count(*) FROM hospitals) + (SELECT count(*) FROM doctors) + (SELECT count(*) FROM patients)"
+sum=`mysql -h $MYSQL_HOST -u root --password=$MYSQL_ROOT_PASSWORD -P $MYSQL_PORT $MYSQL_DATABASE -e "$sum_rows_query" | grep -o '[[:digit:]]*'`
+if [ "$sum" -lt "30" ]
+then
+ exit 1
+fi
\ No newline at end of file
diff --git a/.github/workflows/synth-mysql.yml b/.github/workflows/synth-mysql.yml
new file mode 100644
--- /dev/null
+++ b/.github/workflows/synth-mysql.yml
@@ -0,0 +1,66 @@
+name: synth-mysql
+
+on:
+ push:
+ branches: [ master ]
+ paths: [ '**/*.rs' ]
+ pull_request:
+ branches: [ master ]
+ paths: [ '**/*.rs' ]
+
+ workflow_dispatch:
+
+jobs:
+ e2e_tests_mysql:
+ runs-on: ubuntu-latest
+ services:
+ mysql:
+ image: mysql
+ env:
+ MYSQL_ROOT_PASSWORD: mysecretpassword
+ MYSQL_DATABASE: test_db
+ ports:
+ - 3306:3306
+ options: >-
+ --health-cmd="mysqladmin ping"
+ --health-interval=10s
+ --health-timeout=5s
+ --health-retries=3
+ steps:
+ - uses: actions/checkout@v2
+ ## Set env. variables for this job
+ - run: |
+ echo "MYSQL_HOST=127.0.0.1" >> $GITHUB_ENV
+ echo "MYSQL_USER=root" >> $GITHUB_ENV
+ echo "MYSQL_PORT=3306" >> $GITHUB_ENV
+ echo "MYSQL_ROOT_PASSWORD=mysecretpassword" >> $GITHUB_ENV
+ echo "MYSQL_DATABASE=test_db" >> $GITHUB_ENV
+ - run: |
+ sudo apt-get update
+ sudo apt-get install --yes --no-install-recommends mysql-client jq
+ - run: >
+ mysql -h "${{ env.MYSQL_HOST }}" -u "${{ env.MYSQL_USER }}" --password="${{ env.MYSQL_ROOT_PASSWORD }}"
+ -P "${{ env.MYSQL_PORT }}" "${{ env.MYSQL_DATABASE }}" < synth/testing_harness/mysql/0_hospital_schema.sql
+ - uses: actions-rs/toolchain@v1
+ with:
+ toolchain: nightly-2021-05-17
+ - run: cargo +nightly-2021-05-17 install --debug --path=synth
+ - run: |
+ echo "Running generate test"
+ cd synth/testing_harness/mysql
+ synth init || true
+ synth generate hospital_master --to mysql://${{ env.MYSQL_USER }}:${{ env.MYSQL_ROOT_PASSWORD }}@${{ env.MYSQL_HOST }}:${{ env.MYSQL_PORT }}/${{ env.MYSQL_DATABASE }} --size 30
+ bash "${GITHUB_WORKSPACE}/.github/workflows/scripts/validate_mysql_gen_count.sh"
+ ## Clear out and repopulate DB
+ - run: >
+ mysql -h "${{ env.MYSQL_HOST }}" -u "${{ env.MYSQL_USER }}" --password="${{ env.MYSQL_ROOT_PASSWORD }}"
+ -P "${{ env.MYSQL_PORT }}" "${{ env.MYSQL_DATABASE }}" < synth/testing_harness/mysql/0_hospital_schema.sql
+ - run: >
+ mysql -h "${{ env.MYSQL_HOST }}" -u "${{ env.MYSQL_USER }}" --password="${{ env.MYSQL_ROOT_PASSWORD }}"
+ -P "${{ env.MYSQL_PORT }}" "${{ env.MYSQL_DATABASE }}" < synth/testing_harness/mysql/1_hospital_data.sql
+ - run: |
+ echo "Testing import"
+ cd synth/testing_harness/mysql
+ synth init || true
+ synth import --from mysql://${{ env.MYSQL_USER }}:${{ env.MYSQL_ROOT_PASSWORD }}@${{ env.MYSQL_HOST }}:${{ env.MYSQL_PORT }}/${{ env.MYSQL_DATABASE }} hospital_import
+ diff <(jq --sort-keys . hospital_import/*) <(jq --sort-keys . hospital_master/*)
diff --git a/Cargo.lock b/Cargo.lock
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -71,6 +71,17 @@ dependencies = [
"opaque-debug 0.3.0",
]
+[[package]]
+name = "ahash"
+version = "0.7.4"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "43bb833f0bf979d8475d38fbf09ed3b8a55e1885fe93ad3f93239fc6a4f17b98"
+dependencies = [
+ "getrandom 0.2.3",
+ "once_cell",
+ "version_check",
+]
+
[[package]]
name = "aho-corasick"
version = "0.7.18"
@@ -224,6 +235,18 @@ dependencies = [
"event-listener",
]
+[[package]]
+name = "async-native-tls"
+version = "0.3.3"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "9e9e7a929bd34c68a82d58a4de7f86fffdaf97fb2af850162a7bb19dd7269b33"
+dependencies = [
+ "async-std",
+ "native-tls",
+ "thiserror",
+ "url",
+]
+
[[package]]
name = "async-process"
version = "1.1.0"
@@ -322,6 +345,15 @@ dependencies = [
"syn",
]
+[[package]]
+name = "atoi"
+version = "0.4.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "616896e05fc0e2649463a93a15183c6a16bf03413a7af88ef1285ddedfa9cda5"
+dependencies = [
+ "num-traits",
+]
+
[[package]]
name = "atomic-waker"
version = "1.0.0"
@@ -339,6 +371,12 @@ dependencies = [
"winapi 0.3.9",
]
+[[package]]
+name = "autocfg"
+version = "0.1.7"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "1d49d90015b3c36167a20fe2810c5cd875ad504b39cff3d4eae7977e6b7c1cb2"
+
[[package]]
name = "autocfg"
version = "1.0.1"
@@ -384,6 +422,16 @@ version = "0.13.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "904dfeac50f3cdaba28fc6f57fdcddb75f49ed61346676a78c4ffe55877802fd"
+[[package]]
+name = "beau_collector"
+version = "0.2.1"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "33a143066d3cbd3d32c15b51c39449e50e32a68293d31589fb941d6a9df0df4f"
+dependencies = [
+ "anyhow",
+ "itertools",
+]
+
[[package]]
name = "bimap"
version = "0.6.1"
@@ -411,6 +459,18 @@ version = "1.2.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "cf1de2fe8c75bc145a2f577add951f8134889b4795d47466a54a5c846d691693"
+[[package]]
+name = "bitvec"
+version = "0.19.5"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "8942c8d352ae1838c9dda0b0ca2ab657696ef2232a20147cf1b30ae1a9cb4321"
+dependencies = [
+ "funty",
+ "radium",
+ "tap",
+ "wyz",
+]
+
[[package]]
name = "blake3"
version = "0.3.8"
@@ -498,6 +558,12 @@ dependencies = [
"uuid",
]
+[[package]]
+name = "build_const"
+version = "0.2.2"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "b4ae4235e6dac0694637c763029ecea1a2ec9e4e06ec2729bd21ba4d9c863eb7"
+
[[package]]
name = "bumpalo"
version = "3.7.0"
@@ -698,6 +764,15 @@ version = "0.2.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "dcb25d077389e53838a8158c8e99174c5a9d902dee4904320db714f3c653ffba"
+[[package]]
+name = "crc"
+version = "1.8.1"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "d663548de7f5cca343f1e0a48d14dcfb0e9eb4e079ec58883b7251539fa10aeb"
+dependencies = [
+ "build_const",
+]
+
[[package]]
name = "crossbeam-channel"
version = "0.5.1"
@@ -956,6 +1031,12 @@ version = "0.3.3"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "fea41bba32d969b513997752735605054bc0dfa92b4c56bf1189f2e174be7a10"
+[[package]]
+name = "dotenv"
+version = "0.15.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "77c90badedccf4105eca100756a0b1289e191f6fcbdadd3cee1d2f614f97da8f"
+
[[package]]
name = "dynfmt"
version = "0.1.5"
@@ -1060,12 +1141,6 @@ version = "0.1.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "e88a8acf291dafb59c2d96e8f59828f3838bb1a70398823ade51a84de6a6deed"
-[[package]]
-name = "fallible-iterator"
-version = "0.2.0"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "4443176a9f2c162692bd3d352d745ef9413eec5782a80d8fd6f8a1ac692a07f7"
-
[[package]]
name = "fastrand"
version = "1.4.1"
@@ -1148,6 +1223,12 @@ version = "0.3.3"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "3dcaa9ae7725d12cdb85b3ad99a434db70b468c09ded17e012d86b5c1010f7a7"
+[[package]]
+name = "funty"
+version = "1.1.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "fed34cd105917e91daa4da6b3728c47b068749d6a62c59811f06ed2ac71d9da7"
+
[[package]]
name = "futures"
version = "0.3.15"
@@ -1217,7 +1298,7 @@ version = "0.3.15"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "a4c40298486cdf52cc00cd6d6987892ba502c7656a16a4192a9992b1ccedd121"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
"proc-macro-hack",
"proc-macro2",
"quote",
@@ -1242,7 +1323,7 @@ version = "0.3.15"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "feb5c238d27e2bf94ffdfd27b2c29e3df4a68c4193bb6427384259e2bf191967"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
"futures-channel",
"futures-core",
"futures-io",
@@ -1387,6 +1468,24 @@ version = "0.9.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "d7afe4a420e3fe79967a00898cc1f4db7c8a49a9333a29f8a4bd76a253d5cd04"
+[[package]]
+name = "hashbrown"
+version = "0.11.2"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "ab5ef0d4909ef3724cc8cce6ccc8572c5c817592e9285f5464f8e86f8bd3726e"
+dependencies = [
+ "ahash",
+]
+
+[[package]]
+name = "hashlink"
+version = "0.7.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "7249a3129cbc1ffccd74857f81464a323a152173cdb134e0fd81bc803b29facf"
+dependencies = [
+ "hashbrown 0.11.2",
+]
+
[[package]]
name = "heck"
version = "0.3.3"
@@ -1675,8 +1774,8 @@ version = "1.6.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "824845a0bf897a9042383849b02c1bc219c2383772efcd5c6f9766fa4b81aef3"
dependencies = [
- "autocfg",
- "hashbrown",
+ "autocfg 1.0.1",
+ "hashbrown 0.9.1",
]
[[package]]
@@ -1733,6 +1832,15 @@ version = "2.3.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "68f2d64f2edebec4ce84ad108148e67e1064789bee435edc5b60ad398714a3a9"
+[[package]]
+name = "itertools"
+version = "0.9.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "284f18f85651fe11e8a991b2adb42cb078325c996ed026d994719efcfca1d54b"
+dependencies = [
+ "either",
+]
+
[[package]]
name = "itoa"
version = "0.4.7"
@@ -1781,6 +1889,22 @@ name = "lazy_static"
version = "1.4.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "e2abad23fbc42b3700f2f279844dc832adb2b2eb069b2df918f455c4e18cc646"
+dependencies = [
+ "spin",
+]
+
+[[package]]
+name = "lexical-core"
+version = "0.7.6"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "6607c62aa161d23d17a9072cc5da0be67cdfc89d3afb1e8d9c842bebc2525ffe"
+dependencies = [
+ "arrayvec",
+ "bitflags",
+ "cfg-if 1.0.0",
+ "ryu",
+ "static_assertions",
+]
[[package]]
name = "libc"
@@ -1802,6 +1926,12 @@ dependencies = [
"pkg-config",
]
+[[package]]
+name = "libm"
+version = "0.2.1"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "c7d73b3f436185384286bd8098d17ec07c9a7d2388a6599f824d8502b529702a"
+
[[package]]
name = "libsqlite3-sys"
version = "0.22.2"
@@ -1872,6 +2002,12 @@ dependencies = [
"linked-hash-map",
]
+[[package]]
+name = "maplit"
+version = "1.0.2"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "3e2e65a1a2e43cfcb47a895c4c8b10d1f4a61097f9f254f183aee60cad9c651d"
+
[[package]]
name = "match_cfg"
version = "0.1.0"
@@ -1918,7 +2054,7 @@ version = "0.6.4"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "59accc507f1338036a0477ef61afdae33cde60840f4dfe481319ce3ad116ddf9"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
]
[[package]]
@@ -1965,7 +2101,7 @@ source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "a92518e98c078586bc6c934028adcca4c92a53d6a958196de835170a01d84e4b"
dependencies = [
"adler",
- "autocfg",
+ "autocfg 1.0.1",
]
[[package]]
@@ -2047,7 +2183,7 @@ dependencies = [
"rustls",
"serde",
"serde_with",
- "sha-1",
+ "sha-1 0.8.2",
"sha2 0.8.2",
"socket2 0.3.19",
"stringprep",
@@ -2106,6 +2242,19 @@ dependencies = [
"libc",
]
+[[package]]
+name = "nom"
+version = "6.1.2"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "e7413f999671bd4745a7b624bd370a569fb6bc574b23c83a3c5ed2e453f3d5e2"
+dependencies = [
+ "bitvec",
+ "funty",
+ "lexical-core",
+ "memchr",
+ "version_check",
+]
+
[[package]]
name = "ntapi"
version = "0.3.6"
@@ -2121,7 +2270,7 @@ version = "0.3.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "8b7a8e9be5e039e2ff869df49155f1c06bd01ade2117ec783e56ab0932b67a8f"
dependencies = [
- "num-bigint",
+ "num-bigint 0.3.2",
"num-complex",
"num-integer",
"num-iter",
@@ -2135,9 +2284,38 @@ version = "0.3.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "7d0a3d5e207573f948a9e5376662aa743a2ea13f7c50a554d7af443a73fbfeba"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
+ "num-integer",
+ "num-traits",
+]
+
+[[package]]
+name = "num-bigint"
+version = "0.4.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "4e0d047c1062aa51e256408c560894e5251f08925980e53cf1aa5bd00eec6512"
+dependencies = [
+ "autocfg 1.0.1",
+ "num-integer",
+ "num-traits",
+]
+
+[[package]]
+name = "num-bigint-dig"
+version = "0.7.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "4547ee5541c18742396ae2c895d0717d0f886d8823b8399cdaf7b07d63ad0480"
+dependencies = [
+ "autocfg 0.1.7",
+ "byteorder",
+ "lazy_static",
+ "libm",
"num-integer",
+ "num-iter",
"num-traits",
+ "rand 0.8.3",
+ "smallvec",
+ "zeroize",
]
[[package]]
@@ -2155,7 +2333,7 @@ version = "0.1.44"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "d2cc698a63b549a70bc047073d2949cce27cd1c7b0a4a862d08a8031bc2801db"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
"num-traits",
]
@@ -2165,7 +2343,7 @@ version = "0.1.42"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "b2021c8337a54d21aca0d59a92577a029af9431cb59b909b03252b9c164fad59"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
"num-integer",
"num-traits",
]
@@ -2176,8 +2354,8 @@ version = "0.3.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "12ac428b1cb17fce6f731001d307d351ec70a6d202fc2e60f7d4c5e42d8f4f07"
dependencies = [
- "autocfg",
- "num-bigint",
+ "autocfg 1.0.1",
+ "num-bigint 0.3.2",
"num-integer",
"num-traits",
]
@@ -2188,7 +2366,8 @@ version = "0.2.14"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "9a64b1ec5cda2586e284722486d802acf1f7dbdc623e2bfc57e65ca1cd099290"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
+ "libm",
]
[[package]]
@@ -2260,7 +2439,7 @@ version = "0.9.63"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "b6b0d6fb7d80f877617dfcb014e605e2b5ab2fb0afdf27935219bb6bd984cb98"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
"cc",
"libc",
"pkg-config",
@@ -2330,28 +2509,21 @@ dependencies = [
]
[[package]]
-name = "percent-encoding"
-version = "2.1.0"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "d4fd5641d01c8f18a23da7b6fe29298ff4b55afcccdf78973b24cf3175fee32e"
-
-[[package]]
-name = "phf"
-version = "0.8.0"
+name = "pem"
+version = "0.8.3"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "3dfb61232e34fcb633f43d12c58f83c1df82962dcdfa565a4e866ffc17dafe12"
+checksum = "fd56cbd21fea48d0c440b41cd69c589faacade08c992d9a54e471b79d0fd13eb"
dependencies = [
- "phf_shared",
+ "base64 0.13.0",
+ "once_cell",
+ "regex",
]
[[package]]
-name = "phf_shared"
-version = "0.8.0"
+name = "percent-encoding"
+version = "2.1.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "c00cf8b9eafe68dde5e9eaa2cef8ee84a9336a47d566ec55ca16589633b65af7"
-dependencies = [
- "siphasher",
-]
+checksum = "d4fd5641d01c8f18a23da7b6fe29298ff4b55afcccdf78973b24cf3175fee32e"
[[package]]
name = "pin-project"
@@ -2421,50 +2593,6 @@ dependencies = [
"universal-hash",
]
-[[package]]
-name = "postgres"
-version = "0.19.1"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "c7871ee579860d8183f542e387b176a25f2656b9fb5211e045397f745a68d1c2"
-dependencies = [
- "bytes 1.0.1",
- "fallible-iterator",
- "futures",
- "log",
- "tokio 1.6.2",
- "tokio-postgres",
-]
-
-[[package]]
-name = "postgres-protocol"
-version = "0.6.1"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "ff3e0f70d32e20923cabf2df02913be7c1842d4c772db8065c00fcfdd1d1bff3"
-dependencies = [
- "base64 0.13.0",
- "byteorder",
- "bytes 1.0.1",
- "fallible-iterator",
- "hmac 0.10.1",
- "md-5 0.9.1",
- "memchr",
- "rand 0.8.3",
- "sha2 0.9.5",
- "stringprep",
-]
-
-[[package]]
-name = "postgres-types"
-version = "0.2.1"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "430f4131e1b7657b0cd9a2b0c3408d77c9a43a042d300b8c77f981dffcc43a2f"
-dependencies = [
- "bytes 1.0.1",
- "chrono",
- "fallible-iterator",
- "postgres-protocol",
-]
-
[[package]]
name = "posthog-rs"
version = "0.1.3"
@@ -2553,6 +2681,12 @@ dependencies = [
"proc-macro2",
]
+[[package]]
+name = "radium"
+version = "0.5.3"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "941ba9d78d8e2f7ce474c015eea4d9c6d25b6a3327f9832ee29a4de27f91bbb8"
+
[[package]]
name = "rand"
version = "0.7.3"
@@ -2660,7 +2794,7 @@ version = "1.5.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "c06aca804d41dbc8ba42dfd964f0d01334eceb64314b9ecf7c5fad5188a06d90"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
"crossbeam-deque",
"either",
"rayon-core",
@@ -2825,6 +2959,26 @@ version = "0.2.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "56770675ebc04927ded3e60633437841581c285dc6236109ea25fbf3beb7b59e"
+[[package]]
+name = "rsa"
+version = "0.4.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "68ef841a26fc5d040ced0417c6c6a64ee851f42489df11cdf0218e545b6f8d28"
+dependencies = [
+ "byteorder",
+ "digest 0.9.0",
+ "lazy_static",
+ "num-bigint-dig",
+ "num-integer",
+ "num-iter",
+ "num-traits",
+ "pem",
+ "rand 0.8.3",
+ "simple_asn1",
+ "subtle 2.4.0",
+ "zeroize",
+]
+
[[package]]
name = "rust_decimal"
version = "1.14.2"
@@ -2832,10 +2986,7 @@ source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "9787e62372fc0c5a0f3af64c392652db72d3ec1cc0cff1becc175d2c11e6fbcc"
dependencies = [
"arrayvec",
- "byteorder",
- "bytes 1.0.1",
"num-traits",
- "postgres",
"serde",
]
@@ -3034,6 +3185,19 @@ dependencies = [
"opaque-debug 0.2.3",
]
+[[package]]
+name = "sha-1"
+version = "0.9.6"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "8c4cfa741c5832d0ef7fab46cabed29c2aae926db0b11bb2069edd8db5e64e16"
+dependencies = [
+ "block-buffer 0.9.0",
+ "cfg-if 1.0.0",
+ "cpufeatures",
+ "digest 0.9.0",
+ "opaque-debug 0.3.0",
+]
+
[[package]]
name = "sha1"
version = "0.6.0"
@@ -3093,6 +3257,18 @@ dependencies = [
"event-listener",
]
+[[package]]
+name = "simple_asn1"
+version = "0.5.4"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "8eb4ea60fb301dc81dfc113df680571045d375ab7345d171c5dc7d7e13107a80"
+dependencies = [
+ "chrono",
+ "num-bigint 0.4.0",
+ "num-traits",
+ "thiserror",
+]
+
[[package]]
name = "siphasher"
version = "0.3.5"
@@ -3138,6 +3314,112 @@ version = "0.5.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "6e63cff320ae2c57904679ba7cb63280a3dc4613885beafb148ee7bf9aa9042d"
+[[package]]
+name = "sqlformat"
+version = "0.1.6"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "6d86e3c77ff882a828346ba401a7ef4b8e440df804491c6064fe8295765de71c"
+dependencies = [
+ "lazy_static",
+ "maplit",
+ "nom",
+ "regex",
+ "unicode_categories",
+]
+
+[[package]]
+name = "sqlx"
+version = "0.5.5"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "ba82f79b31f30acebf19905bcd8b978f46891b9d0723f578447361a8910b6584"
+dependencies = [
+ "sqlx-core",
+ "sqlx-macros",
+]
+
+[[package]]
+name = "sqlx-core"
+version = "0.5.5"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "7f23af36748ec8ea8d49ef8499839907be41b0b1178a4e82b8cb45d29f531dc9"
+dependencies = [
+ "ahash",
+ "atoi",
+ "base64 0.13.0",
+ "bitflags",
+ "byteorder",
+ "bytes 1.0.1",
+ "chrono",
+ "crc",
+ "crossbeam-channel",
+ "crossbeam-queue",
+ "crossbeam-utils",
+ "digest 0.9.0",
+ "dirs",
+ "either",
+ "futures-channel",
+ "futures-core",
+ "futures-util",
+ "generic-array 0.14.4",
+ "hashlink",
+ "hex",
+ "hmac 0.10.1",
+ "itoa",
+ "libc",
+ "log",
+ "md-5 0.9.1",
+ "memchr",
+ "num-bigint 0.3.2",
+ "once_cell",
+ "parking_lot",
+ "percent-encoding",
+ "rand 0.8.3",
+ "rsa",
+ "rust_decimal",
+ "serde",
+ "serde_json",
+ "sha-1 0.9.6",
+ "sha2 0.9.5",
+ "smallvec",
+ "sqlformat",
+ "sqlx-rt",
+ "stringprep",
+ "thiserror",
+ "url",
+ "whoami",
+]
+
+[[package]]
+name = "sqlx-macros"
+version = "0.5.5"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "47e4a2349d1ffd60a03ca0de3f116ba55d7f406e55a0d84c64a5590866d94c06"
+dependencies = [
+ "dotenv",
+ "either",
+ "futures",
+ "heck",
+ "once_cell",
+ "proc-macro2",
+ "quote",
+ "sha2 0.9.5",
+ "sqlx-core",
+ "sqlx-rt",
+ "syn",
+ "url",
+]
+
+[[package]]
+name = "sqlx-rt"
+version = "0.5.5"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "8199b421ecf3493ee9ef3e7bc90c904844cfb2ea7ea2f57347a93f52bfd3e057"
+dependencies = [
+ "async-native-tls",
+ "async-std",
+ "native-tls",
+]
+
[[package]]
name = "stable_deref_trait"
version = "1.2.0"
@@ -3153,6 +3435,12 @@ dependencies = [
"version_check",
]
+[[package]]
+name = "static_assertions"
+version = "1.1.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "a2eb9349b6444b326872e140eb1cf5e7c522154d69e7a0ffb0fb81c06b37543f"
+
[[package]]
name = "stdweb"
version = "0.4.20"
@@ -3291,10 +3579,12 @@ dependencies = [
[[package]]
name = "synth"
-version = "0.5.0"
+version = "0.5.2"
dependencies = [
"anyhow",
"async-std",
+ "async-trait",
+ "beau_collector",
"chrono",
"colored",
"ctrlc",
@@ -3303,6 +3593,7 @@ dependencies = [
"dirs",
"env_logger",
"fs2",
+ "futures",
"git2",
"iai",
"indicatif",
@@ -3310,7 +3601,6 @@ dependencies = [
"log",
"mongodb",
"num_cpus",
- "postgres",
"posthog-rs",
"rand 0.8.3",
"regex",
@@ -3318,6 +3608,7 @@ dependencies = [
"rust_decimal",
"serde",
"serde_json",
+ "sqlx",
"strsim 0.10.0",
"structopt",
"synth-core",
@@ -3409,6 +3700,12 @@ version = "0.2.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "f764005d11ee5f36500a149ace24e00e3da98b0158b3e2d53a7495660d3f4d60"
+[[package]]
+name = "tap"
+version = "1.0.1"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "55937e1799185b12863d447f42597ed69d9928686b8d88a1df17376a097d8369"
+
[[package]]
name = "tempfile"
version = "3.2.0"
@@ -3604,7 +3901,7 @@ version = "1.6.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "aea337f72e96efe29acc234d803a5981cd9a2b6ed21655cd7fc21cfe021e8ec7"
dependencies = [
- "autocfg",
+ "autocfg 1.0.1",
"bytes 1.0.1",
"libc",
"memchr",
@@ -3634,29 +3931,6 @@ dependencies = [
"tokio 1.6.2",
]
-[[package]]
-name = "tokio-postgres"
-version = "0.7.2"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "2d2b1383c7e4fb9a09e292c7c6afb7da54418d53b045f1c1fac7a911411a2b8b"
-dependencies = [
- "async-trait",
- "byteorder",
- "bytes 1.0.1",
- "fallible-iterator",
- "futures",
- "log",
- "parking_lot",
- "percent-encoding",
- "phf",
- "pin-project-lite 0.2.6",
- "postgres-protocol",
- "postgres-types",
- "socket2 0.4.0",
- "tokio 1.6.2",
- "tokio-util 0.6.7",
-]
-
[[package]]
name = "tokio-rustls"
version = "0.13.1"
@@ -3852,6 +4126,12 @@ version = "0.2.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "8ccb82d61f80a663efe1f787a51b16b5a51e3314d6ac365b08639f52387b33f3"
+[[package]]
+name = "unicode_categories"
+version = "0.1.1"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "39ec24b3121d976906ece63c9daad25b85969647682eee313cb5779fdd69e14e"
+
[[package]]
name = "universal-hash"
version = "0.4.0"
@@ -4053,6 +4333,16 @@ dependencies = [
"cc",
]
+[[package]]
+name = "whoami"
+version = "1.1.2"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "4abacf325c958dfeaf1046931d37f2a901b6dfe0968ee965a29e94c6766b2af6"
+dependencies = [
+ "wasm-bindgen",
+ "web-sys",
+]
+
[[package]]
name = "widestring"
version = "0.4.3"
@@ -4129,3 +4419,30 @@ dependencies = [
"winapi 0.2.8",
"winapi-build",
]
+
+[[package]]
+name = "wyz"
+version = "0.2.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "85e60b0d1b5f99db2556934e21937020776a5d31520bf169e851ac44e6420214"
+
+[[package]]
+name = "zeroize"
+version = "1.3.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "4756f7db3f7b5574938c3eb1c117038b8e07f95ee6718c0efad4ac21508f1efd"
+dependencies = [
+ "zeroize_derive",
+]
+
+[[package]]
+name = "zeroize_derive"
+version = "1.1.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "a2c1e130bebaeab2f23886bf9acbaca14b092408c452543c857f66399cd6dab1"
+dependencies = [
+ "proc-macro2",
+ "quote",
+ "syn",
+ "synstructure",
+]
diff --git a/synth/Cargo.toml b/synth/Cargo.toml
--- a/synth/Cargo.toml
+++ b/synth/Cargo.toml
@@ -43,6 +43,8 @@ sysinfo = "0.15.2"
strsim = "0.10.0"
async-std = { version = "1.6.4", features = [ "attributes", "unstable" ] }
+async-trait = "0.1.50"
+futures = "0.3.15"
tide = { version = "0.13.0", optional = true }
reqwest = { version = "0.10", features = ["blocking", "json"], optional = true } # only used by `rlog`
@@ -59,10 +61,13 @@ ctrlc = { version = "3.0", features = ["termination"] }
synth-core = { path = "../core" }
synth-gen = { path = "../gen" }
-postgres = { version = "0.19.0", features = ["with-chrono-0_4"] }
-rust_decimal = { version = "1.10.3", features = ["db-postgres"] }
+rust_decimal = "1.10.3"
indicatif = "0.15.0"
dirs = "3.0.2"
uuid = { version = "0.8.2", features = ["v4"] }
mongodb = {version = "1.2.1", features = ["sync"] , default-features = false}
+
+sqlx = { version = "0.5.5", features = [ "postgres", "mysql", "runtime-async-std-native-tls", "decimal", "chrono" ] }
+
+beau_collector = "0.2.1"
\ No newline at end of file
diff --git a/synth/src/cli/export.rs b/synth/src/cli/export.rs
--- a/synth/src/cli/export.rs
+++ b/synth/src/cli/export.rs
@@ -1,11 +1,17 @@
use crate::cli::postgres::PostgresExportStrategy;
use crate::cli::stdf::StdoutExportStrategy;
-use anyhow::Result;
+use anyhow::{Result, Context};
use std::str::FromStr;
+use std::convert::TryFrom;
use crate::cli::mongo::MongoExportStrategy;
use synth_core::{Name, Namespace};
+use serde_json::Value;
+use async_std::task;
+use crate::datasource::DataSource;
+use crate::sampler::Sampler;
+use crate::cli::mysql::MySqlExportStrategy;
pub trait ExportStrategy {
fn export(self, params: ExportParams) -> Result<()>;
@@ -23,6 +29,7 @@ pub enum SomeExportStrategy {
StdoutExportStrategy(StdoutExportStrategy),
FromPostgres(PostgresExportStrategy),
FromMongo(MongoExportStrategy),
+ FromMySql(MySqlExportStrategy)
}
impl ExportStrategy for SomeExportStrategy {
@@ -31,6 +38,7 @@ impl ExportStrategy for SomeExportStrategy {
SomeExportStrategy::StdoutExportStrategy(ses) => ses.export(params),
SomeExportStrategy::FromPostgres(pes) => pes.export(params),
SomeExportStrategy::FromMongo(mes) => mes.export(params),
+ SomeExportStrategy::FromMySql(mes) => mes.export(params)
}
}
}
@@ -58,9 +66,50 @@ impl FromStr for SomeExportStrategy {
return Ok(SomeExportStrategy::FromMongo(MongoExportStrategy {
uri: s.to_string(),
}));
+ } else if s.starts_with("mysql://") {
+ return Ok(SomeExportStrategy::FromMySql(MySqlExportStrategy {
+ uri: s.to_string(),
+ }));
}
Err(anyhow!(
"Data sink not recognized. Was expecting one of 'mongodb' or 'postgres'"
))
}
}
+
+pub(crate) fn create_and_insert_values<T: DataSource>(params: ExportParams, datasource: &T)
+ -> Result<()> {
+ let sampler = Sampler::try_from(¶ms.namespace)?;
+ let values =
+ sampler.sample_seeded(params.collection_name.clone(), params.target, params.seed)?;
+
+ match values {
+ Value::Array(collection_json) => {
+ insert_data(datasource, params.collection_name.unwrap().to_string(), &collection_json)
+ }
+ Value::Object(namespace_json) => {
+ for (collection_name, collection_json) in namespace_json {
+ let collection_json = &collection_json
+ .as_array()
+ .expect("This is always a collection (sampler contract)");
+
+ insert_data(datasource, collection_name.clone(), &collection_json)?;
+ }
+
+ Ok(())
+ }
+ _ => bail!(
+ "The sampler will never generate a value which is not an array or object (sampler contract)"
+ ),
+ }
+}
+
+fn insert_data<T: DataSource>(datasource: &T, collection_name: String, collection_json: &Vec<Value>)
+ -> Result<()> {
+ task::block_on(
+ datasource.insert_data(
+ collection_name.clone(),
+ collection_json
+ )
+ ).context(format!("Failed to insert data for collection {}", collection_name))
+}
diff --git a/synth/src/cli/import.rs b/synth/src/cli/import.rs
--- a/synth/src/cli/import.rs
+++ b/synth/src/cli/import.rs
@@ -8,6 +8,7 @@ use std::str::FromStr;
use synth_core::graph::prelude::{MergeStrategy, OptionalMergeStrategy};
use synth_core::schema::Namespace;
use synth_core::{Content, Name};
+use crate::cli::mysql::MySqlImportStrategy;
pub trait ImportStrategy: Sized {
fn import(self) -> Result<Namespace> {
@@ -26,6 +27,7 @@ pub enum SomeImportStrategy {
#[allow(unused)]
FromPostgres(PostgresImportStrategy),
FromMongo(MongoImportStrategy),
+ FromMySql(MySqlImportStrategy)
}
impl Default for SomeImportStrategy {
@@ -51,6 +53,10 @@ impl FromStr for SomeImportStrategy {
return Ok(SomeImportStrategy::FromMongo(MongoImportStrategy {
uri: s.to_string(),
}));
+ } else if s.starts_with("mysql://") {
+ return Ok(SomeImportStrategy::FromMySql(MySqlImportStrategy {
+ uri: s.to_string(),
+ }));
}
if let Ok(path) = PathBuf::from_str(s) {
@@ -71,6 +77,7 @@ impl ImportStrategy for SomeImportStrategy {
SomeImportStrategy::FromPostgres(pis) => pis.import(),
SomeImportStrategy::StdinImportStrategy(sis) => sis.import(),
SomeImportStrategy::FromMongo(mis) => mis.import(),
+ SomeImportStrategy::FromMySql(mis) => mis.import()
}
}
fn import_collection(self, name: &Name) -> Result<Content> {
@@ -79,6 +86,7 @@ impl ImportStrategy for SomeImportStrategy {
SomeImportStrategy::FromPostgres(pis) => pis.import_collection(name),
SomeImportStrategy::StdinImportStrategy(sis) => sis.import_collection(name),
SomeImportStrategy::FromMongo(mis) => mis.import_collection(name),
+ SomeImportStrategy::FromMySql(mis) => mis.import_collection(name),
}
}
fn into_value(self) -> Result<Value> {
@@ -87,6 +95,7 @@ impl ImportStrategy for SomeImportStrategy {
SomeImportStrategy::FromPostgres(pis) => pis.into_value(),
SomeImportStrategy::StdinImportStrategy(sis) => sis.into_value(),
SomeImportStrategy::FromMongo(mis) => mis.into_value(),
+ SomeImportStrategy::FromMySql(mis) => mis.into_value(),
}
}
}
diff --git a/synth/src/cli/import_utils.rs b/synth/src/cli/import_utils.rs
new file mode 100644
--- /dev/null
+++ b/synth/src/cli/import_utils.rs
@@ -0,0 +1,167 @@
+use crate::datasource::relational_datasource::{ColumnInfo, RelationalDataSource};
+use synth_core::{Namespace, Name, Content};
+use crate::datasource::DataSource;
+use async_std::task;
+use std::str::FromStr;
+use anyhow::{Result, Context};
+use log::debug;
+use synth_core::schema::{FieldRef, NumberContent, Id, SameAsContent, OptionalMergeStrategy, ObjectContent, ArrayContent, RangeStep, OneOfContent, VariantContent, FieldContent};
+use synth_core::schema::content::number_content::U64;
+use serde_json::Value;
+use std::convert::TryFrom;
+
+#[derive(Debug)]
+pub(crate) struct Collection {
+ pub(crate) collection: Content,
+}
+
+/// Wrapper around `FieldContent` since we cant' impl `TryFrom` on a struct in a non-owned crate
+struct FieldContentWrapper(FieldContent);
+
+pub(crate) fn build_namespace_import<T: DataSource + RelationalDataSource>(datasource: &T)
+ -> Result<Namespace> {
+ let table_names = task::block_on(datasource.get_table_names())
+ .context(format!("Failed to get table names"))?;
+
+ let mut namespace = Namespace::default();
+
+ info!("Building namespace collections...");
+ populate_namespace_collections(&mut namespace, &table_names, datasource)?;
+
+ info!("Building namespace primary keys...");
+ populate_namespace_primary_keys(&mut namespace, &table_names, datasource)?;
+
+ info!("Building namespace foreign keys...");
+ populate_namespace_foreign_keys(&mut namespace, datasource)?;
+
+ info!("Building namespace values...");
+ populate_namespace_values(&mut namespace, &table_names, datasource)?;
+
+ Ok(namespace)
+}
+
+fn populate_namespace_collections<T: DataSource + RelationalDataSource>(
+ namespace: &mut Namespace, table_names: &Vec<String>, datasource: &T) -> Result<()> {
+ for table_name in table_names.iter() {
+ info!("Building {} collection...", table_name);
+
+ let column_infos = task::block_on(datasource.get_columns_infos(table_name))?;
+
+ namespace.put_collection(
+ &Name::from_str(&table_name)?,
+ Collection::try_from((datasource, column_infos))?.collection,
+ )?;
+ }
+
+ Ok(())
+}
+
+fn populate_namespace_primary_keys<T: DataSource + RelationalDataSource>(
+ namespace: &mut Namespace, table_names: &Vec<String>, datasource: &T) -> Result<()> {
+ for table_name in table_names.iter() {
+ let primary_keys = task::block_on(datasource.get_primary_keys(table_name))?;
+
+ if primary_keys.len() > 1 {
+ bail!("{} primary keys found at collection {}. Synth does not currently support \
+ composite primary keys.", primary_keys.len(), table_name)
+ }
+
+ if let Some(primary_key) = primary_keys.get(0) {
+ let field = FieldRef::new(&format!(
+ "{}.content.{}",
+ table_name, primary_key.column_name
+ ))?;
+ let node = namespace.get_s_node_mut(&field)?;
+ *node = Content::Number(NumberContent::U64(U64::Id(Id::default())));
+ }
+ }
+
+ Ok(())
+}
+
+fn populate_namespace_foreign_keys<T: DataSource + RelationalDataSource>(
+ namespace: &mut Namespace, datasource: &T) -> Result<()> {
+ let foreign_keys = task::block_on(datasource.get_foreign_keys())?;
+
+ debug!("{} foreign keys found.", foreign_keys.len());
+
+ for fk in foreign_keys {
+ let from_field =
+ FieldRef::new(&format!("{}.content.{}", fk.from_table, fk.from_column))?;
+ let to_field = FieldRef::new(&format!("{}.content.{}", fk.to_table, fk.to_column))?;
+ let node = namespace.get_s_node_mut(&from_field)?;
+ *node = Content::SameAs(SameAsContent { ref_: to_field });
+ }
+
+ Ok(())
+}
+
+fn populate_namespace_values<T: DataSource + RelationalDataSource>(
+ namespace: &mut Namespace, table_names: &Vec<String>, datasource: &T) -> Result<()> {
+ task::block_on(datasource.set_seed())?;
+
+ for table in table_names {
+ let values = task::block_on(datasource.get_deterministic_samples(&table))?;
+
+ namespace.try_update(
+ OptionalMergeStrategy,
+ &Name::from_str(&table).unwrap(),
+ &Value::from(values),
+ )?;
+ }
+
+ Ok(())
+}
+
+impl<T: RelationalDataSource + DataSource> TryFrom<(&T, Vec<ColumnInfo>)> for Collection {
+ type Error = anyhow::Error;
+
+ fn try_from(columns_meta: (&T, Vec<ColumnInfo>)) -> Result<Self> {
+ let mut collection = ObjectContent::default();
+
+ for column_info in columns_meta.1 {
+ let content = FieldContentWrapper::try_from((columns_meta.0, &column_info))?.0;
+
+ collection
+ .fields
+ .insert(column_info.column_name.clone(), content);
+ }
+
+ Ok(Collection {
+ collection: Content::Array(ArrayContent {
+ length: Box::new(Content::Number(NumberContent::U64(U64::Range(RangeStep {
+ low: 1,
+ high: 2,
+ step: 1,
+ })))),
+ content: Box::new(Content::Object(collection)),
+ }),
+ })
+ }
+}
+
+impl<T: RelationalDataSource + DataSource> TryFrom<(&T, &ColumnInfo)> for FieldContentWrapper {
+ type Error = anyhow::Error;
+
+ fn try_from(column_meta: (&T, &ColumnInfo)) -> Result<Self> {
+ let data_type = &column_meta.1.data_type;
+ let mut content= column_meta.0.decode_to_content(data_type, column_meta.1.character_maximum_length)?;
+
+ // This happens because an `optional` field in a Synth schema
+ // won't show up as a key during generation. Whereas what we
+ // want instead is a null field.
+ if column_meta.1.is_nullable {
+ content = Content::OneOf(OneOfContent {
+ variants: vec![
+ VariantContent::new(content),
+ VariantContent::new(Content::Null),
+ ],
+ })
+ }
+
+ Ok(FieldContentWrapper(FieldContent {
+ optional: false,
+ content: Box::new(content),
+ }))
+ }
+}
diff --git a/synth/src/cli/mod.rs b/synth/src/cli/mod.rs
--- a/synth/src/cli/mod.rs
+++ b/synth/src/cli/mod.rs
@@ -5,6 +5,8 @@ mod postgres;
mod stdf;
mod store;
mod telemetry;
+mod mysql;
+mod import_utils;
use crate::cli::export::SomeExportStrategy;
use crate::cli::export::{ExportParams, ExportStrategy};
diff --git a/synth/src/cli/mysql.rs b/synth/src/cli/mysql.rs
new file mode 100644
--- /dev/null
+++ b/synth/src/cli/mysql.rs
@@ -0,0 +1,46 @@
+use crate::cli::export::{ExportStrategy, ExportParams, create_and_insert_values};
+use crate::datasource::mysql_datasource::MySqlDataSource;
+use crate::datasource::DataSource;
+use anyhow::Result;
+use crate::cli::import::ImportStrategy;
+use synth_core::schema::Namespace;
+use synth_core::{Content, Name};
+use crate::cli::import_utils::build_namespace_import;
+use serde_json::Value;
+
+#[derive(Clone, Debug)]
+pub struct MySqlExportStrategy {
+ pub uri: String,
+}
+
+impl ExportStrategy for MySqlExportStrategy {
+ fn export(self, params: ExportParams) -> Result<()> {
+ let datasource = MySqlDataSource::new(&self.uri)?;
+
+ create_and_insert_values(params, &datasource)
+ }
+}
+
+#[derive(Clone, Debug)]
+pub struct MySqlImportStrategy {
+ pub uri: String,
+}
+
+impl ImportStrategy for MySqlImportStrategy {
+ fn import(self) -> Result<Namespace> {
+ let datasource = MySqlDataSource::new(&self.uri)?;
+
+ build_namespace_import(&datasource)
+ }
+
+ fn import_collection(self, name: &Name) -> Result<Content> {
+ self.import()?
+ .collections
+ .remove(name)
+ .ok_or_else(|| anyhow!("Could not find table '{}' in Postgres database.", name))
+ }
+
+ fn into_value(self) -> Result<Value> {
+ bail!("MySql import doesn't support conversion into value")
+ }
+}
diff --git a/synth/src/cli/postgres.rs b/synth/src/cli/postgres.rs
--- a/synth/src/cli/postgres.rs
+++ b/synth/src/cli/postgres.rs
@@ -1,22 +1,12 @@
-use crate::cli::export::{ExportParams, ExportStrategy};
+use crate::cli::export::{ExportParams, ExportStrategy, create_and_insert_values};
use crate::cli::import::ImportStrategy;
-use anyhow::{Context, Result};
-
-use postgres::{Client, Column, Row};
-use rust_decimal::prelude::ToPrimitive;
-use serde_json::{Map, Number, Value};
-use std::convert::TryFrom;
-
-use crate::sampler::Sampler;
-use std::str::FromStr;
-use synth_core::graph::prelude::{Uuid, VariantContent};
-use synth_core::schema::number_content::*;
-use synth_core::schema::{
- ArrayContent, BoolContent, ChronoValueType, DateTimeContent, FieldContent, FieldRef, Id,
- Namespace, NumberContent, ObjectContent, OneOfContent, OptionalMergeStrategy, RangeStep,
- RegexContent, SameAsContent, StringContent,
-};
+use anyhow::Result;
+use serde_json::Value;
+use synth_core::schema::Namespace;
use synth_core::{Content, Name};
+use crate::datasource::postgres_datasource::PostgresDataSource;
+use crate::datasource::DataSource;
+use crate::cli::import_utils::build_namespace_import;
#[derive(Clone, Debug)]
pub struct PostgresExportStrategy {
@@ -25,101 +15,9 @@ pub struct PostgresExportStrategy {
impl ExportStrategy for PostgresExportStrategy {
fn export(self, params: ExportParams) -> Result<()> {
- let mut client =
- Client::connect(&self.uri, postgres::tls::NoTls).expect("Failed to connect");
-
- let sampler = Sampler::try_from(¶ms.namespace)?;
- let values =
- sampler.sample_seeded(params.collection_name.clone(), params.target, params.seed)?;
-
- match values {
- Value::Array(collection_json) => {
- self.insert_data(params.collection_name.unwrap().to_string(), &collection_json, &mut client)
- }
- Value::Object(namespace_json) => {
- for (collection_name, collection_json) in namespace_json {
- self.insert_data(
- collection_name,
- &collection_json
- .as_array()
- .expect("This is always a collection (sampler contract)"),
- &mut client,
- )?;
- }
- Ok(())
- }
- _ => unreachable!(
- "The sampler will never generate a value which is not an array or object (sampler contract)"
- ),
- }
- }
-}
-
-impl PostgresExportStrategy {
- fn insert_data(
- &self,
- collection_name: String,
- collection: &[Value],
- client: &mut Client,
- ) -> Result<()> {
- // how to to ordering here?
- // If we have foreign key constraints we need to traverse the tree and
- // figure out insertion order
- // We basically need something like an InsertionStrategy where we have a DAG of insertions
- let batch_size = 1000;
-
- if collection.is_empty() {
- println!(
- "Collection {} generated 0 values. Skipping insertion...",
- collection_name
- );
- return Ok(());
- }
-
- let column_names = collection
- .get(0)
- .expect("Explicit check is done above that this collection is non-empty")
- .as_object()
- .expect("This is always an object (sampler contract)")
- .keys()
- .cloned()
- .collect::<Vec<String>>()
- .join(",");
+ let datasource = PostgresDataSource::new(&self.uri)?;
- for rows in collection.chunks(batch_size) {
- let mut query = format!(
- "INSERT INTO {} ({}) VALUES \n",
- collection_name, column_names
- );
-
- for (i, row) in rows.iter().enumerate() {
- let row_obj = row
- .as_object()
- .expect("This is always an object (sampler contract)");
-
- let values = row_obj
- .values()
- .map(|v| v.to_string().replace("'", "''")) // two single quotes are the standard way to escape double quotes
- .map(|v| v.replace("\"", "'")) // values in the object have quotes around them by default.
- .collect::<Vec<String>>()
- .join(",");
-
- // We should be using some form of a prepared statement here.
- // It is not clear how this would work for our batch inserts...
- if i == rows.len() - 1 {
- query.push_str(&format!("({});\n", values));
- } else {
- query.push_str(&format!("({}),\n", values));
- }
- }
-
- if let Err(err) = client.query(query.as_str(), &[]) {
- println!("Error at: {}", query);
- return Err(err.into());
- }
- }
- println!("Inserted {} rows...", collection.len());
- Ok(())
+ create_and_insert_values(params, &datasource)
}
}
@@ -130,139 +28,9 @@ pub struct PostgresImportStrategy {
impl ImportStrategy for PostgresImportStrategy {
fn import(self) -> Result<Namespace> {
- let mut client =
- Client::connect(&self.uri, postgres::tls::NoTls).expect("Failed to connect");
-
- let catalog = self
- .uri
- .split('/')
- .last()
- .ok_or_else(|| anyhow!("Cannot import data. No catalog specified in the uri"))?;
-
- let query ="SELECT table_name FROM information_schema.tables where table_catalog = $1 and table_schema = 'public' and table_type = 'BASE TABLE'";
-
- let table_names: Vec<String> = client
- .query(query, &[&catalog])
- .expect("Failed to get tables")
- .iter()
- .map(|row| row.get(0))
- .collect();
-
- let mut namespace = Namespace::default();
-
- // First pass - build naive Collections
- // Now we can execute a simple statement that just returns its parameter.
- for table_name in table_names.iter() {
- println!("Building {} collection...", table_name);
- // Get columns
- let col_info_query = r"select column_name, ordinal_position, is_nullable, udt_name, character_maximum_length
- from information_schema.columns
- where table_name = $1 and table_catalog = $2;";
+ let datasource = PostgresDataSource::new(&self.uri)?;
- let column_info: Vec<ColumnInfo> = client
- .query(col_info_query, &[&table_name, &catalog])
- .unwrap_or_else(|_| panic!("Failed to get columns for {}", table_name))
- .into_iter()
- .map(ColumnInfo::try_from)
- .collect::<Result<Vec<ColumnInfo>>>()?;
-
- namespace.put_collection(
- &Name::from_str(&table_name)?,
- Collection::from(column_info).collection,
- )?;
- }
-
- // Second pass - build primary keys
- println!("Building primary keys...");
- for table_name in table_names.iter() {
- // Unfortunately cannot use parameterised queries here
- let pk_query: &str = &format!(
- r"SELECT a.attname, format_type(a.atttypid, a.atttypmod) AS data_type
- FROM pg_index i
- JOIN pg_attribute a ON a.attrelid = i.indrelid
- AND a.attnum = ANY(i.indkey)
- WHERE i.indrelid = '{}'::regclass
- AND i.indisprimary;",
- &table_name
- );
-
- let primary_keys = client
- .query(pk_query, &[])
- .unwrap_or_else(|_| panic!("Failed to get primary keys for {}", table_name))
- .into_iter()
- .map(PrimaryKey::try_from)
- .collect::<Result<Vec<PrimaryKey>>>()?;
-
- if primary_keys.len() > 1 {
- unimplemented!("Synth does not support composite primary keys")
- }
-
- if let Some(primary_key) = primary_keys.get(0) {
- let field = FieldRef::new(&format!(
- "{}.content.{}",
- table_name, primary_key.column_name
- ))?;
- let node = namespace.get_s_node_mut(&field)?;
- *node = Content::Number(NumberContent::U64(U64::Id(Id::default())));
- }
- }
-
- // Third pass - foreign keys
- println!("Building foreign keys...");
- let fk_query: &str = r"SELECT
- tc.table_name, kcu.column_name,
- ccu.table_name AS foreign_table_name,
- ccu.column_name AS foreign_column_name
- FROM information_schema.table_constraints AS tc
- JOIN information_schema.key_column_usage
- AS kcu ON tc.constraint_name = kcu.constraint_name
- JOIN information_schema.constraint_column_usage
- AS ccu ON ccu.constraint_name = tc.constraint_name
- WHERE constraint_type = 'FOREIGN KEY';";
-
- let foreign_keys = client
- .query(fk_query, &[])
- .expect("Failed to get foreign keys")
- .into_iter()
- .map(ForeignKey::try_from)
- .collect::<Result<Vec<ForeignKey>>>()?;
-
- println!("{} foreign keys found.", foreign_keys.len());
-
- for fk in foreign_keys {
- let from_field =
- FieldRef::new(&format!("{}.content.{}", fk.from_table, fk.from_column))?;
- let to_field = FieldRef::new(&format!("{}.content.{}", fk.to_table, fk.to_column))?;
- let node = namespace.get_s_node_mut(&from_field)?;
- *node = Content::SameAs(SameAsContent { ref_: to_field });
- }
-
- // Set the RNG to get a deterministic sample
- let _ = client
- .query("select setseed(0.5);", &[])
- .expect("Failed to set seed for sampling");
-
- // Fourth pass - ingest
- for table in table_names {
- print!("Ingesting data for table {}... ", table);
-
- // Again parameterised queries don't work here
- let data_query: &str = &format!("select * from {} order by random() limit 10;", table);
- let data = client
- .query(data_query, &[])
- .expect("Failed to retrieve data");
- println!(" {} rows done.", data.len());
-
- let values: Values = Values::try_from(data).context(format!("at table {}", table))?;
-
- namespace.try_update(
- OptionalMergeStrategy,
- &Name::from_str(&table).unwrap(),
- &Value::from(values.0),
- )?;
- }
-
- Ok(namespace)
+ build_namespace_import(&datasource)
}
fn import_collection(self, name: &Name) -> Result<Content> {
@@ -273,255 +41,7 @@ impl ImportStrategy for PostgresImportStrategy {
}
fn into_value(self) -> Result<Value> {
- unreachable!()
+ bail!("Postgres import doesn't support conversion into value")
}
}
-// Wrapper around content
-#[derive(Debug)]
-struct Collection {
- collection: Content,
-}
-
-// Wrapper around rows
-#[derive(Debug)]
-struct Values(Vec<Value>);
-
-#[derive(Debug)]
-struct ColumnInfo {
- column_name: String,
- ordinal_position: i32,
- is_nullable: bool,
- udt_name: String,
- character_maximum_length: Option<i32>,
-}
-
-#[derive(Debug)]
-struct PrimaryKey {
- column_name: String,
- type_name: String,
-}
-
-#[derive(Debug)]
-struct ForeignKey {
- from_table: String,
- from_column: String,
- to_table: String,
- to_column: String,
-}
-
-impl TryFrom<Vec<Row>> for Values {
- type Error = anyhow::Error;
-
- // Need to check for nulls here.
- // Not sure how we're going to do this. We need some macro to try_get, and if it fails
- // go for content::null
- // https://kotiri.com/2018/01/31/postgresql-diesel-rust-types.html
- fn try_from(rows: Vec<Row>) -> Result<Self, Self::Error> {
- let mut values = Vec::new();
- for row in rows {
- let mut obj_content = Map::new();
- for i in 0..row.columns().len() {
- let column = row
- .columns()
- .get(i)
- .expect("Cannot go out of range here since iterator is bound by length");
- let value = try_match_value(&row, i, column).unwrap_or(Value::Null);
- obj_content.insert(column.name().to_string(), value);
- }
- values.push(Value::Object(obj_content));
- }
- Ok(Values(values))
- }
-}
-
-fn try_match_value(row: &Row, i: usize, column: &Column) -> Result<Value> {
- let value = match column.type_().name() {
- "bool" => Value::Bool(row.try_get(i)?),
- "oid" => {
- unimplemented!()
- }
- "char" | "varchar" | "text" | "bpchar" | "name" | "unknown" => {
- Value::String(row.try_get(i)?)
- }
- "int2" => Value::Number(Number::from(row.try_get::<_, i16>(i)?)),
- "int4" => Value::Number(Number::from(row.try_get::<_, i32>(i)?)),
- "int8" => Value::Number(Number::from(row.try_get::<_, i64>(i)?)),
- "float4" => Value::Number(
- Number::from_f64(row.try_get(i)?).expect("Cloud not convert to f64. Value was NaN."),
- ),
- "float8" => Value::Number(
- Number::from_f64(row.try_get(i)?).expect("Cloud not convert to f64. Value was NaN."),
- ),
- "numeric" => {
- let as_decimal: rust_decimal::Decimal = row.try_get(i)?;
- Value::Number(
- Number::from_f64(
- as_decimal
- .to_f64()
- .expect("Could not convert decimal to f64 for reasons todo"),
- )
- .expect("Cloud not convert to f64. Value was NaN."),
- )
- }
- "timestampz" => Value::String(row.try_get(i)?),
- "timestamp" => Value::String(row.try_get(i)?),
- "date" => Value::String(format!("{}", row.try_get::<_, chrono::NaiveDate>(i)?)),
- _ => {
- return Err(anyhow!(
- "Could not convert value. Converter not implemented for {}",
- column.type_().name()
- ));
- }
- };
- Ok(value)
-}
-
-impl TryFrom<postgres::Row> for ForeignKey {
- type Error = anyhow::Error;
-
- fn try_from(value: Row) -> Result<Self, Self::Error> {
- Ok(ForeignKey {
- from_table: value.try_get(0)?,
- from_column: value.try_get(1)?,
- to_table: value.try_get(2)?,
- to_column: value.try_get(3)?,
- })
- }
-}
-
-impl TryFrom<postgres::Row> for PrimaryKey {
- type Error = anyhow::Error;
-
- fn try_from(row: Row) -> Result<Self, Self::Error> {
- Ok(PrimaryKey {
- column_name: row.try_get(0)?,
- type_name: row.try_get(1)?,
- })
- }
-}
-
-impl TryFrom<postgres::Row> for ColumnInfo {
- type Error = anyhow::Error;
-
- fn try_from(row: Row) -> Result<Self, Self::Error> {
- Ok(ColumnInfo {
- column_name: row.try_get(0)?,
- ordinal_position: row.try_get(1)?,
- is_nullable: row.try_get::<_, String>(2)? == *"YES",
- udt_name: row.try_get(3)?,
- character_maximum_length: row.try_get(4)?,
- })
- }
-}
-
-impl From<Vec<ColumnInfo>> for Collection {
- fn from(columns: Vec<ColumnInfo>) -> Self {
- let mut collection = ObjectContent::default();
-
- for column in columns {
- collection
- .fields
- .insert(column.column_name.clone(), column.into());
- }
-
- Collection {
- collection: Content::Array(ArrayContent {
- length: Box::new(Content::Number(NumberContent::U64(U64::Range(RangeStep {
- low: 1,
- high: 2,
- step: 1,
- })))),
- content: Box::new(Content::Object(collection)),
- }),
- }
- }
-}
-
-// Type conversions: https://docs.rs/postgres-types/0.2.0/src/postgres_types/lib.rs.html#360
-impl From<ColumnInfo> for FieldContent {
- fn from(column: ColumnInfo) -> Self {
- let mut content = match column.udt_name.as_ref() {
- "bool" => Content::Bool(BoolContent::default()),
- "oid" => {
- unimplemented!()
- }
- "char" | "varchar" | "text" | "bpchar" | "name" | "unknown" => {
- let pattern = "[a-zA-Z0-9]{0, {}}".replace(
- "{}",
- &format!("{}", column.character_maximum_length.unwrap_or(1)),
- );
- Content::String(StringContent::Pattern(
- RegexContent::pattern(pattern).expect("pattern will always compile"),
- ))
- }
- "int2" => Content::Number(NumberContent::I64(I64::Range(RangeStep {
- low: 0,
- high: 1,
- step: 1,
- }))),
- "int4" => Content::Number(NumberContent::I64(I64::Range(RangeStep {
- low: 0,
- high: 1,
- step: 1,
- }))),
- "int8" => Content::Number(NumberContent::I64(I64::Range(RangeStep {
- low: 1,
- high: 1,
- step: 1,
- }))),
- "float4" => Content::Number(NumberContent::F64(F64::Range(RangeStep {
- low: 0.0,
- high: 1.0,
- step: 0.1, //todo
- }))),
- "float8" => Content::Number(NumberContent::F64(F64::Range(RangeStep {
- low: 0.0,
- high: 1.0,
- step: 0.1, //todo
- }))),
- "numeric" => Content::Number(NumberContent::F64(F64::Range(RangeStep {
- low: 0.0,
- high: 1.0,
- step: 0.1, //todo
- }))),
- "timestampz" => Content::String(StringContent::DateTime(DateTimeContent {
- format: "".to_string(), // todo
- type_: ChronoValueType::DateTime,
- begin: None,
- end: None,
- })),
- "timestamp" => Content::String(StringContent::DateTime(DateTimeContent {
- format: "".to_string(), // todo
- type_: ChronoValueType::NaiveDateTime,
- begin: None,
- end: None,
- })),
- "date" => Content::String(StringContent::DateTime(DateTimeContent {
- format: "%Y-%m-%d".to_string(),
- type_: ChronoValueType::NaiveDate,
- begin: None,
- end: None,
- })),
- "uuid" => Content::String(StringContent::Uuid(Uuid)),
- _ => unimplemented!("We haven't implemented a converter for {}", column.udt_name),
- };
-
- // This happens because an `optional` field in a Synth schema
- // won't show up as a key during generation. Whereas what we
- // want instead is a null field.
- if column.is_nullable {
- content = Content::OneOf(OneOfContent {
- variants: vec![
- VariantContent::new(content),
- VariantContent::new(Content::Null),
- ],
- })
- }
-
- FieldContent {
- optional: false,
- content: Box::new(content),
- }
- }
-}
diff --git a/synth/src/datasource/mod.rs b/synth/src/datasource/mod.rs
new file mode 100644
--- /dev/null
+++ b/synth/src/datasource/mod.rs
@@ -0,0 +1,23 @@
+use serde_json::Value;
+use anyhow::Result;
+use async_trait::async_trait;
+
+pub(crate) mod relational_datasource;
+pub(crate) mod postgres_datasource;
+pub(crate) mod mysql_datasource;
+
+/// This trait encompasses all data source types, whether it's SQL or No-SQL. APIs should be defined
+/// async when possible, delegating to the caller on how to handle it. Data source specific
+/// implementations should be defined within the implementing struct.
+#[async_trait]
+pub trait DataSource {
+ type ConnectParams;
+
+ fn new(connect_params: &Self::ConnectParams) -> Result<Self> where Self: Sized;
+
+ async fn insert_data(
+ &self,
+ collection_name: String,
+ collection: &[Value],
+ ) -> Result<()>;
+}
\ No newline at end of file
diff --git a/synth/src/datasource/mysql_datasource.rs b/synth/src/datasource/mysql_datasource.rs
new file mode 100644
--- /dev/null
+++ b/synth/src/datasource/mysql_datasource.rs
@@ -0,0 +1,319 @@
+use sqlx::{Pool, MySql, Row, Column, TypeInfo};
+use anyhow::{Result, Context};
+use crate::datasource::DataSource;
+use async_std::task;
+use sqlx::mysql::{MySqlPoolOptions, MySqlQueryResult, MySqlRow, MySqlColumn};
+use serde_json::{Value, Map, Number};
+use async_trait::async_trait;
+use crate::datasource::relational_datasource::{RelationalDataSource, ColumnInfo, PrimaryKey, ForeignKey, ValueWrapper};
+use std::prelude::rust_2015::Result::Ok;
+use std::convert::TryFrom;
+use synth_core::Content;
+use rust_decimal::Decimal;
+use rust_decimal::prelude::ToPrimitive;
+use synth_core::schema::{StringContent, RegexContent, NumberContent, RangeStep, DateTimeContent, ChronoValueType};
+use synth_core::schema::number_content::{I64, F64, U64};
+
+/// TODO
+/// Known issues:
+/// - MySql aliases bool and boolean data types as tinyint. We currently define all tinyint as i8.
+/// Ideally, the user can define a way to force certain fields as bool rather than i8.
+
+pub struct MySqlDataSource {
+ pool: Pool<MySql>,
+ connect_params: String
+}
+
+#[async_trait]
+impl DataSource for MySqlDataSource {
+ type ConnectParams = String;
+
+ fn new(connect_params: &Self::ConnectParams) -> Result<Self> {
+ task::block_on(async {
+ let pool = MySqlPoolOptions::new()
+ .max_connections(3) //TODO expose this as a user config?
+ .connect(connect_params.as_str())
+ .await?;
+
+ Ok::<Self, anyhow::Error>(MySqlDataSource {
+ pool,
+ connect_params: connect_params.to_string()
+ })
+ })
+ }
+
+ async fn insert_data(&self, collection_name: String, collection: &[Value]) -> Result<()> {
+ self.insert_relational_data(collection_name, collection).await.unwrap();
+ Ok(())
+ }
+}
+
+#[async_trait]
+impl RelationalDataSource for MySqlDataSource {
+ type QueryResult = MySqlQueryResult;
+
+ async fn execute_query(&self, query: String, query_params: Vec<&str>) -> Result<MySqlQueryResult> {
+ let mut query = sqlx::query(query.as_str());
+
+ for param in query_params {
+ query = query.bind(param);
+ }
+
+ let result = query
+ .execute(&self.pool)
+ .await?;
+
+ Ok(result)
+ }
+
+ fn get_catalog(&self) -> Result<&str> {
+ self.connect_params
+ .split('/')
+ .last()
+ .ok_or_else(|| anyhow!("No catalog specified in the uri"))
+ }
+
+ async fn get_table_names(&self) -> Result<Vec<String>> {
+ let query =
+ r"SELECT table_name FROM information_schema.tables
+ WHERE table_schema = ? and table_type = 'BASE TABLE'";
+
+ let table_names: Vec<String> = sqlx::query(query)
+ .bind(self.get_catalog()?)
+ .fetch_all(&self.pool)
+ .await?
+ .iter()
+ .map(|row| row.get::<String, usize>(0))
+ .collect();
+
+ Ok(table_names)
+ }
+
+ async fn get_columns_infos(&self, table_name: &str) -> Result<Vec<ColumnInfo>> {
+ let query =
+ r"SELECT column_name, ordinal_position, is_nullable, data_type,
+ character_maximum_length
+ FROM information_schema.columns
+ WHERE table_name = ? AND table_schema = ?";
+
+ let column_infos = sqlx::query(query)
+ .bind(table_name)
+ .bind(self.get_catalog()?)
+ .fetch_all(&self.pool)
+ .await?
+ .into_iter()
+ .map(ColumnInfo::try_from)
+ .collect::<Result<Vec<ColumnInfo>>>()?;
+
+ Ok(column_infos)
+ }
+
+ async fn get_primary_keys(&self, table_name: &str) -> Result<Vec<PrimaryKey>> {
+ let query: &str =
+ r"SELECT column_name, data_type
+ FROM information_schema.columns
+ WHERE table_schema = ? AND table_name = ? AND column_key = 'PRI'";
+
+ sqlx::query(query)
+ .bind(self.get_catalog()?)
+ .bind(table_name)
+ .fetch_all(&self.pool)
+ .await?
+ .into_iter()
+ .map(PrimaryKey::try_from)
+ .collect::<Result<Vec<PrimaryKey>>>()
+ }
+
+ async fn get_foreign_keys(&self) -> Result<Vec<ForeignKey>> {
+ let query: &str =
+ r"SELECT table_name, column_name, referenced_table_name, referenced_column_name
+ FROM information_schema.key_column_usage
+ WHERE referenced_table_schema = ?";
+
+ sqlx::query(query)
+ .bind(self.get_catalog()?)
+ .fetch_all(&self.pool)
+ .await?
+ .into_iter()
+ .map(ForeignKey::try_from)
+ .collect::<Result<Vec<ForeignKey>>>()
+ }
+
+ async fn set_seed(&self) -> Result<()> {
+ // MySql doesn't set seed in a separate query
+ Ok(())
+ }
+
+ async fn get_deterministic_samples(&self, table_name: &str) -> Result<Vec<Value>> {
+ let query: &str = &format!("SELECT * FROM {} ORDER BY rand(0.5) LIMIT 10", table_name);
+
+ let values = sqlx::query(query)
+ .fetch_all(&self.pool)
+ .await?
+ .into_iter()
+ .map(ValueWrapper::try_from)
+ .map(|v| {
+ match v {
+ Ok(wrapper) => Ok(wrapper.0),
+ Err(e) => bail!("Failed to convert to value wrapper from query results: {:?}", e)
+ }
+ })
+ .collect::<Result<Vec<Value>>>()?;
+
+ Ok(values)
+ }
+
+ fn decode_to_content(&self, data_type: &str, char_max_len: Option<i32>) -> Result<Content> {
+ let content = match data_type.to_lowercase().as_str() {
+ "char" | "varchar" | "text" | "binary" | "varbinary" | "enum" | "set" => {
+ let pattern = "[a-zA-Z0-9]{0, {}}".replace(
+ "{}",
+ &format!("{}", char_max_len.unwrap_or(1)),
+ );
+ Content::String(StringContent::Pattern(
+ RegexContent::pattern(pattern).context("pattern will always compile")?,
+ ))
+ },
+ "int" | "integer" | "tinyint" | "smallint" | "mediumint" | "bigint" =>
+ Content::Number(NumberContent::I64(I64::Range(RangeStep {
+ low: 0,
+ high: 1,
+ step: 1,
+ }))),
+ "serial" => Content::Number(NumberContent::U64(U64::Range(RangeStep {
+ low: 0,
+ high: 1,
+ step: 1,
+ }))),
+ "float" | "double" | "numeric" | "decimal" =>
+ Content::Number(NumberContent::F64(F64::Range(RangeStep {
+ low: 0.0,
+ high: 1.0,
+ step: 0.1, //todo
+ }))),
+ "timestamp" => Content::String(StringContent::DateTime(DateTimeContent {
+ format: "".to_string(), // todo
+ type_: ChronoValueType::NaiveDateTime,
+ begin: None,
+ end: None,
+ })),
+ "date" => Content::String(StringContent::DateTime(DateTimeContent {
+ format: "%Y-%m-%d".to_string(),
+ type_: ChronoValueType::NaiveDate,
+ begin: None,
+ end: None,
+ })),
+ "datetime" => Content::String(StringContent::DateTime(DateTimeContent {
+ format: "%Y-%m-%d %H:%M:%S".to_string(),
+ type_: ChronoValueType::NaiveDateTime,
+ begin: None,
+ end: None,
+ })),
+ "time" => Content::String(StringContent::DateTime(DateTimeContent {
+ format: "%H:%M:%S".to_string(),
+ type_: ChronoValueType::NaiveTime,
+ begin: None,
+ end: None,
+ })),
+ _ => bail!("We haven't implemented a converter for {}", data_type),
+ };
+
+ Ok(content)
+ }
+}
+
+impl TryFrom<MySqlRow> for ColumnInfo {
+ type Error = anyhow::Error;
+
+ fn try_from(row: MySqlRow) -> Result<Self, Self::Error> {
+ Ok(ColumnInfo {
+ column_name: row.try_get::<String, usize>(0)?,
+ ordinal_position: row.try_get::<u32, usize>(1)? as i32,
+ is_nullable: row.try_get::<String, usize>(2)? == *"YES",
+ data_type: row.try_get::<String, usize>(3)?,
+ character_maximum_length: row.try_get::<Option<i32>, usize>(4)?,
+ })
+ }
+}
+
+impl TryFrom<MySqlRow> for PrimaryKey {
+ type Error = anyhow::Error;
+
+ fn try_from(row: MySqlRow) -> Result<Self, Self::Error> {
+ Ok(PrimaryKey {
+ column_name: row.try_get::<String, usize>(0)?,
+ type_name: row.try_get::<String, usize>(1)?,
+ })
+ }
+}
+
+impl TryFrom<MySqlRow> for ForeignKey {
+ type Error = anyhow::Error;
+
+ fn try_from(row: MySqlRow) -> Result<Self, Self::Error> {
+ Ok(ForeignKey {
+ from_table: row.try_get::<String, usize>(0)?,
+ from_column: row.try_get::<String, usize>(1)?,
+ to_table: row.try_get::<String, usize>(2)?,
+ to_column: row.try_get::<String, usize>(3)?
+ })
+ }
+}
+
+impl TryFrom<MySqlRow> for ValueWrapper {
+ type Error = anyhow::Error;
+
+ fn try_from(row: MySqlRow) -> Result<Self, Self::Error> {
+ let mut json_kv = Map::new();
+
+ for column in row.columns() {
+ let value = try_match_value(&row, column).unwrap_or(Value::Null);
+ json_kv.insert(column.name().to_string(), value);
+ }
+
+ Ok(ValueWrapper(Value::Object(json_kv)))
+ }
+}
+
+fn try_match_value(row: &MySqlRow, column: &MySqlColumn) -> Result<Value> {
+ let value = match column.type_info().name().to_lowercase().as_str() {
+ "char" | "varchar" | "text" | "binary" | "varbinary" | "enum" | "set" => {
+ Value::String(row.try_get::<String, &str>(column.name())?)
+ }
+ "tinyint" => Value::Number(Number::from(row.try_get::<i8, &str>(column.name())?)),
+ "smallint" => Value::Number(Number::from(row.try_get::<i16, &str>(column.name())?)),
+ "mediumint" | "int" | "integer" => Value::Number(Number::from(row.try_get::<i32, &str>(column.name())?)),
+ "bigint" => Value::Number(Number::from(row.try_get::<i64, &str>(column.name())?)),
+ "serial" => Value::Number(Number::from(row.try_get::<u64, &str>(column.name())?)),
+ "float" => Value::Number(Number::from_f64(row.try_get::<f32, &str>(column.name())? as f64)
+ .ok_or(anyhow!("Failed to convert float data type"))?),
+ "double" => Value::Number(Number::from_f64(row.try_get::<f64, &str>(column.name())?)
+ .ok_or(anyhow!("Failed to convert double data type"))?),
+ "numeric" | "decimal" => {
+ let as_decimal = row.try_get::<Decimal, &str>(column.name())?;
+
+ if let Some(truncated) = as_decimal.to_f64() {
+ if let Some(json_number) = Number::from_f64(truncated) {
+ return Ok(Value::Number(json_number));
+ }
+ }
+
+ bail!("Failed to convert Postgresql numeric data type to 64 bit float")
+ }
+ "timestamp" => Value::String(
+ row.try_get::<String, &str>(column.name())?),
+ "date" => Value::String(format!("{}", row.try_get::<chrono::NaiveDate, &str>(column.name())?)),
+ "datetime" => Value::String(
+ format!("{}", row.try_get::<chrono::NaiveDateTime, &str>(column.name())?)),
+ "time" => Value::String(
+ format!("{}", row.try_get::<chrono::NaiveTime, &str>(column.name())?)),
+ _ => {
+ bail!(
+ "Could not convert value. Converter not implemented for {}",
+ column.type_info().name()
+ );
+ }
+ };
+
+ Ok(value)
+}
\ No newline at end of file
diff --git a/synth/src/datasource/postgres_datasource.rs b/synth/src/datasource/postgres_datasource.rs
new file mode 100644
--- /dev/null
+++ b/synth/src/datasource/postgres_datasource.rs
@@ -0,0 +1,336 @@
+use crate::datasource::DataSource;
+use anyhow::{Result, Context};
+use crate::datasource::relational_datasource::{RelationalDataSource, ColumnInfo, PrimaryKey, ForeignKey, ValueWrapper};
+use sqlx::{Pool, Postgres, Row, Column, TypeInfo};
+use sqlx::postgres::{PgPoolOptions, PgQueryResult, PgRow, PgColumn};
+use serde_json::{Value, Map, Number};
+use async_std::task;
+use async_trait::async_trait;
+use std::convert::TryFrom;
+use rust_decimal::Decimal;
+use rust_decimal::prelude::ToPrimitive;
+use synth_core::Content;
+use synth_core::schema::{BoolContent, StringContent, RegexContent, NumberContent, RangeStep, DateTimeContent, ChronoValueType, Uuid};
+use synth_core::schema::number_content::{I64, F64};
+
+pub struct PostgresDataSource {
+ pool: Pool<Postgres>,
+ single_thread_pool: Pool<Postgres>,
+ connect_params: String
+}
+
+#[async_trait]
+impl DataSource for PostgresDataSource {
+ type ConnectParams = String;
+
+ fn new(connect_params: &Self::ConnectParams) -> Result<Self> {
+ task::block_on(async {
+ let pool = PgPoolOptions::new()
+ .max_connections(3) //TODO expose this as a user config?
+ .connect(connect_params.as_str())
+ .await?;
+
+ // Needed for queries that require explicit synchronous order, i.e. setseed + random
+ let single_thread_pool = PgPoolOptions::new()
+ .max_connections(1)
+ .connect(connect_params.as_str())
+ .await?;
+
+ Ok::<Self, anyhow::Error>(PostgresDataSource {
+ pool,
+ single_thread_pool,
+ connect_params: connect_params.to_string()
+ })
+ })
+ }
+
+ async fn insert_data(&self, collection_name: String, collection: &[Value]) -> Result<()> {
+ self.insert_relational_data(collection_name, collection).await.unwrap();
+ Ok(())
+ }
+}
+
+#[async_trait]
+impl RelationalDataSource for PostgresDataSource {
+ type QueryResult = PgQueryResult;
+
+ async fn execute_query(&self, query: String, query_params: Vec<&str>) -> Result<PgQueryResult> {
+ let mut query = sqlx::query(query.as_str());
+
+ for param in query_params {
+ query = query.bind(param);
+ }
+
+ let result = query
+ .execute(&self.pool)
+ .await?;
+
+ Ok(result)
+ }
+
+ fn get_catalog(&self) -> Result<&str> {
+ self.connect_params
+ .split('/')
+ .last()
+ .ok_or_else(|| anyhow!("No catalog specified in the uri"))
+ }
+
+ async fn get_table_names(&self) -> Result<Vec<String>> {
+ let query = r"SELECT table_name
+ FROM information_schema.tables
+ WHERE table_catalog = $1 AND table_schema = 'public' AND table_type = 'BASE TABLE'";
+
+ sqlx::query(query)
+ .bind(self.get_catalog()?)
+ .fetch_all(&self.pool)
+ .await?
+ .iter()
+ .map(|row| row.try_get::<String, usize>(0).map_err(|e| anyhow!("{:?}", e)))
+ .collect()
+ }
+
+ async fn get_columns_infos(&self, table_name: &str) -> Result<Vec<ColumnInfo>> {
+ let query = r"SELECT column_name, ordinal_position, is_nullable, udt_name,
+ character_maximum_length
+ FROM information_schema.columns
+ WHERE table_name = $1 AND table_catalog = $2";
+
+ sqlx::query(query)
+ .bind(table_name)
+ .bind(self.get_catalog()?)
+ .fetch_all(&self.pool)
+ .await?
+ .into_iter()
+ .map(ColumnInfo::try_from)
+ .collect::<Result<Vec<ColumnInfo>>>()
+ }
+
+ async fn get_primary_keys(&self, table_name: &str) -> Result<Vec<PrimaryKey>> {
+ // Unfortunately cannot use parameterised queries here
+ let query: &str = &format!(
+ r"SELECT a.attname, format_type(a.atttypid, a.atttypmod) AS data_type
+ FROM pg_index i
+ JOIN pg_attribute a ON a.attrelid = i.indrelid AND a.attnum = ANY(i.indkey)
+ WHERE i.indrelid = '{}'::regclass AND i.indisprimary",
+ &table_name
+ );
+
+ sqlx::query(query)
+ .fetch_all(&self.pool)
+ .await?
+ .into_iter()
+ .map(PrimaryKey::try_from)
+ .collect::<Result<Vec<PrimaryKey>>>()
+ }
+
+ async fn get_foreign_keys(&self) -> Result<Vec<ForeignKey>> {
+ let query: &str =
+ r"SELECT tc.table_name, kcu.column_name, ccu.table_name AS foreign_table_name,
+ ccu.column_name AS foreign_column_name
+ FROM information_schema.table_constraints AS tc
+ JOIN information_schema.key_column_usage AS kcu
+ ON tc.constraint_name = kcu.constraint_name
+ JOIN information_schema.constraint_column_usage AS ccu
+ ON ccu.constraint_name = tc.constraint_name
+ WHERE constraint_type = 'FOREIGN KEY'";
+
+ sqlx::query(query)
+ .fetch_all(&self.pool)
+ .await?
+ .into_iter()
+ .map(ForeignKey::try_from)
+ .collect::<Result<Vec<ForeignKey>>>()
+ }
+
+ /// Must use the singled threaded pool when setting this in conjunction with random, called by
+ /// [get_deterministic_samples]. Otherwise, expect endless facepalms (-_Q)
+ async fn set_seed(&self) -> Result<()> {
+ sqlx::query("SELECT setseed(0.5)").execute(&self.single_thread_pool).await?;
+ Ok(())
+ }
+
+ /// Must use the singled threaded pool when setting this in conjunction with setseed, called by
+ /// [set_seed]. Otherwise, expect big regrets :(
+ async fn get_deterministic_samples(&self, table_name: &str) -> Result<Vec<Value>> {
+ let query: &str = &format!("SELECT * FROM {} ORDER BY random() LIMIT 10", table_name);
+
+ let values = sqlx::query(query)
+ .fetch_all(&self.single_thread_pool)
+ .await?
+ .into_iter()
+ .map(ValueWrapper::try_from)
+ .map(|v| {
+ match v {
+ Ok(wrapper) => Ok(wrapper.0),
+ Err(e) => bail!("Failed to convert to value wrapper from query results: {:?}", e)
+ }
+ })
+ .collect::<Result<Vec<Value>>>()?;
+
+ Ok(values)
+ }
+
+ fn decode_to_content(&self, data_type: &str, char_max_len: Option<i32>) -> Result<Content> {
+ let content = match data_type.to_lowercase().as_str() {
+ "bool" => Content::Bool(BoolContent::default()),
+ "oid" => {
+ bail!("OID data type not supported")
+ }
+ "char" | "varchar" | "text" | "bpchar" | "name" | "unknown" => {
+ let pattern = "[a-zA-Z0-9]{0, {}}".replace(
+ "{}",
+ &format!("{}", char_max_len.unwrap_or(1)),
+ );
+ Content::String(StringContent::Pattern(
+ RegexContent::pattern(pattern).context("pattern will always compile")?,
+ ))
+ }
+ "int2" => Content::Number(NumberContent::I64(I64::Range(RangeStep {
+ low: 0,
+ high: 1,
+ step: 1,
+ }))),
+ "int4" => Content::Number(NumberContent::I64(I64::Range(RangeStep {
+ low: 0,
+ high: 1,
+ step: 1,
+ }))),
+ "int8" => Content::Number(NumberContent::I64(I64::Range(RangeStep {
+ low: 0,
+ high: 1,
+ step: 1,
+ }))),
+ "float4" => Content::Number(NumberContent::F64(F64::Range(RangeStep {
+ low: 0.0,
+ high: 1.0,
+ step: 0.1, //todo
+ }))),
+ "float8" => Content::Number(NumberContent::F64(F64::Range(RangeStep {
+ low: 0.0,
+ high: 1.0,
+ step: 0.1, //todo
+ }))),
+ "numeric" => Content::Number(NumberContent::F64(F64::Range(RangeStep {
+ low: 0.0,
+ high: 1.0,
+ step: 0.1, //todo
+ }))),
+ "timestampz" => Content::String(StringContent::DateTime(DateTimeContent {
+ format: "".to_string(), // todo
+ type_: ChronoValueType::DateTime,
+ begin: None,
+ end: None,
+ })),
+ "timestamp" => Content::String(StringContent::DateTime(DateTimeContent {
+ format: "".to_string(), // todo
+ type_: ChronoValueType::NaiveDateTime,
+ begin: None,
+ end: None,
+ })),
+ "date" => Content::String(StringContent::DateTime(DateTimeContent {
+ format: "%Y-%m-%d".to_string(),
+ type_: ChronoValueType::NaiveDate,
+ begin: None,
+ end: None,
+ })),
+ "uuid" => Content::String(StringContent::Uuid(Uuid)),
+ _ => bail!("We haven't implemented a converter for {}", data_type),
+ };
+
+ Ok(content)
+ }
+}
+
+impl TryFrom<PgRow> for ColumnInfo {
+ type Error = anyhow::Error;
+
+ fn try_from(row: PgRow) -> Result<Self, Self::Error> {
+ Ok(ColumnInfo {
+ column_name: row.try_get::<String, usize>(0)?,
+ ordinal_position: row.try_get::<i32, usize>(1)?,
+ is_nullable: row.try_get::<String, usize>(2)? == *"YES",
+ data_type: row.try_get::<String, usize>(3)?,
+ character_maximum_length: row.try_get::<Option<i32>, usize>(4)?,
+ })
+ }
+}
+
+impl TryFrom<PgRow> for PrimaryKey {
+ type Error = anyhow::Error;
+
+ fn try_from(row: PgRow) -> Result<Self, Self::Error> {
+ Ok(PrimaryKey {
+ column_name: row.try_get::<String, usize>(0)?,
+ type_name: row.try_get::<String, usize>(1)?,
+ })
+ }
+}
+
+impl TryFrom<PgRow> for ForeignKey {
+ type Error = anyhow::Error;
+
+ fn try_from(row: PgRow) -> Result<Self, Self::Error> {
+ Ok(ForeignKey {
+ from_table: row.try_get::<String, usize>(0)?,
+ from_column: row.try_get::<String, usize>(1)?,
+ to_table: row.try_get::<String, usize>(2)?,
+ to_column: row.try_get::<String, usize>(3)?
+ })
+ }
+}
+
+impl TryFrom<PgRow> for ValueWrapper {
+ type Error = anyhow::Error;
+
+ fn try_from(row: PgRow) -> Result<Self, Self::Error> {
+ let mut json_kv = Map::new();
+
+ for column in row.columns() {
+ let value = try_match_value(&row, column).unwrap_or(Value::Null);
+ json_kv.insert(column.name().to_string(), value);
+ }
+
+ Ok(ValueWrapper(Value::Object(json_kv)))
+ }
+}
+
+fn try_match_value(row: &PgRow, column: &PgColumn) -> Result<Value> {
+ let value = match column.type_info().name().to_lowercase().as_str() {
+ "bool" => Value::Bool(row.try_get::<bool, &str>(column.name())?),
+ "oid" => {
+ bail!("OID data type not supported for Postgresql")
+ }
+ "char" | "varchar" | "text" | "bpchar" | "name" | "unknown" => {
+ Value::String(row.try_get::<String, &str>(column.name())?)
+ }
+ "int2" => Value::Number(Number::from(row.try_get::<i16, &str>(column.name())?)),
+ "int4" => Value::Number(Number::from(row.try_get::<i32, &str>(column.name())?)),
+ "int8" => Value::Number(Number::from(row.try_get::<i64, &str>(column.name())?)),
+ "float4" => Value::Number(Number::from_f64(row.try_get::<f32, &str>(column.name())? as f64)
+ .ok_or(anyhow!("Failed to convert float4 data type"))?), // TODO test f32, f64
+ "float8" => Value::Number(Number::from_f64(row.try_get::<f64, &str>(column.name())?)
+ .ok_or(anyhow!("Failed to convert float8 data type"))?),
+ "numeric" => {
+ let as_decimal = row.try_get::<Decimal, &str>(column.name())?;
+
+ if let Some(truncated) = as_decimal.to_f64() {
+ if let Some(json_number) = Number::from_f64(truncated) {
+ return Ok(Value::Number(json_number));
+ }
+ }
+
+ bail!("Failed to convert Postgresql numeric data type to 64 bit float")
+ }
+ "timestampz" => Value::String(row.try_get::<String, &str>(column.name())?),
+ "timestamp" => Value::String(row.try_get::<String, &str>(column.name())?),
+ "date" => Value::String(format!("{}", row.try_get::<chrono::NaiveDate, &str>(column.name())?)),
+ _ => {
+ bail!(
+ "Could not convert value. Converter not implemented for {}",
+ column.type_info().name()
+ );
+ }
+ };
+
+ Ok(value)
+}
\ No newline at end of file
diff --git a/synth/src/datasource/relational_datasource.rs b/synth/src/datasource/relational_datasource.rs
new file mode 100644
--- /dev/null
+++ b/synth/src/datasource/relational_datasource.rs
@@ -0,0 +1,130 @@
+use crate::datasource::DataSource;
+use serde_json::Value;
+use anyhow::{Result};
+use async_trait::async_trait;
+use futures::future::join_all;
+use beau_collector::BeauCollector;
+use synth_core::Content;
+
+const DEFAULT_INSERT_BATCH_SIZE: usize = 1000;
+
+#[derive(Debug)]
+pub struct ColumnInfo {
+ pub(crate) column_name: String,
+ pub(crate) ordinal_position: i32,
+ pub(crate) is_nullable: bool,
+ pub(crate) data_type: String,
+ pub(crate) character_maximum_length: Option<i32>,
+}
+
+#[derive(Debug)]
+pub struct PrimaryKey {
+ pub(crate) column_name: String,
+ pub(crate) type_name: String,
+}
+
+#[derive(Debug)]
+pub struct ForeignKey {
+ pub(crate) from_table: String,
+ pub(crate) from_column: String,
+ pub(crate) to_table: String,
+ pub(crate) to_column: String,
+}
+
+/// Wrapper around `Value` since we can't impl `TryFrom` on a struct in a non-owned crate
+#[derive(Debug)]
+pub struct ValueWrapper(pub(crate) Value);
+
+/// All relational databases should define this trait and implement database specific queries in
+/// their own impl. APIs should be defined async when possible, delegating to the caller on how to
+/// handle it.
+#[async_trait]
+pub trait RelationalDataSource : DataSource {
+ type QueryResult: Send + Sync;
+
+ async fn insert_relational_data(&self, collection_name: String, collection: &[Value]) -> Result<()> {
+ // how to to ordering here?
+ // If we have foreign key constraints we need to traverse the tree and
+ // figure out insertion order
+ // We basically need something like an InsertionStrategy where we have a DAG of insertions
+ let batch_size = DEFAULT_INSERT_BATCH_SIZE;
+
+ if collection.is_empty() {
+ println!(
+ "Collection {} generated 0 values. Skipping insertion...",
+ collection_name
+ );
+ return Ok(());
+ }
+
+ let column_names = collection
+ .get(0)
+ .expect("Explicit check is done above that this collection is non-empty")
+ .as_object()
+ .expect("This is always an object (sampler contract)")
+ .keys()
+ .cloned()
+ .collect::<Vec<String>>()
+ .join(",");
+
+ let mut futures = vec![];
+
+ for rows in collection.chunks(batch_size) {
+ let mut query = format!(
+ "INSERT INTO {} ({}) VALUES \n",
+ collection_name, column_names
+ );
+
+ for (i, row) in rows.iter().enumerate() {
+ let row_obj = row
+ .as_object()
+ .expect("This is always an object (sampler contract)");
+
+ let values = row_obj
+ .values()
+ .map(|v| v.to_string().replace("'", "''")) // two single quotes are the standard way to escape double quotes
+ .map(|v| v.replace("\"", "'")) // values in the object have quotes around them by default.
+ .collect::<Vec<String>>()
+ .join(",");
+
+ // We should be using some form of a prepared statement here.
+ // It is not clear how this would work for our batch inserts...
+ if i == rows.len() - 1 {
+ query.push_str(&format!("({});\n", values));
+ } else {
+ query.push_str(&format!("({}),\n", values));
+ }
+ }
+
+ let future = self.execute_query(query, vec![]);
+ futures.push(future);
+ }
+
+ let results: Vec<Result<Self::QueryResult>> = join_all(futures).await;
+
+ if let Err(e) = results.into_iter().bcollect::<Vec<Self::QueryResult>>() {
+ bail!("One or more database inserts failed: {:?}", e)
+ }
+
+ println!("Inserted {} rows...", collection.len());
+ Ok(())
+ }
+
+ async fn execute_query(&self, query: String, query_params: Vec<&str>) -> Result<Self::QueryResult>;
+
+ fn get_catalog(&self) -> Result<&str>;
+
+ async fn get_table_names(&self) -> Result<Vec<String>>;
+
+ async fn get_columns_infos(&self, table_name: &str) -> Result<Vec<ColumnInfo>>;
+
+ async fn get_primary_keys(&self, table_name: &str) -> Result<Vec<PrimaryKey>>;
+
+ async fn get_foreign_keys(&self) -> Result<Vec<ForeignKey>>;
+
+ async fn set_seed(&self) -> Result<()>;
+
+ async fn get_deterministic_samples(&self, table_name: &str) -> Result<Vec<Value>>;
+
+ fn decode_to_content(&self, data_type: &str, _char_max_len: Option<i32>) -> Result<Content>;
+}
\ No newline at end of file
diff --git a/synth/src/lib.rs b/synth/src/lib.rs
--- a/synth/src/lib.rs
+++ b/synth/src/lib.rs
@@ -61,6 +61,7 @@ use crate::cli::CliArgs;
mod sampler;
pub mod store;
+mod datasource;
include!(concat!(env!("OUT_DIR"), "/meta.rs"));
diff --git a/tools/vagrant/README.md b/tools/vagrant/README.md
new file mode 100644
--- /dev/null
+++ b/tools/vagrant/README.md
@@ -0,0 +1,32 @@
+Sanbox Dev and Testing with Vagrant
+====================================
+
+This directory contains `Vagrantfile`s that define VMs that can be used to set up a development or testing environment
+for synth on different platforms. Vagrant is very simple to spin up and great for running in a repeatable OS
+environment.
+
+The `Vagrantfile` will install all rust dependencies to build and install `synth` from source. Docker is also installed,
+as it's convenient for running database services. Note: switch user to root after `vagrant ssh` since the rust and
+synth tools are installed under root.
+
+Two source environments are available on the VM:
+
+- `/synth` is a synced folder to your local synth source and modifications there will reflect in your local source.
+- `/synth-sandbox` is a copy of the synth source and modifications are not persisted after the VM is destroyed.
+
+# Requirements
+
+- Virtual box
+- Vagrant
+
+# Common Commands
+
+Make sure you are in the directory with the `Vagrantfile` before executing vagrant. These command need to be run in the
+vagrant directory:
+
+- Init/start the vagrant VM: `vagrant up`
+- Stop the VM: `vagrant suspend`
+- Destroy the VM completely: `vagrant destroy`
+- Open a ssh session to the VM: `vagrant ssh`
+- Start a remote desktop session: `vagrant rdp` (windows)
+- Send a file to the VM: `vagrant upload`
diff --git a/tools/vagrant/linux/ubuntu/Vagrantfile b/tools/vagrant/linux/ubuntu/Vagrantfile
new file mode 100644
--- /dev/null
+++ b/tools/vagrant/linux/ubuntu/Vagrantfile
@@ -0,0 +1,44 @@
+PROJECT_SRC_DIR = "/synth"
+PROJECT_SRC_SANDBOX_DIR = "/synth-sandbox"
+
+Vagrant.configure("2") do |config|
+ config.vm.box = "ubuntu/focal64"
+
+ config.vm.provider :virtualbox do |v, override|
+ v.customize ["modifyvm", :id, "--memory", "4096"]
+ v.customize ["modifyvm", :id, "--cpus", "2"]
+ v.customize ["modifyvm", :id, "--vram", 32]
+ v.customize ["modifyvm", :id, "--natdnshostresolver1", "on"]
+ v.customize ["modifyvm", :id, "--audio", "none"]
+ v.customize ["modifyvm", :id, "--clipboard", "bidirectional"]
+ v.customize ["modifyvm", :id, "--draganddrop", "hosttoguest"]
+ v.customize ["modifyvm", :id, "--usb", "off"]
+ v.linked_clone = true if Vagrant::VERSION >= '1.8.0'
+ end
+
+ config.vm.network "private_network", type: "dhcp"
+
+ config.vm.synced_folder "../../../../", PROJECT_SRC_DIR
+ config.vm.provision "shell", :args => [PROJECT_SRC_DIR, PROJECT_SRC_SANDBOX_DIR], privileged: true, inline: <<-SHELL
+ cp -r $1 $2
+ chmod -R a+rw $2
+ curl --proto '=https' --tlsv1.2 -sSf https://sh.rustup.rs | sh -s -- -y
+ apt-get update
+ apt-get install -y build-essential pkg-config libssl-dev jq
+ source ~/.profile
+ rustup toolchain install nightly-2021-05-17
+ cd $2
+ /root/.cargo/bin/cargo +nightly-2021-05-17 install --debug --path=synth
+ SHELL
+
+# Install Docker
+ config.vm.provision "shell", privileged: true, inline: <<-SHELL
+ apt-get install -y apt-transport-https ca-certificates curl gnupg lsb-release
+ curl -fsSL https://download.docker.com/linux/ubuntu/gpg | sudo gpg --dearmor -o /usr/share/keyrings/docker-archive-keyring.gpg
+ echo "deb [arch=amd64 signed-by=/usr/share/keyrings/docker-archive-keyring.gpg] https://download.docker.com/linux/ubuntu \
+ $(lsb_release -cs) stable" | sudo tee /etc/apt/sources.list.d/docker.list > /dev/null
+ apt-get update
+ apt-get install -y docker-ce docker-ce-cli containerd.io
+ SHELL
+
+end
|
diff --git a/synth/testing_harness/mysql/0_hospital_schema.sql b/synth/testing_harness/mysql/0_hospital_schema.sql
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mysql/0_hospital_schema.sql
@@ -0,0 +1,31 @@
+drop table if exists hospitals;
+
+create table hospitals
+(
+ id int primary key,
+ hospital_name varchar(255),
+ address varchar(255)
+);
+
+drop table if exists doctors;
+
+create table doctors
+(
+ id int primary key,
+ hospital_id int,
+ name varchar(255),
+ date_joined date
+);
+
+drop table if exists patients;
+
+create table patients
+(
+ id int primary key,
+ doctor_id int,
+ name varchar(255),
+ date_joined date,
+ address varchar(255),
+ phone varchar(20),
+ ssn varchar(12)
+);
\ No newline at end of file
diff --git a/synth/testing_harness/mysql/1_hospital_data.sql b/synth/testing_harness/mysql/1_hospital_data.sql
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mysql/1_hospital_data.sql
@@ -0,0 +1,122 @@
+-- Hospitals
+
+INSERT INTO hospitals (id,hospital_name,address) VALUES
+(1,'Garcia-Washington','194 Davis Ferry Suite 232\nJenningsmouth, NV 83701'),
+(2,'Cruz, Bowman and Martinez','1938 Key Wall\nMartinshire, OR 24041'),
+(3,'Bishop, Hartman and Zuniga','574 Snyder Crossing\nPort Christineland, VT 37567'),
+(4,'Maxwell-Garcia','328 Williams Coves\nSmithside, HI 71878'),
+(5,'Potter-Lindsey','5737 Carmen Trace Suite 312\nSouth Evelyn, WY 40089'),
+(6,'Nielsen-Sanchez','70964 Carrillo Burg\nSouth Karichester, ID 67549'),
+(7,'Burch-Daniels','Unit 4839 Box 1083\nDPO AA 25986'),
+(8,'Marshall, Anderson and Jarvis','51322 Joseph Park\nMelissaton, AZ 67575'),
+(9,'Nelson-Jones','8068 David Turnpike\nDelgadoside, FL 82542'),
+(10,'Hall, Wells and Salas','5280 Kelley Crossroad Apt. 574\nLake Davidfort, CT 94005'),
+(11,'Hardy-Obrien','19920 Brian Curve Suite 711\nThompsonville, KY 89805'),
+(12,'Ayala LLC','0079 Michelle Skyway Suite 179\nPort Tony, CA 48596'),
+(13,'Hale-Padilla','19876 Carroll Flats\nClaytonbury, IA 94229'),
+(14,'Jones Inc','82451 Anita Rue Suite 317\nJustintown, WI 30269');
+
+-- Doctors
+
+INSERT INTO doctors (id,hospital_id,name,date_joined) VALUES
+(1,1,'Bonnie Johnson','2011-05-25'),
+(2,2,'Ian Garrett','2019-03-30'),
+(3,1,'Brittney Rowe','2015-01-12'),
+(4,3,'Mary Pierce','2019-07-05'),
+(5,4,'Cynthia Mendoza','2011-05-16'),
+(6,3,'Raymond Bates','2015-01-06'),
+(7,5,'Connie Johnson','2019-09-14'),
+(8,6,'Maria Rowland','2011-09-04'),
+(9,5,'Nicole Taylor','2016-01-27'),
+(10,7,'Kenneth Sweeney','2015-11-22'),
+(11,8,'Patrick Adams','2017-06-27'),
+(12,7,'Shannon Smith','2017-06-13'),
+(13,9,'Sydney Walker','2014-07-23'),
+(14,10,'Tracy Simon','2015-06-18'),
+(15,9,'Mark Harris','2010-11-07'),
+(16,11,'Mary Wilson','2012-01-29'),
+(17,12,'Danny White','2012-08-12'),
+(18,11,'Ashley Manning','2017-01-08'),
+(19,13,'Kristine Montgomery','2017-05-22'),
+(20,14,'Joshua Ford','2018-07-29'),
+(21,13,'Jason Payne','2016-03-03');
+
+-- Patients
+
+INSERT INTO patients (id,doctor_id,name,date_joined,address,phone,ssn) VALUES
+(1,1,'Thomas Dixon','2010-02-24','Studio 6\nCross lock\nEmilyside\nS2E 5RY','(0114)4960562','145-94-5022'),
+(2,2,'Anthony Morales','2013-07-06','Flat 52D\nAkhtar overpass\nNew Bernardshire\nLN8 1RE','+441154960433','812-01-4209'),
+(3,3,'Curtis West','2010-05-06','6 Fox roads\nSouth Martynchester\nHS3W 1TT','(0116) 496 0076','548-03-1303'),
+(4,1,'Nicholas Ryan','2010-10-31','90 Grace radial\nEast Terenceside\nRH87 6GH','(028) 9018 0291','504-87-6136'),
+(5,2,'Kristy Rodriguez','2017-08-27','035 Oliver forks\nThompsonborough\nB6 2NE','(0808)1570377','689-22-2477'),
+(6,3,'Tracy Pacheco','2011-12-28','Studio 52\nDorothy tunnel\nMartinstad\nRH69 3AA','(0121)4960038','431-83-7953'),
+(7,1,'Tracy Stevens','2010-10-17','Flat 74\nAndrew manor\nDianaland\nMK5A 2ZT','01632 960167','552-39-8225'),
+(8,2,'Thomas Scott','2012-01-04','Flat 26q\nPowell manor\nBarrymouth\nM2 0QU','01184960712','151-56-5875'),
+(9,3,'Tammy Charles','2013-10-23','798 Jenkins harbor\nNorth Jeremy\nIG49 7YS','+44161 496 0324','474-29-4412'),
+(10,1,'Jeanette Nichols','2010-04-06','3 Valerie tunnel\nNorth Colin\nSA2N 2QR','+44113 496 0050','378-64-1750');
+INSERT INTO patients (id,doctor_id,name,date_joined,address,phone,ssn) VALUES
+(11,4,'Brett White','2010-11-13','Studio 31\nHughes mountains\nEast Norman\nTS23 7JW','+44909 8790083','548-42-7713'),
+(12,5,'Raymond Rodriguez','2017-06-10','Studio 23a\nSam turnpike\nEmmaview\nOX3P 1DN','+44(0)909 8790659','079-84-1510'),
+(13,6,'Lisa Johnson','2018-12-12','Flat 7\nRachel hill\nJenniferfurt\nG2 0QD','(0161)4960608','865-55-3656'),
+(14,4,'Christopher Gilbert','2010-12-29','Studio 0\nJulie motorway\nWatersville\nEN98 4SJ','(0808)1570048','121-28-3435'),
+(15,5,'Dr. Evan Garcia','2012-02-11','688 Glenn cliff\nAmberton\nN0 4PZ','(0161) 4960368','159-49-5330'),
+(16,6,'Christine Phillips','2012-07-06','2 Damian lights\nReecemouth\nMK15 1JQ','+44(0)117 4960500','725-75-1763'),
+(17,4,'Joseph Stone','2011-12-10','203 Rachael union\nJeanmouth\nG07 8DA','+44121 4960898','839-95-0445'),
+(18,5,'Donald Ford','2013-12-29','064 Glover forges\nNorth Philipport\nL88 8QU','01144960306','197-85-6864'),
+(19,6,'Robert Mayer','2017-03-30','Studio 91n\nLambert squares\nBrownside\nB6 9YP','01174960906','696-18-2664'),
+(20,4,'Deborah Watkins','2011-01-19','0 Paul port\nNorth Benjamin\nL7 0ZX','+44117 4960736','862-01-7079');
+INSERT INTO patients (id,doctor_id,name,date_joined,address,phone,ssn) VALUES
+(21,7,'Hannah Kelly','2018-01-17','66 Billy turnpike\nNorth Melissa\nAL34 2RG','(0113) 4960268','388-46-1305'),
+(22,8,'Jesus Davis','2014-11-28','0 Taylor path\nNorth Judithville\nSY6 8SA','+44116 496 0687','020-44-4656'),
+(23,9,'Tammy Green','2015-08-06','5 Thomas mountain\nSouth Callumland\nE9C 0LQ','+44306 999 0527','086-87-2967'),
+(24,7,'Gina Hunt','2014-09-15','59 Gordon bridge\nPort Sandraberg\nWS8A 2AS','0151 496 0045','449-82-8506'),
+(25,8,'Brittany Matthews','2012-09-06','1 Walker station\nEast Alanfurt\nIP7 1QN','0141 496 0206','310-40-7955'),
+(26,9,'Jason Miller','2011-05-16','Studio 91e\nSheila field\nParkerbury\nLU1 3BP','+44(0)115 496 0265','197-90-4619'),
+(27,7,'Victoria Phillips','2014-11-13','47 Mason highway\nLake Andreaview\nTS1E 3XQ','+44(0)114 4960023','276-80-3097'),
+(28,8,'Robin Fowler','2019-04-19','Flat 8\nHeather ridge\nJessicahaven\nGL9R 7SX','+44(0)131 496 0765','544-59-7500'),
+(29,9,'Gregory Valencia','2016-02-19','090 Dunn shoal\nEast Katyville\nL9J 9GQ','+44(0)118 4960683','477-72-8246'),
+(30,7,'Maria Fletcher','2017-09-12','Flat 53\nRachael station\nNew Jemma\nE0 1JD','+4428 9018615','591-54-6181');
+INSERT INTO patients (id,doctor_id,name,date_joined,address,phone,ssn) VALUES
+(31,10,'Jennifer Medina','2017-07-12','0 Murphy track\nJohnsonmouth\nW8W 8GZ','01164960054','172-54-0780'),
+(32,11,'Mr. Brian Porter','2016-10-29','Flat 4\nRice camp\nGoodwinview\nW20 5XZ','01164960868','179-79-1760'),
+(33,12,'Mark Young','2011-03-16','Flat 75\nCarol radial\nNorth Valerie\nHX62 6QA','(0114) 4960210','579-70-1181'),
+(34,10,'Michael Nicholson','2017-11-16','53 Nicole camp\nGeoffreyside\nNN3H 1FH','(0141) 4960237','155-92-3714'),
+(35,11,'George Mcguire','2013-11-07','189 Gould overpass\nCookefurt\nHD9 9RF','+44141 4960493','113-40-5786'),
+(36,12,'Karen Watkins','2019-11-21','76 Carol view\nNew Stephanie\nRH7H 0FQ','+441314960135','567-67-7368'),
+(37,10,'Stephanie Gamble','2014-08-09','97 Ann flats\nEast Charleneside\nWC7 1HT','+44121 4960213','250-03-1755'),
+(38,11,'Kim Meyers','2018-11-26','409 Butcher light\nLake Victoriafort\nB65 5FE','(0117)4960932','739-57-9547'),
+(39,12,'Ashley Harris','2012-05-19','06 Matthews mews\nWoodshire\nUB82 1JY','+44(0)121 4960110','723-90-8396'),
+(40,10,'Justin Kim','2010-11-20','Flat 25\nLisa inlet\nPort Ritafurt\nHS41 5ER','+44(0)118 496 0663','823-58-6236');
+INSERT INTO patients (id,doctor_id,name,date_joined,address,phone,ssn) VALUES
+(41,13,'Mrs. Kristin Lewis DVM','2010-12-25','00 Barnes wells\nNew Sian\nS00 8YR','(020) 74960924','156-29-6887'),
+(42,14,'Janet Fernandez','2016-11-29','Flat 79\nNorman run\nSharonmouth\nB4U 7BL','+44(0)115 496 0126','460-18-0819'),
+(43,15,'Leslie Casey','2018-05-19','66 Smith expressway\nNormantown\nL1 5WR','+44(0)306 999 0764','067-93-6633'),
+(44,13,'Samantha Wright','2015-02-03','629 Burton gateway\nHughville\nS9 3LJ','0118 4960244','738-95-0807'),
+(45,14,'Brett Miller','2018-04-11','436 Graham hill\nShirleyborough\nPL5Y 3LD','0141 496 0793','726-38-6007'),
+(46,15,'Jason Crane','2017-04-26','Flat 99\nYoung fall\nAliceton\nB0S 2AT','+44(0)1174960479','833-04-0115'),
+(47,13,'Madison Yoder','2015-03-23','062 Katy landing\nPhillipsview\nSS91 9YP','01184960060','006-10-0679'),
+(48,14,'Michael Sellers','2019-10-28','142 Stephen junction\nBennettfurt\nW2W 9BD','+44(0)8081570284','472-17-6148'),
+(49,15,'Rebecca Brown','2011-10-20','Flat 64\nDennis throughway\nEast Benjaminland\nDT37 3FL','(0117) 4960069','233-17-3594'),
+(50,13,'Cody Bryant','2015-08-23','Studio 5\nLewis hollow\nEdwardsland\nS96 4TG','+44115 496 0334','649-23-3293');
+INSERT INTO patients (id,doctor_id,name,date_joined,address,phone,ssn) VALUES
+(51,16,'Kevin Payne','2019-03-24','Studio 8\nBethan stream\nNew Elliottshire\nSL7H 0SS','+441314960539','585-82-2591'),
+(52,17,'Megan Ryan','2016-04-21','Flat 6\nHenry inlet\nWest Samantha\nHS7N 9FT','+44(0)116 4960007','698-18-1758'),
+(53,18,'Matthew Henry','2018-10-20','743 Shaw knoll\nLeeside\nM01 3HY','01154960297','775-07-6124'),
+(54,16,'Noah Chandler','2013-03-31','Studio 73\nBell loaf\nAlitown\nCA0 8AY','+44121 4960245','761-56-1725'),
+(55,17,'Garrett Fowler','2011-07-17','Flat 23A\nMitchell squares\nHoltchester\nE23 9WJ','+441632 960 338','859-35-9693'),
+(56,18,'Spencer Campbell','2013-06-16','915 Mason bridge\nSouth Patriciachester\nDA61 0ZN','+44(0)808 157 0553','363-69-2489'),
+(57,16,'Robert Becker','2018-11-27','900 Boyle forest\nPort Andrewburgh\nM6 2HT','(020) 7496 0080','788-71-1402'),
+(58,17,'Matthew Murillo','2015-03-01','Studio 30\nHughes river\nWhitemouth\nS10 0LN','02074960325','330-99-9498'),
+(59,18,'Brandy Hernandez','2018-05-27','Flat 3\nAntony forges\nLake Eric\nPO0 8UP','09098790239','803-29-7495'),
+(60,16,'Jamie Sutton','2010-11-19','927 Gibbs cliff\nGregoryshire\nUB6H 9XQ','+44(0)29 2018479','645-23-9803');
+INSERT INTO patients (id,doctor_id,name,date_joined,address,phone,ssn) VALUES
+(61,19,'Renee Robertson','2019-07-24','0 Jodie pike\nEast Alan\nBH7Y 2WN','(0115) 4960107','787-06-1801'),
+(62,20,'Rachel Nelson','2012-01-11','Studio 6\nAdam lodge\nNew Maureen\nG4W 3UN','0131 4960314','829-19-7394'),
+(63,21,'Melissa Silva','2019-05-09','Studio 58\nGreen shore\nNorth Shauntown\nS54 5NY','(0121) 4960580','321-13-7363'),
+(64,19,'Frank Bradley','2012-09-08','9 Sandra avenue\nJaniceville\nM1 0JP','(0161) 496 0548','187-91-0569'),
+(65,20,'Stephen Briggs','2010-03-29','Flat 82\nQuinn parkways\nEast Joyceland\nG2 2TX','029 2018 0186','231-59-8966'),
+(66,21,'Emily Camacho','2016-12-26','093 Marshall plains\nEast Mathewfort\nKY3 5WU','+44(0)909 8790988','534-62-0149'),
+(67,19,'Ryan Cain','2017-11-18','8 Dawn glens\nLouiseburgh\nE1W 0LH','(0141)4960552','518-81-2366'),
+(68,20,'Daniel Thornton','2017-01-16','01 Lisa cliff\nSmithmouth\nOX92 5ZQ','01414960391','511-66-0104'),
+(69,21,'Kyle Pacheco','2018-06-26','754 Thompson lodge\nThomashaven\nDH41 3JW','(028) 9018567','008-70-2086'),
+(70,19,'Scott Nielsen','2016-10-15','Studio 74y\nBeth path\nMooreburgh\nE2 9ZB','(0808)1570400','823-56-1410');
\ No newline at end of file
diff --git a/synth/testing_harness/mysql/README.md b/synth/testing_harness/mysql/README.md
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mysql/README.md
@@ -0,0 +1,15 @@
+Integration Tests for MySql
+====================================
+
+This is an integration test that validates the synth generate and synth import commands for MySql on a Debian flavored
+OS. The models in hospital_master are used as a known "golden" set to validate against. The *.sql scripts generate the
+schema and test data within the database.
+
+# Requirements:
+- Docker
+- jq
+
+# Instructions
+
+To run this, execute the `e2e.sh` script from the current directory. A non-zero return code denotes failure.
+Note: run this with all dependencies installed in Vagrant with the [Vagrantfile](tools/vagrant/linux/ubuntu/Vagrantfile)
diff --git a/synth/testing_harness/mysql/e2e.sh b/synth/testing_harness/mysql/e2e.sh
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mysql/e2e.sh
@@ -0,0 +1,64 @@
+#!/bin/bash
+
+DB_HOST=127.0.0.1
+DB_PORT=3306
+DB_USER=root
+DB_PASSWORD="mysecretpassword"
+DB_NAME=test_db
+CONTAINER_NAME=mysql-synth-harness
+
+######### Initialization #########
+
+# Install dependencies
+apt-get install -y mysql-client
+
+cd "$( dirname "${BASH_SOURCE[0]}" )"
+
+# delete leftover config
+rm -f .synth/config.toml
+
+# 0. init workspace
+synth init || exit 1
+
+# 1. Init DB service
+container_id=$(docker run --name $CONTAINER_NAME -e MYSQL_ROOT_PASSWORD=$DB_PASSWORD -e MYSQL_DATABASE=$DB_NAME -p $DB_PORT:3306 -d mysql:latest)
+
+# Waits til DB is ready
+while ! mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME -e "SELECT 1" > /dev/null 2>&1; do
+ sleep 1
+done
+
+######### Export Test #########
+
+# 2. Populate DB schema
+mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME < 0_hospital_schema.sql || exit 1
+
+result=0
+
+# 3. Verify gen to DB crates min. expected rows
+synth generate hospital_master --to mysql://$DB_USER:$DB_PASSWORD@$DB_HOST:$DB_PORT/$DB_NAME --size 30 || result=1
+sum_rows_query="SELECT (SELECT count(*) FROM hospitals) + (SELECT count(*) FROM doctors) + (SELECT count(*) FROM patients)"
+sum=`mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME -e "$sum_rows_query" | grep -o '[[:digit:]]*'`
+[ "$sum" -gt "30" ] || result=1
+
+######### Import Test #########
+
+# 4. Clear out export data and insert known golden master data
+mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME < 0_hospital_schema.sql || exit 1
+mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME < 1_hospital_data.sql || exit 1
+
+# 5. Import with synth and diff
+synth import --from mysql://$DB_USER:$DB_PASSWORD@$DB_HOST:$DB_PORT/$DB_NAME hospital_import || result=1
+diff <(jq --sort-keys . hospital_import/*) <(jq --sort-keys . hospital_master/*) || result=1
+
+######### Cleanup #########
+
+docker rm -f "${container_id}"
+rm -rf hospital_import
+rm -rf .synth
+
+# fail if any of the commands failed
+if [ $result -ne 0 ]
+then
+ exit 1
+fi
diff --git a/synth/testing_harness/mysql/hospital_master/doctors.json b/synth/testing_harness/mysql/hospital_master/doctors.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mysql/hospital_master/doctors.json
@@ -0,0 +1,72 @@
+{
+ "type": "array",
+ "length": {
+ "type": "number",
+ "range": {
+ "low": 1,
+ "high": 10,
+ "step": 1
+ },
+ "subtype": "u64"
+ },
+ "content": {
+ "type": "object",
+ "date_joined": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "string",
+ "date_time": {
+ "format": "%Y-%m-%d",
+ "subtype": "naive_date",
+ "begin": "2010-11-07",
+ "end": "2019-07-05"
+ }
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ },
+ "hospital_id": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "number",
+ "range": {
+ "low": 0,
+ "high": 14,
+ "step": 1
+ },
+ "subtype": "i64"
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ },
+ "id": {
+ "type": "number",
+ "id": {},
+ "subtype": "u64"
+ },
+ "name": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "string",
+ "pattern": "[a-zA-Z0-9]{0, 255}"
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/synth/testing_harness/mysql/hospital_master/hospitals.json b/synth/testing_harness/mysql/hospital_master/hospitals.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mysql/hospital_master/hospitals.json
@@ -0,0 +1,48 @@
+{
+ "type": "array",
+ "length": {
+ "type": "number",
+ "range": {
+ "low": 1,
+ "high": 10,
+ "step": 1
+ },
+ "subtype": "u64"
+ },
+ "content": {
+ "type": "object",
+ "address": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "string",
+ "pattern": "[a-zA-Z0-9]{0, 255}"
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ },
+ "hospital_name": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "string",
+ "pattern": "[a-zA-Z0-9]{0, 255}"
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ },
+ "id": {
+ "type": "number",
+ "id": {},
+ "subtype": "u64"
+ }
+ }
+}
\ No newline at end of file
diff --git a/synth/testing_harness/mysql/hospital_master/patients.json b/synth/testing_harness/mysql/hospital_master/patients.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mysql/hospital_master/patients.json
@@ -0,0 +1,114 @@
+{
+ "type": "array",
+ "length": {
+ "type": "number",
+ "range": {
+ "low": 1,
+ "high": 10,
+ "step": 1
+ },
+ "subtype": "u64"
+ },
+ "content": {
+ "type": "object",
+ "address": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "string",
+ "pattern": "[a-zA-Z0-9]{0, 255}"
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ },
+ "date_joined": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "string",
+ "date_time": {
+ "format": "%Y-%m-%d",
+ "subtype": "naive_date",
+ "begin": "2010-10-31",
+ "end": "2019-04-19"
+ }
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ },
+ "doctor_id": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "number",
+ "range": {
+ "low": 0,
+ "high": 20,
+ "step": 1
+ },
+ "subtype": "i64"
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ },
+ "id": {
+ "type": "number",
+ "id": {},
+ "subtype": "u64"
+ },
+ "name": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "string",
+ "pattern": "[a-zA-Z0-9]{0, 255}"
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ },
+ "phone": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "string",
+ "pattern": "[a-zA-Z0-9]{0, 20}"
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ },
+ "ssn": {
+ "type": "one_of",
+ "variants": [
+ {
+ "weight": 1.0,
+ "type": "string",
+ "pattern": "[a-zA-Z0-9]{0, 12}"
+ },
+ {
+ "weight": 1.0,
+ "type": "null"
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/synth/testing_harness/postgres/e2e.sh b/synth/testing_harness/postgres/e2e.sh
--- a/synth/testing_harness/postgres/e2e.sh
+++ b/synth/testing_harness/postgres/e2e.sh
@@ -38,7 +38,7 @@ echo "stopping container"
docker stop "${CONTAINER}" > /dev/null
# check by diff against golden master
-diff hospital_import hospital_master || RESULT=1
+diff <(jq --sort-keys . hospital_import/*) <(jq --sort-keys . hospital_master/*) || RESULT=1
# removing generated namespace files
rm -f hospital_import/doctors.json hospital_import/hospitals.json hospital_import/patients.json || RESULT=1
|
Support for mysql/mariadb
**Required Functionality**
It would be really useful for my work to be able to populate directly MySQL/MariaDb databases.
Something like:
```sh
synth generate tpch --to mysql://user:pass@localhost:3066/mydbname
```
**Proposed Solution**
**Use case**
PostgreSQL or MongoDb are widely used but so are MySQL/MariaDB.
|
Hey thanks for this.
I will write a plan for implementation shortly. There are a few pre-requisites that need to be completed first. The APIs which define the integrations (PG, Mongo and now MySQL/MariaDB) need to change in a breaking way. We have an internal issue for this and all this will be made public as soon as we have a little time to open source our dev process.
| 2021-07-14T00:15:20
|
rust
|
Hard
|
sunng87/handlebars-rust
| 263
|
sunng87__handlebars-rust-263
|
[
"260"
] |
75bd65de453a8f54ec10bef885e1e4ae02ab0887
|
diff --git a/Cargo.toml b/Cargo.toml
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -25,7 +25,7 @@ quick-error = "1.0.0"
pest = "2.1.0"
pest_derive = "2.1.0"
serde = "1.0.0"
-serde_json = "1.0.0"
+serde_json = "1.0.39"
regex = "1.0.3"
lazy_static = "1.0.0"
walkdir = { version = "2.2.3", optional = true }
diff --git a/src/context.rs b/src/context.rs
--- a/src/context.rs
+++ b/src/context.rs
@@ -8,8 +8,64 @@ use serde_json::value::{to_value, Map, Value as Json};
use crate::error::RenderError;
use crate::grammar::{HandlebarsParser, Rule};
+use crate::value::ScopedJson;
+
pub type Object = HashMap<String, Json>;
+lazy_static! {
+ static ref EMPTY_VEC_DEQUE: VecDeque<String> = VecDeque::new();
+}
+
+#[derive(Clone, Debug)]
+pub enum BlockParamHolder {
+ // a reference to certain context value
+ Path(Vec<String>),
+ // an actual value holder
+ Value(Json),
+}
+
+impl BlockParamHolder {
+ pub fn value(v: Json) -> BlockParamHolder {
+ BlockParamHolder::Value(v)
+ }
+
+ pub fn path(r: &str) -> Result<BlockParamHolder, RenderError> {
+ let mut path_stack: VecDeque<&str> = VecDeque::new();
+ parse_json_visitor_inner(&mut path_stack, r)?;
+
+ Ok(BlockParamHolder::Path(
+ path_stack.iter().cloned().map(|v| v.to_owned()).collect(),
+ ))
+ }
+}
+
+#[derive(Clone, Debug)]
+pub struct BlockParams {
+ data: HashMap<String, BlockParamHolder>,
+}
+
+impl BlockParams {
+ pub fn new() -> BlockParams {
+ BlockParams {
+ data: HashMap::new(),
+ }
+ }
+
+ pub fn add_path(&mut self, k: &str, v: &str) -> Result<(), RenderError> {
+ self.data.insert(k.to_owned(), BlockParamHolder::path(v)?);
+ Ok(())
+ }
+
+ pub fn add_value(&mut self, k: &str, v: Json) -> Result<(), RenderError> {
+ self.data.insert(k.to_owned(), BlockParamHolder::value(v));
+ Ok(())
+ }
+
+ pub fn get(&self, k: &str) -> Option<&BlockParamHolder> {
+ self.data.get(k)
+ }
+}
+
/// The context wrap data you render on your templates.
///
#[derive(Debug, Clone)]
@@ -17,7 +73,6 @@ pub struct Context {
data: Json,
}
-#[inline]
fn parse_json_visitor_inner<'a>(
path_stack: &mut VecDeque<&'a str>,
path: &'a str,
@@ -58,19 +113,26 @@ fn parse_json_visitor_inner<'a>(
Ok(())
}
-fn parse_json_visitor<'a>(
- path_stack: &mut VecDeque<&'a str>,
+fn parse_json_visitor<'a, 'b: 'a>(
base_path: &'a str,
path_context: &'a VecDeque<String>,
relative_path: &'a str,
-) -> Result<(), RenderError> {
+ block_params: &'b VecDeque<BlockParams>,
+) -> Result<(VecDeque<&'a str>, Option<Json>), RenderError> {
+ let mut path_stack = VecDeque::new();
let parser = HandlebarsParser::parse(Rule::path, relative_path)
.map(|p| p.flatten())
.map_err(|_| RenderError::new(format!("Invalid JSON path: {}", relative_path)))?;
let mut path_context_depth: i64 = -1;
+ let mut used_block_param = None;
+ // deal with block param and "../../" in relative path
for sg in parser {
+ if let Some(holder) = get_in_block_params(block_params, sg.as_str()) {
+ used_block_param = Some(holder);
+ break;
+ }
if sg.as_rule() == Rule::path_up {
path_context_depth += 1;
} else {
@@ -78,22 +140,77 @@ fn parse_json_visitor<'a>(
}
}
- if path_context_depth >= 0 {
- if let Some(context_base_path) = path_context.get(path_context_depth as usize) {
- parse_json_visitor_inner(path_stack, context_base_path)?;
+ // if the relative path is a block_param_value, skip base_path and context check
+ if used_block_param.is_none() {
+ if path_context_depth >= 0 {
+ if let Some(context_base_path) = path_context.get(path_context_depth as usize) {
+ parse_json_visitor_inner(&mut path_stack, context_base_path)?;
+ } else {
+ parse_json_visitor_inner(&mut path_stack, base_path)?;
+ }
} else {
- parse_json_visitor_inner(path_stack, base_path)?;
+ parse_json_visitor_inner(&mut path_stack, base_path)?;
}
- } else {
- parse_json_visitor_inner(path_stack, base_path)?;
}
- parse_json_visitor_inner(path_stack, relative_path)?;
- Ok(())
+ match used_block_param {
+ Some(BlockParamHolder::Value(ref v)) => {
+ parse_json_visitor_inner(&mut path_stack, relative_path)?;
+ // drop first seg, which is block_param
+ path_stack.pop_front();
+ Ok((path_stack, Some(v.clone())))
+ }
+ Some(BlockParamHolder::Path(ref paths)) => {
+ parse_json_visitor_inner(&mut path_stack, relative_path)?;
+ // drop first seg, which is block_param
+ path_stack.pop_front();
+
+ for p in paths.iter().rev() {
+ path_stack.push_front(p)
+ }
+
+ Ok((path_stack, None))
+ }
+ None => {
+ parse_json_visitor_inner(&mut path_stack, relative_path)?;
+ Ok((path_stack, None))
+ }
+ }
+}
+
+fn get_data<'a>(d: Option<&'a Json>, p: &str) -> Result<Option<&'a Json>, RenderError> {
+ if p == "this" {
+ return Ok(d);
+ }
+
+ let result = match d {
+ Some(&Json::Array(ref l)) => p
+ .parse::<usize>()
+ .map_err(RenderError::with)
+ .map(|idx_u| l.get(idx_u))?,
+ Some(&Json::Object(ref m)) => m.get(p),
+ Some(_) => None,
+ None => None,
+ };
+ Ok(result)
+}
+
+pub(crate) fn get_in_block_params<'a>(
+ block_contexts: &'a VecDeque<BlockParams>,
+ p: &str,
+) -> Option<&'a BlockParamHolder> {
+ for bc in block_contexts {
+ let v = bc.get(p);
+ if v.is_some() {
+ return v;
+ }
+ }
+
+ None
}
pub fn merge_json(base: &Json, addition: &Object) -> Json {
- let mut base_map = match *base {
+ let mut base_map = match base {
Json::Object(ref m) => m.clone(),
_ => Map::new(),
};
@@ -123,32 +240,33 @@ impl Context {
/// and set relative path to helper argument or so.
///
/// If you want to navigate from top level, set the base path to `"."`
- pub fn navigate(
- &self,
+ pub fn navigate<'reg, 'rc>(
+ &'rc self,
base_path: &str,
path_context: &VecDeque<String>,
relative_path: &str,
- ) -> Result<Option<&Json>, RenderError> {
- let mut path_stack: VecDeque<&str> = VecDeque::new();
- parse_json_visitor(&mut path_stack, base_path, path_context, relative_path)?;
-
- let paths: Vec<&str> = path_stack.iter().cloned().collect();
- let mut data: Option<&Json> = Some(&self.data);
- for p in &paths {
- if *p == "this" {
- continue;
+ block_params: &VecDeque<BlockParams>,
+ ) -> Result<ScopedJson<'reg, 'rc>, RenderError> {
+ let (paths, block_param_value) =
+ parse_json_visitor(base_path, path_context, relative_path, block_params)?;
+
+ if let Some(block_param_value) = block_param_value {
+ let mut data = Some(&block_param_value);
+ for p in paths.iter() {
+ data = get_data(data, p)?;
}
- data = match data {
- Some(&Json::Array(ref l)) => p
- .parse::<usize>()
- .map_err(RenderError::with)
- .map(|idx_u| l.get(idx_u))?,
- Some(&Json::Object(ref m)) => m.get(*p),
- Some(_) => None,
- None => break,
+ Ok(data
+ .map(|v| ScopedJson::Derived(v.clone()))
+ .unwrap_or_else(|| ScopedJson::Missing))
+ } else {
+ let mut data = Some(self.data());
+ for p in paths.iter() {
+ data = get_data(data, p)?;
}
+ Ok(data
+ .map(|v| ScopedJson::Context(v))
+ .unwrap_or_else(|| ScopedJson::Missing))
}
- Ok(data)
}
pub fn data(&self) -> &Json {
@@ -162,7 +280,7 @@ impl Context {
#[cfg(test)]
mod test {
- use crate::context::{self, Context};
+ use crate::context::{self, BlockParams, Context};
use crate::value::{self, JsonRender};
use hashbrown::HashMap;
use serde_json::value::Map;
@@ -187,8 +305,7 @@ mod test {
let v = "hello";
let ctx = Context::wraps(&v.to_string()).unwrap();
assert_eq!(
- ctx.navigate(".", &VecDeque::new(), "this")
- .unwrap()
+ ctx.navigate(".", &VecDeque::new(), "this", &VecDeque::new())
.unwrap()
.render(),
v.to_string()
@@ -211,15 +328,18 @@ mod test {
let ctx = Context::wraps(&person).unwrap();
assert_eq!(
- ctx.navigate(".", &VecDeque::new(), "./name/../addr/country")
- .unwrap()
- .unwrap()
- .render(),
+ ctx.navigate(
+ ".",
+ &VecDeque::new(),
+ "./name/../addr/country",
+ &VecDeque::new()
+ )
+ .unwrap()
+ .render(),
"China".to_string()
);
assert_eq!(
- ctx.navigate(".", &VecDeque::new(), "addr.[country]")
- .unwrap()
+ ctx.navigate(".", &VecDeque::new(), "addr.[country]", &VecDeque::new())
.unwrap()
.render(),
"China".to_string()
@@ -228,33 +348,39 @@ mod test {
let v = true;
let ctx2 = Context::wraps(&v).unwrap();
assert_eq!(
- ctx2.navigate(".", &VecDeque::new(), "this")
- .unwrap()
+ ctx2.navigate(".", &VecDeque::new(), "this", &VecDeque::new())
.unwrap()
.render(),
"true".to_string()
);
assert_eq!(
- ctx.navigate(".", &VecDeque::new(), "titles.[0]")
- .unwrap()
+ ctx.navigate(".", &VecDeque::new(), "titles.[0]", &VecDeque::new())
.unwrap()
.render(),
"programmer".to_string()
);
assert_eq!(
- ctx.navigate(".", &VecDeque::new(), "titles.[0]/../../age")
- .unwrap()
- .unwrap()
- .render(),
+ ctx.navigate(
+ ".",
+ &VecDeque::new(),
+ "titles.[0]/../../age",
+ &VecDeque::new()
+ )
+ .unwrap()
+ .render(),
"27".to_string()
);
assert_eq!(
- ctx.navigate(".", &VecDeque::new(), "this.titles.[0]/../../age")
- .unwrap()
- .unwrap()
- .render(),
+ ctx.navigate(
+ ".",
+ &VecDeque::new(),
+ "this.titles.[0]/../../age",
+ &VecDeque::new()
+ )
+ .unwrap()
+ .render(),
"27".to_string()
);
}
@@ -271,15 +397,13 @@ mod test {
let ctx2 = Context::wraps(&map_without_this).unwrap();
assert_eq!(
- ctx1.navigate(".", &VecDeque::new(), "this")
- .unwrap()
+ ctx1.navigate(".", &VecDeque::new(), "this", &VecDeque::new())
.unwrap()
.render(),
"[object]".to_owned()
);
assert_eq!(
- ctx2.navigate(".", &VecDeque::new(), "age")
- .unwrap()
+ ctx2.navigate(".", &VecDeque::new(), "age", &VecDeque::new())
.unwrap()
.render(),
"4".to_owned()
@@ -296,16 +420,14 @@ mod test {
let ctx_a1 = Context::wraps(&context::merge_json(&map, &hash)).unwrap();
assert_eq!(
ctx_a1
- .navigate(".", &VecDeque::new(), "age")
- .unwrap()
+ .navigate(".", &VecDeque::new(), "age", &VecDeque::new())
.unwrap()
.render(),
"4".to_owned()
);
assert_eq!(
ctx_a1
- .navigate(".", &VecDeque::new(), "tag")
- .unwrap()
+ .navigate(".", &VecDeque::new(), "tag", &VecDeque::new())
.unwrap()
.render(),
"h1".to_owned()
@@ -314,16 +436,14 @@ mod test {
let ctx_a2 = Context::wraps(&context::merge_json(&value::to_json(s), &hash)).unwrap();
assert_eq!(
ctx_a2
- .navigate(".", &VecDeque::new(), "this")
- .unwrap()
+ .navigate(".", &VecDeque::new(), "this", &VecDeque::new())
.unwrap()
.render(),
"[object]".to_owned()
);
assert_eq!(
ctx_a2
- .navigate(".", &VecDeque::new(), "tag")
- .unwrap()
+ .navigate(".", &VecDeque::new(), "tag", &VecDeque::new())
.unwrap()
.render(),
"h1".to_owned()
@@ -337,8 +457,7 @@ mod test {
};
let ctx = Context::wraps(&m).unwrap();
assert_eq!(
- ctx.navigate(".", &VecDeque::new(), "this_name")
- .unwrap()
+ ctx.navigate(".", &VecDeque::new(), "this_name", &VecDeque::new())
.unwrap()
.render(),
"the_value".to_string()
@@ -379,8 +498,30 @@ mod test {
});
let ctx = Context::wraps(&m).unwrap();
assert_eq!(
- ctx.navigate("a/b", &VecDeque::new(), "@root/b")
+ ctx.navigate("a/b", &VecDeque::new(), "@root/b", &VecDeque::new())
.unwrap()
+ .render(),
+ "2".to_string()
+ );
+ }
+
+ #[test]
+ fn test_block_params() {
+ let m = json!([{
+ "a": [1, 2]
+ }, {
+ "b": [2, 3]
+ }]);
+
+ let ctx = Context::wraps(&m).unwrap();
+ let mut block_param = BlockParams::new();
+ block_param.add_path("z", "[0].a").unwrap();
+
+ let mut block_params = VecDeque::new();
+ block_params.push_front(block_param);
+
+ assert_eq!(
+ ctx.navigate(".", &VecDeque::new(), "z.[1]", &block_params)
.unwrap()
.render(),
"2".to_string()
diff --git a/src/helpers/helper_each.rs b/src/helpers/helper_each.rs
--- a/src/helpers/helper_each.rs
+++ b/src/helpers/helper_each.rs
@@ -1,7 +1,6 @@
-use hashbrown::HashMap;
use serde_json::value::Value as Json;
-use crate::context::Context;
+use crate::context::{self, BlockParams, Context};
use crate::error::RenderError;
use crate::helpers::{HelperDef, HelperResult};
use crate::output::Output;
@@ -38,6 +37,9 @@ impl HelperDef for EachHelper {
let rendered = match (value.value().is_truthy(false), value.value()) {
(true, &Json::Array(ref list)) => {
let len = list.len();
+
+ let array_path = value.path().and_then(|p| rc.concat_path(p));
+
for (i, _) in list.iter().enumerate().take(len) {
let mut local_rc = rc.derive();
if let Some(ref p) = local_path_root {
@@ -48,17 +50,17 @@ impl HelperDef for EachHelper {
local_rc.set_local_var("@last".to_string(), to_json(i == len - 1));
local_rc.set_local_var("@index".to_string(), to_json(i));
- if let Some(inner_path) = value.path() {
- let new_path =
- format!("{}/{}/[{}]", local_rc.get_path(), inner_path, i);
+ if let Some(ref p) = array_path {
+ let new_path = format!("{}/[{}]", p, i);
debug!("each path {:?}", new_path);
local_rc.set_path(new_path);
}
if let Some(block_param) = h.block_param() {
- let mut map = HashMap::new();
- map.insert(block_param.to_string(), to_json(&list[i]));
- local_rc.push_block_context(&map)?;
+ let mut params = BlockParams::new();
+ params.add_path(block_param, local_rc.get_path())?;
+
+ local_rc.push_block_context(params)?;
}
t.render(r, ctx, &mut local_rc, out)?;
@@ -75,7 +77,9 @@ impl HelperDef for EachHelper {
}
(true, &Json::Object(ref obj)) => {
let mut first: bool = true;
- for (k, v) in obj.iter() {
+ let obj_path = value.path().and_then(|p| rc.concat_path(p));
+
+ for (k, _) in obj.iter() {
let mut local_rc = rc.derive();
if let Some(ref p) = local_path_root {
@@ -88,17 +92,17 @@ impl HelperDef for EachHelper {
local_rc.set_local_var("@key".to_string(), to_json(k));
- if let Some(inner_path) = value.path() {
- let new_path =
- format!("{}/{}/[{}]", local_rc.get_path(), inner_path, k);
+ if let Some(ref p) = obj_path {
+ let new_path = format!("{}/[{}]", p, k);
local_rc.set_path(new_path);
}
if let Some((bp_val, bp_key)) = h.block_param_pair() {
- let mut map = HashMap::new();
- map.insert(bp_key.to_string(), to_json(k));
- map.insert(bp_val.to_string(), to_json(v));
- local_rc.push_block_context(&map)?;
+ let mut params = BlockParams::new();
+ params.add_path(bp_val, local_rc.get_path())?;
+ params.add_value(bp_key, to_json(&k))?;
+
+ local_rc.push_block_context(params)?;
}
t.render(r, ctx, &mut local_rc, out)?;
@@ -319,6 +323,22 @@ mod test {
}
#[test]
+ fn test_each_object_block_param2() {
+ let mut handlebars = Registry::new();
+ let template = "{{#each this as |v k|}}\
+ {{#with v as |inner_v|}}{{k}}:{{inner_v}}{{/with}}|\
+ {{/each}}";
+
+ assert!(handlebars.register_template_string("t0", template).is_ok());
+
+ let m = btreemap! {
+ "ftp".to_string() => 21,
+ "http".to_string() => 80
+ };
+ let r0 = handlebars.render("t0", &m);
+ assert_eq!(r0.ok().unwrap(), "ftp:21|http:80|".to_string());
+ }
+
fn test_nested_each_with_path_ups() {
let mut handlebars = Registry::new();
assert!(handlebars
diff --git a/src/helpers/helper_if.rs b/src/helpers/helper_if.rs
--- a/src/helpers/helper_if.rs
+++ b/src/helpers/helper_if.rs
@@ -16,7 +16,7 @@ impl HelperDef for IfHelper {
&self,
h: &Helper<'reg, 'rc>,
r: &'reg Registry,
- ctx: &Context,
+ ctx: &'rc Context,
rc: &mut RenderContext<'reg>,
out: &mut Output,
) -> HelperResult {
diff --git a/src/helpers/helper_raw.rs b/src/helpers/helper_raw.rs
--- a/src/helpers/helper_raw.rs
+++ b/src/helpers/helper_raw.rs
@@ -12,7 +12,7 @@ impl HelperDef for RawHelper {
&self,
h: &Helper<'reg, 'rc>,
r: &'reg Registry,
- ctx: &Context,
+ ctx: &'rc Context,
rc: &mut RenderContext<'reg>,
out: &mut Output,
) -> HelperResult {
diff --git a/src/helpers/helper_with.rs b/src/helpers/helper_with.rs
--- a/src/helpers/helper_with.rs
+++ b/src/helpers/helper_with.rs
@@ -1,12 +1,10 @@
-use hashbrown::HashMap;
-
-use crate::context::Context;
+use crate::context::{BlockParams, Context};
use crate::error::RenderError;
use crate::helpers::{HelperDef, HelperResult};
use crate::output::Output;
use crate::registry::Registry;
use crate::render::{Helper, RenderContext, Renderable};
-use crate::value::{to_json, JsonTruthy};
+use crate::value::JsonTruthy;
#[derive(Clone, Copy)]
pub struct WithHelper;
@@ -37,15 +35,20 @@ impl HelperDef for WithHelper {
local_rc.push_local_path_root(local_path_root);
}
if not_empty {
- if let Some(inner_path) = param.path() {
- let new_path = format!("{}/{}", local_rc.get_path(), inner_path);
- local_rc.set_path(new_path);
+ let new_path = param.path().and_then(|p| local_rc.concat_path(p));
+ if let Some(ref new_path) = new_path {
+ local_rc.set_path(new_path.clone());
}
if let Some(block_param) = h.block_param() {
- let mut map = HashMap::new();
- map.insert(block_param.to_string(), to_json(param.value()));
- local_rc.push_block_context(&map)?;
+ let mut params = BlockParams::new();
+ if new_path.is_some() {
+ params.add_path(block_param, local_rc.get_path())?;
+ } else {
+ params.add_value(block_param, param.value().clone())?;
+ }
+
+ local_rc.push_block_context(params)?;
}
}
diff --git a/src/macros.rs b/src/macros.rs
--- a/src/macros.rs
+++ b/src/macros.rs
@@ -33,7 +33,7 @@ macro_rules! handlebars_helper {
h: &$crate::Helper<'reg, 'rc>,
_: &'reg $crate::Handlebars,
_: &'rc $crate::Context,
- _: &mut $crate::RenderContext<'reg>,
+ _: &mut $crate::RenderContext,
) -> Result<Option<$crate::ScopedJson<'reg, 'rc>>, $crate::RenderError> {
let mut param_idx = 0;
diff --git a/src/partial.rs b/src/partial.rs
--- a/src/partial.rs
+++ b/src/partial.rs
@@ -1,14 +1,13 @@
-use std::iter::FromIterator;
-
use hashbrown::HashMap;
+use serde_json::value::Value as Json;
+
use crate::context::{merge_json, Context};
use crate::error::RenderError;
use crate::output::Output;
use crate::registry::Registry;
use crate::render::{Directive, Evaluable, RenderContext, Renderable};
use crate::template::Template;
-use crate::value::DEFAULT_VALUE;
fn render_partial<'reg: 'rc, 'rc>(
t: &'reg Template,
@@ -20,11 +19,9 @@ fn render_partial<'reg: 'rc, 'rc>(
) -> Result<(), RenderError> {
// partial context path
if let Some(ref p) = d.param(0) {
- if let Some(ref param_path) = p.path() {
- let old_path = local_rc.get_path().clone();
+ if let Some(param_path) = p.path().and_then(|p| local_rc.concat_path(p)) {
local_rc.promote_local_vars();
- let new_path = format!("{}/{}", old_path, param_path);
- local_rc.set_path(new_path);
+ local_rc.set_path(param_path);
}
};
@@ -36,14 +33,12 @@ fn render_partial<'reg: 'rc, 'rc>(
if d.hash().is_empty() {
t.render(r, ctx, local_rc, out)
} else {
- let hash_ctx =
- HashMap::from_iter(d.hash().iter().map(|(k, v)| (k.clone(), v.value().clone())));
- let partial_context = merge_json(
- local_rc
- .evaluate(ctx, ".")?
- .unwrap_or_else(|| &DEFAULT_VALUE),
- &hash_ctx,
- );
+ let hash_ctx = d
+ .hash()
+ .iter()
+ .map(|(k, v)| (k.clone(), v.value().clone()))
+ .collect::<HashMap<String, Json>>();
+ let partial_context = merge_json(local_rc.evaluate(ctx, ".")?.as_json(), &hash_ctx);
let ctx = Context::wraps(&partial_context)?;
let mut partial_rc = local_rc.new_for_block();
t.render(r, &ctx, &mut partial_rc, out)
diff --git a/src/render.rs b/src/render.rs
--- a/src/render.rs
+++ b/src/render.rs
@@ -5,10 +5,9 @@ use std::ops::Deref;
use std::rc::Rc;
use hashbrown::HashMap;
-use serde::Serialize;
use serde_json::value::Value as Json;
-use crate::context::Context;
+use crate::context::{self, BlockParamHolder, BlockParams, Context};
use crate::error::RenderError;
use crate::helpers::HelperDef;
use crate::output::{Output, StringOutput};
@@ -50,11 +49,12 @@ pub struct RenderContextInner<'reg> {
pub struct BlockRenderContext {
path: String,
local_path_root: VecDeque<String>,
- block_context: VecDeque<Context>,
+ // current block context variables
+ block_context: VecDeque<BlockParams>,
}
-impl Default for BlockRenderContext {
- fn default() -> BlockRenderContext {
+impl BlockRenderContext {
+ fn new() -> BlockRenderContext {
BlockRenderContext {
path: ".".to_owned(),
local_path_root: VecDeque::new(),
@@ -75,7 +75,7 @@ impl<'reg> RenderContext<'reg> {
disable_escape: false,
});
- let block = Rc::new(BlockRenderContext::default());
+ let block = Rc::new(BlockRenderContext::new());
let modified_context = None;
RenderContext {
inner,
@@ -90,7 +90,7 @@ impl<'reg> RenderContext<'reg> {
pub fn new_for_block(&self) -> RenderContext<'reg> {
let inner = self.inner.clone();
- let block = Rc::new(BlockRenderContext::default());
+ let block = Rc::new(BlockRenderContext::new());
let modified_context = self.modified_context.clone();
RenderContext {
@@ -124,20 +124,17 @@ impl<'reg> RenderContext<'reg> {
self.modified_context = Some(Rc::new(ctx))
}
- pub fn evaluate<'ctx>(
+ pub fn evaluate<'rc>(
&self,
- context: &'ctx Context,
- path: &str,
- ) -> Result<Option<&'ctx Json>, RenderError> {
- context.navigate(self.get_path(), self.get_local_path_root(), path)
- }
-
- pub fn evaluate_absolute<'ctx>(
- &self,
- context: &'ctx Context,
+ context: &'rc Context,
path: &str,
- ) -> Result<Option<&'ctx Json>, RenderError> {
- context.navigate(".", &VecDeque::new(), path)
+ ) -> Result<ScopedJson<'reg, 'rc>, RenderError> {
+ context.navigate(
+ self.get_path(),
+ self.get_local_path_root(),
+ path,
+ &self.block.block_context,
+ )
}
pub fn get_partial(&self, name: &str) -> Option<&&Template> {
@@ -235,6 +232,14 @@ impl<'reg> RenderContext<'reg> {
self.block_mut().path = path;
}
+ pub fn concat_path(&self, path_seg: &str) -> Option<String> {
+ match context::get_in_block_params(&self.block.block_context, path_seg) {
+ Some(BlockParamHolder::Path(paths)) => Some(paths.join("/")),
+ Some(BlockParamHolder::Value(_)) => None,
+ None => Some(format!("{}/{}", self.get_path(), path_seg)),
+ }
+ }
+
pub fn get_local_path_root(&self) -> &VecDeque<String> {
&self.block().local_path_root
}
@@ -247,34 +252,14 @@ impl<'reg> RenderContext<'reg> {
self.block_mut().local_path_root.pop_front();
}
- pub fn push_block_context<T>(&mut self, ctx: &T) -> Result<(), RenderError>
- where
- T: Serialize,
- {
- self.block_mut()
- .block_context
- .push_front(Context::wraps(ctx)?);
+ pub fn push_block_context(&mut self, current_context: BlockParams) -> Result<(), RenderError> {
+ self.block_mut().block_context.push_front(current_context);
Ok(())
}
pub fn pop_block_context(&mut self) {
self.block_mut().block_context.pop_front();
}
-
- pub fn evaluate_in_block_context(
- &self,
- local_path: &str,
- ) -> Result<Option<&Json>, RenderError> {
- let block = self.block();
- for bc in &block.block_context {
- let v = bc.navigate(".", &block.local_path_root, local_path)?;
- if v.is_some() {
- return Ok(v);
- }
- }
-
- Ok(None)
- }
}
impl<'reg> fmt::Debug for RenderContextInner<'reg> {
@@ -505,7 +490,7 @@ pub trait Renderable {
&'reg self,
registry: &'reg Registry,
context: &'rc Context,
- rc: &'rc mut RenderContext<'reg>,
+ rc: &mut RenderContext<'reg>,
out: &mut Output,
) -> Result<(), RenderError>;
@@ -514,7 +499,7 @@ pub trait Renderable {
&'reg self,
registry: &'reg Registry,
ctx: &'rc Context,
- rc: &'rc mut RenderContext<'reg>,
+ rc: &mut RenderContext<'reg>,
) -> Result<String, RenderError> {
let mut so = StringOutput::new();
self.render(registry, ctx, rc, &mut so)?;
@@ -528,7 +513,7 @@ pub trait Evaluable {
&'reg self,
registry: &'reg Registry,
context: &'rc Context,
- rc: &'rc mut RenderContext<'reg>,
+ rc: &mut RenderContext<'reg>,
) -> Result<(), RenderError>;
}
@@ -593,15 +578,6 @@ impl Parameter {
Some(name.to_owned()),
ScopedJson::Derived(value.clone()),
))
- } else if let Some(block_context_value) = rc.evaluate_in_block_context(name)? {
- // try to evaluate using block context if any
-
- // we do clone for block context because it's from
- // render_context
- Ok(PathAndJson::new(
- Some(name.to_owned()),
- ScopedJson::Derived(block_context_value.clone()),
- ))
} else if let Some(rc_context) = rc.context() {
// the context is modified from a decorator
// use the modified one
@@ -610,16 +586,13 @@ impl Parameter {
// so we have to clone it to bypass lifetime check
Ok(PathAndJson::new(
Some(name.to_owned()),
- json.map(|j| ScopedJson::Derived(j.clone()))
- .unwrap_or_else(|| ScopedJson::Missing),
+ ScopedJson::Derived(json.as_json().clone()),
))
} else {
// failback to normal evaluation
Ok(PathAndJson::new(
Some(name.to_owned()),
- rc.evaluate(ctx, name)?
- .map(|json| ScopedJson::Context(json))
- .unwrap_or_else(|| ScopedJson::Missing),
+ rc.evaluate(ctx, name)?,
))
}
}
diff --git a/src/value.rs b/src/value.rs
--- a/src/value.rs
+++ b/src/value.rs
@@ -20,7 +20,7 @@ pub enum ScopedJson<'reg: 'rc, 'rc> {
impl<'reg: 'rc, 'rc> ScopedJson<'reg, 'rc> {
/// get the JSON reference
pub fn as_json(&self) -> &Json {
- match *self {
+ match self {
ScopedJson::Constant(j) => j,
ScopedJson::Derived(ref j) => j,
ScopedJson::Context(j) => j,
@@ -38,6 +38,11 @@ impl<'reg: 'rc, 'rc> ScopedJson<'reg, 'rc> {
_ => false,
}
}
+
+ pub fn into_derived(self) -> ScopedJson<'reg, 'rc> {
+ let v = self.as_json();
+ ScopedJson::Derived(v.clone())
+ }
}
impl<'reg: 'rc, 'rc> From<Json> for ScopedJson<'reg, 'rc> {
|
diff --git a/tests/block_context.rs b/tests/block_context.rs
new file mode 100644
--- /dev/null
+++ b/tests/block_context.rs
@@ -0,0 +1,34 @@
+use handlebars::Handlebars;
+use serde_json::json;
+
+#[test]
+fn test_partial_with_blocks() {
+ let hbs = Handlebars::new();
+
+ let data = json!({
+ "a": [
+ {"b": 1},
+ {"b": 2},
+ ],
+ });
+
+ let template = "{{#*inline \"test\"}}{{b}};{{/inline}}{{#each a as |z|}}{{> test z}}{{/each}}";
+ assert_eq!(hbs.render_template(template, &data).unwrap(), "1;2;");
+}
+
+#[test]
+fn test_root_with_blocks() {
+ let hbs = Handlebars::new();
+
+ let data = json!({
+ "a": [
+ {"b": 1},
+ {"b": 2},
+ ],
+ "b": 3,
+ });
+
+ let template =
+ "{{#*inline \"test\"}}{{b}}:{{@root.b}};{{/inline}}{{#each a}}{{> test}}{{/each}}";
+ assert_eq!(hbs.render_template(template, &data).unwrap(), "1:3;2:3;");
+}
|
Block parameters can't be used as context for partials
This test case fails:
```rust
#[test]
fn test_partial_with_blocks() {
let hbs = Handlebars::new();
let data = json!({
"a": [
{"b": 1},
{"b": 2},
],
});
let template = "{{#*inline \"test\"}}{{b}};{{/inline}}{{#each a as |z|}}{{> test z}}{{/each}}";
assert_eq!(
hbs.render_template(template, &data).unwrap(),
"1;2;"
);
}
```
I've verified on http://tryhandlebarsjs.com/ that this is the right output.
|
This is impacting me right now on 2.0.0-beta.2. I'd be happy to pick up the work, but I wanted to first log it as an issue. If you have any intuition as to what the issue may be, feel free to point me there.
Thanks! If it works on handlebars.js, it's something we expected to support.
The context issue is usually quite complex. I'm here to offer help if you need.
The issue is how I visit context value here:
https://github.com/sunng87/handlebars-rust/blob/master/src/partial.rs#L22
I'm using the local variable name to concat with current path root, for the json path. And here `z` is a local alias so it won't work. This may require a re-implementation of block context through handlebars-rust. Do you have any progress on this? Otherwise I will take on this and start the re-implementation.
No progress, @sunng87. I usually only find a few hours on the weekend, so progress would likely be slow. You have more context here, so if you're interested in taking on the effort, go ahead (and thanks!)
| 2019-04-26T15:56:54
|
rust
|
Hard
|
servo/rust-url
| 176
|
servo__rust-url-176
|
[
"142",
"154"
] |
be00f8f007ef09891328b20b7beaf41a043240c0
|
diff --git a/.gitignore b/.gitignore
--- a/.gitignore
+++ b/.gitignore
@@ -1,3 +1,3 @@
-/target
-/Cargo.lock
+target
+Cargo.lock
/.cargo/config
diff --git a/Cargo.toml b/Cargo.toml
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -1,8 +1,8 @@
[package]
name = "url"
-version = "0.5.9"
-authors = [ "Simon Sapin <[email protected]>" ]
+version = "1.0.0"
+authors = ["The rust-url developers"]
description = "URL library for Rust, based on the WHATWG URL Standard"
documentation = "http://servo.github.io/rust-url/url/index.html"
@@ -12,46 +12,28 @@ keywords = ["url", "parser"]
license = "MIT/Apache-2.0"
[[test]]
-name = "format"
-[[test]]
-name = "form_urlencoded"
-[[test]]
-name = "idna"
-[[test]]
-name = "punycode"
-[[test]]
-name = "tests"
+name = "unit"
+
[[test]]
-name = "wpt"
+name = "data"
harness = false
+[lib]
+test = false
+
[dev-dependencies]
rustc-test = "0.1"
+rustc-serialize = "0.3"
[features]
query_encoding = ["encoding"]
-serde_serialization = ["serde"]
heap_size = ["heapsize", "heapsize_plugin"]
-[dependencies.heapsize]
-version = ">=0.1.1, <0.4"
-optional = true
-
-[dependencies.heapsize_plugin]
-version = "0.1.0"
-optional = true
-
-[dependencies.encoding]
-version = "0.2"
-optional = true
-
-[dependencies.serde]
-version = ">=0.6.1, <0.8"
-optional = true
-
[dependencies]
-uuid = { version = "0.2", features = ["v4"] }
-rustc-serialize = "0.3"
-unicode-bidi = "0.2.3"
-unicode-normalization = "0.1.2"
+idna = { version = "0.1.0", path = "./idna" }
+heapsize = {version = ">=0.1.1, <0.4", optional = true}
+heapsize_plugin = {version = "0.1.0", optional = true}
+encoding = {version = "0.2", optional = true}
+serde = {version = ">=0.6.1, <0.8", optional = true}
+rustc-serialize = {version = "0.3", optional = true}
matches = "0.1"
diff --git a/LICENSE-MIT b/LICENSE-MIT
--- a/LICENSE-MIT
+++ b/LICENSE-MIT
@@ -1,5 +1,4 @@
-Copyright (c) 2006-2009 Graydon Hoare
-Copyright (c) 2009-2013 Mozilla Foundation
+Copyright (c) 2013-2016 The rust-url developers
Permission is hereby granted, free of charge, to any
person obtaining a copy of this software and associated
diff --git a/Makefile b/Makefile
--- a/Makefile
+++ b/Makefile
@@ -1,7 +1,5 @@
test:
- cargo test --features query_encoding
- cargo test --features serde_serialization
- cargo test
+ cargo test --features "query_encoding serde rustc-serialize"
[ x$$TRAVIS_RUST_VERSION != xnightly ] || cargo test --features heap_size
doc:
diff --git a/idna/Cargo.toml b/idna/Cargo.toml
new file mode 100644
--- /dev/null
+++ b/idna/Cargo.toml
@@ -0,0 +1,24 @@
+[package]
+name = "idna"
+version = "0.1.0"
+authors = ["The rust-url developers"]
+description = "IDNA (Internationalizing Domain Names in Applications) and Punycode."
+repository = "https://github.com/servo/rust-url/"
+license = "MIT/Apache-2.0"
+
+[lib]
+doctest = false
+test = false
+
+[[test]]
+name = "tests"
+harness = false
+
+[dev-dependencies]
+rustc-test = "0.1"
+rustc-serialize = "0.3"
+
+[dependencies]
+unicode-bidi = "0.2.3"
+unicode-normalization = "0.1.2"
+matches = "0.1"
diff --git a/IdnaMappingTable.txt b/idna/src/IdnaMappingTable.txt
similarity index 100%
rename from IdnaMappingTable.txt
rename to idna/src/IdnaMappingTable.txt
diff --git a/idna/src/lib.rs b/idna/src/lib.rs
new file mode 100644
--- /dev/null
+++ b/idna/src/lib.rs
@@ -0,0 +1,73 @@
+// Copyright 2016 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+//! This Rust crate implements IDNA
+//! [per the WHATWG URL Standard](https://url.spec.whatwg.org/#idna).
+//!
+//! It also exposes the underlying algorithms from [*Unicode IDNA Compatibility Processing*
+//! (Unicode Technical Standard #46)](http://www.unicode.org/reports/tr46/)
+//! and [Punycode (RFC 3492)](https://tools.ietf.org/html/rfc3492).
+//!
+//! Quoting from [UTS #46’s introduction](http://www.unicode.org/reports/tr46/#Introduction):
+//!
+//! > Initially, domain names were restricted to ASCII characters.
+//! > A system was introduced in 2003 for internationalized domain names (IDN).
+//! > This system is called Internationalizing Domain Names for Applications,
+//! > or IDNA2003 for short.
+//! > This mechanism supports IDNs by means of a client software transformation
+//! > into a format known as Punycode.
+//! > A revision of IDNA was approved in 2010 (IDNA2008).
+//! > This revision has a number of incompatibilities with IDNA2003.
+//! >
+//! > The incompatibilities force implementers of client software,
+//! > such as browsers and emailers,
+//! > to face difficult choices during the transition period
+//! > as registries shift from IDNA2003 to IDNA2008.
+//! > This document specifies a mechanism
+//! > that minimizes the impact of this transition for client software,
+//! > allowing client software to access domains that are valid under either system.
+
+#[macro_use] extern crate matches;
+extern crate unicode_bidi;
+extern crate unicode_normalization;
+
+pub mod punycode;
+pub mod uts46;
+
+/// The [domain to ASCII](https://url.spec.whatwg.org/#concept-domain-to-ascii) algorithm.
+///
+/// Return the ASCII representation a domain name,
+/// normalizing characters (upper-case to lower-case and other kinds of equivalence)
+/// and using Punycode as necessary.
+///
+/// This process may fail.
+pub fn domain_to_ascii(domain: &str) -> Result<String, uts46::Errors> {
+ uts46::to_ascii(domain, uts46::Flags {
+ use_std3_ascii_rules: false,
+ transitional_processing: true, // XXX: switch when Firefox does
+ verify_dns_length: false,
+ })
+}
+
+/// The [domain to Unicode](https://url.spec.whatwg.org/#concept-domain-to-unicode) algorithm.
+///
+/// Return the Unicode representation of a domain name,
+/// normalizing characters (upper-case to lower-case and other kinds of equivalence)
+/// and decoding Punycode as necessary.
+///
+/// This may indicate [syntax violations](https://url.spec.whatwg.org/#syntax-violation)
+/// but always returns a string for the mapped domain.
+pub fn domain_to_unicode(domain: &str) -> (String, Result<(), uts46::Errors>) {
+ uts46::to_unicode(domain, uts46::Flags {
+ use_std3_ascii_rules: false,
+
+ // Unused:
+ transitional_processing: true,
+ verify_dns_length: false,
+ })
+}
diff --git a/make_idna_table.py b/idna/src/make_uts46_mapping_table.py
similarity index 90%
rename from make_idna_table.py
rename to idna/src/make_uts46_mapping_table.py
--- a/make_idna_table.py
+++ b/idna/src/make_uts46_mapping_table.py
@@ -1,4 +1,4 @@
-# Copyright 2013-2014 Valentin Gosu.
+# Copyright 2013-2014 The rust-url developers.
#
# Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
# http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
@@ -6,13 +6,12 @@
# option. This file may not be copied, modified, or distributed
# except according to those terms.
-
-# Run as: python make_idna_table.py idna_table.txt > src/idna_table.rs
+# Run as: python make_uts46_mapping_table.py IdnaMappingTable.txt > uts46_mapping_table.rs
# You can get the latest idna table from
# http://www.unicode.org/Public/idna/latest/IdnaMappingTable.txt
print('''\
-// Copyright 2013-2014 Valentin Gosu.
+// Copyright 2013-2014 The rust-url developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
diff --git a/src/punycode.rs b/idna/src/punycode.rs
similarity index 94%
rename from src/punycode.rs
rename to idna/src/punycode.rs
--- a/src/punycode.rs
+++ b/idna/src/punycode.rs
@@ -1,4 +1,4 @@
-// Copyright 2013 Simon Sapin.
+// Copyright 2013 The rust-url developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
@@ -185,11 +185,11 @@ pub fn encode(input: &[char]) -> Option<String> {
break
}
let value = t + ((q - t) % (BASE - t));
- value_to_digit(value, &mut output);
+ output.push(value_to_digit(value));
q = (q - t) / (BASE - t);
k += BASE;
}
- value_to_digit(q, &mut output);
+ output.push(value_to_digit(q));
bias = adapt(delta, processed + 1, processed == basic_length);
delta = 0;
processed += 1;
@@ -203,11 +203,10 @@ pub fn encode(input: &[char]) -> Option<String> {
#[inline]
-fn value_to_digit(value: u32, output: &mut String) {
- let code_point = match value {
- 0 ... 25 => value + 0x61, // a..z
- 26 ... 35 => value - 26 + 0x30, // 0..9
+fn value_to_digit(value: u32) -> char {
+ match value {
+ 0 ... 25 => (value as u8 + 'a' as u8) as char, // a..z
+ 26 ... 35 => (value as u8 - 26 + '0' as u8) as char, // 0..9
_ => panic!()
- };
- unsafe { output.as_mut_vec().push(code_point as u8) }
+ }
}
diff --git a/src/idna.rs b/idna/src/uts46.rs
similarity index 84%
rename from src/idna.rs
rename to idna/src/uts46.rs
--- a/src/idna.rs
+++ b/idna/src/uts46.rs
@@ -1,6 +1,13 @@
-//! International domain names
-//!
-//! https://url.spec.whatwg.org/#idna
+// Copyright 2013-2014 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+//! [*Unicode IDNA Compatibility Processing*
+//! (Unicode Technical Standard #46)](http://www.unicode.org/reports/tr46/)
use self::Mapping::*;
use punycode;
@@ -9,7 +16,7 @@ use unicode_normalization::UnicodeNormalization;
use unicode_normalization::char::is_combining_mark;
use unicode_bidi::{BidiClass, bidi_class};
-include!("idna_mapping.rs");
+include!("uts46_mapping_table.rs");
#[derive(Debug)]
enum Mapping {
@@ -23,9 +30,9 @@ enum Mapping {
}
struct Range {
- pub from: char,
- pub to: char,
- pub mapping: Mapping,
+ from: char,
+ to: char,
+ mapping: Mapping,
}
fn find_char(codepoint: char) -> &'static Mapping {
@@ -45,7 +52,7 @@ fn find_char(codepoint: char) -> &'static Mapping {
&TABLE[min].mapping
}
-fn map_char(codepoint: char, flags: Uts46Flags, output: &mut String, errors: &mut Vec<Error>) {
+fn map_char(codepoint: char, flags: Flags, output: &mut String, errors: &mut Vec<Error>) {
match *find_char(codepoint) {
Mapping::Valid => output.push(codepoint),
Mapping::Ignored => {},
@@ -185,7 +192,7 @@ fn passes_bidi(label: &str, transitional_processing: bool) -> bool {
}
/// http://www.unicode.org/reports/tr46/#Validity_Criteria
-fn validate(label: &str, flags: Uts46Flags, errors: &mut Vec<Error>) {
+fn validate(label: &str, flags: Flags, errors: &mut Vec<Error>) {
if label.nfc().ne(label.chars()) {
errors.push(Error::ValidityCriteria);
}
@@ -212,7 +219,7 @@ fn validate(label: &str, flags: Uts46Flags, errors: &mut Vec<Error>) {
}
/// http://www.unicode.org/reports/tr46/#Processing
-fn uts46_processing(domain: &str, flags: Uts46Flags, errors: &mut Vec<Error>) -> String {
+fn processing(domain: &str, flags: Flags, errors: &mut Vec<Error>) -> String {
let mut mapped = String::new();
for c in domain.chars() {
map_char(c, flags, &mut mapped, errors)
@@ -226,7 +233,7 @@ fn uts46_processing(domain: &str, flags: Uts46Flags, errors: &mut Vec<Error>) ->
if label.starts_with("xn--") {
match punycode::decode_to_string(&label["xn--".len()..]) {
Some(decoded_label) => {
- let flags = Uts46Flags { transitional_processing: false, ..flags };
+ let flags = Flags { transitional_processing: false, ..flags };
validate(&decoded_label, flags, errors);
validated.push_str(&decoded_label)
}
@@ -241,14 +248,14 @@ fn uts46_processing(domain: &str, flags: Uts46Flags, errors: &mut Vec<Error>) ->
}
#[derive(Copy, Clone)]
-pub struct Uts46Flags {
+pub struct Flags {
pub use_std3_ascii_rules: bool,
pub transitional_processing: bool,
pub verify_dns_length: bool,
}
#[derive(PartialEq, Eq, Clone, Copy, Debug)]
-pub enum Error {
+enum Error {
PunycodeError,
ValidityCriteria,
DissallowedByStd3AsciiRules,
@@ -257,11 +264,18 @@ pub enum Error {
TooLongForDns,
}
+/// Errors recorded during UTS #46 processing.
+///
+/// This is opaque for now, only indicating the presence of at least one error.
+/// More details may be exposed in the future.
+#[derive(Debug)]
+pub struct Errors(Vec<Error>);
+
/// http://www.unicode.org/reports/tr46/#ToASCII
-pub fn uts46_to_ascii(domain: &str, flags: Uts46Flags) -> Result<String, Vec<Error>> {
+pub fn to_ascii(domain: &str, flags: Flags) -> Result<String, Errors> {
let mut errors = Vec::new();
let mut result = String::new();
- for label in uts46_processing(domain, flags, &mut errors).split('.') {
+ for label in processing(domain, flags, &mut errors).split('.') {
if result.len() > 0 {
result.push('.');
}
@@ -288,36 +302,21 @@ pub fn uts46_to_ascii(domain: &str, flags: Uts46Flags) -> Result<String, Vec<Err
if errors.is_empty() {
Ok(result)
} else {
- Err(errors)
+ Err(Errors(errors))
}
}
-/// https://url.spec.whatwg.org/#concept-domain-to-ascii
-pub fn domain_to_ascii(domain: &str) -> Result<String, Vec<Error>> {
- uts46_to_ascii(domain, Uts46Flags {
- use_std3_ascii_rules: false,
- transitional_processing: true, // XXX: switch when Firefox does
- verify_dns_length: false,
- })
-}
-
/// http://www.unicode.org/reports/tr46/#ToUnicode
///
/// Only `use_std3_ascii_rules` is used in `flags`.
-pub fn uts46_to_unicode(domain: &str, mut flags: Uts46Flags) -> (String, Vec<Error>) {
+pub fn to_unicode(domain: &str, mut flags: Flags) -> (String, Result<(), Errors>) {
flags.transitional_processing = false;
let mut errors = Vec::new();
- let domain = uts46_processing(domain, flags, &mut errors);
+ let domain = processing(domain, flags, &mut errors);
+ let errors = if errors.is_empty() {
+ Ok(())
+ } else {
+ Err(Errors(errors))
+ };
(domain, errors)
}
-
-/// https://url.spec.whatwg.org/#concept-domain-to-unicode
-pub fn domain_to_unicode(domain: &str) -> (String, Vec<Error>) {
- uts46_to_unicode(domain, Uts46Flags {
- use_std3_ascii_rules: false,
-
- // Unused:
- transitional_processing: true,
- verify_dns_length: false,
- })
-}
diff --git a/src/idna_mapping.rs b/idna/src/uts46_mapping_table.rs
similarity index 99%
rename from src/idna_mapping.rs
rename to idna/src/uts46_mapping_table.rs
--- a/src/idna_mapping.rs
+++ b/idna/src/uts46_mapping_table.rs
@@ -1,4 +1,4 @@
-// Copyright 2013-2014 Valentin Gosu.
+// Copyright 2013-2014 The rust-url developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
diff --git a/make_encode_sets.py b/make_encode_sets.py
deleted file mode 100644
--- a/make_encode_sets.py
+++ /dev/null
@@ -1,42 +0,0 @@
-# Copyright 2013-2014 Simon Sapin.
-#
-# Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
-# http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
-# <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
-# option. This file may not be copied, modified, or distributed
-# except according to those terms.
-
-
-# Run as: python make_encode_sets.py > src/encode_sets.rs
-
-
-print('''\
-// Copyright 2013-2014 Simon Sapin.
-//
-// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
-// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
-// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
-// option. This file may not be copied, modified, or distributed
-// except according to those terms.
-
-// Generated by make_encode_sets.py
-''')
-for name, encoded in [
- ('SIMPLE', ''),
- ('QUERY', r''' "#<>'''),
- ('DEFAULT', r''' "#<>`?{}'''),
- ('USERINFO', r''' "#<>`?{}@'''),
- ('PASSWORD', r''' "#<>`?{}@\/'''),
- ('USERNAME', r''' "#<>`?{}@\/:'''),
- ('FORM_URLENCODED', r''' !"#$%&\'()+,/:;<=>?@[\]^`{|}~'''),
- ('HTTP_VALUE', r''' "%'()*,/:;<->?[\]{}'''),
-]:
- print(
- "pub static %s: [&'static str; 256] = [\n%s\n];\n\n"
- % (name, '\n'.join(
- ' ' + ' '.join(
- '"%s%s",' % ("\\" if chr(b) in '\\"' else "", chr(b))
- if 0x20 <= b <= 0x7E and chr(b) not in encoded
- else '"%%%02X",' % b
- for b in range(s, s + 8)
- ) for s in range(0, 256, 8))))
diff --git a/src/encode_sets.rs b/src/encode_sets.rs
deleted file mode 100644
--- a/src/encode_sets.rs
+++ /dev/null
@@ -1,298 +0,0 @@
-// Copyright 2013-2014 Simon Sapin.
-//
-// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
-// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
-// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
-// option. This file may not be copied, modified, or distributed
-// except according to those terms.
-
-// Generated by make_encode_sets.py
-
-pub static SIMPLE: [&'static str; 256] = [
- "%00", "%01", "%02", "%03", "%04", "%05", "%06", "%07",
- "%08", "%09", "%0A", "%0B", "%0C", "%0D", "%0E", "%0F",
- "%10", "%11", "%12", "%13", "%14", "%15", "%16", "%17",
- "%18", "%19", "%1A", "%1B", "%1C", "%1D", "%1E", "%1F",
- " ", "!", "\"", "#", "$", "%", "&", "'",
- "(", ")", "*", "+", ",", "-", ".", "/",
- "0", "1", "2", "3", "4", "5", "6", "7",
- "8", "9", ":", ";", "<", "=", ">", "?",
- "@", "A", "B", "C", "D", "E", "F", "G",
- "H", "I", "J", "K", "L", "M", "N", "O",
- "P", "Q", "R", "S", "T", "U", "V", "W",
- "X", "Y", "Z", "[", "\\", "]", "^", "_",
- "`", "a", "b", "c", "d", "e", "f", "g",
- "h", "i", "j", "k", "l", "m", "n", "o",
- "p", "q", "r", "s", "t", "u", "v", "w",
- "x", "y", "z", "{", "|", "}", "~", "%7F",
- "%80", "%81", "%82", "%83", "%84", "%85", "%86", "%87",
- "%88", "%89", "%8A", "%8B", "%8C", "%8D", "%8E", "%8F",
- "%90", "%91", "%92", "%93", "%94", "%95", "%96", "%97",
- "%98", "%99", "%9A", "%9B", "%9C", "%9D", "%9E", "%9F",
- "%A0", "%A1", "%A2", "%A3", "%A4", "%A5", "%A6", "%A7",
- "%A8", "%A9", "%AA", "%AB", "%AC", "%AD", "%AE", "%AF",
- "%B0", "%B1", "%B2", "%B3", "%B4", "%B5", "%B6", "%B7",
- "%B8", "%B9", "%BA", "%BB", "%BC", "%BD", "%BE", "%BF",
- "%C0", "%C1", "%C2", "%C3", "%C4", "%C5", "%C6", "%C7",
- "%C8", "%C9", "%CA", "%CB", "%CC", "%CD", "%CE", "%CF",
- "%D0", "%D1", "%D2", "%D3", "%D4", "%D5", "%D6", "%D7",
- "%D8", "%D9", "%DA", "%DB", "%DC", "%DD", "%DE", "%DF",
- "%E0", "%E1", "%E2", "%E3", "%E4", "%E5", "%E6", "%E7",
- "%E8", "%E9", "%EA", "%EB", "%EC", "%ED", "%EE", "%EF",
- "%F0", "%F1", "%F2", "%F3", "%F4", "%F5", "%F6", "%F7",
- "%F8", "%F9", "%FA", "%FB", "%FC", "%FD", "%FE", "%FF",
-];
-
-
-pub static QUERY: [&'static str; 256] = [
- "%00", "%01", "%02", "%03", "%04", "%05", "%06", "%07",
- "%08", "%09", "%0A", "%0B", "%0C", "%0D", "%0E", "%0F",
- "%10", "%11", "%12", "%13", "%14", "%15", "%16", "%17",
- "%18", "%19", "%1A", "%1B", "%1C", "%1D", "%1E", "%1F",
- "%20", "!", "%22", "%23", "$", "%", "&", "'",
- "(", ")", "*", "+", ",", "-", ".", "/",
- "0", "1", "2", "3", "4", "5", "6", "7",
- "8", "9", ":", ";", "%3C", "=", "%3E", "?",
- "@", "A", "B", "C", "D", "E", "F", "G",
- "H", "I", "J", "K", "L", "M", "N", "O",
- "P", "Q", "R", "S", "T", "U", "V", "W",
- "X", "Y", "Z", "[", "\\", "]", "^", "_",
- "`", "a", "b", "c", "d", "e", "f", "g",
- "h", "i", "j", "k", "l", "m", "n", "o",
- "p", "q", "r", "s", "t", "u", "v", "w",
- "x", "y", "z", "{", "|", "}", "~", "%7F",
- "%80", "%81", "%82", "%83", "%84", "%85", "%86", "%87",
- "%88", "%89", "%8A", "%8B", "%8C", "%8D", "%8E", "%8F",
- "%90", "%91", "%92", "%93", "%94", "%95", "%96", "%97",
- "%98", "%99", "%9A", "%9B", "%9C", "%9D", "%9E", "%9F",
- "%A0", "%A1", "%A2", "%A3", "%A4", "%A5", "%A6", "%A7",
- "%A8", "%A9", "%AA", "%AB", "%AC", "%AD", "%AE", "%AF",
- "%B0", "%B1", "%B2", "%B3", "%B4", "%B5", "%B6", "%B7",
- "%B8", "%B9", "%BA", "%BB", "%BC", "%BD", "%BE", "%BF",
- "%C0", "%C1", "%C2", "%C3", "%C4", "%C5", "%C6", "%C7",
- "%C8", "%C9", "%CA", "%CB", "%CC", "%CD", "%CE", "%CF",
- "%D0", "%D1", "%D2", "%D3", "%D4", "%D5", "%D6", "%D7",
- "%D8", "%D9", "%DA", "%DB", "%DC", "%DD", "%DE", "%DF",
- "%E0", "%E1", "%E2", "%E3", "%E4", "%E5", "%E6", "%E7",
- "%E8", "%E9", "%EA", "%EB", "%EC", "%ED", "%EE", "%EF",
- "%F0", "%F1", "%F2", "%F3", "%F4", "%F5", "%F6", "%F7",
- "%F8", "%F9", "%FA", "%FB", "%FC", "%FD", "%FE", "%FF",
-];
-
-
-pub static DEFAULT: [&'static str; 256] = [
- "%00", "%01", "%02", "%03", "%04", "%05", "%06", "%07",
- "%08", "%09", "%0A", "%0B", "%0C", "%0D", "%0E", "%0F",
- "%10", "%11", "%12", "%13", "%14", "%15", "%16", "%17",
- "%18", "%19", "%1A", "%1B", "%1C", "%1D", "%1E", "%1F",
- "%20", "!", "%22", "%23", "$", "%", "&", "'",
- "(", ")", "*", "+", ",", "-", ".", "/",
- "0", "1", "2", "3", "4", "5", "6", "7",
- "8", "9", ":", ";", "%3C", "=", "%3E", "%3F",
- "@", "A", "B", "C", "D", "E", "F", "G",
- "H", "I", "J", "K", "L", "M", "N", "O",
- "P", "Q", "R", "S", "T", "U", "V", "W",
- "X", "Y", "Z", "[", "\\", "]", "^", "_",
- "%60", "a", "b", "c", "d", "e", "f", "g",
- "h", "i", "j", "k", "l", "m", "n", "o",
- "p", "q", "r", "s", "t", "u", "v", "w",
- "x", "y", "z", "%7B", "|", "%7D", "~", "%7F",
- "%80", "%81", "%82", "%83", "%84", "%85", "%86", "%87",
- "%88", "%89", "%8A", "%8B", "%8C", "%8D", "%8E", "%8F",
- "%90", "%91", "%92", "%93", "%94", "%95", "%96", "%97",
- "%98", "%99", "%9A", "%9B", "%9C", "%9D", "%9E", "%9F",
- "%A0", "%A1", "%A2", "%A3", "%A4", "%A5", "%A6", "%A7",
- "%A8", "%A9", "%AA", "%AB", "%AC", "%AD", "%AE", "%AF",
- "%B0", "%B1", "%B2", "%B3", "%B4", "%B5", "%B6", "%B7",
- "%B8", "%B9", "%BA", "%BB", "%BC", "%BD", "%BE", "%BF",
- "%C0", "%C1", "%C2", "%C3", "%C4", "%C5", "%C6", "%C7",
- "%C8", "%C9", "%CA", "%CB", "%CC", "%CD", "%CE", "%CF",
- "%D0", "%D1", "%D2", "%D3", "%D4", "%D5", "%D6", "%D7",
- "%D8", "%D9", "%DA", "%DB", "%DC", "%DD", "%DE", "%DF",
- "%E0", "%E1", "%E2", "%E3", "%E4", "%E5", "%E6", "%E7",
- "%E8", "%E9", "%EA", "%EB", "%EC", "%ED", "%EE", "%EF",
- "%F0", "%F1", "%F2", "%F3", "%F4", "%F5", "%F6", "%F7",
- "%F8", "%F9", "%FA", "%FB", "%FC", "%FD", "%FE", "%FF",
-];
-
-
-pub static USERINFO: [&'static str; 256] = [
- "%00", "%01", "%02", "%03", "%04", "%05", "%06", "%07",
- "%08", "%09", "%0A", "%0B", "%0C", "%0D", "%0E", "%0F",
- "%10", "%11", "%12", "%13", "%14", "%15", "%16", "%17",
- "%18", "%19", "%1A", "%1B", "%1C", "%1D", "%1E", "%1F",
- "%20", "!", "%22", "%23", "$", "%", "&", "'",
- "(", ")", "*", "+", ",", "-", ".", "/",
- "0", "1", "2", "3", "4", "5", "6", "7",
- "8", "9", ":", ";", "%3C", "=", "%3E", "%3F",
- "%40", "A", "B", "C", "D", "E", "F", "G",
- "H", "I", "J", "K", "L", "M", "N", "O",
- "P", "Q", "R", "S", "T", "U", "V", "W",
- "X", "Y", "Z", "[", "\\", "]", "^", "_",
- "%60", "a", "b", "c", "d", "e", "f", "g",
- "h", "i", "j", "k", "l", "m", "n", "o",
- "p", "q", "r", "s", "t", "u", "v", "w",
- "x", "y", "z", "%7B", "|", "%7D", "~", "%7F",
- "%80", "%81", "%82", "%83", "%84", "%85", "%86", "%87",
- "%88", "%89", "%8A", "%8B", "%8C", "%8D", "%8E", "%8F",
- "%90", "%91", "%92", "%93", "%94", "%95", "%96", "%97",
- "%98", "%99", "%9A", "%9B", "%9C", "%9D", "%9E", "%9F",
- "%A0", "%A1", "%A2", "%A3", "%A4", "%A5", "%A6", "%A7",
- "%A8", "%A9", "%AA", "%AB", "%AC", "%AD", "%AE", "%AF",
- "%B0", "%B1", "%B2", "%B3", "%B4", "%B5", "%B6", "%B7",
- "%B8", "%B9", "%BA", "%BB", "%BC", "%BD", "%BE", "%BF",
- "%C0", "%C1", "%C2", "%C3", "%C4", "%C5", "%C6", "%C7",
- "%C8", "%C9", "%CA", "%CB", "%CC", "%CD", "%CE", "%CF",
- "%D0", "%D1", "%D2", "%D3", "%D4", "%D5", "%D6", "%D7",
- "%D8", "%D9", "%DA", "%DB", "%DC", "%DD", "%DE", "%DF",
- "%E0", "%E1", "%E2", "%E3", "%E4", "%E5", "%E6", "%E7",
- "%E8", "%E9", "%EA", "%EB", "%EC", "%ED", "%EE", "%EF",
- "%F0", "%F1", "%F2", "%F3", "%F4", "%F5", "%F6", "%F7",
- "%F8", "%F9", "%FA", "%FB", "%FC", "%FD", "%FE", "%FF",
-];
-
-
-pub static PASSWORD: [&'static str; 256] = [
- "%00", "%01", "%02", "%03", "%04", "%05", "%06", "%07",
- "%08", "%09", "%0A", "%0B", "%0C", "%0D", "%0E", "%0F",
- "%10", "%11", "%12", "%13", "%14", "%15", "%16", "%17",
- "%18", "%19", "%1A", "%1B", "%1C", "%1D", "%1E", "%1F",
- "%20", "!", "%22", "%23", "$", "%", "&", "'",
- "(", ")", "*", "+", ",", "-", ".", "%2F",
- "0", "1", "2", "3", "4", "5", "6", "7",
- "8", "9", ":", ";", "%3C", "=", "%3E", "%3F",
- "%40", "A", "B", "C", "D", "E", "F", "G",
- "H", "I", "J", "K", "L", "M", "N", "O",
- "P", "Q", "R", "S", "T", "U", "V", "W",
- "X", "Y", "Z", "[", "%5C", "]", "^", "_",
- "%60", "a", "b", "c", "d", "e", "f", "g",
- "h", "i", "j", "k", "l", "m", "n", "o",
- "p", "q", "r", "s", "t", "u", "v", "w",
- "x", "y", "z", "%7B", "|", "%7D", "~", "%7F",
- "%80", "%81", "%82", "%83", "%84", "%85", "%86", "%87",
- "%88", "%89", "%8A", "%8B", "%8C", "%8D", "%8E", "%8F",
- "%90", "%91", "%92", "%93", "%94", "%95", "%96", "%97",
- "%98", "%99", "%9A", "%9B", "%9C", "%9D", "%9E", "%9F",
- "%A0", "%A1", "%A2", "%A3", "%A4", "%A5", "%A6", "%A7",
- "%A8", "%A9", "%AA", "%AB", "%AC", "%AD", "%AE", "%AF",
- "%B0", "%B1", "%B2", "%B3", "%B4", "%B5", "%B6", "%B7",
- "%B8", "%B9", "%BA", "%BB", "%BC", "%BD", "%BE", "%BF",
- "%C0", "%C1", "%C2", "%C3", "%C4", "%C5", "%C6", "%C7",
- "%C8", "%C9", "%CA", "%CB", "%CC", "%CD", "%CE", "%CF",
- "%D0", "%D1", "%D2", "%D3", "%D4", "%D5", "%D6", "%D7",
- "%D8", "%D9", "%DA", "%DB", "%DC", "%DD", "%DE", "%DF",
- "%E0", "%E1", "%E2", "%E3", "%E4", "%E5", "%E6", "%E7",
- "%E8", "%E9", "%EA", "%EB", "%EC", "%ED", "%EE", "%EF",
- "%F0", "%F1", "%F2", "%F3", "%F4", "%F5", "%F6", "%F7",
- "%F8", "%F9", "%FA", "%FB", "%FC", "%FD", "%FE", "%FF",
-];
-
-
-pub static USERNAME: [&'static str; 256] = [
- "%00", "%01", "%02", "%03", "%04", "%05", "%06", "%07",
- "%08", "%09", "%0A", "%0B", "%0C", "%0D", "%0E", "%0F",
- "%10", "%11", "%12", "%13", "%14", "%15", "%16", "%17",
- "%18", "%19", "%1A", "%1B", "%1C", "%1D", "%1E", "%1F",
- "%20", "!", "%22", "%23", "$", "%", "&", "'",
- "(", ")", "*", "+", ",", "-", ".", "%2F",
- "0", "1", "2", "3", "4", "5", "6", "7",
- "8", "9", "%3A", ";", "%3C", "=", "%3E", "%3F",
- "%40", "A", "B", "C", "D", "E", "F", "G",
- "H", "I", "J", "K", "L", "M", "N", "O",
- "P", "Q", "R", "S", "T", "U", "V", "W",
- "X", "Y", "Z", "[", "%5C", "]", "^", "_",
- "%60", "a", "b", "c", "d", "e", "f", "g",
- "h", "i", "j", "k", "l", "m", "n", "o",
- "p", "q", "r", "s", "t", "u", "v", "w",
- "x", "y", "z", "%7B", "|", "%7D", "~", "%7F",
- "%80", "%81", "%82", "%83", "%84", "%85", "%86", "%87",
- "%88", "%89", "%8A", "%8B", "%8C", "%8D", "%8E", "%8F",
- "%90", "%91", "%92", "%93", "%94", "%95", "%96", "%97",
- "%98", "%99", "%9A", "%9B", "%9C", "%9D", "%9E", "%9F",
- "%A0", "%A1", "%A2", "%A3", "%A4", "%A5", "%A6", "%A7",
- "%A8", "%A9", "%AA", "%AB", "%AC", "%AD", "%AE", "%AF",
- "%B0", "%B1", "%B2", "%B3", "%B4", "%B5", "%B6", "%B7",
- "%B8", "%B9", "%BA", "%BB", "%BC", "%BD", "%BE", "%BF",
- "%C0", "%C1", "%C2", "%C3", "%C4", "%C5", "%C6", "%C7",
- "%C8", "%C9", "%CA", "%CB", "%CC", "%CD", "%CE", "%CF",
- "%D0", "%D1", "%D2", "%D3", "%D4", "%D5", "%D6", "%D7",
- "%D8", "%D9", "%DA", "%DB", "%DC", "%DD", "%DE", "%DF",
- "%E0", "%E1", "%E2", "%E3", "%E4", "%E5", "%E6", "%E7",
- "%E8", "%E9", "%EA", "%EB", "%EC", "%ED", "%EE", "%EF",
- "%F0", "%F1", "%F2", "%F3", "%F4", "%F5", "%F6", "%F7",
- "%F8", "%F9", "%FA", "%FB", "%FC", "%FD", "%FE", "%FF",
-];
-
-
-pub static FORM_URLENCODED: [&'static str; 256] = [
- "%00", "%01", "%02", "%03", "%04", "%05", "%06", "%07",
- "%08", "%09", "%0A", "%0B", "%0C", "%0D", "%0E", "%0F",
- "%10", "%11", "%12", "%13", "%14", "%15", "%16", "%17",
- "%18", "%19", "%1A", "%1B", "%1C", "%1D", "%1E", "%1F",
- "%20", "%21", "%22", "%23", "%24", "%25", "%26", "%27",
- "%28", "%29", "*", "%2B", "%2C", "-", ".", "%2F",
- "0", "1", "2", "3", "4", "5", "6", "7",
- "8", "9", "%3A", "%3B", "%3C", "%3D", "%3E", "%3F",
- "%40", "A", "B", "C", "D", "E", "F", "G",
- "H", "I", "J", "K", "L", "M", "N", "O",
- "P", "Q", "R", "S", "T", "U", "V", "W",
- "X", "Y", "Z", "%5B", "%5C", "%5D", "%5E", "_",
- "%60", "a", "b", "c", "d", "e", "f", "g",
- "h", "i", "j", "k", "l", "m", "n", "o",
- "p", "q", "r", "s", "t", "u", "v", "w",
- "x", "y", "z", "%7B", "%7C", "%7D", "%7E", "%7F",
- "%80", "%81", "%82", "%83", "%84", "%85", "%86", "%87",
- "%88", "%89", "%8A", "%8B", "%8C", "%8D", "%8E", "%8F",
- "%90", "%91", "%92", "%93", "%94", "%95", "%96", "%97",
- "%98", "%99", "%9A", "%9B", "%9C", "%9D", "%9E", "%9F",
- "%A0", "%A1", "%A2", "%A3", "%A4", "%A5", "%A6", "%A7",
- "%A8", "%A9", "%AA", "%AB", "%AC", "%AD", "%AE", "%AF",
- "%B0", "%B1", "%B2", "%B3", "%B4", "%B5", "%B6", "%B7",
- "%B8", "%B9", "%BA", "%BB", "%BC", "%BD", "%BE", "%BF",
- "%C0", "%C1", "%C2", "%C3", "%C4", "%C5", "%C6", "%C7",
- "%C8", "%C9", "%CA", "%CB", "%CC", "%CD", "%CE", "%CF",
- "%D0", "%D1", "%D2", "%D3", "%D4", "%D5", "%D6", "%D7",
- "%D8", "%D9", "%DA", "%DB", "%DC", "%DD", "%DE", "%DF",
- "%E0", "%E1", "%E2", "%E3", "%E4", "%E5", "%E6", "%E7",
- "%E8", "%E9", "%EA", "%EB", "%EC", "%ED", "%EE", "%EF",
- "%F0", "%F1", "%F2", "%F3", "%F4", "%F5", "%F6", "%F7",
- "%F8", "%F9", "%FA", "%FB", "%FC", "%FD", "%FE", "%FF",
-];
-
-
-pub static HTTP_VALUE: [&'static str; 256] = [
- "%00", "%01", "%02", "%03", "%04", "%05", "%06", "%07",
- "%08", "%09", "%0A", "%0B", "%0C", "%0D", "%0E", "%0F",
- "%10", "%11", "%12", "%13", "%14", "%15", "%16", "%17",
- "%18", "%19", "%1A", "%1B", "%1C", "%1D", "%1E", "%1F",
- "%20", "!", "%22", "#", "$", "%25", "&", "%27",
- "%28", "%29", "%2A", "+", "%2C", "%2D", ".", "%2F",
- "0", "1", "2", "3", "4", "5", "6", "7",
- "8", "9", "%3A", "%3B", "%3C", "=", "%3E", "%3F",
- "@", "A", "B", "C", "D", "E", "F", "G",
- "H", "I", "J", "K", "L", "M", "N", "O",
- "P", "Q", "R", "S", "T", "U", "V", "W",
- "X", "Y", "Z", "%5B", "%5C", "%5D", "^", "_",
- "`", "a", "b", "c", "d", "e", "f", "g",
- "h", "i", "j", "k", "l", "m", "n", "o",
- "p", "q", "r", "s", "t", "u", "v", "w",
- "x", "y", "z", "%7B", "|", "%7D", "~", "%7F",
- "%80", "%81", "%82", "%83", "%84", "%85", "%86", "%87",
- "%88", "%89", "%8A", "%8B", "%8C", "%8D", "%8E", "%8F",
- "%90", "%91", "%92", "%93", "%94", "%95", "%96", "%97",
- "%98", "%99", "%9A", "%9B", "%9C", "%9D", "%9E", "%9F",
- "%A0", "%A1", "%A2", "%A3", "%A4", "%A5", "%A6", "%A7",
- "%A8", "%A9", "%AA", "%AB", "%AC", "%AD", "%AE", "%AF",
- "%B0", "%B1", "%B2", "%B3", "%B4", "%B5", "%B6", "%B7",
- "%B8", "%B9", "%BA", "%BB", "%BC", "%BD", "%BE", "%BF",
- "%C0", "%C1", "%C2", "%C3", "%C4", "%C5", "%C6", "%C7",
- "%C8", "%C9", "%CA", "%CB", "%CC", "%CD", "%CE", "%CF",
- "%D0", "%D1", "%D2", "%D3", "%D4", "%D5", "%D6", "%D7",
- "%D8", "%D9", "%DA", "%DB", "%DC", "%DD", "%DE", "%DF",
- "%E0", "%E1", "%E2", "%E3", "%E4", "%E5", "%E6", "%E7",
- "%E8", "%E9", "%EA", "%EB", "%EC", "%ED", "%EE", "%EF",
- "%F0", "%F1", "%F2", "%F3", "%F4", "%F5", "%F6", "%F7",
- "%F8", "%F9", "%FA", "%FB", "%FC", "%FD", "%FE", "%FF",
-];
-
-
diff --git a/src/encoding.rs b/src/encoding.rs
--- a/src/encoding.rs
+++ b/src/encoding.rs
@@ -1,4 +1,4 @@
-// Copyright 2013-2014 Simon Sapin.
+// Copyright 2013-2014 The rust-url developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
@@ -27,43 +27,64 @@ pub struct EncodingOverride {
#[cfg(feature = "query_encoding")]
impl EncodingOverride {
- pub fn from_opt_encoding(encoding: Option<EncodingRef>) -> EncodingOverride {
- encoding.map(EncodingOverride::from_encoding).unwrap_or_else(EncodingOverride::utf8)
+ pub fn from_opt_encoding(encoding: Option<EncodingRef>) -> Self {
+ encoding.map(Self::from_encoding).unwrap_or_else(Self::utf8)
}
- pub fn from_encoding(encoding: EncodingRef) -> EncodingOverride {
+ pub fn from_encoding(encoding: EncodingRef) -> Self {
EncodingOverride {
encoding: if encoding.name() == "utf-8" { None } else { Some(encoding) }
}
}
- pub fn utf8() -> EncodingOverride {
+ #[inline]
+ pub fn utf8() -> Self {
EncodingOverride { encoding: None }
}
- pub fn lookup(label: &[u8]) -> Option<EncodingOverride> {
+ pub fn lookup(label: &[u8]) -> Option<Self> {
+ // Don't use String::from_utf8_lossy since no encoding label contains U+FFFD
+ // https://encoding.spec.whatwg.org/#names-and-labels
::std::str::from_utf8(label)
.ok()
.and_then(encoding_from_whatwg_label)
- .map(EncodingOverride::from_encoding)
+ .map(Self::from_encoding)
+ }
+
+ /// https://encoding.spec.whatwg.org/#get-an-output-encoding
+ pub fn to_output_encoding(self) -> Self {
+ if let Some(encoding) = self.encoding {
+ if matches!(encoding.name(), "utf-16le" | "utf-16be") {
+ return Self::utf8()
+ }
+ }
+ self
}
pub fn is_utf8(&self) -> bool {
self.encoding.is_none()
}
- pub fn decode(&self, input: &[u8]) -> String {
+ pub fn name(&self) -> &'static str {
match self.encoding {
- Some(encoding) => encoding.decode(input, DecoderTrap::Replace).unwrap(),
- None => String::from_utf8_lossy(input).to_string(),
+ Some(encoding) => encoding.name(),
+ None => "utf-8",
}
}
- pub fn encode<'a>(&self, input: &'a str) -> Cow<'a, [u8]> {
+ pub fn decode<'a>(&self, input: Cow<'a, [u8]>) -> Cow<'a, str> {
match self.encoding {
- Some(encoding) => Cow::Owned(
- encoding.encode(input, EncoderTrap::NcrEscape).unwrap()),
- None => Cow::Borrowed(input.as_bytes()), // UTF-8
+ // `encoding.decode` never returns `Err` when called with `DecoderTrap::Replace`
+ Some(encoding) => encoding.decode(&input, DecoderTrap::Replace).unwrap().into(),
+ None => decode_utf8_lossy(input),
+ }
+ }
+
+ pub fn encode<'a>(&self, input: Cow<'a, str>) -> Cow<'a, [u8]> {
+ match self.encoding {
+ // `encoding.encode` never returns `Err` when called with `EncoderTrap::NcrEscape`
+ Some(encoding) => Cow::Owned(encoding.encode(&input, EncoderTrap::NcrEscape).unwrap()),
+ None => encode_utf8(input)
}
}
}
@@ -75,23 +96,40 @@ pub struct EncodingOverride;
#[cfg(not(feature = "query_encoding"))]
impl EncodingOverride {
- pub fn utf8() -> EncodingOverride {
+ #[inline]
+ pub fn utf8() -> Self {
EncodingOverride
}
- pub fn lookup(_label: &[u8]) -> Option<EncodingOverride> {
- None
+ pub fn decode<'a>(&self, input: Cow<'a, [u8]>) -> Cow<'a, str> {
+ decode_utf8_lossy(input)
}
- pub fn is_utf8(&self) -> bool {
- true
+ pub fn encode<'a>(&self, input: Cow<'a, str>) -> Cow<'a, [u8]> {
+ encode_utf8(input)
}
+}
- pub fn decode(&self, input: &[u8]) -> String {
- String::from_utf8_lossy(input).into_owned()
+pub fn decode_utf8_lossy(input: Cow<[u8]>) -> Cow<str> {
+ match input {
+ Cow::Borrowed(bytes) => String::from_utf8_lossy(bytes),
+ Cow::Owned(bytes) => {
+ let raw_utf8: *const [u8];
+ match String::from_utf8_lossy(&bytes) {
+ Cow::Borrowed(utf8) => raw_utf8 = utf8.as_bytes(),
+ Cow::Owned(s) => return s.into(),
+ }
+ // from_utf8_lossy returned a borrow of `bytes` unchanged.
+ debug_assert!(raw_utf8 == &*bytes as *const [u8]);
+ // Reuse the existing `Vec` allocation.
+ unsafe { String::from_utf8_unchecked(bytes) }.into()
+ }
}
+}
- pub fn encode<'a>(&self, input: &'a str) -> Cow<'a, [u8]> {
- Cow::Borrowed(input.as_bytes())
+pub fn encode_utf8(input: Cow<str>) -> Cow<[u8]> {
+ match input {
+ Cow::Borrowed(s) => Cow::Borrowed(s.as_bytes()),
+ Cow::Owned(s) => Cow::Owned(s.into_bytes())
}
}
diff --git a/src/form_urlencoded.rs b/src/form_urlencoded.rs
--- a/src/form_urlencoded.rs
+++ b/src/form_urlencoded.rs
@@ -1,4 +1,4 @@
-// Copyright 2013-2015 Simon Sapin.
+// Copyright 2013-2016 The rust-url developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
@@ -6,34 +6,37 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-//! Parser and serializer for the [`application/x-www-form-urlencoded` format](
+//! Parser and serializer for the [`application/x-www-form-urlencoded` syntax](
//! http://url.spec.whatwg.org/#application/x-www-form-urlencoded),
//! as used by HTML forms.
//!
//! Converts between a string (such as an URL’s query string)
//! and a sequence of (name, value) pairs.
-use std::borrow::Borrow;
-use std::ascii::AsciiExt;
use encoding::EncodingOverride;
-use percent_encoding::{percent_encode_to, percent_decode, FORM_URLENCODED_ENCODE_SET};
+use percent_encoding::{percent_encode_byte, percent_decode};
+use std::borrow::{Borrow, Cow};
+use std::str;
-/// Convert a byte string in the `application/x-www-form-urlencoded` format
-/// into a vector of (name, value) pairs.
+/// Convert a byte string in the `application/x-www-form-urlencoded` syntax
+/// into a iterator of (name, value) pairs.
///
/// Use `parse(input.as_bytes())` to parse a `&str` string.
///
-/// The names and values are URL-decoded. For instance, `%23first=%25try%25` will be
+/// The names and values are percent-decoded. For instance, `%23first=%25try%25` will be
/// converted to `[("#first", "%try%")]`.
#[inline]
-pub fn parse(input: &[u8]) -> Vec<(String, String)> {
- parse_internal(input, EncodingOverride::utf8(), false).unwrap()
+pub fn parse(input: &[u8]) -> Parse {
+ Parse {
+ input: input,
+ encoding: EncodingOverride::utf8(),
+ }
}
-/// Convert a byte string in the `application/x-www-form-urlencoded` format
-/// into a vector of (name, value) pairs.
+/// Convert a byte string in the `application/x-www-form-urlencoded` syntax
+/// into a iterator of (name, value) pairs.
///
/// Use `parse(input.as_bytes())` to parse a `&str` string.
///
@@ -45,100 +48,317 @@ pub fn parse(input: &[u8]) -> Vec<(String, String)> {
/// after percent-decoding. Defaults to UTF-8.
/// * `use_charset`: The *use _charset_ flag*. If in doubt, set to `false`.
#[cfg(feature = "query_encoding")]
-#[inline]
-pub fn parse_with_encoding(input: &[u8], encoding_override: Option<::encoding::EncodingRef>,
- use_charset: bool)
- -> Option<Vec<(String, String)>> {
- parse_internal(input, EncodingOverride::from_opt_encoding(encoding_override), use_charset)
+pub fn parse_with_encoding<'a>(input: &'a [u8],
+ encoding_override: Option<::encoding::EncodingRef>,
+ use_charset: bool)
+ -> Result<Parse<'a>, ()> {
+ use std::ascii::AsciiExt;
+
+ let mut encoding = EncodingOverride::from_opt_encoding(encoding_override);
+ if !(encoding.is_utf8() || input.is_ascii()) {
+ return Err(())
+ }
+ if use_charset {
+ for sequence in input.split(|&b| b == b'&') {
+ // No '+' in "_charset_" to replace with ' '.
+ if sequence.starts_with(b"_charset_=") {
+ let value = &sequence[b"_charset_=".len()..];
+ // Skip replacing '+' with ' ' in value since no encoding label contains either:
+ // https://encoding.spec.whatwg.org/#names-and-labels
+ if let Some(e) = EncodingOverride::lookup(value) {
+ encoding = e;
+ break
+ }
+ }
+ }
+ }
+ Ok(Parse {
+ input: input,
+ encoding: encoding,
+ })
}
+/// The return type of `parse()`.
+#[derive(Copy, Clone)]
+pub struct Parse<'a> {
+ input: &'a [u8],
+ encoding: EncodingOverride,
+}
-fn parse_internal(input: &[u8], mut encoding_override: EncodingOverride, mut use_charset: bool)
- -> Option<Vec<(String, String)>> {
- let mut pairs = Vec::new();
- for piece in input.split(|&b| b == b'&') {
- if !piece.is_empty() {
- let (name, value) = match piece.iter().position(|b| *b == b'=') {
- Some(position) => (&piece[..position], &piece[position + 1..]),
- None => (piece, &[][..])
- };
+impl<'a> Iterator for Parse<'a> {
+ type Item = (Cow<'a, str>, Cow<'a, str>);
- #[inline]
- fn replace_plus(input: &[u8]) -> Vec<u8> {
- input.iter().map(|&b| if b == b'+' { b' ' } else { b }).collect()
+ fn next(&mut self) -> Option<Self::Item> {
+ loop {
+ if self.input.is_empty() {
+ return None
}
+ let mut split2 = self.input.splitn(2, |&b| b == b'&');
+ let sequence = split2.next().unwrap();
+ self.input = split2.next().unwrap_or(&[][..]);
+ if sequence.is_empty() {
+ continue
+ }
+ let mut split2 = sequence.splitn(2, |&b| b == b'=');
+ let name = split2.next().unwrap();
+ let value = split2.next().unwrap_or(&[][..]);
+ return Some((
+ decode(name, self.encoding),
+ decode(value, self.encoding),
+ ))
+ }
+ }
+}
- let name = replace_plus(name);
- let value = replace_plus(value);
- if use_charset && name == b"_charset_" {
- if let Some(encoding) = EncodingOverride::lookup(&value) {
- encoding_override = encoding;
+fn decode(input: &[u8], encoding: EncodingOverride) -> Cow<str> {
+ let replaced = replace_plus(input);
+ encoding.decode(match percent_decode(&replaced).if_any() {
+ Some(vec) => Cow::Owned(vec),
+ None => replaced,
+ })
+}
+
+/// Replace b'+' with b' '
+fn replace_plus<'a>(input: &'a [u8]) -> Cow<'a, [u8]> {
+ match input.iter().position(|&b| b == b'+') {
+ None => Cow::Borrowed(input),
+ Some(first_position) => {
+ let mut replaced = input.to_owned();
+ replaced[first_position] = b' ';
+ for byte in &mut replaced[first_position + 1..] {
+ if *byte == b'+' {
+ *byte = b' ';
}
- use_charset = false;
}
- pairs.push((name, value));
+ Cow::Owned(replaced)
}
}
- if !(encoding_override.is_utf8() || input.is_ascii()) {
- return None
+}
+
+impl<'a> Parse<'a> {
+ /// Return a new iterator that yields pairs of `String` instead of pairs of `Cow<str>`.
+ pub fn into_owned(self) -> ParseIntoOwned<'a> {
+ ParseIntoOwned { inner: self }
}
+}
- Some(pairs.into_iter().map(|(name, value)| (
- encoding_override.decode(&percent_decode(&name)),
- encoding_override.decode(&percent_decode(&value))
- )).collect())
+/// Like `Parse`, but yields pairs of `String` instead of pairs of `Cow<str>`.
+pub struct ParseIntoOwned<'a> {
+ inner: Parse<'a>
}
+impl<'a> Iterator for ParseIntoOwned<'a> {
+ type Item = (String, String);
-/// Convert an iterator of (name, value) pairs
-/// into a string in the `application/x-www-form-urlencoded` format.
-#[inline]
-pub fn serialize<I, K, V>(pairs: I) -> String
-where I: IntoIterator, I::Item: Borrow<(K, V)>, K: AsRef<str>, V: AsRef<str> {
- serialize_internal(pairs, EncodingOverride::utf8())
+ fn next(&mut self) -> Option<Self::Item> {
+ self.inner.next().map(|(k, v)| (k.into_owned(), v.into_owned()))
+ }
}
-/// Convert an iterator of (name, value) pairs
-/// into a string in the `application/x-www-form-urlencoded` format.
+/// The [`application/x-www-form-urlencoded` byte serializer](
+/// https://url.spec.whatwg.org/#concept-urlencoded-byte-serializer).
///
-/// This function is only available if the `query_encoding` Cargo feature is enabled.
-///
-/// Arguments:
-///
-/// * `encoding_override`: The character encoding each name and values is encoded as
-/// before percent-encoding. Defaults to UTF-8.
-#[cfg(feature = "query_encoding")]
-#[inline]
-pub fn serialize_with_encoding<I, K, V>(pairs: I,
- encoding_override: Option<::encoding::EncodingRef>)
- -> String
-where I: IntoIterator, I::Item: Borrow<(K, V)>, K: AsRef<str>, V: AsRef<str> {
- serialize_internal(pairs, EncodingOverride::from_opt_encoding(encoding_override))
-}
-
-fn serialize_internal<I, K, V>(pairs: I, encoding_override: EncodingOverride) -> String
-where I: IntoIterator, I::Item: Borrow<(K, V)>, K: AsRef<str>, V: AsRef<str> {
- #[inline]
- fn byte_serialize(input: &str, output: &mut String,
- encoding_override: EncodingOverride) {
- for &byte in encoding_override.encode(input).iter() {
- if byte == b' ' {
- output.push_str("+")
- } else {
- percent_encode_to(&[byte], FORM_URLENCODED_ENCODE_SET, output)
+/// Return an iterator of `&str` slices.
+pub fn byte_serialize(input: &[u8]) -> ByteSerialize {
+ ByteSerialize {
+ bytes: input,
+ }
+}
+
+/// Return value of `byte_serialize()`.
+pub struct ByteSerialize<'a> {
+ bytes: &'a [u8],
+}
+
+fn byte_serialized_unchanged(byte: u8) -> bool {
+ matches!(byte, b'*' | b'-' | b'.' | b'0' ... b'9' | b'A' ... b'Z' | b'_' | b'a' ... b'z')
+}
+
+impl<'a> Iterator for ByteSerialize<'a> {
+ type Item = &'a str;
+
+ fn next(&mut self) -> Option<&'a str> {
+ if let Some((&first, tail)) = self.bytes.split_first() {
+ if !byte_serialized_unchanged(first) {
+ self.bytes = tail;
+ return Some(if first == b' ' { "+" } else { percent_encode_byte(first) })
+ }
+ let position = tail.iter().position(|&b| !byte_serialized_unchanged(b));
+ let (unchanged_slice, remaining) = match position {
+ // 1 for first_byte + i unchanged in tail
+ Some(i) => self.bytes.split_at(1 + i),
+ None => (self.bytes, &[][..]),
+ };
+ self.bytes = remaining;
+ Some(unsafe { str::from_utf8_unchecked(unchanged_slice) })
+ } else {
+ None
+ }
+ }
+
+ fn size_hint(&self) -> (usize, Option<usize>) {
+ if self.bytes.is_empty() {
+ (0, Some(0))
+ } else {
+ (1, Some(self.bytes.len()))
+ }
+ }
+}
+
+/// The [`application/x-www-form-urlencoded` serializer](
+/// https://url.spec.whatwg.org/#concept-urlencoded-serializer).
+pub struct Serializer<T: Target> {
+ target: Option<T>,
+ start_position: usize,
+ encoding: EncodingOverride,
+}
+
+pub trait Target {
+ fn as_mut_string(&mut self) -> &mut String;
+ fn finish(self) -> Self::Finished;
+ type Finished;
+}
+
+impl Target for String {
+ fn as_mut_string(&mut self) -> &mut String { self }
+ fn finish(self) -> Self { self }
+ type Finished = Self;
+}
+
+impl<'a> Target for &'a mut String {
+ fn as_mut_string(&mut self) -> &mut String { &mut **self }
+ fn finish(self) -> Self { self }
+ type Finished = Self;
+}
+
+// `as_mut_string` string here exposes the internal serialization of an `Url`,
+// which should not be exposed to users.
+// We achieve that by not giving users direct access to `UrlQuery`:
+// * Its fields are private
+// (and so can not be constructed with struct literal syntax outside of this crate),
+// * It has no constructor
+// * It is only visible (on the type level) to users in the return type of
+// `Url::mutate_query_pairs` which is `Serializer<UrlQuery>`
+// * `Serializer` keeps its target in a private field
+// * Unlike in other `Target` impls, `UrlQuery::finished` does not return `Self`.
+impl<'a> Target for ::UrlQuery<'a> {
+ fn as_mut_string(&mut self) -> &mut String { &mut self.url.serialization }
+ fn finish(self) -> &'a mut ::Url { self.url }
+ type Finished = &'a mut ::Url;
+}
+
+impl<T: Target> Serializer<T> {
+ /// Create a new `application/x-www-form-urlencoded` serializer for the given target.
+ ///
+ /// If the target is non-empty,
+ /// its content is assumed to already be in `application/x-www-form-urlencoded` syntax.
+ pub fn new(target: T) -> Self {
+ Self::for_suffix(target, 0)
+ }
+
+ /// Create a new `application/x-www-form-urlencoded` serializer
+ /// for a suffix of the given target.
+ ///
+ /// If that suffix is non-empty,
+ /// its content is assumed to already be in `application/x-www-form-urlencoded` syntax.
+ pub fn for_suffix(mut target: T, start_position: usize) -> Self {
+ &target.as_mut_string()[start_position..]; // Panic if out of bounds
+ Serializer {
+ target: Some(target),
+ start_position: start_position,
+ encoding: EncodingOverride::utf8(),
+ }
+ }
+
+ /// Remove any existing name/value pair.
+ ///
+ /// Panics if called after `.finish()`.
+ pub fn clear(&mut self) -> &mut Self {
+ string(&mut self.target).truncate(self.start_position);
+ self
+ }
+
+ /// Set the character encoding to be used for names and values before percent-encoding.
+ #[cfg(feature = "query_encoding")]
+ pub fn encoding_override(&mut self, new: Option<::encoding::EncodingRef>) -> &mut Self {
+ self.encoding = EncodingOverride::from_opt_encoding(new).to_output_encoding();
+ self
+ }
+
+ /// Serialize and append a name/value pair.
+ ///
+ /// Panics if called after `.finish()`.
+ pub fn append_pair(&mut self, name: &str, value: &str) -> &mut Self {
+ append_pair(string(&mut self.target), self.start_position, self.encoding, name, value);
+ self
+ }
+
+ /// Serialize and append a number of name/value pairs.
+ ///
+ /// This simply calls `append_pair` repeatedly.
+ /// This can be more convenient, so the user doesn’t need to introduce a block
+ /// to limit the scope of `Serializer`’s borrow of its string.
+ ///
+ /// Panics if called after `.finish()`.
+ pub fn extend_pairs<I, K, V>(&mut self, iter: I) -> &mut Self
+ where I: IntoIterator, I::Item: Borrow<(K, V)>, K: AsRef<str>, V: AsRef<str> {
+ {
+ let string = string(&mut self.target);
+ for pair in iter {
+ let &(ref k, ref v) = pair.borrow();
+ append_pair(string, self.start_position, self.encoding, k.as_ref(), v.as_ref());
}
}
+ self
}
- let mut output = String::new();
- for pair in pairs {
- let &(ref name, ref value) = pair.borrow();
- if !output.is_empty() {
- output.push_str("&");
+ /// Add a name/value pair whose name is `_charset_`
+ /// and whose value is the character encoding’s name.
+ /// (See the `encoding_override()` method.)
+ ///
+ /// Panics if called after `.finish()`.
+ #[cfg(feature = "query_encoding")]
+ pub fn append_charset(&mut self) -> &mut Self {
+ {
+ let string = string(&mut self.target);
+ append_separator_if_needed(string, self.start_position);
+ string.push_str("_charset_=");
+ string.push_str(self.encoding.name());
}
- byte_serialize(name.as_ref(), &mut output, encoding_override);
- output.push_str("=");
- byte_serialize(value.as_ref(), &mut output, encoding_override);
+ self
}
- output
+
+ /// If this serializer was constructed with a string, take and return that string.
+ ///
+ /// ```rust
+ /// use url::form_urlencoded;
+ /// let encoded: String = form_urlencoded::Serializer::new(String::new())
+ /// .append_pair("foo", "bar & baz")
+ /// .append_pair("saison", "Été+hiver")
+ /// .finish();
+ /// assert_eq!(encoded, "foo=bar+%26+baz&saison=%C3%89t%C3%A9%2Bhiver");
+ /// ```
+ ///
+ /// Panics if called more than once.
+ pub fn finish(&mut self) -> T::Finished {
+ self.target.take().expect("url::form_urlencoded::Serializer double finish").finish()
+ }
+}
+
+fn append_separator_if_needed(string: &mut String, start_position: usize) {
+ if string.len() > start_position {
+ string.push('&')
+ }
+}
+
+fn string<T: Target>(target: &mut Option<T>) -> &mut String {
+ target.as_mut().expect("url::form_urlencoded::Serializer finished").as_mut_string()
+}
+
+fn append_pair(string: &mut String, start_position: usize, encoding: EncodingOverride,
+ name: &str, value: &str) {
+ append_separator_if_needed(string, start_position);
+ string.extend(byte_serialize(&encoding.encode(name.into())));
+ string.push('=');
+ string.extend(byte_serialize(&encoding.encode(value.into())));
}
diff --git a/src/format.rs b/src/format.rs
deleted file mode 100644
--- a/src/format.rs
+++ /dev/null
@@ -1,81 +0,0 @@
-// Copyright 2013-2015 Simon Sapin.
-//
-// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
-// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
-// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
-// option. This file may not be copied, modified, or distributed
-// except according to those terms.
-
-//! Formatting utilities for URLs.
-//!
-//! These formatters can be used to coerce various URL parts into strings.
-//!
-//! You can use `<formatter>.to_string()`, as the formatters implement `fmt::Display`.
-
-use std::fmt::{self, Formatter};
-use super::Url;
-
-/// Formatter and serializer for URL path data.
-pub struct PathFormatter<'a, T:'a> {
- /// The path as a slice of string-like objects (String or &str).
- pub path: &'a [T]
-}
-
-impl<'a, T: fmt::Display> fmt::Display for PathFormatter<'a, T> {
- fn fmt(&self, formatter: &mut Formatter) -> fmt::Result {
- if self.path.is_empty() {
- formatter.write_str("/")
- } else {
- for path_part in self.path {
- try!("/".fmt(formatter));
- try!(path_part.fmt(formatter));
- }
- Ok(())
- }
- }
-}
-
-
-/// Formatter and serializer for URL username and password data.
-pub struct UserInfoFormatter<'a> {
- /// URL username as a string slice.
- pub username: &'a str,
-
- /// URL password as an optional string slice.
- ///
- /// You can convert an `Option<String>` with `.as_ref().map(|s| s)`.
- pub password: Option<&'a str>
-}
-
-impl<'a> fmt::Display for UserInfoFormatter<'a> {
- fn fmt(&self, formatter: &mut Formatter) -> fmt::Result {
- if !self.username.is_empty() || self.password.is_some() {
- try!(formatter.write_str(self.username));
- if let Some(password) = self.password {
- try!(formatter.write_str(":"));
- try!(formatter.write_str(password));
- }
- try!(formatter.write_str("@"));
- }
- Ok(())
- }
-}
-
-
-/// Formatter for URLs which ignores the fragment field.
-pub struct UrlNoFragmentFormatter<'a> {
- pub url: &'a Url
-}
-
-impl<'a> fmt::Display for UrlNoFragmentFormatter<'a> {
- fn fmt(&self, formatter: &mut Formatter) -> fmt::Result {
- try!(formatter.write_str(&self.url.scheme));
- try!(formatter.write_str(":"));
- try!(self.url.scheme_data.fmt(formatter));
- if let Some(ref query) = self.url.query {
- try!(formatter.write_str("?"));
- try!(formatter.write_str(query));
- }
- Ok(())
- }
-}
diff --git a/src/host.rs b/src/host.rs
--- a/src/host.rs
+++ b/src/host.rs
@@ -1,4 +1,4 @@
-// Copyright 2013-2014 Simon Sapin.
+// Copyright 2013-2016 The rust-url developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
@@ -6,78 +6,96 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-use std::ascii::AsciiExt;
use std::cmp;
-use std::fmt::{self, Formatter};
-use std::net::{Ipv4Addr, Ipv6Addr};
+use std::fmt::{self, Formatter, Write};
+use std::io;
+use std::net::{Ipv4Addr, Ipv6Addr, SocketAddr, SocketAddrV4, SocketAddrV6, ToSocketAddrs};
+use std::vec;
use parser::{ParseResult, ParseError};
-use percent_encoding::{from_hex, percent_decode};
+use percent_encoding::percent_decode;
use idna;
+#[derive(Copy, Clone, Debug, Eq, PartialEq)]
+#[cfg_attr(feature="heap_size", derive(HeapSizeOf))]
+pub enum HostInternal {
+ None,
+ Domain,
+ Ipv4(Ipv4Addr),
+ Ipv6(Ipv6Addr),
+}
+
+impl<S> From<Host<S>> for HostInternal {
+ fn from(host: Host<S>) -> HostInternal {
+ match host {
+ Host::Domain(_) => HostInternal::Domain,
+ Host::Ipv4(address) => HostInternal::Ipv4(address),
+ Host::Ipv6(address) => HostInternal::Ipv6(address),
+ }
+ }
+}
/// The host name of an URL.
-#[derive(PartialEq, Eq, Clone, Debug, Hash, PartialOrd, Ord)]
+#[derive(Clone, Debug, Eq, PartialEq, Ord, PartialOrd, Hash)]
#[cfg_attr(feature="heap_size", derive(HeapSizeOf))]
-pub enum Host {
- /// A (DNS) domain name.
- Domain(String),
- /// A IPv4 address, represented by four sequences of up to three ASCII digits.
+pub enum Host<S=String> {
+ /// A DNS domain name, as '.' dot-separated labels.
+ /// Non-ASCII labels are encoded in punycode per IDNA.
+ Domain(S),
+
+ /// An IPv4 address.
+ /// `Url::host_str` returns the serialization of this address,
+ /// as four decimal integers separated by `.` dots.
Ipv4(Ipv4Addr),
- /// An IPv6 address, represented inside `[...]` square brackets
- /// so that `:` colon characters in the address are not ambiguous
- /// with the port number delimiter.
+
+ /// An IPv6 address.
+ /// `Url::host_str` returns the serialization of that address between `[` and `]` brackets,
+ /// in the format per [RFC 5952 *A Recommendation
+ /// for IPv6 Address Text Representation*](https://tools.ietf.org/html/rfc5952):
+ /// lowercase hexadecimal with maximal `::` compression.
Ipv6(Ipv6Addr),
}
+impl<'a> Host<&'a str> {
+ /// Return a copy of `self` that owns an allocated `String` but does not borrow an `&Url`.
+ pub fn to_owned(&self) -> Host<String> {
+ match *self {
+ Host::Domain(domain) => Host::Domain(domain.to_owned()),
+ Host::Ipv4(address) => Host::Ipv4(address),
+ Host::Ipv6(address) => Host::Ipv6(address),
+ }
+ }
+}
-impl Host {
+impl Host<String> {
/// Parse a host: either an IPv6 address in [] square brackets, or a domain.
///
- /// Returns `Err` for an empty host, an invalid IPv6 address,
- /// or a or invalid non-ASCII domain.
- pub fn parse(input: &str) -> ParseResult<Host> {
- if input.len() == 0 {
- return Err(ParseError::EmptyHost)
- }
+ /// https://url.spec.whatwg.org/#host-parsing
+ pub fn parse(input: &str) -> Result<Self, ParseError> {
if input.starts_with("[") {
if !input.ends_with("]") {
return Err(ParseError::InvalidIpv6Address)
}
return parse_ipv6addr(&input[1..input.len() - 1]).map(Host::Ipv6)
}
- let decoded = percent_decode(input.as_bytes());
- let domain = String::from_utf8_lossy(&decoded);
-
- let domain = match idna::domain_to_ascii(&domain) {
- Ok(s) => s,
- Err(_) => return Err(ParseError::InvalidDomainCharacter)
- };
-
- if domain.find(&[
- '\0', '\t', '\n', '\r', ' ', '#', '%', '/', ':', '?', '@', '[', '\\', ']'
- ][..]).is_some() {
+ let domain = percent_decode(input.as_bytes()).decode_utf8_lossy();
+ let domain = try!(idna::domain_to_ascii(&domain));
+ if domain.find(|c| matches!(c,
+ '\0' | '\t' | '\n' | '\r' | ' ' | '#' | '%' | '/' | ':' | '?' | '@' | '[' | '\\' | ']'
+ )).is_some() {
return Err(ParseError::InvalidDomainCharacter)
}
- match parse_ipv4addr(&domain[..]) {
- Ok(Some(ipv4addr)) => Ok(Host::Ipv4(ipv4addr)),
- Ok(None) => Ok(Host::Domain(domain.to_ascii_lowercase())),
- Err(e) => Err(e),
+ if let Some(address) = try!(parse_ipv4addr(&domain)) {
+ Ok(Host::Ipv4(address))
+ } else {
+ Ok(Host::Domain(domain.into()))
}
}
-
- /// Serialize the host as a string.
- ///
- /// A domain a returned as-is, an IPv6 address between [] square brackets.
- pub fn serialize(&self) -> String {
- self.to_string()
- }
}
-
-impl fmt::Display for Host {
+impl<S: AsRef<str>> fmt::Display for Host<S> {
fn fmt(&self, f: &mut Formatter) -> fmt::Result {
match *self {
- Host::Domain(ref domain) => domain.fmt(f),
+ Host::Domain(ref domain) => domain.as_ref().fmt(f),
Host::Ipv4(ref addr) => addr.fmt(f),
Host::Ipv6(ref addr) => {
try!(f.write_str("["));
@@ -88,6 +106,68 @@ impl fmt::Display for Host {
}
}
+/// This mostly exists because coherence rules don’t allow us to implement
+/// `ToSocketAddrs for (Host<S>, u16)`.
+pub struct HostAndPort<S=String> {
+ pub host: Host<S>,
+ pub port: u16,
+}
+
+impl<'a> HostAndPort<&'a str> {
+ /// Return a copy of `self` that owns an allocated `String` but does not borrow an `&Url`.
+ pub fn to_owned(&self) -> HostAndPort<String> {
+ HostAndPort {
+ host: self.host.to_owned(),
+ port: self.port
+ }
+ }
+}
+
+impl<S: AsRef<str>> ToSocketAddrs for HostAndPort<S> {
+ type Iter = SocketAddrs;
+
+ fn to_socket_addrs(&self) -> io::Result<Self::Iter> {
+ let port = self.port;
+ match self.host {
+ Host::Domain(ref domain) => Ok(SocketAddrs {
+ // FIXME: use std::net::lookup_host when it’s stable.
+ state: SocketAddrsState::Domain(try!((domain.as_ref(), port).to_socket_addrs()))
+ }),
+ Host::Ipv4(address) => Ok(SocketAddrs {
+ state: SocketAddrsState::One(SocketAddr::V4(SocketAddrV4::new(address, port)))
+ }),
+ Host::Ipv6(address) => Ok(SocketAddrs {
+ state: SocketAddrsState::One(SocketAddr::V6(SocketAddrV6::new(address, port, 0, 0)))
+ }),
+ }
+ }
+}
+
+/// Socket addresses for an URL.
+pub struct SocketAddrs {
+ state: SocketAddrsState
+}
+
+enum SocketAddrsState {
+ Domain(vec::IntoIter<SocketAddr>),
+ One(SocketAddr),
+ Done,
+}
+
+impl Iterator for SocketAddrs {
+ type Item = SocketAddr;
+ fn next(&mut self) -> Option<SocketAddr> {
+ match self.state {
+ SocketAddrsState::Domain(ref mut iter) => iter.next(),
+ SocketAddrsState::One(s) => {
+ self.state = SocketAddrsState::Done;
+ Some(s)
+ }
+ SocketAddrsState::Done => None
+ }
+ }
+}
+
fn write_ipv6(addr: &Ipv6Addr, f: &mut Formatter) -> fmt::Result {
let segments = addr.segments();
let (compress_start, compress_end) = longest_zero_sequence(&segments);
@@ -143,7 +223,7 @@ fn longest_zero_sequence(pieces: &[u16; 8]) -> (isize, isize) {
}
-fn parse_ipv4number(mut input: &str) -> ParseResult<u32> {
+fn parse_ipv4number(mut input: &str) -> Result<u32, ()> {
let mut r = 10;
if input.starts_with("0x") || input.starts_with("0X") {
input = &input[2..];
@@ -156,15 +236,18 @@ fn parse_ipv4number(mut input: &str) -> ParseResult<u32> {
return Ok(0);
}
if input.starts_with("+") {
- return Err(ParseError::InvalidIpv4Address)
+ return Err(())
}
match u32::from_str_radix(&input, r) {
Ok(number) => Ok(number),
- Err(_) => Err(ParseError::InvalidIpv4Address),
+ Err(_) => Err(()),
}
}
fn parse_ipv4addr(input: &str) -> ParseResult<Option<Ipv4Addr>> {
+ if input.is_empty() {
+ return Ok(None)
+ }
let mut parts: Vec<&str> = input.split('.').collect();
if parts.last() == Some(&"") {
parts.pop();
@@ -237,7 +320,7 @@ fn parse_ipv6addr(input: &str) -> ParseResult<Ipv6Addr> {
let end = cmp::min(len, start + 4);
let mut value = 0u16;
while i < end {
- match from_hex(input[i]) {
+ match (input[i] as char).to_digit(16) {
Some(digit) => {
value = value * 0x10 + digit as u16;
i += 1;
diff --git a/src/lib.rs b/src/lib.rs
--- a/src/lib.rs
+++ b/src/lib.rs
@@ -1,4 +1,4 @@
-// Copyright 2013-2015 Simon Sapin.
+// Copyright 2013-2015 The rust-url developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
@@ -50,42 +50,42 @@ assert!(Url::parse("http://[:::1]") == Err(ParseError::InvalidIpv6Address))
Let’s parse a valid URL and look at its components.
```
-use url::{Url, SchemeData};
+use url::{Url, Host};
let issue_list_url = Url::parse(
"https://github.com/rust-lang/rust/issues?labels=E-easy&state=open"
).unwrap();
-assert!(issue_list_url.scheme == "https".to_string());
-assert!(issue_list_url.domain() == Some("github.com"));
+assert!(issue_list_url.scheme() == "https");
+assert!(issue_list_url.username() == "");
+assert!(issue_list_url.password() == None);
+assert!(issue_list_url.host_str() == Some("github.com"));
+assert!(issue_list_url.host() == Some(Host::Domain("github.com")));
assert!(issue_list_url.port() == None);
-assert!(issue_list_url.path() == Some(&["rust-lang".to_string(),
- "rust".to_string(),
- "issues".to_string()][..]));
-assert!(issue_list_url.query == Some("labels=E-easy&state=open".to_string()));
-assert!(issue_list_url.fragment == None);
-match issue_list_url.scheme_data {
- SchemeData::Relative(..) => {}, // Expected
- SchemeData::NonRelative(..) => panic!(),
-}
+assert!(issue_list_url.path() == "/rust-lang/rust/issues");
+assert!(issue_list_url.path_segments().map(|c| c.collect::<Vec<_>>()) ==
+ Some(vec!["rust-lang", "rust", "issues"]));
+assert!(issue_list_url.query() == Some("labels=E-easy&state=open"));
+assert!(issue_list_url.fragment() == None);
+assert!(!issue_list_url.cannot_be_a_base());
```
-The `scheme`, `query`, and `fragment` are directly fields of the `Url` struct:
-they apply to all URLs.
-Every other components has accessors because they only apply to URLs said to be
-“in a relative scheme”. `https` is a relative scheme, but `data` is not:
+Some URLs are said to be *cannot-be-a-base*:
+they don’t have a username, password, host, or port,
+and their "path" is an arbitrary string rather than slash-separated segments:
```
-use url::{Url, SchemeData};
+use url::Url;
-let data_url = Url::parse("data:text/plain,Hello#").unwrap();
+let data_url = Url::parse("data:text/plain,Hello?World#").unwrap();
-assert!(data_url.scheme == "data".to_string());
-assert!(data_url.scheme_data == SchemeData::NonRelative("text/plain,Hello".to_string()));
-assert!(data_url.non_relative_scheme_data() == Some("text/plain,Hello"));
-assert!(data_url.query == None);
-assert!(data_url.fragment == Some("".to_string()));
+assert!(data_url.cannot_be_a_base());
+assert!(data_url.scheme() == "data");
+assert!(data_url.path() == "text/plain,Hello");
+assert!(data_url.path_segments().is_none());
+assert!(data_url.query() == Some("World"));
+assert!(data_url.fragment() == Some(""));
```
@@ -97,7 +97,7 @@ Many contexts allow URL *references* that can be relative to a *base URL*:
<link rel="stylesheet" href="../main.css">
```
-Since parsed URL are absolute, giving a base is required:
+Since parsed URL are absolute, giving a base is required for parsing relative URLs:
```
use url::{Url, ParseError};
@@ -105,514 +105,972 @@ use url::{Url, ParseError};
assert!(Url::parse("../main.css") == Err(ParseError::RelativeUrlWithoutBase))
```
-`UrlParser` is a method-chaining API to provide various optional parameters
-to URL parsing, including a base URL.
-
-```
-use url::{Url, UrlParser};
-
-let this_document = Url::parse("http://servo.github.io/rust-url/url/index.html").unwrap();
-let css_url = UrlParser::new().base_url(&this_document).parse("../main.css").unwrap();
-assert!(css_url.serialize() == "http://servo.github.io/rust-url/main.css".to_string());
-```
-
-For convenience, the `join` method on `Url` is also provided to achieve the same result:
+Use the `join` method on an `Url` to use it as a base URL:
```
use url::Url;
let this_document = Url::parse("http://servo.github.io/rust-url/url/index.html").unwrap();
let css_url = this_document.join("../main.css").unwrap();
-assert!(&*css_url.serialize() == "http://servo.github.io/rust-url/main.css")
+assert_eq!(css_url.as_str(), "http://servo.github.io/rust-url/main.css")
*/
#![cfg_attr(feature="heap_size", feature(plugin, custom_derive))]
#![cfg_attr(feature="heap_size", plugin(heapsize_plugin))]
-extern crate rustc_serialize;
-extern crate uuid;
-
-#[macro_use]
-extern crate matches;
-
-#[cfg(feature="serde_serialization")]
-extern crate serde;
-
-#[cfg(feature="heap_size")]
-#[macro_use] extern crate heapsize;
+#[cfg(feature="rustc-serialize")] extern crate rustc_serialize;
+#[macro_use] extern crate matches;
+#[cfg(feature="serde")] extern crate serde;
+#[cfg(feature="heap_size")] #[macro_use] extern crate heapsize;
-extern crate unicode_normalization;
-extern crate unicode_bidi;
-
-use std::fmt::{self, Formatter};
-use std::str;
-use std::path::{Path, PathBuf};
-use std::borrow::Borrow;
-use std::hash::{Hash, Hasher};
-use std::cmp::Ordering;
+pub extern crate idna;
-#[cfg(feature="serde_serialization")]
-use std::str::FromStr;
-
-pub use host::Host;
-pub use parser::{ErrorHandler, ParseResult, ParseError};
-
-use percent_encoding::{percent_encode, lossy_utf8_percent_decode, DEFAULT_ENCODE_SET};
-
-use format::{PathFormatter, UserInfoFormatter, UrlNoFragmentFormatter};
use encoding::EncodingOverride;
+use host::HostInternal;
+use parser::{Parser, Context, SchemeType, to_u32};
+use percent_encoding::{PATH_SEGMENT_ENCODE_SET, USERINFO_ENCODE_SET,
+ percent_encode, percent_decode, utf8_percent_encode};
+use std::cmp;
+use std::fmt::{self, Write};
+use std::hash;
+use std::io;
+use std::mem;
+use std::net::{ToSocketAddrs, IpAddr};
+use std::ops::{Range, RangeFrom, RangeTo};
+use std::path::{Path, PathBuf};
+use std::str;
-use uuid::Uuid;
+pub use origin::{Origin, OpaqueOrigin};
+pub use host::{Host, HostAndPort, SocketAddrs};
+pub use parser::ParseError;
+pub use slicing::Position;
mod encoding;
mod host;
+mod origin;
mod parser;
-pub mod urlutils;
-pub mod percent_encoding;
+mod slicing;
+
pub mod form_urlencoded;
-pub mod punycode;
-pub mod format;
-pub mod idna;
+pub mod percent_encoding;
+pub mod quirks;
-/// The parsed representation of an absolute URL.
-#[derive(PartialEq, Eq, Clone, Debug, Hash, PartialOrd, Ord)]
+/// A parsed URL record.
+#[derive(Clone)]
#[cfg_attr(feature="heap_size", derive(HeapSizeOf))]
pub struct Url {
- /// The scheme (a.k.a. protocol) of the URL, in ASCII lower case.
- pub scheme: String,
-
- /// The components of the URL whose representation depends on where the scheme is *relative*.
- pub scheme_data: SchemeData,
-
- /// The query string of the URL.
+ /// Syntax in pseudo-BNF:
///
- /// `None` if the `?` delimiter character was not part of the parsed input,
- /// otherwise a possibly empty, percent-encoded string.
- ///
- /// Percent encoded strings are within the ASCII range.
- ///
- /// See also the `query_pairs`, `set_query_from_pairs`,
- /// and `lossy_percent_decode_query` methods.
- pub query: Option<String>,
+ /// url = scheme ":" [ hierarchical | non-hierarchical ] [ "?" query ]? [ "#" fragment ]?
+ /// non-hierarchical = non-hierarchical-path
+ /// non-hierarchical-path = /* Does not start with "/" */
+ /// hierarchical = authority? hierarchical-path
+ /// authority = "//" userinfo? host [ ":" port ]?
+ /// userinfo = username [ ":" password ]? "@"
+ /// hierarchical-path = [ "/" path-segment ]+
+ serialization: String,
+
+ // Components
+ scheme_end: u32, // Before ':'
+ username_end: u32, // Before ':' (if a password is given) or '@' (if not)
+ host_start: u32,
+ host_end: u32,
+ host: HostInternal,
+ port: Option<u16>,
+ path_start: u32, // Before initial '/', if any
+ query_start: Option<u32>, // Before '?', unlike Position::QueryStart
+ fragment_start: Option<u32>, // Before '#', unlike Position::FragmentStart
+}
- /// The fragment identifier of the URL.
- ///
- /// `None` if the `#` delimiter character was not part of the parsed input,
- /// otherwise a possibly empty, percent-encoded string.
- ///
- /// Percent encoded strings are within the ASCII range.
- ///
- /// See also the `lossy_percent_decode_fragment` method.
- pub fragment: Option<String>,
+/// Full configuration for the URL parser.
+#[derive(Copy, Clone)]
+pub struct ParseOptions<'a> {
+ base_url: Option<&'a Url>,
+ encoding_override: encoding::EncodingOverride,
+ log_syntax_violation: Option<&'a Fn(&'static str)>,
}
-/// Opaque identifier for URLs that have file or other schemes
-#[derive(PartialEq, Eq, Clone, Debug)]
-pub struct OpaqueOrigin(Uuid);
+impl<'a> ParseOptions<'a> {
+ /// Change the base URL
+ pub fn base_url(mut self, new: Option<&'a Url>) -> Self {
+ self.base_url = new;
+ self
+ }
-#[cfg(feature="heap_size")]
-known_heap_size!(0, OpaqueOrigin);
+ /// Override the character encoding of query strings.
+ /// This is a legacy concept only relevant for HTML.
+ #[cfg(feature = "query_encoding")]
+ pub fn encoding_override(mut self, new: Option<encoding::EncodingRef>) -> Self {
+ self.encoding_override = EncodingOverride::from_opt_encoding(new).to_output_encoding();
+ self
+ }
+
+ /// Call the provided function or closure on non-fatal parse errors.
+ pub fn log_syntax_violation(mut self, new: Option<&'a Fn(&'static str)>) -> Self {
+ self.log_syntax_violation = new;
+ self
+ }
-impl OpaqueOrigin {
- /// Creates a new opaque origin with a random UUID.
- pub fn new() -> OpaqueOrigin {
- OpaqueOrigin(Uuid::new_v4())
+ /// Parse an URL string with the configuration so far.
+ pub fn parse(self, input: &str) -> Result<Url, ::ParseError> {
+ Parser {
+ serialization: String::with_capacity(input.len()),
+ base_url: self.base_url,
+ query_encoding_override: self.encoding_override,
+ log_syntax_violation: self.log_syntax_violation,
+ context: Context::UrlParser,
+ }.parse_url(input)
}
}
-/// The origin of the URL
-#[derive(PartialEq, Eq, Clone, Debug)]
-#[cfg_attr(feature="heap_size", derive(HeapSizeOf))]
-pub enum Origin {
- /// A globally unique identifier
- UID(OpaqueOrigin),
+impl Url {
+ /// Parse an absolute URL from a string.
+ #[inline]
+ pub fn parse(input: &str) -> Result<Url, ::ParseError> {
+ Url::options().parse(input)
+ }
- /// Consists of the URL's scheme, host and port
- Tuple(String, Host, u16)
-}
+ /// Parse a string as an URL, with this URL as the base URL.
+ #[inline]
+ pub fn join(&self, input: &str) -> Result<Url, ::ParseError> {
+ Url::options().base_url(Some(self)).parse(input)
+ }
-/// The components of the URL whose representation depends on where the scheme is *relative*.
-#[derive(PartialEq, Eq, Clone, Debug, Hash, PartialOrd, Ord)]
-#[cfg_attr(feature="heap_size", derive(HeapSizeOf))]
-pub enum SchemeData {
- /// Components for URLs in a *relative* scheme such as HTTP.
- Relative(RelativeSchemeData),
+ /// Return a default `ParseOptions` that can fully configure the URL parser.
+ pub fn options<'a>() -> ParseOptions<'a> {
+ ParseOptions {
+ base_url: None,
+ encoding_override: EncodingOverride::utf8(),
+ log_syntax_violation: None,
+ }
+ }
- /// No further structure is assumed for *non-relative* schemes such as `data` and `mailto`.
+ /// Return the serialization of this URL.
///
- /// This is a single percent-encoded string, whose interpretation depends on the scheme.
- ///
- /// Percent encoded strings are within the ASCII range.
- NonRelative(String),
-}
+ /// This is fast since that serialization is already stored in the `Url` struct.
+ #[inline]
+ pub fn as_str(&self) -> &str {
+ &self.serialization
+ }
-/// Components for URLs in a *relative* scheme such as HTTP.
-#[derive(Clone, Debug)]
-#[cfg_attr(feature="heap_size", derive(HeapSizeOf))]
-pub struct RelativeSchemeData {
- /// The username of the URL, as a possibly empty, percent-encoded string.
+ /// Return the serialization of this URL.
///
- /// Percent encoded strings are within the ASCII range.
- ///
- /// See also the `lossy_percent_decode_username` method.
- pub username: String,
+ /// This consumes the `Url` and takes ownership of the `String` stored in it.
+ #[inline]
+ pub fn into_string(self) -> String {
+ self.serialization
+ }
- /// The password of the URL.
- ///
- /// `None` if the `:` delimiter character was not part of the parsed input,
- /// otherwise a possibly empty, percent-encoded string.
- ///
- /// Percent encoded strings are within the ASCII range.
+ /// For internal testing.
///
- /// See also the `lossy_percent_decode_password` method.
- pub password: Option<String>,
-
- /// The host of the URL, either a domain name or an IPv4 address
- pub host: Host,
+ /// Methods of the `Url` struct assume a number of invariants.
+ /// This checks each of these invariants and panic if one is not met.
+ /// This is for testing rust-url itself.
+ pub fn assert_invariants(&self) {
+ macro_rules! assert {
+ ($x: expr) => {
+ if !$x {
+ panic!("!( {} ) for URL {:?}", stringify!($x), self.serialization)
+ }
+ }
+ }
- /// The port number of the URL.
- /// `None` for file-like schemes, or to indicate the default port number.
- pub port: Option<u16>,
+ macro_rules! assert_eq {
+ ($a: expr, $b: expr) => {
+ {
+ let a = $a;
+ let b = $b;
+ if a != b {
+ panic!("{:?} != {:?} ({} != {}) for URL {:?}",
+ a, b, stringify!($a), stringify!($b), self.serialization)
+ }
+ }
+ }
+ }
- /// The default port number for the URL’s scheme.
- /// `None` for file-like schemes.
- pub default_port: Option<u16>,
+ assert!(self.scheme_end >= 1);
+ assert!(matches!(self.byte_at(0), b'a'...b'z' | b'A'...b'Z'));
+ assert!(self.slice(1..self.scheme_end).chars()
+ .all(|c| matches!(c, 'a'...'z' | 'A'...'Z' | '0'...'9' | '+' | '-' | '.')));
+ assert_eq!(self.byte_at(self.scheme_end), b':');
+
+ if self.slice(self.scheme_end + 1 ..).starts_with("//") {
+ // URL with authority
+ match self.byte_at(self.username_end) {
+ b':' => {
+ assert!(self.host_start >= self.username_end + 2);
+ assert_eq!(self.byte_at(self.host_start - 1), b'@');
+ }
+ b'@' => assert!(self.host_start == self.username_end + 1),
+ _ => assert_eq!(self.username_end, self.scheme_end + 3),
+ }
+ assert!(self.host_start >= self.username_end);
+ assert!(self.host_end >= self.host_start);
+ let host_str = self.slice(self.host_start..self.host_end);
+ match self.host {
+ HostInternal::None => assert_eq!(host_str, ""),
+ HostInternal::Ipv4(address) => assert_eq!(host_str, address.to_string()),
+ HostInternal::Ipv6(address) => assert_eq!(host_str, format!("[{}]", address)),
+ HostInternal::Domain => {
+ if SchemeType::from(self.scheme()).is_special() {
+ assert!(!host_str.is_empty())
+ }
+ }
+ }
+ if self.path_start == self.host_end {
+ assert_eq!(self.port, None);
+ } else {
+ assert_eq!(self.byte_at(self.host_end), b':');
+ let port_str = self.slice(self.host_end + 1..self.path_start);
+ assert_eq!(self.port, Some(port_str.parse::<u16>().unwrap()));
+ }
+ assert_eq!(self.byte_at(self.path_start), b'/');
+ } else {
+ // Anarchist URL (no authority)
+ assert_eq!(self.username_end, self.scheme_end + 1);
+ assert_eq!(self.host_start, self.scheme_end + 1);
+ assert_eq!(self.host_end, self.scheme_end + 1);
+ assert_eq!(self.host, HostInternal::None);
+ assert_eq!(self.port, None);
+ assert_eq!(self.path_start, self.scheme_end + 1);
+ }
+ if let Some(start) = self.query_start {
+ assert!(start > self.path_start);
+ assert_eq!(self.byte_at(start), b'?');
+ }
+ if let Some(start) = self.fragment_start {
+ assert!(start > self.path_start);
+ assert_eq!(self.byte_at(start), b'#');
+ }
+ if let (Some(query_start), Some(fragment_start)) = (self.query_start, self.fragment_start) {
+ assert!(fragment_start > query_start);
+ }
+ }
- /// The path of the URL, as vector of percent-encoded strings.
- ///
- /// Percent encoded strings are within the ASCII range.
+ /// Return the origin of this URL (https://url.spec.whatwg.org/#origin)
///
- /// See also the `serialize_path` method and,
- /// for URLs in the `file` scheme, the `to_file_path` method.
- pub path: Vec<String>,
-}
-
-impl RelativeSchemeData {
- fn get_identity_key(&self) -> (&String, &Option<String>, &Host, Option<u16>, Option<u16>, &Vec<String>) {
- (
- &self.username,
- &self.password,
- &self.host,
- self.port.or(self.default_port),
- self.default_port,
- &self.path
- )
+ /// Note: this return an opaque origin for `file:` URLs, which causes
+ /// `url.origin() != url.origin()`.
+ #[inline]
+ pub fn origin(&self) -> Origin {
+ origin::url_origin(self)
}
-}
-
-impl PartialEq for RelativeSchemeData {
- fn eq(&self, other: &RelativeSchemeData) -> bool {
- self.get_identity_key() == other.get_identity_key()
+ /// Return the scheme of this URL, lower-cased, as an ASCII string without the ':' delimiter.
+ #[inline]
+ pub fn scheme(&self) -> &str {
+ self.slice(..self.scheme_end)
}
-}
-
-impl Eq for RelativeSchemeData {}
-impl Hash for RelativeSchemeData {
- fn hash<H: Hasher>(&self, state: &mut H) {
- self.get_identity_key().hash(state)
+ /// Return whether the URL has an 'authority',
+ /// which can contain a username, password, host, and port number.
+ ///
+ /// URLs that do *not* are either path-only like `unix:/run/foo.socket`
+ /// or cannot-be-a-base like `data:text/plain,Stuff`.
+ #[inline]
+ pub fn has_authority(&self) -> bool {
+ debug_assert!(self.byte_at(self.scheme_end) == b':');
+ self.slice(self.scheme_end..).starts_with("://")
}
-}
-impl PartialOrd for RelativeSchemeData {
- fn partial_cmp(&self, other: &RelativeSchemeData) -> Option<Ordering> {
- self.get_identity_key().partial_cmp(&other.get_identity_key())
+ /// Return whether this URL is a cannot-be-a-base URL,
+ /// meaning that parsing a relative URL string with this URL as the base will return an error.
+ ///
+ /// This is the case if the scheme and `:` delimiter are not followed by a `/` slash,
+ /// as is typically the case of `data:` and `mailto:` URLs.
+ #[inline]
+ pub fn cannot_be_a_base(&self) -> bool {
+ self.byte_at(self.path_start) != b'/'
}
-}
-impl Ord for RelativeSchemeData {
- fn cmp(&self, other: &Self) -> Ordering {
- self.get_identity_key().cmp(&other.get_identity_key())
+ /// Return the username for this URL (typically the empty string)
+ /// as a percent-encoded ASCII string.
+ pub fn username(&self) -> &str {
+ if self.has_authority() {
+ self.slice(self.scheme_end + ("://".len() as u32)..self.username_end)
+ } else {
+ ""
+ }
}
-}
-
-impl str::FromStr for Url {
- type Err = ParseError;
- fn from_str(url: &str) -> ParseResult<Url> {
- Url::parse(url)
+ /// Return the password for this URL, if any, as a percent-encoded ASCII string.
+ pub fn password(&self) -> Option<&str> {
+ // This ':' is not the one marking a port number since a host can not be empty.
+ // (Except for file: URLs, which do not have port numbers.)
+ if self.has_authority() && self.byte_at(self.username_end) == b':' {
+ debug_assert!(self.byte_at(self.host_start - 1) == b'@');
+ Some(self.slice(self.username_end + 1..self.host_start - 1))
+ } else {
+ None
+ }
}
-}
-/// A set of optional parameters for URL parsing.
-pub struct UrlParser<'a> {
- base_url: Option<&'a Url>,
- query_encoding_override: EncodingOverride,
- error_handler: ErrorHandler,
- scheme_type_mapper: fn(scheme: &str) -> SchemeType,
-}
+ /// Equivalent to `url.host().is_some()`.
+ pub fn has_host(&self) -> bool {
+ !matches!(self.host, HostInternal::None)
+ }
+ /// Return the string representation of the host (domain or IP address) for this URL, if any.
+ ///
+ /// Non-ASCII domains are punycode-encoded per IDNA.
+ /// IPv6 addresses are given between `[` and `]` brackets.
+ ///
+ /// Cannot-be-a-base URLs (typical of `data:` and `mailto:`) and some `file:` URLs
+ /// don’t have a host.
+ ///
+ /// See also the `host` method.
+ pub fn host_str(&self) -> Option<&str> {
+ if self.has_host() {
+ Some(self.slice(self.host_start..self.host_end))
+ } else {
+ None
+ }
+ }
-/// A method-chaining API to provide a set of optional parameters for URL parsing.
-impl<'a> UrlParser<'a> {
- /// Return a new UrlParser with default parameters.
- #[inline]
- pub fn new() -> UrlParser<'a> {
- fn silent_handler(_reason: ParseError) -> ParseResult<()> { Ok(()) }
- UrlParser {
- base_url: None,
- query_encoding_override: EncodingOverride::utf8(),
- error_handler: silent_handler,
- scheme_type_mapper: whatwg_scheme_type_mapper,
+ /// Return the parsed representation of the host for this URL.
+ /// Non-ASCII domain labels are punycode-encoded per IDNA.
+ ///
+ /// Cannot-be-a-base URLs (typical of `data:` and `mailto:`) and some `file:` URLs
+ /// don’t have a host.
+ ///
+ /// See also the `host_str` method.
+ pub fn host(&self) -> Option<Host<&str>> {
+ match self.host {
+ HostInternal::None => None,
+ HostInternal::Domain => Some(Host::Domain(self.slice(self.host_start..self.host_end))),
+ HostInternal::Ipv4(address) => Some(Host::Ipv4(address)),
+ HostInternal::Ipv6(address) => Some(Host::Ipv6(address)),
}
}
- /// Set the base URL used for resolving relative URL references, and return the `UrlParser`.
- /// The default is no base URL, so that relative URLs references fail to parse.
- #[inline]
- pub fn base_url<'b>(&'b mut self, value: &'a Url) -> &'b mut UrlParser<'a> {
- self.base_url = Some(value);
- self
+ /// If this URL has a host and it is a domain name (not an IP address), return it.
+ pub fn domain(&self) -> Option<&str> {
+ match self.host {
+ HostInternal::Domain => Some(self.slice(self.host_start..self.host_end)),
+ _ => None,
+ }
}
- /// Set the character encoding the query string is encoded as before percent-encoding,
- /// and return the `UrlParser`.
- ///
- /// This legacy quirk is only relevant to HTML.
- ///
- /// This method is only available if the `query_encoding` Cargo feature is enabled.
- #[cfg(feature = "query_encoding")]
+ /// Return the port number for this URL, if any.
#[inline]
- pub fn query_encoding_override<'b>(&'b mut self, value: encoding::EncodingRef)
- -> &'b mut UrlParser<'a> {
- self.query_encoding_override = EncodingOverride::from_encoding(value);
- self
+ pub fn port(&self) -> Option<u16> {
+ self.port
}
- /// Set an error handler for non-fatal parse errors, and return the `UrlParser`.
+ /// Return the port number for this URL, or the default port number if it is known.
///
- /// Non-fatal parse errors are normally ignored by the parser,
- /// but indicate violations of authoring requirements.
- /// An error handler can be used, for example, to log these errors in the console
- /// of a browser’s developer tools.
+ /// This method only knows the default port number
+ /// of the `http`, `https`, `ws`, `wss`, `ftp`, and `gopher` schemes.
///
- /// The error handler can choose to make the error fatal by returning `Err(..)`
+ /// For URLs in these schemes, this method always returns `Some(_)`.
+ /// For other schemes, it is the same as `Url::port()`.
#[inline]
- pub fn error_handler<'b>(&'b mut self, value: ErrorHandler) -> &'b mut UrlParser<'a> {
- self.error_handler = value;
- self
+ pub fn port_or_known_default(&self) -> Option<u16> {
+ self.port.or_else(|| parser::default_port(self.scheme()))
}
- /// Set a *scheme type mapper*, and return the `UrlParser`.
+ /// If the URL has a host, return something that implements `ToSocketAddrs`.
///
- /// The URL parser behaves differently based on the `SchemeType` of the URL.
- /// See the documentation for `SchemeType` for more details.
- /// A *scheme type mapper* returns a `SchemeType`
- /// based on the scheme as an ASCII lower case string,
- /// as found in the `scheme` field of an `Url` struct.
+ /// If the URL has no port number and the scheme’s default port number is not known
+ /// (see `Url::port_or_known_default`),
+ /// the closure is called to obtain a port number.
+ /// Typically, this closure can match on the result `Url::scheme`
+ /// to have per-scheme default port numbers,
+ /// and panic for schemes it’s not prepared to handle.
+ /// For example:
///
- /// The default scheme type mapper is as follows:
+ /// ```rust
+ /// # use url::Url;
+ /// # use std::net::TcpStream;
+ /// # use std::io;
///
- /// ```
- /// # use url::SchemeType;
- /// fn whatwg_scheme_type_mapper(scheme: &str) -> SchemeType {
- /// match scheme {
- /// "file" => SchemeType::FileLike,
- /// "ftp" => SchemeType::Relative(21),
- /// "gopher" => SchemeType::Relative(70),
- /// "http" => SchemeType::Relative(80),
- /// "https" => SchemeType::Relative(443),
- /// "ws" => SchemeType::Relative(80),
- /// "wss" => SchemeType::Relative(443),
- /// _ => SchemeType::NonRelative,
+ /// fn connect(url: &Url) -> io::Result<TcpStream> {
+ /// TcpStream::connect(try!(url.with_default_port(default_port)))
+ /// }
+ ///
+ /// fn default_port(url: &Url) -> Result<u16, ()> {
+ /// match url.scheme() {
+ /// "git" => Ok(9418),
+ /// "git+ssh" => Ok(22),
+ /// "git+https" => Ok(443),
+ /// "git+http" => Ok(80),
+ /// _ => Err(()),
/// }
/// }
/// ```
+ pub fn with_default_port<F>(&self, f: F) -> io::Result<HostAndPort<&str>>
+ where F: FnOnce(&Url) -> Result<u16, ()> {
+ Ok(HostAndPort {
+ host: try!(self.host()
+ .ok_or(())
+ .or_else(|()| io_error("URL has no host"))),
+ port: try!(self.port_or_known_default()
+ .ok_or(())
+ .or_else(|()| f(self))
+ .or_else(|()| io_error("URL has no port number")))
+ })
+ }
+
+ /// Return the path for this URL, as a percent-encoded ASCII string.
+ /// For cannot-be-a-base URLs, this is an arbitrary string that doesn’t start with '/'.
+ /// For other URLs, this starts with a '/' slash
+ /// and continues with slash-separated path segments.
+ pub fn path(&self) -> &str {
+ match (self.query_start, self.fragment_start) {
+ (None, None) => self.slice(self.path_start..),
+ (Some(next_component_start), _) |
+ (None, Some(next_component_start)) => {
+ self.slice(self.path_start..next_component_start)
+ }
+ }
+ }
+
+ /// Unless this URL is cannot-be-a-base,
+ /// return an iterator of '/' slash-separated path segments,
+ /// each as a percent-encoded ASCII string.
///
- /// Note that unknown schemes default to non-relative.
- /// Overriding the scheme type mapper can allow, for example,
- /// parsing URLs in the `git` or `irc` scheme as relative.
- #[inline]
- pub fn scheme_type_mapper<'b>(&'b mut self, value: fn(scheme: &str) -> SchemeType)
- -> &'b mut UrlParser<'a> {
- self.scheme_type_mapper = value;
- self
+ /// Return `None` for cannot-be-a-base URLs, or an iterator of at least one string.
+ pub fn path_segments(&self) -> Option<str::Split<char>> {
+ let path = self.path();
+ if path.starts_with('/') {
+ Some(path[1..].split('/'))
+ } else {
+ None
+ }
+ }
+
+ /// Return this URL’s query string, if any, as a percent-encoded ASCII string.
+ pub fn query(&self) -> Option<&str> {
+ match (self.query_start, self.fragment_start) {
+ (None, _) => None,
+ (Some(query_start), None) => {
+ debug_assert!(self.byte_at(query_start) == b'?');
+ Some(self.slice(query_start + 1..))
+ }
+ (Some(query_start), Some(fragment_start)) => {
+ debug_assert!(self.byte_at(query_start) == b'?');
+ Some(self.slice(query_start + 1..fragment_start))
+ }
+ }
}
- /// Parse `input` as an URL, with all the parameters previously set in the `UrlParser`.
+ /// Parse the URL’s query string, if any, as `application/x-www-form-urlencoded`
+ /// and return an iterator of (key, value) pairs.
#[inline]
- pub fn parse(&self, input: &str) -> ParseResult<Url> {
- parser::parse_url(input, self)
+ pub fn query_pairs(&self) -> form_urlencoded::Parse {
+ form_urlencoded::parse(self.query().unwrap_or("").as_bytes())
}
- /// Parse `input` as a “standalone” URL path,
- /// with an optional query string and fragment identifier.
- ///
- /// This is typically found in the start line of an HTTP header.
- ///
- /// Note that while the start line has no fragment identifier in the HTTP RFC,
- /// servers typically parse it and ignore it
- /// (rather than having it be part of the path or query string.)
+ /// Return this URL’s fragment identifier, if any.
///
- /// On success, return `(path, query_string, fragment_identifier)`
- #[inline]
- pub fn parse_path(&self, input: &str)
- -> ParseResult<(Vec<String>, Option<String>, Option<String>)> {
- parser::parse_standalone_path(input, self)
+ /// **Note:** the parser did *not* percent-encode this component,
+ /// but the input may have been percent-encoded already.
+ pub fn fragment(&self) -> Option<&str> {
+ self.fragment_start.map(|start| {
+ debug_assert!(self.byte_at(start) == b'#');
+ self.slice(start + 1..)
+ })
}
-}
+ fn mutate<F: FnOnce(&mut Parser) -> R, R>(&mut self, f: F) -> R {
+ let mut parser = Parser::for_setter(mem::replace(&mut self.serialization, String::new()));
+ let result = f(&mut parser);
+ self.serialization = parser.serialization;
+ result
+ }
-/// Parse `input` as a “standalone” URL path,
-/// with an optional query string and fragment identifier.
-///
-/// This is typically found in the start line of an HTTP header.
-///
-/// Note that while the start line has no fragment identifier in the HTTP RFC,
-/// servers typically parse it and ignore it
-/// (rather than having it be part of the path or query string.)
-///
-/// On success, return `(path, query_string, fragment_identifier)`
-///
-/// ```rust
-/// let (path, query, fragment) = url::parse_path("/foo/bar/../baz?q=42").unwrap();
-/// assert_eq!(path, vec!["foo".to_string(), "baz".to_string()]);
-/// assert_eq!(query, Some("q=42".to_string()));
-/// assert_eq!(fragment, None);
-/// ```
-///
-/// The query string returned by `url::parse_path` can be decoded with
-/// `url::form_urlencoded::parse`.
-#[inline]
-pub fn parse_path(input: &str)
- -> ParseResult<(Vec<String>, Option<String>, Option<String>)> {
- UrlParser::new().parse_path(input)
-}
+ /// Change this URL’s fragment identifier.
+ pub fn set_fragment(&mut self, fragment: Option<&str>) {
+ // Remove any previous fragment
+ if let Some(start) = self.fragment_start {
+ debug_assert!(self.byte_at(start) == b'#');
+ self.serialization.truncate(start as usize);
+ }
+ // Write the new one
+ if let Some(input) = fragment {
+ self.fragment_start = Some(to_u32(self.serialization.len()).unwrap());
+ self.serialization.push('#');
+ self.mutate(|parser| parser.parse_fragment(input))
+ } else {
+ self.fragment_start = None
+ }
+ }
+ fn take_fragment(&mut self) -> Option<String> {
+ self.fragment_start.take().map(|start| {
+ debug_assert!(self.byte_at(start) == b'#');
+ let fragment = self.slice(start + 1..).to_owned();
+ self.serialization.truncate(start as usize);
+ fragment
+ })
+ }
-/// Private convenience methods for use in parser.rs
-impl<'a> UrlParser<'a> {
- #[inline]
- fn parse_error(&self, error: ParseError) -> ParseResult<()> {
- (self.error_handler)(error)
+ fn restore_already_parsed_fragment(&mut self, fragment: Option<String>) {
+ if let Some(ref fragment) = fragment {
+ assert!(self.fragment_start.is_none());
+ self.fragment_start = Some(to_u32(self.serialization.len()).unwrap());
+ self.serialization.push('#');
+ self.serialization.push_str(fragment);
+ }
}
- #[inline]
- fn get_scheme_type(&self, scheme: &str) -> SchemeType {
- (self.scheme_type_mapper)(scheme)
+ /// Change this URL’s query string.
+ pub fn set_query(&mut self, query: Option<&str>) {
+ let fragment = self.take_fragment();
+
+ // Remove any previous query
+ if let Some(start) = self.query_start.take() {
+ debug_assert!(self.byte_at(start) == b'?');
+ self.serialization.truncate(start as usize);
+ }
+ // Write the new query, if any
+ if let Some(input) = query {
+ self.query_start = Some(to_u32(self.serialization.len()).unwrap());
+ self.serialization.push('?');
+ let scheme_end = self.scheme_end;
+ self.mutate(|parser| parser.parse_query(scheme_end, input));
+ }
+
+ self.restore_already_parsed_fragment(fragment);
}
-}
+ /// Manipulate this URL’s query string, viewed as a sequence of name/value pairs
+ /// in `application/x-www-form-urlencoded` syntax.
+ ///
+ /// The return value has a method-chaining API:
+ ///
+ /// ```rust
+ /// # use url::Url;
+ /// let mut url = Url::parse("https://example.net?lang=fr#nav").unwrap();
+ /// assert_eq!(url.query(), Some("lang=fr"));
+ ///
+ /// url.mutate_query_pairs().append_pair("foo", "bar");
+ /// assert_eq!(url.query(), Some("lang=fr&foo=bar"));
+ /// assert_eq!(url.as_str(), "https://example.net/?lang=fr&foo=bar#nav");
+ ///
+ /// url.mutate_query_pairs()
+ /// .clear()
+ /// .append_pair("foo", "bar & baz")
+ /// .append_pair("saisons", "Été+hiver");
+ /// assert_eq!(url.query(), Some("foo=bar+%26+baz&saisons=%C3%89t%C3%A9%2Bhiver"));
+ /// assert_eq!(url.as_str(),
+ /// "https://example.net/?foo=bar+%26+baz&saisons=%C3%89t%C3%A9%2Bhiver#nav");
+ /// ```
+ ///
+ /// Note: `url.mutate_query_pairs().clear();` is equivalent to `url.set_query(Some(""))`,
+ /// not `url.set_query(None)`.
+ ///
+ /// The state of `Url` is unspecified if this return value is leaked without being dropped.
+ pub fn mutate_query_pairs(&mut self) -> form_urlencoded::Serializer<UrlQuery> {
+ let fragment = self.take_fragment();
+
+ let query_start;
+ if let Some(start) = self.query_start {
+ debug_assert!(self.byte_at(start) == b'?');
+ query_start = start as usize;
+ } else {
+ query_start = self.serialization.len();
+ self.query_start = Some(to_u32(query_start).unwrap());
+ self.serialization.push('?');
+ }
+
+ let query = UrlQuery { url: self, fragment: fragment };
+ form_urlencoded::Serializer::for_suffix(query, query_start + "?".len())
+ }
+
+ /// Change this URL’s path.
+ pub fn set_path(&mut self, path: &str) {
+ let (old_after_path_pos, after_path) = match (self.query_start, self.fragment_start) {
+ (Some(i), _) | (None, Some(i)) => (i, self.slice(i..).to_owned()),
+ (None, None) => (to_u32(self.serialization.len()).unwrap(), String::new())
+ };
+ let cannot_be_a_base = self.cannot_be_a_base();
+ let scheme_type = SchemeType::from(self.scheme());
+ self.serialization.truncate(self.path_start as usize);
+ self.mutate(|parser| {
+ if cannot_be_a_base {
+ if path.starts_with('/') {
+ parser.serialization.push_str("%2F");
+ parser.parse_cannot_be_a_base_path(&path[1..]);
+ } else {
+ parser.parse_cannot_be_a_base_path(path);
+ }
+ } else {
+ let mut has_host = true; // FIXME
+ parser.parse_path_start(scheme_type, &mut has_host, path);
+ }
+ });
+ let new_after_path_pos = to_u32(self.serialization.len()).unwrap();
+ let adjust = |index: &mut u32| {
+ *index -= old_after_path_pos;
+ *index += new_after_path_pos;
+ };
+ if let Some(ref mut index) = self.query_start { adjust(index) }
+ if let Some(ref mut index) = self.fragment_start { adjust(index) }
+ self.serialization.push_str(&after_path)
+ }
+
+ /// Remove the last segment of this URL’s path.
+ ///
+ /// If this URL is cannot-be-a-base, do nothing and return `Err`.
+ /// If this URL is not cannot-be-a-base and its path is `/`, do nothing and return `Ok`.
+ pub fn pop_path_segment(&mut self) -> Result<(), ()> {
+ if self.cannot_be_a_base() {
+ return Err(())
+ }
+ let last_slash;
+ let path_len;
+ {
+ let path = self.path();
+ last_slash = path.rfind('/').unwrap();
+ path_len = path.len();
+ };
+ if last_slash > 0 {
+ // Found a slash other than the initial one
+ let last_slash = last_slash + self.path_start as usize;
+ let path_end = path_len + self.path_start as usize;
+ self.serialization.drain(last_slash..path_end);
+ let offset = (path_end - last_slash) as u32;
+ if let Some(ref mut index) = self.query_start { *index -= offset }
+ if let Some(ref mut index) = self.fragment_start { *index -= offset }
+ }
+ Ok(())
+ }
-/// Determines the behavior of the URL parser for a given scheme.
-#[derive(PartialEq, Eq, Copy, Debug, Clone, Hash, PartialOrd, Ord)]
-pub enum SchemeType {
- /// Indicate that the scheme is *non-relative*.
+ /// Add a segment at the end of this URL’s path.
///
- /// The *scheme data* of the URL
- /// (everything other than the scheme, query string, and fragment identifier)
- /// is parsed as a single percent-encoded string of which no structure is assumed.
- /// That string may need to be parsed further, per a scheme-specific format.
- NonRelative,
+ /// If this URL is cannot-be-a-base, do nothing and return `Err`.
+ pub fn push_path_segment(&mut self, segment: &str) -> Result<(), ()> {
+ if self.cannot_be_a_base() {
+ return Err(())
+ }
+ let after_path = match (self.query_start, self.fragment_start) {
+ (Some(i), _) | (None, Some(i)) => {
+ let s = self.slice(i..).to_owned();
+ self.serialization.truncate(i as usize);
+ s
+ },
+ (None, None) => String::new()
+ };
+ let scheme_type = SchemeType::from(self.scheme());
+ let path_start = self.path_start as usize;
+ self.serialization.push('/');
+ self.mutate(|parser| {
+ parser.context = parser::Context::PathSegmentSetter;
+ let mut has_host = true; // FIXME account for this?
+ parser.parse_path(scheme_type, &mut has_host, path_start, segment)
+ });
+ let offset = to_u32(self.serialization.len()).unwrap() - self.path_start;
+ if let Some(ref mut index) = self.query_start { *index += offset }
+ if let Some(ref mut index) = self.fragment_start { *index += offset }
+ self.serialization.push_str(&after_path);
+ Ok(())
+ }
- /// Indicate that the scheme is *relative*, and what the default port number is.
+ /// Change this URL’s port number.
///
- /// The *scheme data* is structured as
- /// *username*, *password*, *host*, *port number*, and *path*.
- /// Relative URL references are supported, if a base URL was given.
- /// The string value indicates the default port number as a string of ASCII digits,
- /// or the empty string to indicate no default port number.
- Relative(u16),
-
- /// Indicate a *relative* scheme similar to the *file* scheme.
+ /// If this URL is cannot-be-a-base, does not have a host, or has the `file` scheme;
+ /// do nothing and return `Err`.
+ pub fn set_port(&mut self, mut port: Option<u16>) -> Result<(), ()> {
+ if !self.has_host() || self.scheme() == "file" {
+ return Err(())
+ }
+ if port.is_some() && port == parser::default_port(self.scheme()) {
+ port = None
+ }
+ self.set_port_internal(port);
+ Ok(())
+ }
+
+ fn set_port_internal(&mut self, port: Option<u16>) {
+ match (self.port, port) {
+ (None, None) => {}
+ (Some(_), None) => {
+ self.serialization.drain(self.host_end as usize .. self.path_start as usize);
+ let offset = self.path_start - self.host_end;
+ self.path_start = self.host_end;
+ if let Some(ref mut index) = self.query_start { *index -= offset }
+ if let Some(ref mut index) = self.fragment_start { *index -= offset }
+ }
+ (Some(old), Some(new)) if old == new => {}
+ (_, Some(new)) => {
+ let path_and_after = self.slice(self.path_start..).to_owned();
+ self.serialization.truncate(self.host_end as usize);
+ write!(&mut self.serialization, ":{}", new).unwrap();
+ let old_path_start = self.path_start;
+ let new_path_start = to_u32(self.serialization.len()).unwrap();
+ self.path_start = new_path_start;
+ let adjust = |index: &mut u32| {
+ *index -= old_path_start;
+ *index += new_path_start;
+ };
+ if let Some(ref mut index) = self.query_start { adjust(index) }
+ if let Some(ref mut index) = self.fragment_start { adjust(index) }
+ self.serialization.push_str(&path_and_after);
+ }
+ }
+ self.port = port;
+ }
+
+ /// Change this URL’s host.
///
- /// For example, you might want to have distinct `git+file` and `hg+file` URL schemes.
+ /// If this URL is cannot-be-a-base or there is an error parsing the given `host`,
+ /// do nothing and return `Err`.
///
- /// This is like `Relative` except the host can be empty, there is no port number,
- /// and path parsing has (platform-independent) quirks to support Windows filenames.
- FileLike,
-}
+ /// Removing the host (calling this with `None`)
+ /// will also remove any username, password, and port number.
+ pub fn set_host(&mut self, host: Option<&str>) -> Result<(), ParseError> {
+ if self.cannot_be_a_base() {
+ return Err(ParseError::SetHostOnCannotBeABaseUrl)
+ }
-impl SchemeType {
- pub fn default_port(&self) -> Option<u16> {
- match *self {
- SchemeType::Relative(default_port) => Some(default_port),
- _ => None,
+ if let Some(host) = host {
+ self.set_host_internal(try!(Host::parse(host)), None)
+ } else if self.has_host() {
+ debug_assert!(self.byte_at(self.scheme_end) == b':');
+ debug_assert!(self.byte_at(self.path_start) == b'/');
+ let new_path_start = self.scheme_end + 1;
+ self.serialization.drain(self.path_start as usize..new_path_start as usize);
+ let offset = self.path_start - new_path_start;
+ self.path_start = new_path_start;
+ self.username_end = new_path_start;
+ self.host_start = new_path_start;
+ self.host_end = new_path_start;
+ self.port = None;
+ if let Some(ref mut index) = self.query_start { *index -= offset }
+ if let Some(ref mut index) = self.fragment_start { *index -= offset }
+ }
+ Ok(())
+ }
+
+ /// opt_new_port: None means leave unchanged, Some(None) means remove any port number.
+ fn set_host_internal(&mut self, host: Host<String>, opt_new_port: Option<Option<u16>>) {
+ let old_suffix_pos = if opt_new_port.is_some() { self.path_start } else { self.host_end };
+ let suffix = self.slice(old_suffix_pos..).to_owned();
+ self.serialization.truncate(self.host_start as usize);
+ if !self.has_host() {
+ debug_assert!(self.slice(self.scheme_end..self.host_start) == ":");
+ debug_assert!(self.username_end == self.host_start);
+ self.serialization.push('/');
+ self.serialization.push('/');
+ self.username_end += 2;
+ self.host_start += 2;
+ }
+ write!(&mut self.serialization, "{}", host).unwrap();
+ self.host_end = to_u32(self.serialization.len()).unwrap();
+ self.host = host.into();
+
+ if let Some(new_port) = opt_new_port {
+ self.port = new_port;
+ if let Some(port) = new_port {
+ write!(&mut self.serialization, ":{}", port).unwrap();
+ }
}
+ let new_suffix_pos = to_u32(self.serialization.len()).unwrap();
+ self.serialization.push_str(&suffix);
+
+ let adjust = |index: &mut u32| {
+ *index -= old_suffix_pos;
+ *index += new_suffix_pos;
+ };
+ adjust(&mut self.path_start);
+ if let Some(ref mut index) = self.query_start { adjust(index) }
+ if let Some(ref mut index) = self.fragment_start { adjust(index) }
}
- pub fn same_as(&self, other: SchemeType) -> bool {
- match (self, other) {
- (&SchemeType::NonRelative, SchemeType::NonRelative) => true,
- (&SchemeType::Relative(_), SchemeType::Relative(_)) => true,
- (&SchemeType::FileLike, SchemeType::FileLike) => true,
- _ => false
+
+ /// Change this URL’s host to the given IP address.
+ ///
+ /// If this URL is cannot-be-a-base, do nothing and return `Err`.
+ ///
+ /// Compared to `Url::set_host`, this skips the host parser.
+ pub fn set_ip_host(&mut self, address: IpAddr) -> Result<(), ()> {
+ if self.cannot_be_a_base() {
+ return Err(())
}
+
+ let address = match address {
+ IpAddr::V4(address) => Host::Ipv4(address),
+ IpAddr::V6(address) => Host::Ipv6(address),
+ };
+ self.set_host_internal(address, None);
+ Ok(())
}
-}
-/// http://url.spec.whatwg.org/#special-scheme
-pub fn whatwg_scheme_type_mapper(scheme: &str) -> SchemeType {
- match scheme {
- "file" => SchemeType::FileLike,
- "ftp" => SchemeType::Relative(21),
- "gopher" => SchemeType::Relative(70),
- "http" => SchemeType::Relative(80),
- "https" => SchemeType::Relative(443),
- "ws" => SchemeType::Relative(80),
- "wss" => SchemeType::Relative(443),
- _ => SchemeType::NonRelative,
+ /// Change this URL’s password.
+ ///
+ /// If this URL is cannot-be-a-base or does not have a host, do nothing and return `Err`.
+ pub fn set_password(&mut self, password: Option<&str>) -> Result<(), ()> {
+ if !self.has_host() {
+ return Err(())
+ }
+ if let Some(password) = password {
+ let host_and_after = self.slice(self.host_start..).to_owned();
+ self.serialization.truncate(self.username_end as usize);
+ self.serialization.push(':');
+ self.serialization.extend(utf8_percent_encode(password, USERINFO_ENCODE_SET));
+ self.serialization.push('@');
+
+ let old_host_start = self.host_start;
+ let new_host_start = to_u32(self.serialization.len()).unwrap();
+ let adjust = |index: &mut u32| {
+ *index -= old_host_start;
+ *index += new_host_start;
+ };
+ self.host_start = new_host_start;
+ adjust(&mut self.host_end);
+ adjust(&mut self.path_start);
+ if let Some(ref mut index) = self.query_start { adjust(index) }
+ if let Some(ref mut index) = self.fragment_start { adjust(index) }
+
+ self.serialization.push_str(&host_and_after);
+ } else if self.byte_at(self.username_end) == b':' { // If there is a password to remove
+ let has_username_or_password = self.byte_at(self.host_start - 1) == b'@';
+ debug_assert!(has_username_or_password);
+ let username_start = self.scheme_end + 3;
+ let empty_username = username_start == self.username_end;
+ let start = self.username_end; // Remove the ':'
+ let end = if empty_username {
+ self.host_start // Remove the '@' as well
+ } else {
+ self.host_start - 1 // Keep the '@' to separate the username from the host
+ };
+ self.serialization.drain(start as usize .. end as usize);
+ let offset = end - start;
+ self.host_start -= offset;
+ self.host_end -= offset;
+ self.path_start -= offset;
+ if let Some(ref mut index) = self.query_start { *index -= offset }
+ if let Some(ref mut index) = self.fragment_start { *index -= offset }
+ }
+ Ok(())
}
-}
+ /// Change this URL’s username.
+ ///
+ /// If this URL is cannot-be-a-base or does not have a host, do nothing and return `Err`.
+ pub fn set_username(&mut self, username: &str) -> Result<(), ()> {
+ if !self.has_host() {
+ return Err(())
+ }
+ let username_start = self.scheme_end + 3;
+ debug_assert!(self.slice(self.scheme_end..username_start) == "://");
+ if self.slice(username_start..self.username_end) == username {
+ return Ok(())
+ }
+ let after_username = self.slice(self.username_end..).to_owned();
+ self.serialization.truncate(username_start as usize);
+ self.serialization.extend(utf8_percent_encode(username, USERINFO_ENCODE_SET));
+
+ let mut removed_bytes = self.username_end;
+ self.username_end = to_u32(self.serialization.len()).unwrap();
+ let mut added_bytes = self.username_end;
+
+ let new_username_is_empty = self.username_end == username_start;
+ match (new_username_is_empty, after_username.chars().next()) {
+ (true, Some('@')) => {
+ removed_bytes += 1;
+ self.serialization.push_str(&after_username[1..]);
+ }
+ (false, Some('@')) | (_, Some(':')) | (true, _) => {
+ self.serialization.push_str(&after_username);
+ }
+ (false, _) => {
+ added_bytes += 1;
+ self.serialization.push('@');
+ self.serialization.push_str(&after_username);
+ }
+ }
-impl Url {
- /// Parse an URL with the default `UrlParser` parameters.
+ let adjust = |index: &mut u32| {
+ *index -= removed_bytes;
+ *index += added_bytes;
+ };
+ adjust(&mut self.host_start);
+ adjust(&mut self.host_end);
+ adjust(&mut self.path_start);
+ if let Some(ref mut index) = self.query_start { adjust(index) }
+ if let Some(ref mut index) = self.fragment_start { adjust(index) }
+ Ok(())
+ }
+
+ /// Change this URL’s scheme.
///
- /// In particular, relative URL references are parse errors since no base URL is provided.
- #[inline]
- pub fn parse(input: &str) -> ParseResult<Url> {
- UrlParser::new().parse(input)
+ /// Do nothing and return `Err` if:
+ /// * The new scheme is not in `[a-zA-Z][a-zA-Z0-9+.-]+`
+ /// * This URL is cannot-be-a-base and the new scheme is one of
+ /// `http`, `https`, `ws`, `wss`, `ftp`, or `gopher`
+ pub fn set_scheme(&mut self, scheme: &str) -> Result<(), ()> {
+ let mut parser = Parser::for_setter(String::new());
+ let remaining = try!(parser.parse_scheme(scheme));
+ if !remaining.is_empty() ||
+ (!self.has_host() && SchemeType::from(&parser.serialization).is_special()) {
+ return Err(())
+ }
+ let old_scheme_end = self.scheme_end;
+ let new_scheme_end = to_u32(parser.serialization.len()).unwrap();
+ let adjust = |index: &mut u32| {
+ *index -= old_scheme_end;
+ *index += new_scheme_end;
+ };
+
+ self.scheme_end = new_scheme_end;
+ adjust(&mut self.username_end);
+ adjust(&mut self.host_start);
+ adjust(&mut self.host_end);
+ adjust(&mut self.path_start);
+ if let Some(ref mut index) = self.query_start { adjust(index) }
+ if let Some(ref mut index) = self.fragment_start { adjust(index) }
+
+ parser.serialization.push_str(self.slice(old_scheme_end..));
+ self.serialization = parser.serialization;
+ Ok(())
}
/// Convert a file name as `std::path::Path` into an URL in the `file` scheme.
///
- /// This returns `Err` if the given path is not absolute
- /// or, with a Windows path, if the prefix is not a disk prefix (e.g. `C:`).
+ /// This returns `Err` if the given path is not absolute or,
+ /// on Windows, if the prefix is not a disk prefix (e.g. `C:`).
pub fn from_file_path<P: AsRef<Path>>(path: P) -> Result<Url, ()> {
- let path = try!(path_to_file_url_path(path.as_ref()));
- Ok(Url::from_path_common(path))
+ let mut serialization = "file://".to_owned();
+ let path_start = serialization.len() as u32;
+ try!(path_to_file_url_segments(path.as_ref(), &mut serialization));
+ Ok(Url {
+ serialization: serialization,
+ scheme_end: "file".len() as u32,
+ username_end: path_start,
+ host_start: path_start,
+ host_end: path_start,
+ host: HostInternal::None,
+ port: None,
+ path_start: path_start,
+ query_start: None,
+ fragment_start: None,
+ })
}
/// Convert a directory name as `std::path::Path` into an URL in the `file` scheme.
///
- /// This returns `Err` if the given path is not absolute
- /// or, with a Windows path, if the prefix is not a disk prefix (e.g. `C:`).
+ /// This returns `Err` if the given path is not absolute or,
+ /// on Windows, if the prefix is not a disk prefix (e.g. `C:`).
///
- /// Compared to `from_file_path`, this adds an empty component to the path
- /// (or, in terms of URL syntax, adds a trailing slash)
+ /// Compared to `from_file_path`, this ensure that URL’s the path has a trailing slash
/// so that the entire path is considered when using this URL as a base URL.
///
/// For example:
///
/// * `"index.html"` parsed with `Url::from_directory_path(Path::new("/var/www"))`
/// as the base URL is `file:///var/www/index.html`
- /// * `"index.html"` parsed with `Url::from_file_path(Path::new("/var/www/"))`
+ /// * `"index.html"` parsed with `Url::from_file_path(Path::new("/var/www"))`
/// as the base URL is `file:///var/index.html`, which might not be what was intended.
///
- /// (Note that `Path::new` removes any trailing slash.)
+ /// Note that `std::path` does not consider trailing slashes significant
+ /// and usually does not include them (e.g. in `Path::parent()`).
pub fn from_directory_path<P: AsRef<Path>>(path: P) -> Result<Url, ()> {
- let mut path = try!(path_to_file_url_path(path.as_ref()));
- // Add an empty path component (i.e. a trailing slash in serialization)
- // so that the entire path is used as a base URL.
- path.push("".to_owned());
- Ok(Url::from_path_common(path))
- }
-
- fn from_path_common(path: Vec<String>) -> Url {
- Url {
- scheme: "file".to_owned(),
- scheme_data: SchemeData::Relative(RelativeSchemeData {
- username: "".to_owned(),
- password: None,
- port: None,
- default_port: None,
- host: Host::Domain("".to_owned()),
- path: path,
- }),
- query: None,
- fragment: None,
+ let mut url = try!(Url::from_file_path(path));
+ if !url.serialization.ends_with('/') {
+ url.serialization.push('/')
}
+ Ok(url)
}
/// Assuming the URL is in the `file` scheme or similar,
@@ -634,255 +1092,140 @@ impl Url {
/// for a Windows path, is not UTF-8.)
#[inline]
pub fn to_file_path(&self) -> Result<PathBuf, ()> {
- match self.scheme_data {
- SchemeData::Relative(ref scheme_data) => scheme_data.to_file_path(),
- SchemeData::NonRelative(..) => Err(()),
- }
- }
-
- /// Return the serialization of this URL as a string.
- pub fn serialize(&self) -> String {
- self.to_string()
- }
-
- /// Return the origin of this URL (https://url.spec.whatwg.org/#origin)
- pub fn origin(&self) -> Origin {
- match &*self.scheme {
- "blob" => {
- let result = Url::parse(self.non_relative_scheme_data().unwrap());
- match result {
- Ok(ref url) => url.origin(),
- Err(_) => Origin::UID(OpaqueOrigin::new())
- }
- },
- "ftp" | "gopher" | "http" | "https" | "ws" | "wss" => {
- Origin::Tuple(self.scheme.clone(), self.host().unwrap().clone(),
- self.port_or_default().unwrap())
- },
- // TODO: Figure out what to do if the scheme is a file
- "file" => Origin::UID(OpaqueOrigin::new()),
- _ => Origin::UID(OpaqueOrigin::new())
- }
- }
-
- /// Return the serialization of this URL, without the fragment identifier, as a string
- pub fn serialize_no_fragment(&self) -> String {
- UrlNoFragmentFormatter{ url: self }.to_string()
- }
-
- /// If the URL is *non-relative*, return the string scheme data.
- #[inline]
- pub fn non_relative_scheme_data(&self) -> Option<&str> {
- match self.scheme_data {
- SchemeData::Relative(..) => None,
- SchemeData::NonRelative(ref scheme_data) => Some(scheme_data),
- }
- }
-
- /// If the URL is *non-relative*, return a mutable reference to the string scheme data.
- #[inline]
- pub fn non_relative_scheme_data_mut(&mut self) -> Option<&mut String> {
- match self.scheme_data {
- SchemeData::Relative(..) => None,
- SchemeData::NonRelative(ref mut scheme_data) => Some(scheme_data),
- }
- }
-
- /// If the URL is in a *relative scheme*, return the structured scheme data.
- #[inline]
- pub fn relative_scheme_data(&self) -> Option<&RelativeSchemeData> {
- match self.scheme_data {
- SchemeData::Relative(ref scheme_data) => Some(scheme_data),
- SchemeData::NonRelative(..) => None,
- }
- }
-
- /// If the URL is in a *relative scheme*,
- /// return a mutable reference to the structured scheme data.
- #[inline]
- pub fn relative_scheme_data_mut(&mut self) -> Option<&mut RelativeSchemeData> {
- match self.scheme_data {
- SchemeData::Relative(ref mut scheme_data) => Some(scheme_data),
- SchemeData::NonRelative(..) => None,
+ // FIXME: Figure out what to do w.r.t host.
+ if matches!(self.host(), None | Some(Host::Domain("localhost"))) {
+ if let Some(segments) = self.path_segments() {
+ return file_url_segments_to_pathbuf(segments)
+ }
}
+ Err(())
}
- /// If the URL is in a *relative scheme*, return its username.
- #[inline]
- pub fn username(&self) -> Option<&str> {
- self.relative_scheme_data().map(|scheme_data| &*scheme_data.username)
- }
-
- /// If the URL is in a *relative scheme*, return a mutable reference to its username.
- #[inline]
- pub fn username_mut(&mut self) -> Option<&mut String> {
- self.relative_scheme_data_mut().map(|scheme_data| &mut scheme_data.username)
- }
-
- /// Percent-decode the URL’s username, if any.
- ///
- /// This is “lossy”: invalid UTF-8 percent-encoded byte sequences
- /// will be replaced � U+FFFD, the replacement character.
- #[inline]
- pub fn lossy_percent_decode_username(&self) -> Option<String> {
- self.relative_scheme_data().map(|scheme_data| scheme_data.lossy_percent_decode_username())
- }
-
- /// If the URL is in a *relative scheme*, return its password, if any.
- #[inline]
- pub fn password(&self) -> Option<&str> {
- self.relative_scheme_data().and_then(|scheme_data|
- scheme_data.password.as_ref().map(|password| password as &str))
- }
-
- /// If the URL is in a *relative scheme*, return a mutable reference to its password, if any.
- #[inline]
- pub fn password_mut(&mut self) -> Option<&mut String> {
- self.relative_scheme_data_mut().and_then(|scheme_data| scheme_data.password.as_mut())
- }
+ // Private helper methods:
- /// Percent-decode the URL’s password, if any.
- ///
- /// This is “lossy”: invalid UTF-8 percent-encoded byte sequences
- /// will be replaced � U+FFFD, the replacement character.
#[inline]
- pub fn lossy_percent_decode_password(&self) -> Option<String> {
- self.relative_scheme_data().and_then(|scheme_data|
- scheme_data.lossy_percent_decode_password())
+ fn slice<R>(&self, range: R) -> &str where R: RangeArg {
+ range.slice_of(&self.serialization)
}
- /// Serialize the URL's username and password, if any.
- ///
- /// Format: "<username>:<password>@"
#[inline]
- pub fn serialize_userinfo(&mut self) -> Option<String> {
- self.relative_scheme_data().map(|scheme_data| scheme_data.serialize_userinfo())
+ fn byte_at(&self, i: u32) -> u8 {
+ self.serialization.as_bytes()[i as usize]
}
+}
- /// If the URL is in a *relative scheme*, return its structured host.
- #[inline]
- pub fn host(&self) -> Option<&Host> {
- self.relative_scheme_data().map(|scheme_data| &scheme_data.host)
- }
+/// Return an error if `Url::host` or `Url::port_or_known_default` return `None`.
+impl ToSocketAddrs for Url {
+ type Iter = SocketAddrs;
- /// If the URL is in a *relative scheme*, return a mutable reference to its structured host.
- #[inline]
- pub fn host_mut(&mut self) -> Option<&mut Host> {
- self.relative_scheme_data_mut().map(|scheme_data| &mut scheme_data.host)
+ fn to_socket_addrs(&self) -> io::Result<Self::Iter> {
+ try!(self.with_default_port(|_| Err(()))).to_socket_addrs()
}
+}
- /// If the URL is in a *relative scheme* and its host is a domain,
- /// return the domain as a string.
- #[inline]
- pub fn domain(&self) -> Option<&str> {
- self.relative_scheme_data().and_then(|scheme_data| scheme_data.domain())
- }
+/// Parse a string as an URL, without a base URL or encoding override.
+impl str::FromStr for Url {
+ type Err = ParseError;
- /// If the URL is in a *relative scheme* and its host is a domain,
- /// return a mutable reference to the domain string.
#[inline]
- pub fn domain_mut(&mut self) -> Option<&mut String> {
- self.relative_scheme_data_mut().and_then(|scheme_data| scheme_data.domain_mut())
+ fn from_str(input: &str) -> Result<Url, ::ParseError> {
+ Url::parse(input)
}
+}
- /// If the URL is in a *relative scheme*, serialize its host as a string.
- ///
- /// A domain a returned as-is, an IPv6 address between [] square brackets.
+/// Display the serialization of this URL.
+impl fmt::Display for Url {
#[inline]
- pub fn serialize_host(&self) -> Option<String> {
- self.relative_scheme_data().map(|scheme_data| scheme_data.host.serialize())
+ fn fmt(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
+ fmt::Display::fmt(&self.serialization, formatter)
}
+}
- /// If the URL is in a *relative scheme* and has a port number, return it.
+/// Debug the serialization of this URL.
+impl fmt::Debug for Url {
#[inline]
- pub fn port(&self) -> Option<u16> {
- self.relative_scheme_data().and_then(|scheme_data| scheme_data.port)
+ fn fmt(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
+ fmt::Debug::fmt(&self.serialization, formatter)
}
+}
- /// If the URL is in a *relative scheme*, return a mutable reference to its port.
- #[inline]
- pub fn port_mut(&mut self) -> Option<&mut Option<u16>> {
- self.relative_scheme_data_mut().map(|scheme_data| &mut scheme_data.port)
- }
+/// URLs compare like their serialization.
+impl Eq for Url {}
- /// If the URL is in a *relative scheme* that is not a file-like,
- /// return its port number, even if it is the default.
+/// URLs compare like their serialization.
+impl PartialEq for Url {
#[inline]
- pub fn port_or_default(&self) -> Option<u16> {
- self.relative_scheme_data().and_then(|scheme_data| scheme_data.port_or_default())
+ fn eq(&self, other: &Self) -> bool {
+ self.serialization == other.serialization
}
+}
- /// If the URL is in a *relative scheme*, return its path components.
+/// URLs compare like their serialization.
+impl Ord for Url {
#[inline]
- pub fn path(&self) -> Option<&[String]> {
- self.relative_scheme_data().map(|scheme_data| &*scheme_data.path)
+ fn cmp(&self, other: &Self) -> cmp::Ordering {
+ self.serialization.cmp(&other.serialization)
}
+}
- /// If the URL is in a *relative scheme*, return a mutable reference to its path components.
+/// URLs compare like their serialization.
+impl PartialOrd for Url {
#[inline]
- pub fn path_mut(&mut self) -> Option<&mut Vec<String>> {
- self.relative_scheme_data_mut().map(|scheme_data| &mut scheme_data.path)
+ fn partial_cmp(&self, other: &Self) -> Option<cmp::Ordering> {
+ self.serialization.partial_cmp(&other.serialization)
}
+}
- /// If the URL is in a *relative scheme*, serialize its path as a string.
- ///
- /// The returned string starts with a "/" slash, and components are separated by slashes.
- /// A trailing slash represents an empty last component.
+/// URLs hash like their serialization.
+impl hash::Hash for Url {
#[inline]
- pub fn serialize_path(&self) -> Option<String> {
- self.relative_scheme_data().map(|scheme_data| scheme_data.serialize_path())
+ fn hash<H>(&self, state: &mut H) where H: hash::Hasher {
+ hash::Hash::hash(&self.serialization, state)
}
+}
- /// Parse the URL’s query string, if any, as `application/x-www-form-urlencoded`
- /// and return a vector of (key, value) pairs.
+/// Return the serialization of this URL.
+impl AsRef<str> for Url {
#[inline]
- pub fn query_pairs(&self) -> Option<Vec<(String, String)>> {
- self.query.as_ref().map(|query| form_urlencoded::parse(query.as_bytes()))
+ fn as_ref(&self) -> &str {
+ &self.serialization
}
+}
- /// Serialize an iterator of (key, value) pairs as `application/x-www-form-urlencoded`
- /// and set it as the URL’s query string.
- #[inline]
- pub fn set_query_from_pairs<I, K, V>(&mut self, pairs: I)
- where I: IntoIterator, I::Item: Borrow<(K, V)>, K: AsRef<str>, V: AsRef<str> {
- self.query = Some(form_urlencoded::serialize(pairs));
- }
+trait RangeArg {
+ fn slice_of<'a>(&self, s: &'a str) -> &'a str;
+}
- /// Percent-decode the URL’s query string, if any.
- ///
- /// This is “lossy”: invalid UTF-8 percent-encoded byte sequences
- /// will be replaced � U+FFFD, the replacement character.
+impl RangeArg for Range<u32> {
#[inline]
- pub fn lossy_percent_decode_query(&self) -> Option<String> {
- self.query.as_ref().map(|value| lossy_utf8_percent_decode(value.as_bytes()))
+ fn slice_of<'a>(&self, s: &'a str) -> &'a str {
+ &s[self.start as usize .. self.end as usize]
}
+}
- /// Percent-decode the URL’s fragment identifier, if any.
- ///
- /// This is “lossy”: invalid UTF-8 percent-encoded byte sequences
- /// will be replaced � U+FFFD, the replacement character.
+impl RangeArg for RangeFrom<u32> {
#[inline]
- pub fn lossy_percent_decode_fragment(&self) -> Option<String> {
- self.fragment.as_ref().map(|value| lossy_utf8_percent_decode(value.as_bytes()))
+ fn slice_of<'a>(&self, s: &'a str) -> &'a str {
+ &s[self.start as usize ..]
}
+}
- /// Join a path with a base URL.
- ///
- /// Corresponds to the basic URL parser where `self` is the given base URL.
+impl RangeArg for RangeTo<u32> {
#[inline]
- pub fn join(&self, input: &str) -> ParseResult<Url> {
- UrlParser::new().base_url(self).parse(input)
+ fn slice_of<'a>(&self, s: &'a str) -> &'a str {
+ &s[.. self.end as usize]
}
}
-
+#[cfg(feature="rustc-serialize")]
impl rustc_serialize::Encodable for Url {
fn encode<S: rustc_serialize::Encoder>(&self, encoder: &mut S) -> Result<(), S::Error> {
- encoder.emit_str(&self.to_string())
+ encoder.emit_str(self.as_str())
}
}
+#[cfg(feature="rustc-serialize")]
impl rustc_serialize::Decodable for Url {
fn decode<D: rustc_serialize::Decoder>(decoder: &mut D) -> Result<Url, D::Error> {
Url::parse(&*try!(decoder.read_str())).map_err(|error| {
@@ -893,8 +1236,8 @@ impl rustc_serialize::Decodable for Url {
/// Serializes this URL into a `serde` stream.
///
-/// This implementation is only available if the `serde_serialization` Cargo feature is enabled.
-#[cfg(feature="serde_serialization")]
+/// This implementation is only available if the `serde` Cargo feature is enabled.
+#[cfg(feature="serde")]
impl serde::Serialize for Url {
fn serialize<S>(&self, serializer: &mut S) -> Result<(), S::Error> where S: serde::Serializer {
format!("{}", self).serialize(serializer)
@@ -903,179 +1246,38 @@ impl serde::Serialize for Url {
/// Deserializes this URL from a `serde` stream.
///
-/// This implementation is only available if the `serde_serialization` Cargo feature is enabled.
-#[cfg(feature="serde_serialization")]
+/// This implementation is only available if the `serde` Cargo feature is enabled.
+#[cfg(feature="serde")]
impl serde::Deserialize for Url {
fn deserialize<D>(deserializer: &mut D) -> Result<Url, D::Error> where D: serde::Deserializer {
let string_representation: String = try!(serde::Deserialize::deserialize(deserializer));
- Ok(FromStr::from_str(&string_representation[..]).unwrap())
+ Ok(Url::parse(&string_representation).unwrap())
}
}
-impl fmt::Display for Url {
- fn fmt(&self, formatter: &mut Formatter) -> fmt::Result {
- try!(UrlNoFragmentFormatter{ url: self }.fmt(formatter));
- if let Some(ref fragment) = self.fragment {
- try!(formatter.write_str("#"));
- try!(formatter.write_str(fragment));
- }
- Ok(())
- }
-}
-
-
-impl fmt::Display for SchemeData {
- fn fmt(&self, formatter: &mut Formatter) -> fmt::Result {
- match *self {
- SchemeData::Relative(ref scheme_data) => scheme_data.fmt(formatter),
- SchemeData::NonRelative(ref scheme_data) => scheme_data.fmt(formatter),
- }
- }
-}
-
-
-impl RelativeSchemeData {
- /// Percent-decode the URL’s username.
- ///
- /// This is “lossy”: invalid UTF-8 percent-encoded byte sequences
- /// will be replaced � U+FFFD, the replacement character.
- #[inline]
- pub fn lossy_percent_decode_username(&self) -> String {
- lossy_utf8_percent_decode(self.username.as_bytes())
- }
-
- /// Percent-decode the URL’s password, if any.
- ///
- /// This is “lossy”: invalid UTF-8 percent-encoded byte sequences
- /// will be replaced � U+FFFD, the replacement character.
- #[inline]
- pub fn lossy_percent_decode_password(&self) -> Option<String> {
- self.password.as_ref().map(|value| lossy_utf8_percent_decode(value.as_bytes()))
- }
-
- /// Assuming the URL is in the `file` scheme or similar,
- /// convert its path to an absolute `std::path::Path`.
- ///
- /// **Note:** This does not actually check the URL’s `scheme`,
- /// and may give nonsensical results for other schemes.
- /// It is the user’s responsibility to check the URL’s scheme before calling this.
- ///
- /// ```
- /// # use url::Url;
- /// # let url = Url::parse("file:///etc/passwd").unwrap();
- /// let path = url.to_file_path();
- /// ```
- ///
- /// Returns `Err` if the host is neither empty nor `"localhost"`,
- /// or if `Path::new_opt()` returns `None`.
- /// (That is, if the percent-decoded path contains a NUL byte or,
- /// for a Windows path, is not UTF-8.)
- #[inline]
- pub fn to_file_path(&self) -> Result<PathBuf, ()> {
- // FIXME: Figure out what to do w.r.t host.
- if !matches!(self.domain(), Some("") | Some("localhost")) {
- return Err(())
- }
- file_url_path_to_pathbuf(&self.path)
- }
-
- /// If the host is a domain, return the domain as a string.
- #[inline]
- pub fn domain(&self) -> Option<&str> {
- match self.host {
- Host::Domain(ref domain) => Some(domain),
- _ => None,
- }
- }
-
- /// If the host is a domain, return a mutable reference to the domain string.
- #[inline]
- pub fn domain_mut(&mut self) -> Option<&mut String> {
- match self.host {
- Host::Domain(ref mut domain) => Some(domain),
- _ => None,
- }
- }
-
- /// Return the port number of the URL, even if it is the default.
- /// Return `None` for file-like URLs.
- #[inline]
- pub fn port_or_default(&self) -> Option<u16> {
- self.port.or(self.default_port)
- }
-
- /// Serialize the path as a string.
- ///
- /// The returned string starts with a "/" slash, and components are separated by slashes.
- /// A trailing slash represents an empty last component.
- pub fn serialize_path(&self) -> String {
- PathFormatter {
- path: &self.path
- }.to_string()
- }
-
- /// Serialize the userinfo as a string.
- ///
- /// Format: "<username>:<password>@".
- pub fn serialize_userinfo(&self) -> String {
- UserInfoFormatter {
- username: &self.username,
- password: self.password.as_ref().map(|s| s as &str)
- }.to_string()
- }
-}
-
-
-impl fmt::Display for RelativeSchemeData {
- fn fmt(&self, formatter: &mut Formatter) -> fmt::Result {
- // Write the scheme-trailing double slashes.
- try!(formatter.write_str("//"));
-
- // Write the user info.
- try!(UserInfoFormatter {
- username: &self.username,
- password: self.password.as_ref().map(|s| s as &str)
- }.fmt(formatter));
-
- // Write the host.
- try!(self.host.fmt(formatter));
-
- // Write the port.
- match self.port {
- Some(port) => {
- try!(write!(formatter, ":{}", port));
- },
- None => {}
- }
-
- // Write the path.
- PathFormatter {
- path: &self.path
- }.fmt(formatter)
- }
-}
-
-
#[cfg(unix)]
-fn path_to_file_url_path(path: &Path) -> Result<Vec<String>, ()> {
+fn path_to_file_url_segments(path: &Path, serialization: &mut String) -> Result<(), ()> {
use std::os::unix::prelude::OsStrExt;
if !path.is_absolute() {
return Err(())
}
// skip the root component
- Ok(path.components().skip(1).map(|c| {
- percent_encode(c.as_os_str().as_bytes(), DEFAULT_ENCODE_SET)
- }).collect())
+ for component in path.components().skip(1) {
+ serialization.push('/');
+ serialization.extend(percent_encode(
+ component.as_os_str().as_bytes(), PATH_SEGMENT_ENCODE_SET))
+ }
+ Ok(())
}
#[cfg(windows)]
-fn path_to_file_url_path(path: &Path) -> Result<Vec<String>, ()> {
- path_to_file_url_path_windows(path)
+fn path_to_file_url_segments(path: &Path, serialization: &mut String) -> Result<(), ()> {
+ path_to_file_url_segments_windows(path, serialization)
}
// Build this unconditionally to alleviate https://github.com/servo/rust-url/issues/102
#[cfg_attr(not(windows), allow(dead_code))]
-fn path_to_file_url_path_windows(path: &Path) -> Result<Vec<String>, ()> {
+fn path_to_file_url_segments_windows(path: &Path, serialization: &mut String) -> Result<(), ()> {
use std::path::{Prefix, Component};
if !path.is_absolute() {
return Err(())
@@ -1093,35 +1295,30 @@ fn path_to_file_url_path_windows(path: &Path) -> Result<Vec<String>, ()> {
};
// Start with the prefix, e.g. "C:"
- let mut path = vec![format!("{}:", disk as char)];
+ serialization.push('/');
+ serialization.push(disk as char);
+ serialization.push(':');
for component in components {
if component == Component::RootDir { continue }
// FIXME: somehow work with non-unicode?
- let part = match component.as_os_str().to_str() {
- Some(s) => s,
- None => return Err(()),
- };
- path.push(percent_encode(part.as_bytes(), DEFAULT_ENCODE_SET));
+ let component = try!(component.as_os_str().to_str().ok_or(()));
+ serialization.push('/');
+ serialization.extend(percent_encode(component.as_bytes(), PATH_SEGMENT_ENCODE_SET));
}
- Ok(path)
+ Ok(())
}
#[cfg(unix)]
-fn file_url_path_to_pathbuf(path: &[String]) -> Result<PathBuf, ()> {
+fn file_url_segments_to_pathbuf(segments: str::Split<char>) -> Result<PathBuf, ()> {
use std::ffi::OsStr;
use std::os::unix::prelude::OsStrExt;
use std::path::PathBuf;
- use percent_encoding::percent_decode_to;
-
- if path.is_empty() {
- return Ok(PathBuf::from("/"))
- }
let mut bytes = Vec::new();
- for path_part in path {
+ for segment in segments {
bytes.push(b'/');
- percent_decode_to(path_part.as_bytes(), &mut bytes);
+ bytes.extend(percent_decode(segment.as_bytes()));
}
let os_str = OsStr::from_bytes(&bytes);
let path = PathBuf::from(os_str);
@@ -1131,29 +1328,24 @@ fn file_url_path_to_pathbuf(path: &[String]) -> Result<PathBuf, ()> {
}
#[cfg(windows)]
-fn file_url_path_to_pathbuf(path: &[String]) -> Result<PathBuf, ()> {
- file_url_path_to_pathbuf_windows(path)
+fn file_url_segments_to_pathbuf(segments: str::Split<char>) -> Result<PathBuf, ()> {
+ file_url_segments_to_pathbuf_windows(segments)
}
// Build this unconditionally to alleviate https://github.com/servo/rust-url/issues/102
#[cfg_attr(not(windows), allow(dead_code))]
-fn file_url_path_to_pathbuf_windows(path: &[String]) -> Result<PathBuf, ()> {
- use percent_encoding::percent_decode;
-
- if path.is_empty() {
+fn file_url_segments_to_pathbuf_windows(mut segments: str::Split<char>) -> Result<PathBuf, ()> {
+ let first = try!(segments.next().ok_or(()));
+ if first.len() != 2 || !first.starts_with(parser::ascii_alpha)
+ || first.as_bytes()[1] != b':' {
return Err(())
}
- let prefix = &*path[0];
- if prefix.len() != 2 || !parser::starts_with_ascii_alpha(prefix)
- || prefix.as_bytes()[1] != b':' {
- return Err(())
- }
- let mut string = prefix.to_owned();
- for path_part in &path[1..] {
+ let mut string = first.to_owned();
+ for segment in segments {
string.push('\\');
// Currently non-unicode windows paths cannot be represented
- match String::from_utf8(percent_decode(path_part.as_bytes())) {
+ match String::from_utf8(percent_decode(segment.as_bytes()).collect()) {
Ok(s) => string.push_str(&s),
Err(..) => return Err(()),
}
@@ -1163,3 +1355,19 @@ fn file_url_path_to_pathbuf_windows(path: &[String]) -> Result<PathBuf, ()> {
"to_file_path() failed to produce an absolute Path");
Ok(path)
}
+
+fn io_error<T>(reason: &str) -> io::Result<T> {
+ Err(io::Error::new(io::ErrorKind::InvalidData, reason))
+}
+
+/// Implementation detail of `Url::mutate_query_pairs`. Typically not used directly.
+pub struct UrlQuery<'a> {
+ url: &'a mut Url,
+ fragment: Option<String>,
+}
+
+impl<'a> Drop for UrlQuery<'a> {
+ fn drop(&mut self) {
+ self.url.restore_already_parsed_fragment(self.fragment.take())
+ }
+}
diff --git a/src/origin.rs b/src/origin.rs
new file mode 100644
--- /dev/null
+++ b/src/origin.rs
@@ -0,0 +1,99 @@
+// Copyright 2016 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+use host::Host;
+use idna::domain_to_unicode;
+use parser::default_port;
+use std::sync::atomic::{AtomicUsize, ATOMIC_USIZE_INIT, Ordering};
+use Url;
+
+pub fn url_origin(url: &Url) -> Origin {
+ let scheme = url.scheme();
+ match scheme {
+ "blob" => {
+ let result = Url::parse(url.path());
+ match result {
+ Ok(ref url) => url_origin(url),
+ Err(_) => Origin::new_opaque()
+ }
+ },
+ "ftp" | "gopher" | "http" | "https" | "ws" | "wss" => {
+ Origin::Tuple(scheme.to_owned(), url.host().unwrap().to_owned(),
+ url.port_or_known_default().unwrap())
+ },
+ // TODO: Figure out what to do if the scheme is a file
+ "file" => Origin::new_opaque(),
+ _ => Origin::new_opaque()
+ }
+}
+
+/// The origin of an URL
+#[derive(PartialEq, Eq, Clone, Debug)]
+#[cfg_attr(feature="heap_size", derive(HeapSizeOf))]
+pub enum Origin {
+ /// A globally unique identifier
+ Opaque(OpaqueOrigin),
+
+ /// Consists of the URL's scheme, host and port
+ Tuple(String, Host<String>, u16)
+}
+
+
+impl Origin {
+ /// Creates a new opaque origin that is only equal to itself.
+ pub fn new_opaque() -> Origin {
+ static COUNTER: AtomicUsize = ATOMIC_USIZE_INIT;
+ Origin::Opaque(OpaqueOrigin(COUNTER.fetch_add(1, Ordering::SeqCst)))
+ }
+
+ /// Return whether this origin is a (scheme, host, port) tuple
+ /// (as opposed to an opaque origin).
+ pub fn is_tuple(&self) -> bool {
+ matches!(*self, Origin::Tuple(..))
+ }
+
+ /// https://html.spec.whatwg.org/multipage/#ascii-serialisation-of-an-origin
+ pub fn ascii_serialization(&self) -> String {
+ match *self {
+ Origin::Opaque(_) => "null".to_owned(),
+ Origin::Tuple(ref scheme, ref host, port) => {
+ if default_port(scheme) == Some(port) {
+ format!("{}://{}", scheme, host)
+ } else {
+ format!("{}://{}:{}", scheme, host, port)
+ }
+ }
+ }
+ }
+
+ /// https://html.spec.whatwg.org/multipage/#unicode-serialisation-of-an-origin
+ pub fn unicode_serialization(&self) -> String {
+ match *self {
+ Origin::Opaque(_) => "null".to_owned(),
+ Origin::Tuple(ref scheme, ref host, port) => {
+ let host = match *host {
+ Host::Domain(ref domain) => {
+ let (domain, _errors) = domain_to_unicode(domain);
+ Host::Domain(domain)
+ }
+ _ => host.clone()
+ };
+ if default_port(scheme) == Some(port) {
+ format!("{}://{}", scheme, host)
+ } else {
+ format!("{}://{}:{}", scheme, host, port)
+ }
+ }
+ }
+ }
+}
+
+/// Opaque identifier for URLs that have file or other schemes
+#[derive(Eq, PartialEq, Clone, Debug)]
+#[cfg_attr(feature="heap_size", derive(HeapSizeOf))]
+pub struct OpaqueOrigin(usize);
diff --git a/src/parser.rs b/src/parser.rs
--- a/src/parser.rs
+++ b/src/parser.rs
@@ -1,4 +1,4 @@
-// Copyright 2013-2014 Simon Sapin.
+// Copyright 2013-2016 The rust-url developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
@@ -7,20 +7,20 @@
// except according to those terms.
use std::ascii::AsciiExt;
-use std::cmp::max;
use std::error::Error;
-use std::fmt::{self, Formatter};
+use std::fmt::{self, Formatter, Write};
-use super::{UrlParser, Url, SchemeData, RelativeSchemeData, Host, SchemeType};
+use Url;
+use encoding::EncodingOverride;
+use host::{Host, HostInternal};
use percent_encoding::{
- utf8_percent_encode_to, percent_encode,
- SIMPLE_ENCODE_SET, DEFAULT_ENCODE_SET, USERINFO_ENCODE_SET, QUERY_ENCODE_SET
+ utf8_percent_encode, percent_encode,
+ SIMPLE_ENCODE_SET, DEFAULT_ENCODE_SET, USERINFO_ENCODE_SET, QUERY_ENCODE_SET,
+ PATH_SEGMENT_ENCODE_SET
};
-
pub type ParseResult<T> = Result<T, ParseError>;
-
macro_rules! simple_enum_error {
($($name: ident => $description: expr,)+) => {
/// Errors that can occur during parsing.
@@ -45,30 +45,15 @@ macro_rules! simple_enum_error {
simple_enum_error! {
EmptyHost => "empty host",
- InvalidScheme => "invalid scheme",
+ IdnaError => "invalid international domain name",
InvalidPort => "invalid port number",
InvalidIpv4Address => "invalid IPv4 address",
InvalidIpv6Address => "invalid IPv6 address",
InvalidDomainCharacter => "invalid domain character",
- InvalidCharacter => "invalid character",
- InvalidBackslash => "invalid backslash",
- InvalidPercentEncoded => "invalid percent-encoded sequence",
- InvalidAtSymbolInUser => "invalid @-symbol in user",
- ExpectedTwoSlashes => "expected two slashes (//)",
- ExpectedInitialSlash => "expected the input to start with a slash",
- NonUrlCodePoint => "non URL code point",
- RelativeUrlWithScheme => "relative URL with scheme",
RelativeUrlWithoutBase => "relative URL without a base",
- RelativeUrlWithNonRelativeBase => "relative URL with a non-relative base",
- NonAsciiDomainsNotSupportedYet => "non-ASCII domains are not supported yet",
- CannotSetJavascriptFragment => "cannot set fragment on javascript: URL",
- CannotSetPortWithFileLikeScheme => "cannot set port with file-like scheme",
- CannotSetUsernameWithNonRelativeScheme => "cannot set username with non-relative scheme",
- CannotSetPasswordWithNonRelativeScheme => "cannot set password with non-relative scheme",
- CannotSetHostPortWithNonRelativeScheme => "cannot set host and port with non-relative scheme",
- CannotSetHostWithNonRelativeScheme => "cannot set host with non-relative scheme",
- CannotSetPortWithNonRelativeScheme => "cannot set port with non-relative scheme",
- CannotSetPathWithNonRelativeScheme => "cannot set path with non-relative scheme",
+ RelativeUrlWithCannotBeABaseBase => "relative URL with a cannot-be-a-base base",
+ SetHostOnCannotBeABaseUrl => "a cannot-be-a-base URL doesn’t have a host to set",
+ Overflow => "URLs more than 4 GB are not supported",
}
impl fmt::Display for ParseError {
@@ -77,589 +62,941 @@ impl fmt::Display for ParseError {
}
}
-/// This is called on non-fatal parse errors.
-///
-/// The handler can choose to continue or abort parsing by returning Ok() or Err(), respectively.
-/// See the `UrlParser::error_handler` method.
-///
-/// FIXME: make this a by-ref closure when that’s supported.
-pub type ErrorHandler = fn(reason: ParseError) -> ParseResult<()>;
-
-
-#[derive(PartialEq, Eq)]
-pub enum Context {
- UrlParser,
- Setter,
+impl From<::idna::uts46::Errors> for ParseError {
+ fn from(_: ::idna::uts46::Errors) -> ParseError { ParseError::IdnaError }
}
-
-pub fn parse_url(input: &str, parser: &UrlParser) -> ParseResult<Url> {
- let input = input.trim_matches(&[' ', '\t', '\n', '\r', '\x0C'][..]);
- let (scheme, remaining) = match parse_scheme(input, Context::UrlParser) {
- Some((scheme, remaining)) => (scheme, remaining),
- // No-scheme state
- None => return match parser.base_url {
- Some(&Url { ref scheme, scheme_data: SchemeData::Relative(ref base),
- ref query, .. }) => {
- let scheme_type = parser.get_scheme_type(&scheme);
- parse_relative_url(input, scheme.clone(), scheme_type, base, query, parser)
- },
- Some(_) => Err(ParseError::RelativeUrlWithNonRelativeBase),
- None => Err(ParseError::RelativeUrlWithoutBase),
- },
- };
- let scheme_type = parser.get_scheme_type(&scheme);
- match scheme_type {
- SchemeType::FileLike => {
- // Relative state?
- match parser.base_url {
- Some(&Url { scheme: ref base_scheme, scheme_data: SchemeData::Relative(ref base),
- ref query, .. })
- if scheme == *base_scheme => {
- parse_relative_url(remaining, scheme, scheme_type, base, query, parser)
- },
- // FIXME: Should not have to use a made-up base URL.
- _ => parse_relative_url(remaining, scheme, scheme_type, &RelativeSchemeData {
- username: String::new(), password: None, host: Host::Domain(String::new()),
- port: None, default_port: None, path: Vec::new()
- }, &None, parser)
- }
- },
- SchemeType::Relative(..) => {
- match parser.base_url {
- Some(&Url { scheme: ref base_scheme, scheme_data: SchemeData::Relative(ref base),
- ref query, .. })
- if scheme == *base_scheme && !remaining.starts_with("//") => {
- try!(parser.parse_error(ParseError::RelativeUrlWithScheme));
- parse_relative_url(remaining, scheme, scheme_type, base, query, parser)
- },
- _ => parse_absolute_url(scheme, scheme_type, remaining, parser),
- }
- },
- SchemeType::NonRelative => {
- // Scheme data state
- let (scheme_data, remaining) = try!(parse_scheme_data(remaining, parser));
- let (query, fragment) = try!(parse_query_and_fragment(remaining, parser));
- Ok(Url { scheme: scheme, scheme_data: SchemeData::NonRelative(scheme_data),
- query: query, fragment: fragment })
- }
- }
+#[derive(Copy, Clone)]
+pub enum SchemeType {
+ File,
+ SpecialNotFile,
+ NotSpecial,
}
+impl SchemeType {
+ pub fn is_special(&self) -> bool {
+ !matches!(*self, SchemeType::NotSpecial)
+ }
-pub fn parse_scheme(input: &str, context: Context) -> Option<(String, &str)> {
- if input.is_empty() || !starts_with_ascii_alpha(input) {
- return None
+ pub fn is_file(&self) -> bool {
+ matches!(*self, SchemeType::File)
}
- for (i, c) in input.char_indices() {
- match c {
- 'a'...'z' | 'A'...'Z' | '0'...'9' | '+' | '-' | '.' => (),
- ':' => return Some((
- input[..i].to_ascii_lowercase(),
- &input[i + 1..],
- )),
- _ => return None,
+
+ pub fn from(s: &str) -> Self {
+ match s {
+ "http" | "https" | "ws" | "wss" | "ftp" | "gopher" => SchemeType::SpecialNotFile,
+ "file" => SchemeType::File,
+ _ => SchemeType::NotSpecial,
}
}
- // EOF before ':'
- match context {
- Context::Setter => Some((input.to_ascii_lowercase(), "")),
- Context::UrlParser => None
- }
}
+pub fn default_port(scheme: &str) -> Option<u16> {
+ match scheme {
+ "http" | "ws" => Some(80),
+ "https" | "wss" => Some(443),
+ "ftp" => Some(21),
+ "gopher" => Some(70),
+ _ => None,
+ }
+}
-fn parse_absolute_url<'a>(scheme: String, scheme_type: SchemeType,
- input: &'a str, parser: &UrlParser) -> ParseResult<Url> {
- // Authority first slash state
- let remaining = try!(skip_slashes(input, parser));
- // Authority state
- let (username, password, remaining) = try!(parse_userinfo(remaining, parser));
- // Host state
- let (host, port, default_port, remaining) = try!(parse_host(remaining, scheme_type, parser));
- let (path, remaining) = try!(parse_path_start(
- remaining, Context::UrlParser, scheme_type, parser));
- let scheme_data = SchemeData::Relative(RelativeSchemeData {
- username: username, password: password,
- host: host, port: port, default_port: default_port,
- path: path });
- let (query, fragment) = try!(parse_query_and_fragment(remaining, parser));
- Ok(Url { scheme: scheme, scheme_data: scheme_data, query: query, fragment: fragment })
+pub struct Parser<'a> {
+ pub serialization: String,
+ pub base_url: Option<&'a Url>,
+ pub query_encoding_override: EncodingOverride,
+ pub log_syntax_violation: Option<&'a Fn(&'static str)>,
+ pub context: Context,
}
+#[derive(PartialEq, Eq, Copy, Clone)]
+pub enum Context {
+ UrlParser,
+ Setter,
+ PathSegmentSetter,
+}
-fn parse_relative_url<'a>(input: &'a str, scheme: String, scheme_type: SchemeType,
- base: &RelativeSchemeData, base_query: &Option<String>,
- parser: &UrlParser)
- -> ParseResult<Url> {
- let mut chars = input.chars();
- match chars.next() {
- Some('/') | Some('\\') => {
- let ch = chars.next();
- // Relative slash state
- if matches!(ch, Some('/') | Some('\\')) {
- if ch == Some('\\') {
- try!(parser.parse_error(ParseError::InvalidBackslash))
- }
- if scheme_type == SchemeType::FileLike {
- // File host state
- let remaining = &input[2..];
- let (host, remaining) = if remaining.len() >= 2
- && starts_with_ascii_alpha(remaining)
- && matches!(remaining.as_bytes()[1], b':' | b'|')
- && (remaining.len() == 2
- || matches!(remaining.as_bytes()[2],
- b'/' | b'\\' | b'?' | b'#'))
- {
- // Windows drive letter quirk
- (Host::Domain(String::new()), remaining)
- } else {
- try!(parse_file_host(remaining, parser))
- };
- let (path, remaining) = try!(parse_path_start(
- remaining, Context::UrlParser, scheme_type, parser));
- let scheme_data = SchemeData::Relative(RelativeSchemeData {
- username: String::new(), password: None,
- host: host, port: None, default_port: None, path: path
- });
- let (query, fragment) = try!(parse_query_and_fragment(remaining, parser));
- Ok(Url { scheme: scheme, scheme_data: scheme_data,
- query: query, fragment: fragment })
- } else {
- parse_absolute_url(scheme, scheme_type, input, parser)
- }
- } else {
- // Relative path state
- let (path, remaining) = try!(parse_path(
- &[], &input[1..], Context::UrlParser, scheme_type, parser));
- let scheme_data = SchemeData::Relative(if scheme_type == SchemeType::FileLike {
- RelativeSchemeData {
- username: String::new(), password: None, host:
- Host::Domain(String::new()), port: None, default_port: None, path: path
- }
- } else {
- RelativeSchemeData {
- username: base.username.clone(),
- password: base.password.clone(),
- host: base.host.clone(),
- port: base.port.clone(),
- default_port: base.default_port.clone(),
- path: path
- }
- });
- let (query, fragment) = try!(
- parse_query_and_fragment(remaining, parser));
- Ok(Url { scheme: scheme, scheme_data: scheme_data,
- query: query, fragment: fragment })
- }
- },
- Some('?') => {
- let (query, fragment) = try!(parse_query_and_fragment(input, parser));
- Ok(Url { scheme: scheme, scheme_data: SchemeData::Relative(base.clone()),
- query: query, fragment: fragment })
- },
- Some('#') => {
- let fragment = Some(try!(parse_fragment(&input[1..], parser)));
- Ok(Url { scheme: scheme, scheme_data: SchemeData::Relative(base.clone()),
- query: base_query.clone(), fragment: fragment })
- }
- None => {
- Ok(Url { scheme: scheme, scheme_data: SchemeData::Relative(base.clone()),
- query: base_query.clone(), fragment: None })
- }
- _ => {
- let (scheme_data, remaining) = if scheme_type == SchemeType::FileLike
- && input.len() >= 2
- && starts_with_ascii_alpha(input)
- && matches!(input.as_bytes()[1], b':' | b'|')
- && (input.len() == 2
- || matches!(input.as_bytes()[2], b'/' | b'\\' | b'?' | b'#'))
- {
- // Windows drive letter quirk
- let (path, remaining) = try!(parse_path(
- &[], input, Context::UrlParser, scheme_type, parser));
- (SchemeData::Relative(RelativeSchemeData {
- username: String::new(), password: None,
- host: Host::Domain(String::new()),
- port: None,
- default_port: None,
- path: path
- }), remaining)
- } else {
- let base_path = &base.path[..max(base.path.len(), 1) - 1];
- // Relative path state
- let (path, remaining) = try!(parse_path(
- base_path, input, Context::UrlParser, scheme_type, parser));
- (SchemeData::Relative(RelativeSchemeData {
- username: base.username.clone(),
- password: base.password.clone(),
- host: base.host.clone(),
- port: base.port.clone(),
- default_port: base.default_port.clone(),
- path: path
- }), remaining)
- };
- let (query, fragment) = try!(parse_query_and_fragment(remaining, parser));
- Ok(Url { scheme: scheme, scheme_data: scheme_data,
- query: query, fragment: fragment })
+impl<'a> Parser<'a> {
+ pub fn for_setter(serialization: String) -> Parser<'a> {
+ Parser {
+ serialization: serialization,
+ base_url: None,
+ query_encoding_override: EncodingOverride::utf8(),
+ log_syntax_violation: None,
+ context: Context::Setter,
}
}
-}
+ fn syntax_violation(&self, reason: &'static str) {
+ if let Some(log) = self.log_syntax_violation {
+ log(reason)
+ }
+ }
-fn skip_slashes<'a>(input: &'a str, parser: &UrlParser) -> ParseResult<&'a str> {
- let first_non_slash = input.find(|c| !matches!(c, '/' | '\\')).unwrap_or(input.len());
- if &input[..first_non_slash] != "//" {
- try!(parser.parse_error(ParseError::ExpectedTwoSlashes));
+ fn syntax_violation_if<F: Fn() -> bool>(&self, reason: &'static str, test: F) {
+ // Skip test if not logging.
+ if let Some(log) = self.log_syntax_violation {
+ if test() {
+ log(reason)
+ }
+ }
}
- Ok(&input[first_non_slash..])
-}
+ /// https://url.spec.whatwg.org/#concept-basic-url-parser
+ pub fn parse_url(mut self, original_input: &str) -> ParseResult<Url> {
+ let input = original_input.trim_matches(c0_control_or_space);
+ if input.len() < original_input.len() {
+ self.syntax_violation("leading or trailing control or space character")
+ }
+ if let Ok(remaining) = self.parse_scheme(input) {
+ return self.parse_with_scheme(remaining)
+ }
-fn parse_userinfo<'a>(input: &'a str, parser: &UrlParser)
- -> ParseResult<(String, Option<String>, &'a str)> {
- let mut last_at = None;
- for (i, c) in input.char_indices() {
- match c {
- '@' => {
- if last_at.is_some() {
- try!(parser.parse_error(ParseError::InvalidAtSymbolInUser))
+ // No-scheme state
+ if let Some(base_url) = self.base_url {
+ if input.starts_with("#") {
+ self.fragment_only(base_url, input)
+ } else if base_url.cannot_be_a_base() {
+ Err(ParseError::RelativeUrlWithCannotBeABaseBase)
+ } else {
+ let scheme_type = SchemeType::from(base_url.scheme());
+ if scheme_type.is_file() {
+ self.parse_file(input, Some(base_url))
+ } else {
+ self.parse_relative(input, scheme_type, base_url)
}
- last_at = Some(i)
- },
- '/' | '\\' | '?' | '#' => break,
- _ => (),
+ }
+ } else {
+ Err(ParseError::RelativeUrlWithoutBase)
}
}
- let (input, remaining) = match last_at {
- Some(at) => (&input[..at], &input[at + 1..]),
- None => return Ok((String::new(), None, input)),
- };
- let mut username = String::new();
- let mut password = None;
- for (i, c, next_i) in input.char_ranges() {
- match c {
- ':' => {
- password = Some(try!(parse_password(&input[i + 1..], parser)));
- break
- },
- '\t' | '\n' | '\r' => try!(parser.parse_error(ParseError::InvalidCharacter)),
- _ => {
- try!(check_url_code_point(input, i, c, parser));
- // The spec says to use the default encode set,
- // but also replaces '@' by '%40' in an earlier step.
- utf8_percent_encode_to(&input[i..next_i],
- USERINFO_ENCODE_SET, &mut username);
+ pub fn parse_scheme<'i>(&mut self, input: &'i str) -> Result<&'i str, ()> {
+ if input.is_empty() || !input.starts_with(ascii_alpha) {
+ return Err(())
+ }
+ debug_assert!(self.serialization.is_empty());
+ for (i, c) in input.char_indices() {
+ match c {
+ 'a'...'z' | 'A'...'Z' | '0'...'9' | '+' | '-' | '.' => {
+ self.serialization.push(c.to_ascii_lowercase())
+ }
+ ':' => return Ok(&input[i + 1..]),
+ _ => {
+ self.serialization.clear();
+ return Err(())
+ }
}
}
+ // EOF before ':'
+ if self.context == Context::Setter {
+ Ok("")
+ } else {
+ self.serialization.clear();
+ Err(())
+ }
}
- Ok((username, password, remaining))
-}
-
-fn parse_password(input: &str, parser: &UrlParser) -> ParseResult<String> {
- let mut password = String::new();
- for (i, c, next_i) in input.char_ranges() {
- match c {
- '\t' | '\n' | '\r' => try!(parser.parse_error(ParseError::InvalidCharacter)),
- _ => {
- try!(check_url_code_point(input, i, c, parser));
- // The spec says to use the default encode set,
- // but also replaces '@' by '%40' in an earlier step.
- utf8_percent_encode_to(&input[i..next_i],
- USERINFO_ENCODE_SET, &mut password);
+ fn parse_with_scheme(mut self, input: &str) -> ParseResult<Url> {
+ let scheme_end = try!(to_u32(self.serialization.len()));
+ let scheme_type = SchemeType::from(&self.serialization);
+ self.serialization.push(':');
+ match scheme_type {
+ SchemeType::File => {
+ self.syntax_violation_if("expected // after file:", || !input.starts_with("//"));
+ let base_file_url = self.base_url.and_then(|base| {
+ if base.scheme() == "file" { Some(base) } else { None }
+ });
+ self.serialization.clear();
+ self.parse_file(input, base_file_url)
}
+ SchemeType::SpecialNotFile => {
+ // special relative or authority state
+ let slashes_count = input.find(|c| !matches!(c, '/' | '\\')).unwrap_or(input.len());
+ if let Some(base_url) = self.base_url {
+ if slashes_count < 2 &&
+ base_url.scheme() == &self.serialization[..scheme_end as usize] {
+ // "Cannot-be-a-base" URLs only happen with "not special" schemes.
+ debug_assert!(!base_url.cannot_be_a_base());
+ self.serialization.clear();
+ return self.parse_relative(input, scheme_type, base_url)
+ }
+ }
+ // special authority slashes state
+ self.syntax_violation_if("expected //", || &input[..slashes_count] != "//");
+ self.after_double_slash(&input[slashes_count..], scheme_type, scheme_end)
+ }
+ SchemeType::NotSpecial => self.parse_non_special(input, scheme_type, scheme_end)
}
}
- Ok(password)
-}
-
-
-pub fn parse_host<'a>(input: &'a str, scheme_type: SchemeType, parser: &UrlParser)
- -> ParseResult<(Host, Option<u16>, Option<u16>, &'a str)> {
- let (host, remaining) = try!(parse_hostname(input, parser));
- let (port, default_port, remaining) = if remaining.starts_with(":") {
- try!(parse_port(&remaining[1..], scheme_type, parser))
- } else {
- (None, scheme_type.default_port(), remaining)
- };
- Ok((host, port, default_port, remaining))
-}
+ /// Scheme other than file, http, https, ws, ws, ftp, gopher.
+ fn parse_non_special(mut self, input: &str, scheme_type: SchemeType, scheme_end: u32)
+ -> ParseResult<Url> {
+ // path or authority state (
+ if input.starts_with("//") {
+ return self.after_double_slash(&input[2..], scheme_type, scheme_end)
+ }
+ // Anarchist URL (no authority)
+ let path_start = try!(to_u32(self.serialization.len()));
+ let username_end = path_start;
+ let host_start = path_start;
+ let host_end = path_start;
+ let host = HostInternal::None;
+ let port = None;
+ let remaining = if input.starts_with("/") {
+ let path_start = self.serialization.len();
+ self.serialization.push('/');
+ self.parse_path(scheme_type, &mut false, path_start, &input[1..])
+ } else {
+ self.parse_cannot_be_a_base_path(input)
+ };
+ self.with_query_and_fragment(scheme_end, username_end, host_start,
+ host_end, host, port, path_start, remaining)
+ }
-pub fn parse_hostname<'a>(input: &'a str, parser: &UrlParser)
- -> ParseResult<(Host, &'a str)> {
- let mut inside_square_brackets = false;
- let mut host_input = String::new();
- let mut end = input.len();
- for (i, c) in input.char_indices() {
+ fn parse_file(mut self, input: &str, mut base_file_url: Option<&Url>) -> ParseResult<Url> {
+ // file state
+ debug_assert!(self.serialization.is_empty());
+ let c = input.chars().next();
match c {
- ':' if !inside_square_brackets => {
- end = i;
- break
+ None => {
+ if let Some(base_url) = base_file_url {
+ // Copy everything except the fragment
+ let before_fragment = match base_url.fragment_start {
+ Some(i) => &base_url.serialization[..i as usize],
+ None => &*base_url.serialization,
+ };
+ self.serialization.push_str(before_fragment);
+ Ok(Url {
+ serialization: self.serialization,
+ fragment_start: None,
+ ..*base_url
+ })
+ } else {
+ self.serialization.push_str("file:///");
+ let scheme_end = "file".len() as u32;
+ let path_start = "file://".len() as u32;
+ Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: path_start,
+ host_start: path_start,
+ host_end: path_start,
+ host: HostInternal::None,
+ port: None,
+ path_start: path_start,
+ query_start: None,
+ fragment_start: None,
+ })
+ }
},
- '/' | '\\' | '?' | '#' => {
- end = i;
- break
+ Some('?') => {
+ if let Some(base_url) = base_file_url {
+ // Copy everything up to the query string
+ let before_query = match (base_url.query_start, base_url.fragment_start) {
+ (None, None) => &*base_url.serialization,
+ (Some(i), _) |
+ (None, Some(i)) => base_url.slice(..i)
+ };
+ self.serialization.push_str(before_query);
+ let (query_start, fragment_start) =
+ try!(self.parse_query_and_fragment(base_url.scheme_end, input));
+ Ok(Url {
+ serialization: self.serialization,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ ..*base_url
+ })
+ } else {
+ self.serialization.push_str("file:///");
+ let scheme_end = "file".len() as u32;
+ let path_start = "file://".len() as u32;
+ let (query_start, fragment_start) =
+ try!(self.parse_query_and_fragment(scheme_end, input));
+ Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: path_start,
+ host_start: path_start,
+ host_end: path_start,
+ host: HostInternal::None,
+ port: None,
+ path_start: path_start,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ })
+ }
},
- '\t' | '\n' | '\r' => try!(parser.parse_error(ParseError::InvalidCharacter)),
- c => {
- match c {
- '[' => inside_square_brackets = true,
- ']' => inside_square_brackets = false,
- _ => (),
+ Some('#') => {
+ if let Some(base_url) = base_file_url {
+ self.fragment_only(base_url, input)
+ } else {
+ self.serialization.push_str("file:///");
+ let scheme_end = "file".len() as u32;
+ let path_start = "file://".len() as u32;
+ let fragment_start = "file:///".len() as u32;
+ self.parse_fragment(&input[1..]);
+ Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: path_start,
+ host_start: path_start,
+ host_end: path_start,
+ host: HostInternal::None,
+ port: None,
+ path_start: path_start,
+ query_start: None,
+ fragment_start: Some(fragment_start),
+ })
+ }
+ }
+ Some('/') | Some('\\') => {
+ self.syntax_violation_if("backslash", || c == Some('\\'));
+ let input = &input[1..];
+ // file slash state
+ let c = input.chars().next();
+ self.syntax_violation_if("backslash", || c == Some('\\'));
+ if matches!(c, Some('/') | Some('\\')) {
+ // file host state
+ self.serialization.push_str("file://");
+ let scheme_end = "file".len() as u32;
+ let host_start = "file://".len() as u32;
+ let (path_start, host, remaining) = try!(self.parse_file_host(&input[1..]));
+ let host_end = try!(to_u32(self.serialization.len()));
+ let mut has_host = !matches!(host, HostInternal::None);
+ let remaining = if path_start {
+ self.parse_path_start(SchemeType::File, &mut has_host, remaining)
+ } else {
+ let path_start = self.serialization.len();
+ self.serialization.push('/');
+ self.parse_path(SchemeType::File, &mut has_host, path_start, remaining)
+ };
+ // FIXME: deal with has_host
+ let (query_start, fragment_start) =
+ try!(self.parse_query_and_fragment(scheme_end, remaining));
+ Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: host_start,
+ host_start: host_start,
+ host_end: host_end,
+ host: host,
+ port: None,
+ path_start: host_end,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ })
+ } else {
+ self.serialization.push_str("file:///");
+ let scheme_end = "file".len() as u32;
+ let path_start = "file://".len();
+ if let Some(base_url) = base_file_url {
+ let first_segment = base_url.path_segments().unwrap().next().unwrap();
+ // FIXME: *normalized* drive letter
+ if is_windows_drive_letter(first_segment) {
+ self.serialization.push_str(first_segment);
+ self.serialization.push('/');
+ }
+ }
+ let remaining = self.parse_path(
+ SchemeType::File, &mut false, path_start, input);
+ let (query_start, fragment_start) =
+ try!(self.parse_query_and_fragment(scheme_end, remaining));
+ let path_start = path_start as u32;
+ Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: path_start,
+ host_start: path_start,
+ host_end: path_start,
+ host: HostInternal::None,
+ port: None,
+ path_start: path_start,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ })
+ }
+ }
+ _ => {
+ if starts_with_windows_drive_letter_segment(input) {
+ base_file_url = None;
+ }
+ if let Some(base_url) = base_file_url {
+ let before_query = match (base_url.query_start, base_url.fragment_start) {
+ (None, None) => &*base_url.serialization,
+ (Some(i), _) |
+ (None, Some(i)) => base_url.slice(..i)
+ };
+ self.serialization.push_str(before_query);
+ self.pop_path(SchemeType::File, base_url.path_start as usize);
+ let remaining = self.parse_path(
+ SchemeType::File, &mut true, base_url.path_start as usize, input);
+ self.with_query_and_fragment(
+ base_url.scheme_end, base_url.username_end, base_url.host_start,
+ base_url.host_end, base_url.host, base_url.port, base_url.path_start, remaining)
+ } else {
+ self.serialization.push_str("file:///");
+ let scheme_end = "file".len() as u32;
+ let path_start = "file://".len();
+ let remaining = self.parse_path(
+ SchemeType::File, &mut false, path_start, input);
+ let (query_start, fragment_start) =
+ try!(self.parse_query_and_fragment(scheme_end, remaining));
+ let path_start = path_start as u32;
+ Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: path_start,
+ host_start: path_start,
+ host_end: path_start,
+ host: HostInternal::None,
+ port: None,
+ path_start: path_start,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ })
}
- host_input.push(c)
}
}
}
- let host = try!(Host::parse(&host_input));
- Ok((host, &input[end..]))
-}
-
-pub fn parse_port<'a>(input: &'a str, scheme_type: SchemeType, parser: &UrlParser)
- -> ParseResult<(Option<u16>, Option<u16>, &'a str)> {
- let mut port = 0;
- let mut has_any_digit = false;
- let mut end = input.len();
- for (i, c) in input.char_indices() {
- match c {
- '0'...'9' => {
- port = port * 10 + (c as u32 - '0' as u32);
- if port > ::std::u16::MAX as u32 {
- return Err(ParseError::InvalidPort)
- }
- has_any_digit = true;
+ fn parse_relative(mut self, input: &str, scheme_type: SchemeType, base_url: &Url)
+ -> ParseResult<Url> {
+ // relative state
+ debug_assert!(self.serialization.is_empty());
+ match input.chars().next() {
+ None => {
+ // Copy everything except the fragment
+ let before_fragment = match base_url.fragment_start {
+ Some(i) => &base_url.serialization[..i as usize],
+ None => &*base_url.serialization,
+ };
+ self.serialization.push_str(before_fragment);
+ Ok(Url {
+ serialization: self.serialization,
+ fragment_start: None,
+ ..*base_url
+ })
},
- '/' | '\\' | '?' | '#' => {
- end = i;
- break
+ Some('?') => {
+ // Copy everything up to the query string
+ let before_query = match (base_url.query_start, base_url.fragment_start) {
+ (None, None) => &*base_url.serialization,
+ (Some(i), _) |
+ (None, Some(i)) => base_url.slice(..i)
+ };
+ self.serialization.push_str(before_query);
+ let (query_start, fragment_start) =
+ try!(self.parse_query_and_fragment(base_url.scheme_end, input));
+ Ok(Url {
+ serialization: self.serialization,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ ..*base_url
+ })
},
- '\t' | '\n' | '\r' => try!(parser.parse_error(ParseError::InvalidCharacter)),
- _ => return Err(ParseError::InvalidPort)
+ Some('#') => self.fragment_only(base_url, input),
+ Some('/') | Some('\\') => {
+ let slashes_count = input.find(|c| !matches!(c, '/' | '\\')).unwrap_or(input.len());
+ if slashes_count >= 2 {
+ self.syntax_violation_if("expected //", || &input[..slashes_count] != "//");
+ let scheme_end = base_url.scheme_end;
+ debug_assert!(base_url.byte_at(scheme_end) == b':');
+ self.serialization.push_str(base_url.slice(..scheme_end + 1));
+ return self.after_double_slash(&input[slashes_count..], scheme_type, scheme_end)
+ }
+ let path_start = base_url.path_start;
+ debug_assert!(base_url.byte_at(path_start) == b'/');
+ self.serialization.push_str(base_url.slice(..path_start + 1));
+ let remaining = self.parse_path(
+ scheme_type, &mut true, path_start as usize, &input[1..]);
+ self.with_query_and_fragment(
+ base_url.scheme_end, base_url.username_end, base_url.host_start,
+ base_url.host_end, base_url.host, base_url.port, base_url.path_start, remaining)
+ }
+ _ => {
+ let before_query = match (base_url.query_start, base_url.fragment_start) {
+ (None, None) => &*base_url.serialization,
+ (Some(i), _) |
+ (None, Some(i)) => base_url.slice(..i)
+ };
+ self.serialization.push_str(before_query);
+ // FIXME spec says just "remove last entry", not the "pop" algorithm
+ self.pop_path(scheme_type, base_url.path_start as usize);
+ let remaining = self.parse_path(
+ scheme_type, &mut true, base_url.path_start as usize, input);
+ self.with_query_and_fragment(
+ base_url.scheme_end, base_url.username_end, base_url.host_start,
+ base_url.host_end, base_url.host, base_url.port, base_url.path_start, remaining)
+ }
}
}
- let default_port = scheme_type.default_port();
- let mut port = Some(port as u16);
- if !has_any_digit || port == default_port {
- port = None;
- }
- Ok((port, default_port, &input[end..]))
-}
+ fn after_double_slash(mut self, input: &str, scheme_type: SchemeType, scheme_end: u32)
+ -> ParseResult<Url> {
+ self.serialization.push('/');
+ self.serialization.push('/');
+ // authority state
+ let (username_end, remaining) = try!(self.parse_userinfo(input, scheme_type));
+ // host state
+ let host_start = try!(to_u32(self.serialization.len()));
+ let (host_end, host, port, remaining) =
+ try!(self.parse_host_and_port(remaining, scheme_end, scheme_type));
+ // path state
+ let path_start = try!(to_u32(self.serialization.len()));
+ let remaining = self.parse_path_start(
+ scheme_type, &mut true, remaining);
+ self.with_query_and_fragment(scheme_end, username_end, host_start,
+ host_end, host, port, path_start, remaining)
+ }
-fn parse_file_host<'a>(input: &'a str, parser: &UrlParser) -> ParseResult<(Host, &'a str)> {
- let mut host_input = String::new();
- let mut end = input.len();
- for (i, c) in input.char_indices() {
- match c {
- '/' | '\\' | '?' | '#' => {
- end = i;
- break
- },
- '\t' | '\n' | '\r' => try!(parser.parse_error(ParseError::InvalidCharacter)),
- _ => host_input.push(c)
+ /// Return (username_end, remaining)
+ fn parse_userinfo<'i>(&mut self, input: &'i str, scheme_type: SchemeType)
+ -> ParseResult<(u32, &'i str)> {
+ let mut last_at = None;
+ for (i, c) in input.char_indices() {
+ match c {
+ '@' => {
+ if last_at.is_some() {
+ self.syntax_violation("unencoded @ sign in username or password")
+ } else {
+ self.syntax_violation(
+ "embedding authentification information (username or password) \
+ in an URL is not recommended")
+ }
+ last_at = Some(i)
+ },
+ '/' | '?' | '#' => break,
+ '\\' if scheme_type.is_special() => break,
+ _ => (),
+ }
+ }
+ let (input, remaining) = match last_at {
+ None => return Ok((try!(to_u32(self.serialization.len())), input)),
+ Some(0) => return Ok((try!(to_u32(self.serialization.len())), &input[1..])),
+ Some(at) => (&input[..at], &input[at + 1..]),
+ };
+
+ let mut username_end = None;
+ for (i, c, next_i) in input.char_ranges() {
+ match c {
+ ':' if username_end.is_none() => {
+ // Start parsing password
+ username_end = Some(try!(to_u32(self.serialization.len())));
+ self.serialization.push(':');
+ },
+ '\t' | '\n' | '\r' => {},
+ _ => {
+ self.check_url_code_point(input, i, c);
+ let utf8_c = &input[i..next_i];
+ self.serialization.extend(utf8_percent_encode(utf8_c, USERINFO_ENCODE_SET));
+ }
+ }
}
+ let username_end = match username_end {
+ Some(i) => i,
+ None => try!(to_u32(self.serialization.len())),
+ };
+ self.serialization.push('@');
+ Ok((username_end, remaining))
}
- let host = if host_input.is_empty() {
- Host::Domain(String::new())
- } else {
- try!(Host::parse(&host_input))
- };
- Ok((host, &input[end..]))
-}
-
-pub fn parse_standalone_path(input: &str, parser: &UrlParser)
- -> ParseResult<(Vec<String>, Option<String>, Option<String>)> {
- if !input.starts_with("/") {
- if input.starts_with("\\") {
- try!(parser.parse_error(ParseError::InvalidBackslash));
+ fn parse_host_and_port<'i>(&mut self, input: &'i str,
+ scheme_end: u32, scheme_type: SchemeType)
+ -> ParseResult<(u32, HostInternal, Option<u16>, &'i str)> {
+ let (host, remaining) = try!(
+ Parser::parse_host(input, scheme_type, |m| self.syntax_violation(m)));
+ write!(&mut self.serialization, "{}", host).unwrap();
+ let host_end = try!(to_u32(self.serialization.len()));
+ let (port, remaining) = if remaining.starts_with(":") {
+ let syntax_violation = |message| self.syntax_violation(message);
+ let scheme = || default_port(&self.serialization[..scheme_end as usize]);
+ try!(Parser::parse_port(&remaining[1..], syntax_violation, scheme, self.context))
} else {
- return Err(ParseError::ExpectedInitialSlash)
+ (None, remaining)
+ };
+ if let Some(port) = port {
+ write!(&mut self.serialization, ":{}", port).unwrap()
}
+ Ok((host_end, host.into(), port, remaining))
}
- let (path, remaining) = try!(parse_path(
- &[], &input[1..], Context::UrlParser, SchemeType::Relative(0), parser));
- let (query, fragment) = try!(parse_query_and_fragment(remaining, parser));
- Ok((path, query, fragment))
-}
-
-pub fn parse_path_start<'a>(input: &'a str, context: Context, scheme_type: SchemeType,
- parser: &UrlParser)
- -> ParseResult<(Vec<String>, &'a str)> {
- let mut i = 0;
- // Relative path start state
- match input.chars().next() {
- Some('/') => i = 1,
- Some('\\') => {
- try!(parser.parse_error(ParseError::InvalidBackslash));
- i = 1;
- },
- _ => ()
- }
- parse_path(&[], &input[i..], context, scheme_type, parser)
-}
-
-
-fn parse_path<'a>(base_path: &[String], input: &'a str, context: Context,
- scheme_type: SchemeType, parser: &UrlParser)
- -> ParseResult<(Vec<String>, &'a str)> {
- // Relative path state
- let mut path = base_path.to_vec();
- let mut iter = input.char_ranges();
- let mut end;
- loop {
- let mut path_part = String::new();
- let mut ends_with_slash = false;
- end = input.len();
- while let Some((i, c, next_i)) = iter.next() {
- match c {
- '/' => {
- ends_with_slash = true;
+ pub fn parse_host<'i, S>(input: &'i str, scheme_type: SchemeType, syntax_violation: S)
+ -> ParseResult<(Host<String>, &'i str)>
+ where S: Fn(&'static str) {
+ let mut inside_square_brackets = false;
+ let mut has_ignored_chars = false;
+ let mut end = input.len();
+ for (i, b) in input.bytes().enumerate() {
+ match b {
+ b':' if !inside_square_brackets => {
end = i;
break
},
- '\\' => {
- try!(parser.parse_error(ParseError::InvalidBackslash));
- ends_with_slash = true;
+ b'/' | b'?' | b'#' => {
end = i;
break
- },
- '?' | '#' if context == Context::UrlParser => {
+ }
+ b'\\' if scheme_type.is_special() => {
end = i;
break
- },
- '\t' | '\n' | '\r' => try!(parser.parse_error(ParseError::InvalidCharacter)),
- _ => {
- try!(check_url_code_point(input, i, c, parser));
- utf8_percent_encode_to(&input[i..next_i],
- DEFAULT_ENCODE_SET, &mut path_part);
}
+ b'\t' | b'\n' | b'\r' => {
+ syntax_violation("invalid character");
+ has_ignored_chars = true;
+ }
+ b'[' => inside_square_brackets = true,
+ b']' => inside_square_brackets = false,
+ _ => {}
}
}
- match &*path_part {
- ".." | ".%2e" | ".%2E" | "%2e." | "%2E." |
- "%2e%2e" | "%2E%2e" | "%2e%2E" | "%2E%2E" => {
- path.pop();
- if !ends_with_slash {
- path.push(String::new());
+ let replaced: String;
+ let host_input = if has_ignored_chars {
+ replaced = input[..end].chars().filter(|&c| !matches!(c, '\t' | '\n' | '\r')).collect();
+ &*replaced
+ } else {
+ &input[..end]
+ };
+ if scheme_type.is_special() && host_input.is_empty() {
+ return Err(ParseError::EmptyHost)
+ }
+ let host = try!(Host::parse(&host_input));
+ Ok((host, &input[end..]))
+ }
+
+ pub fn parse_file_host<'i>(&mut self, input: &'i str)
+ -> ParseResult<(bool, HostInternal, &'i str)> {
+ let mut has_ignored_chars = false;
+ let mut end = input.len();
+ for (i, b) in input.bytes().enumerate() {
+ match b {
+ b'/' | b'\\' | b'?' | b'#' => {
+ end = i;
+ break
}
- },
- "." | "%2e" | "%2E" => {
- if !ends_with_slash {
- path.push(String::new());
+ b'\t' | b'\n' | b'\r' => {
+ self.syntax_violation("invalid character");
+ has_ignored_chars = true;
}
- },
- _ => {
- if scheme_type == SchemeType::FileLike
- && path.is_empty()
- && path_part.len() == 2
- && starts_with_ascii_alpha(&path_part)
- && path_part.as_bytes()[1] == b'|' {
- // Windows drive letter quirk
- unsafe {
- path_part.as_mut_vec()[1] = b':'
+ _ => {}
+ }
+ }
+ let replaced: String;
+ let host_input = if has_ignored_chars {
+ replaced = input[..end].chars().filter(|&c| !matches!(c, '\t' | '\n' | '\r')).collect();
+ &*replaced
+ } else {
+ &input[..end]
+ };
+ if is_windows_drive_letter(host_input) {
+ return Ok((false, HostInternal::None, input))
+ }
+ let host = if host_input.is_empty() {
+ HostInternal::None
+ } else {
+ match try!(Host::parse(&host_input)) {
+ Host::Domain(ref d) if d == "localhost" => HostInternal::None,
+ host => {
+ write!(&mut self.serialization, "{}", host).unwrap();
+ host.into()
+ }
+ }
+ };
+ Ok((true, host, &input[end..]))
+ }
+
+ pub fn parse_port<'i, V, P>(input: &'i str, syntax_violation: V, default_port: P,
+ context: Context)
+ -> ParseResult<(Option<u16>, &'i str)>
+ where V: Fn(&'static str), P: Fn() -> Option<u16> {
+ let mut port: u32 = 0;
+ let mut has_any_digit = false;
+ let mut end = input.len();
+ for (i, c) in input.char_indices() {
+ if let Some(digit) = c.to_digit(10) {
+ port = port * 10 + digit;
+ if port > ::std::u16::MAX as u32 {
+ return Err(ParseError::InvalidPort)
+ }
+ has_any_digit = true;
+ } else {
+ match c {
+ '\t' | '\n' | '\r' => {
+ syntax_violation("invalid character");
+ continue
+ }
+ '/' | '\\' | '?' | '#' => {}
+ _ => if context == Context::UrlParser {
+ return Err(ParseError::InvalidPort)
}
}
- path.push(path_part)
+ end = i;
+ break
}
}
- if !ends_with_slash {
- break
+ let mut opt_port = Some(port as u16);
+ if !has_any_digit || opt_port == default_port() {
+ opt_port = None;
}
+ return Ok((opt_port, &input[end..]))
}
- Ok((path, &input[end..]))
-}
+ pub fn parse_path_start<'i>(&mut self, scheme_type: SchemeType, has_host: &mut bool,
+ mut input: &'i str)
+ -> &'i str {
+ // Path start state
+ let mut iter = input.chars();
+ match iter.next() {
+ Some('/') => input = iter.as_str(),
+ Some('\\') if scheme_type.is_special() => {
+ self.syntax_violation("backslash");
+ input = iter.as_str()
+ }
+ _ => {}
+ }
+ let path_start = self.serialization.len();
+ self.serialization.push('/');
+ self.parse_path(scheme_type, has_host, path_start, input)
+ }
-fn parse_scheme_data<'a>(input: &'a str, parser: &UrlParser)
- -> ParseResult<(String, &'a str)> {
- let mut scheme_data = String::new();
- let mut end = input.len();
- for (i, c, next_i) in input.char_ranges() {
- match c {
- '?' | '#' => {
- end = i;
+ pub fn parse_path<'i>(&mut self, scheme_type: SchemeType, has_host: &mut bool,
+ path_start: usize, input: &'i str)
+ -> &'i str {
+ // Relative path state
+ debug_assert!(self.serialization.ends_with("/"));
+ let mut iter = input.char_ranges();
+ let mut end;
+ loop {
+ let segment_start = self.serialization.len();
+ let mut ends_with_slash = false;
+ end = input.len();
+ while let Some((i, c, next_i)) = iter.next() {
+ match c {
+ '/' if self.context != Context::PathSegmentSetter => {
+ ends_with_slash = true;
+ end = i;
+ break
+ },
+ '\\' if self.context != Context::PathSegmentSetter &&
+ scheme_type.is_special() => {
+ self.syntax_violation("backslash");
+ ends_with_slash = true;
+ end = i;
+ break
+ },
+ '?' | '#' if self.context == Context::UrlParser => {
+ end = i;
+ break
+ },
+ '\t' | '\n' | '\r' => self.syntax_violation("invalid characters"),
+ _ => {
+ self.check_url_code_point(input, i, c);
+ if c == '%' {
+ let after_percent_sign = iter.clone();
+ if matches!(iter.next(), Some((_, '2', _))) &&
+ matches!(iter.next(), Some((_, 'E', _)) | Some((_, 'e', _))) {
+ self.serialization.push('.');
+ continue
+ }
+ iter = after_percent_sign
+ }
+ if self.context == Context::PathSegmentSetter {
+ self.serialization.extend(utf8_percent_encode(
+ &input[i..next_i], PATH_SEGMENT_ENCODE_SET));
+ } else {
+ self.serialization.extend(utf8_percent_encode(
+ &input[i..next_i], DEFAULT_ENCODE_SET));
+ }
+ }
+ }
+ }
+ match &self.serialization[segment_start..] {
+ ".." => {
+ debug_assert!(self.serialization.as_bytes()[segment_start - 1] == b'/');
+ self.serialization.truncate(segment_start - 1); // Truncate "/.."
+ self.pop_path(scheme_type, path_start);
+ if !self.serialization[path_start..].ends_with("/") {
+ self.serialization.push('/')
+ }
+ },
+ "." => {
+ self.serialization.truncate(segment_start);
+ },
+ _ => {
+ if scheme_type.is_file() && is_windows_drive_letter(
+ &self.serialization[path_start + 1..]
+ ) {
+ if self.serialization.ends_with('|') {
+ self.serialization.pop();
+ self.serialization.push(':');
+ }
+ if *has_host {
+ self.syntax_violation("file: with host and Windows drive letter");
+ *has_host = false; // FIXME account for this in callers
+ }
+ }
+ if ends_with_slash {
+ self.serialization.push('/')
+ }
+ }
+ }
+ if !ends_with_slash {
break
- },
- '\t' | '\n' | '\r' => try!(parser.parse_error(ParseError::InvalidCharacter)),
- _ => {
- try!(check_url_code_point(input, i, c, parser));
- utf8_percent_encode_to(&input[i..next_i],
- SIMPLE_ENCODE_SET, &mut scheme_data);
}
}
+ &input[end..]
}
- Ok((scheme_data, &input[end..]))
-}
+ /// https://url.spec.whatwg.org/#pop-a-urls-path
+ fn pop_path(&mut self, scheme_type: SchemeType, path_start: usize) {
+ if self.serialization.len() > path_start {
+ let slash_position = self.serialization[path_start..].rfind('/').unwrap();
+ // + 1 since rfind returns the position before the slash.
+ let segment_start = path_start + slash_position + 1;
+ // Don’t pop a Windows drive letter
+ // FIXME: *normalized* Windows drive letter
+ if !(
+ scheme_type.is_file() &&
+ is_windows_drive_letter(&self.serialization[segment_start..])
+ ) {
+ self.serialization.truncate(segment_start);
+ }
+ }
-fn parse_query_and_fragment(input: &str, parser: &UrlParser)
- -> ParseResult<(Option<String>, Option<String>)> {
- match input.chars().next() {
- Some('#') => Ok((None, Some(try!(parse_fragment(&input[1..], parser))))),
- Some('?') => {
- let (query, remaining) = try!(parse_query(
- &input[1..], Context::UrlParser, parser));
- let fragment = match remaining {
- Some(remaining) => Some(try!(parse_fragment(remaining, parser))),
- None => None
- };
- Ok((Some(query), fragment))
- },
- None => Ok((None, None)),
- _ => panic!("Programming error. parse_query_and_fragment() should not \
- have been called with input \"{}\"", input)
}
-}
-
-pub fn parse_query<'a>(input: &'a str, context: Context, parser: &UrlParser)
- -> ParseResult<(String, Option<&'a str>)> {
- let mut query = String::new();
- let mut remaining = None;
- for (i, c) in input.char_indices() {
- match c {
- '#' if context == Context::UrlParser => {
- remaining = Some(&input[i + 1..]);
- break
- },
- '\t' | '\n' | '\r' => try!(parser.parse_error(ParseError::InvalidCharacter)),
- _ => {
- try!(check_url_code_point(input, i, c, parser));
- query.push(c);
+ pub fn parse_cannot_be_a_base_path<'i>(&mut self, input: &'i str) -> &'i str {
+ for (i, c, next_i) in input.char_ranges() {
+ match c {
+ '?' | '#' if self.context == Context::UrlParser => return &input[i..],
+ '\t' | '\n' | '\r' => self.syntax_violation("invalid character"),
+ _ => {
+ self.check_url_code_point(input, i, c);
+ self.serialization.extend(utf8_percent_encode(
+ &input[i..next_i], SIMPLE_ENCODE_SET));
+ }
}
}
+ ""
}
- let query_bytes = parser.query_encoding_override.encode(&query);
- Ok((percent_encode(&query_bytes, QUERY_ENCODE_SET), remaining))
-}
+ fn with_query_and_fragment(mut self, scheme_end: u32, username_end: u32,
+ host_start: u32, host_end: u32, host: HostInternal,
+ port: Option<u16>, path_start: u32, remaining: &str)
+ -> ParseResult<Url> {
+ let (query_start, fragment_start) =
+ try!(self.parse_query_and_fragment(scheme_end, remaining));
+ Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: username_end,
+ host_start: host_start,
+ host_end: host_end,
+ host: host,
+ port: port,
+ path_start: path_start,
+ query_start: query_start,
+ fragment_start: fragment_start
+ })
+ }
+ /// Return (query_start, fragment_start)
+ fn parse_query_and_fragment(&mut self, scheme_end: u32, mut input: &str)
+ -> ParseResult<(Option<u32>, Option<u32>)> {
+ let mut query_start = None;
+ match input.chars().next() {
+ Some('#') => {}
+ Some('?') => {
+ query_start = Some(try!(to_u32(self.serialization.len())));
+ self.serialization.push('?');
+ let remaining = self.parse_query(scheme_end, &input[1..]);
+ if let Some(remaining) = remaining {
+ input = remaining
+ } else {
+ return Ok((query_start, None))
+ }
+ }
+ None => return Ok((None, None)),
+ _ => panic!("Programming error. parse_query_and_fragment() should not \
+ have been called with input \"{}\"", input)
+ };
+
+ let fragment_start = try!(to_u32(self.serialization.len()));
+ self.serialization.push('#');
+ debug_assert!(input.starts_with("#"));
+ self.parse_fragment(&input[1..]);
+ Ok((query_start, Some(fragment_start)))
+ }
-pub fn parse_fragment<'a>(input: &'a str, parser: &UrlParser) -> ParseResult<String> {
- let mut fragment = String::new();
- for (i, c, next_i) in input.char_ranges() {
- match c {
- '\t' | '\n' | '\r' => try!(parser.parse_error(ParseError::InvalidCharacter)),
- _ => {
- try!(check_url_code_point(input, i, c, parser));
- utf8_percent_encode_to(&input[i..next_i],
- SIMPLE_ENCODE_SET, &mut fragment);
+ pub fn parse_query<'i>(&mut self, scheme_end: u32, input: &'i str)
+ -> Option<&'i str> {
+ let mut query = String::new(); // FIXME: use a streaming decoder instead
+ let mut remaining = None;
+ for (i, c) in input.char_indices() {
+ match c {
+ '#' if self.context == Context::UrlParser => {
+ remaining = Some(&input[i..]);
+ break
+ },
+ '\t' | '\n' | '\r' => self.syntax_violation("invalid characters"),
+ _ => {
+ self.check_url_code_point(input, i, c);
+ query.push(c);
+ }
}
}
+
+ let encoding = match &self.serialization[..scheme_end as usize] {
+ "http" | "https" | "file" | "ftp" | "gopher" => self.query_encoding_override,
+ _ => EncodingOverride::utf8(),
+ };
+ let query_bytes = encoding.encode(query.into());
+ self.serialization.extend(percent_encode(&query_bytes, QUERY_ENCODE_SET));
+ remaining
}
- Ok(fragment)
-}
+ fn fragment_only(mut self, base_url: &Url, input: &str) -> ParseResult<Url> {
+ let before_fragment = match base_url.fragment_start {
+ Some(i) => base_url.slice(..i),
+ None => &*base_url.serialization,
+ };
+ debug_assert!(self.serialization.is_empty());
+ self.serialization.reserve(before_fragment.len() + input.len());
+ self.serialization.push_str(before_fragment);
+ self.serialization.push('#');
+ debug_assert!(input.starts_with("#"));
+ self.parse_fragment(&input[1..]);
+ Ok(Url {
+ serialization: self.serialization,
+ fragment_start: Some(try!(to_u32(before_fragment.len()))),
+ ..*base_url
+ })
+ }
-#[inline]
-pub fn starts_with_ascii_alpha(string: &str) -> bool {
- matches!(string.as_bytes()[0], b'a'...b'z' | b'A'...b'Z')
+ pub fn parse_fragment(&mut self, input: &str) {
+ for (i, c) in input.char_indices() {
+ match c {
+ '\0' | '\t' | '\n' | '\r' => self.syntax_violation("invalid character"),
+ _ => {
+ self.check_url_code_point(input, i, c);
+ self.serialization.push(c); // No percent-encoding here.
+ }
+ }
+ }
+ }
+
+ fn check_url_code_point(&self, input: &str, i: usize, c: char) {
+ if let Some(log) = self.log_syntax_violation {
+ if c == '%' {
+ if !starts_with_2_hex(&input[i + 1..]) {
+ log("expected 2 hex digits after %")
+ }
+ } else if !is_url_code_point(c) {
+ log("non-URL code point")
+ }
+ }
+ }
}
#[inline]
@@ -674,6 +1011,13 @@ fn starts_with_2_hex(input: &str) -> bool {
&& is_ascii_hex_digit(input.as_bytes()[1])
}
+// Non URL code points:
+// U+0000 to U+0020 (space)
+// " # % < > [ \ ] ^ ` { | }
+// U+007F to U+009F
+// surrogates
+// U+FDD0 to U+FDEF
+// Last two of each plane: U+__FFFE to U+__FFFF for __ in 00 to 10 hex
#[inline]
fn is_url_code_point(c: char) -> bool {
matches!(c,
@@ -693,20 +1037,11 @@ fn is_url_code_point(c: char) -> bool {
'\u{F0000}'...'\u{FFFFD}' | '\u{100000}'...'\u{10FFFD}')
}
-// Non URL code points:
-// U+0000 to U+0020 (space)
-// " # % < > [ \ ] ^ ` { | }
-// U+007F to U+009F
-// surrogates
-// U+FDD0 to U+FDEF
-// Last two of each plane: U+__FFFE to U+__FFFF for __ in 00 to 10 hex
-
pub trait StrCharRanges<'a> {
fn char_ranges(&self) -> CharRanges<'a>;
}
-
impl<'a> StrCharRanges<'a> for &'a str {
#[inline]
fn char_ranges(&self) -> CharRanges<'a> {
@@ -714,6 +1049,7 @@ impl<'a> StrCharRanges<'a> for &'a str {
}
}
+#[derive(Clone)]
pub struct CharRanges<'a> {
slice: &'a str,
position: usize,
@@ -735,15 +1071,41 @@ impl<'a> Iterator for CharRanges<'a> {
}
}
+/// https://url.spec.whatwg.org/#c0-controls-and-space
#[inline]
-fn check_url_code_point(input: &str, i: usize, c: char, parser: &UrlParser)
- -> ParseResult<()> {
- if c == '%' {
- if !starts_with_2_hex(&input[i + 1..]) {
- try!(parser.parse_error(ParseError::InvalidPercentEncoded));
- }
- } else if !is_url_code_point(c) {
- try!(parser.parse_error(ParseError::NonUrlCodePoint));
+fn c0_control_or_space(ch: char) -> bool {
+ ch <= ' ' // U+0000 to U+0020
+}
+
+/// https://url.spec.whatwg.org/#ascii-alpha
+#[inline]
+pub fn ascii_alpha(ch: char) -> bool {
+ matches!(ch, 'a'...'z' | 'A'...'Z')
+}
+
+#[inline]
+pub fn to_u32(i: usize) -> ParseResult<u32> {
+ if i <= ::std::u32::MAX as usize {
+ Ok(i as u32)
+ } else {
+ Err(ParseError::Overflow)
}
- Ok(())
+}
+
+/// Wether the scheme is file:, the path has a single segment, and that segment
+/// is a Windows drive letter
+fn is_windows_drive_letter(segment: &str) -> bool {
+ segment.len() == 2
+ && starts_with_windows_drive_letter(segment)
+}
+
+fn starts_with_windows_drive_letter(s: &str) -> bool {
+ ascii_alpha(s.as_bytes()[0] as char)
+ && matches!(s.as_bytes()[1], b':' | b'|')
+}
+
+fn starts_with_windows_drive_letter_segment(s: &str) -> bool {
+ s.len() >= 3
+ && starts_with_windows_drive_letter(s)
+ && matches!(s.as_bytes()[2], b'/' | b'\\' | b'?' | b'#')
}
diff --git a/src/percent_encoding.rs b/src/percent_encoding.rs
--- a/src/percent_encoding.rs
+++ b/src/percent_encoding.rs
@@ -1,4 +1,4 @@
-// Copyright 2013-2014 Simon Sapin.
+// Copyright 2013-2016 The rust-url developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
@@ -6,9 +6,12 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-
-#[path = "encode_sets.rs"]
-mod encode_sets;
+use encoding;
+use std::ascii::AsciiExt;
+use std::borrow::Cow;
+use std::fmt::{self, Write};
+use std::slice;
+use std::str;
/// Represents a set of characters / bytes that should be percent-encoded.
///
@@ -21,147 +24,321 @@ mod encode_sets;
/// In the query string however, a question mark does not have any special meaning
/// and does not need to be percent-encoded.
///
-/// Since the implementation details of `EncodeSet` are private,
-/// the set of available encode sets is not extensible beyond the ones
-/// provided here.
-/// If you need a different encode set,
-/// please [file a bug](https://github.com/servo/rust-url/issues)
-/// explaining the use case.
-#[derive(Copy, Clone)]
-pub struct EncodeSet {
- map: &'static [&'static str; 256],
+/// A few sets are defined in this module.
+/// Use the [`define_encode_set!`](../macro.define_encode_set!.html) macro to define different ones.
+pub trait EncodeSet: Clone {
+ /// Called with UTF-8 bytes rather than code points.
+ /// Should return true for all non-ASCII bytes.
+ fn contains(&self, byte: u8) -> bool;
}
-/// This encode set is used for fragment identifier and non-relative scheme data.
-pub static SIMPLE_ENCODE_SET: EncodeSet = EncodeSet { map: &encode_sets::SIMPLE };
-
-/// This encode set is used in the URL parser for query strings.
-pub static QUERY_ENCODE_SET: EncodeSet = EncodeSet { map: &encode_sets::QUERY };
+/// Define a new struct
+/// that implements the [`EncodeSet`](percent_encoding/trait.EncodeSet.html) trait,
+/// for use in [`percent_decode()`](percent_encoding/fn.percent_encode.html)
+/// and related functions.
+///
+/// Parameters are characters to include in the set in addition to those of the base set.
+/// See [encode sets specification](http://url.spec.whatwg.org/#simple-encode-set).
+///
+/// Example
+/// =======
+///
+/// ```rust
+/// #[macro_use] extern crate url;
+/// use url::percent_encoding::{utf8_percent_encode, SIMPLE_ENCODE_SET};
+/// define_encode_set! {
+/// /// This encode set is used in the URL parser for query strings.
+/// pub QUERY_ENCODE_SET = [SIMPLE_ENCODE_SET] | {' ', '"', '#', '<', '>'}
+/// }
+/// # fn main() {
+/// assert_eq!(utf8_percent_encode("foo bar", QUERY_ENCODE_SET).collect::<String>(), "foo%20bar");
+/// # }
+/// ```
+#[macro_export]
+macro_rules! define_encode_set {
+ ($(#[$attr: meta])* pub $name: ident = [$base_set: expr] | {$($ch: pat),*}) => {
+ $(#[$attr])*
+ #[derive(Copy, Clone)]
+ #[allow(non_camel_case_types)]
+ pub struct $name;
-/// This encode set is used for path components.
-pub static DEFAULT_ENCODE_SET: EncodeSet = EncodeSet { map: &encode_sets::DEFAULT };
+ impl $crate::percent_encoding::EncodeSet for $name {
+ #[inline]
+ fn contains(&self, byte: u8) -> bool {
+ match byte as char {
+ $(
+ $ch => true,
+ )*
+ _ => $base_set.contains(byte)
+ }
+ }
+ }
+ }
+}
-/// This encode set is used in the URL parser for usernames and passwords.
-pub static USERINFO_ENCODE_SET: EncodeSet = EncodeSet { map: &encode_sets::USERINFO };
+/// This encode set is used for the path of cannot-be-a-base URLs.
+#[derive(Copy, Clone)]
+#[allow(non_camel_case_types)]
+pub struct SIMPLE_ENCODE_SET;
-/// This encode set should be used when setting the password field of a parsed URL.
-pub static PASSWORD_ENCODE_SET: EncodeSet = EncodeSet { map: &encode_sets::PASSWORD };
+impl EncodeSet for SIMPLE_ENCODE_SET {
+ #[inline]
+ fn contains(&self, byte: u8) -> bool {
+ byte < 0x20 || byte > 0x7E
+ }
+}
-/// This encode set should be used when setting the username field of a parsed URL.
-pub static USERNAME_ENCODE_SET: EncodeSet = EncodeSet { map: &encode_sets::USERNAME };
+define_encode_set! {
+ /// This encode set is used in the URL parser for query strings.
+ pub QUERY_ENCODE_SET = [SIMPLE_ENCODE_SET] | {' ', '"', '#', '<', '>'}
+}
-/// This encode set is used in `application/x-www-form-urlencoded` serialization.
-pub static FORM_URLENCODED_ENCODE_SET: EncodeSet = EncodeSet {
- map: &encode_sets::FORM_URLENCODED,
-};
+define_encode_set! {
+ /// This encode set is used for path components.
+ pub DEFAULT_ENCODE_SET = [QUERY_ENCODE_SET] | {'`', '?', '{', '}'}
+}
-/// This encode set is used for HTTP header values and is defined at
-/// https://tools.ietf.org/html/rfc5987#section-3.2
-pub static HTTP_VALUE_ENCODE_SET: EncodeSet = EncodeSet { map: &encode_sets::HTTP_VALUE };
+define_encode_set! {
+ /// This encode set is used for on '/'-separated path segment
+ pub PATH_SEGMENT_ENCODE_SET = [DEFAULT_ENCODE_SET] | {'%', '/'}
+}
-/// Percent-encode the given bytes, and push the result to `output`.
-///
-/// The pushed strings are within the ASCII range.
-#[inline]
-pub fn percent_encode_to(input: &[u8], encode_set: EncodeSet, output: &mut String) {
- for &byte in input {
- output.push_str(encode_set.map[byte as usize])
+define_encode_set! {
+ /// This encode set is used for username and password.
+ pub USERINFO_ENCODE_SET = [DEFAULT_ENCODE_SET] | {
+ '/', ':', ';', '=', '@', '[', '\\', ']', '^', '|'
}
}
-
-/// Percent-encode the given bytes.
+/// Return the percent-encoding of the given bytes.
///
-/// The returned string is within the ASCII range.
-#[inline]
-pub fn percent_encode(input: &[u8], encode_set: EncodeSet) -> String {
- let mut output = String::new();
- percent_encode_to(input, encode_set, &mut output);
- output
+/// This is unconditional, unlike `percent_encode()` which uses an encode set.
+pub fn percent_encode_byte(byte: u8) -> &'static str {
+ let index = usize::from(byte) * 3;
+ &"\
+ %00%01%02%03%04%05%06%07%08%09%0A%0B%0C%0D%0E%0F\
+ %10%11%12%13%14%15%16%17%18%19%1A%1B%1C%1D%1E%1F\
+ %20%21%22%23%24%25%26%27%28%29%2A%2B%2C%2D%2E%2F\
+ %30%31%32%33%34%35%36%37%38%39%3A%3B%3C%3D%3E%3F\
+ %40%41%42%43%44%45%46%47%48%49%4A%4B%4C%4D%4E%4F\
+ %50%51%52%53%54%55%56%57%58%59%5A%5B%5C%5D%5E%5F\
+ %60%61%62%63%64%65%66%67%68%69%6A%6B%6C%6D%6E%6F\
+ %70%71%72%73%74%75%76%77%78%79%7A%7B%7C%7D%7E%7F\
+ %80%81%82%83%84%85%86%87%88%89%8A%8B%8C%8D%8E%8F\
+ %90%91%92%93%94%95%96%97%98%99%9A%9B%9C%9D%9E%9F\
+ %A0%A1%A2%A3%A4%A5%A6%A7%A8%A9%AA%AB%AC%AD%AE%AF\
+ %B0%B1%B2%B3%B4%B5%B6%B7%B8%B9%BA%BB%BC%BD%BE%BF\
+ %C0%C1%C2%C3%C4%C5%C6%C7%C8%C9%CA%CB%CC%CD%CE%CF\
+ %D0%D1%D2%D3%D4%D5%D6%D7%D8%D9%DA%DB%DC%DD%DE%DF\
+ %E0%E1%E2%E3%E4%E5%E6%E7%E8%E9%EA%EB%EC%ED%EE%EF\
+ %F0%F1%F2%F3%F4%F5%F6%F7%F8%F9%FA%FB%FC%FD%FE%FF\
+ "[index..index + 3]
}
-
-/// Percent-encode the UTF-8 encoding of the given string, and push the result to `output`.
+/// Percent-encode the given bytes with the given encode set.
///
-/// The pushed strings are within the ASCII range.
+/// The encode set define which bytes (in addition to non-ASCII and controls)
+/// need to be percent-encoded.
+/// The choice of this set depends on context.
+/// For example, `?` needs to be encoded in an URL path but not in a query string.
+///
+/// The return value is an iterator of `&str` slices (so it has a `.collect::<String>()` method)
+/// that also implements `Display` and `Into<Cow<str>>`.
+/// The latter returns `Cow::Borrowed` when none of the bytes in `input`
+/// are in the given encode set.
#[inline]
-pub fn utf8_percent_encode_to(input: &str, encode_set: EncodeSet, output: &mut String) {
- percent_encode_to(input.as_bytes(), encode_set, output)
+pub fn percent_encode<E: EncodeSet>(input: &[u8], encode_set: E) -> PercentEncode<E> {
+ PercentEncode {
+ bytes: input,
+ encode_set: encode_set,
+ }
}
-
/// Percent-encode the UTF-8 encoding of the given string.
///
-/// The returned string is within the ASCII range.
+/// See `percent_encode()` for how to use the return value.
#[inline]
-pub fn utf8_percent_encode(input: &str, encode_set: EncodeSet) -> String {
- let mut output = String::new();
- utf8_percent_encode_to(input, encode_set, &mut output);
- output
-}
-
-
-/// Percent-decode the given bytes, and push the result to `output`.
-pub fn percent_decode_to(input: &[u8], output: &mut Vec<u8>) {
- let mut i = 0;
- while i < input.len() {
- let c = input[i];
- if c == b'%' && i + 2 < input.len() {
- if let (Some(h), Some(l)) = (from_hex(input[i + 1]), from_hex(input[i + 2])) {
- output.push(h * 0x10 + l);
- i += 3;
- continue
+pub fn utf8_percent_encode<E: EncodeSet>(input: &str, encode_set: E) -> PercentEncode<E> {
+ percent_encode(input.as_bytes(), encode_set)
+}
+
+/// The return type of `percent_decode()`.
+#[derive(Clone)]
+pub struct PercentEncode<'a, E: EncodeSet> {
+ bytes: &'a [u8],
+ encode_set: E,
+}
+
+impl<'a, E: EncodeSet> Iterator for PercentEncode<'a, E> {
+ type Item = &'a str;
+
+ fn next(&mut self) -> Option<&'a str> {
+ if let Some((&first_byte, remaining)) = self.bytes.split_first() {
+ if self.encode_set.contains(first_byte) {
+ self.bytes = remaining;
+ Some(percent_encode_byte(first_byte))
+ } else {
+ assert!(first_byte.is_ascii());
+ for (i, &byte) in remaining.iter().enumerate() {
+ if self.encode_set.contains(byte) {
+ // 1 for first_byte + i for previous iterations of this loop
+ let (unchanged_slice, remaining) = self.bytes.split_at(1 + i);
+ self.bytes = remaining;
+ return Some(unsafe { str::from_utf8_unchecked(unchanged_slice) })
+ } else {
+ assert!(byte.is_ascii());
+ }
+ }
+ let unchanged_slice = self.bytes;
+ self.bytes = &[][..];
+ Some(unsafe { str::from_utf8_unchecked(unchanged_slice) })
}
+ } else {
+ None
}
+ }
+
+ fn size_hint(&self) -> (usize, Option<usize>) {
+ if self.bytes.is_empty() {
+ (0, Some(0))
+ } else {
+ (1, Some(self.bytes.len()))
+ }
+ }
+}
- output.push(c);
- i += 1;
+impl<'a, E: EncodeSet> fmt::Display for PercentEncode<'a, E> {
+ fn fmt(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
+ for c in (*self).clone() {
+ try!(formatter.write_str(c))
+ }
+ Ok(())
}
}
+impl<'a, E: EncodeSet> From<PercentEncode<'a, E>> for Cow<'a, str> {
+ fn from(mut iter: PercentEncode<'a, E>) -> Self {
+ match iter.next() {
+ None => "".into(),
+ Some(first) => {
+ match iter.next() {
+ None => first.into(),
+ Some(second) => {
+ let mut string = first.to_owned();
+ string.push_str(second);
+ string.extend(iter);
+ string.into()
+ }
+ }
+ }
+ }
+ }
+}
/// Percent-decode the given bytes.
+///
+/// The return value is an iterator of decoded `u8` bytes
+/// that also implements `Into<Cow<u8>>`
+/// (which returns `Cow::Borrowed` when `input` contains no percent-encoded sequence)
+/// and has `decode_utf8()` and `decode_utf8_lossy()` methods.
#[inline]
-pub fn percent_decode(input: &[u8]) -> Vec<u8> {
- let mut output = Vec::new();
- percent_decode_to(input, &mut output);
- output
+pub fn percent_decode<'a>(input: &'a [u8]) -> PercentDecode<'a> {
+ PercentDecode {
+ bytes: input.iter()
+ }
}
+/// The return type of `percent_decode()`.
+#[derive(Clone)]
+pub struct PercentDecode<'a> {
+ bytes: slice::Iter<'a, u8>,
+}
-/// Percent-decode the given bytes, and decode the result as UTF-8.
-///
-/// This is “lossy”: invalid UTF-8 percent-encoded byte sequences
-/// will be replaced � U+FFFD, the replacement character.
-#[inline]
-pub fn lossy_utf8_percent_decode(input: &[u8]) -> String {
- String::from_utf8_lossy(&percent_decode(input)).to_string()
+fn after_percent_sign(iter: &mut slice::Iter<u8>) -> Option<u8> {
+ let initial_iter = iter.clone();
+ let h = iter.next().and_then(|&b| (b as char).to_digit(16));
+ let l = iter.next().and_then(|&b| (b as char).to_digit(16));
+ if let (Some(h), Some(l)) = (h, l) {
+ Some(h as u8 * 0x10 + l as u8)
+ } else {
+ *iter = initial_iter;
+ None
+ }
}
-/// Convert the given hex character into its numeric value.
-///
-/// # Examples
-///
-/// ```
-/// use url::percent_encoding::from_hex;
-/// assert_eq!(from_hex('0' as u8), Some(0));
-/// assert_eq!(from_hex('1' as u8), Some(1));
-/// assert_eq!(from_hex('9' as u8), Some(9));
-/// assert_eq!(from_hex('A' as u8), Some(10));
-/// assert_eq!(from_hex('a' as u8), Some(10));
-/// assert_eq!(from_hex('F' as u8), Some(15));
-/// assert_eq!(from_hex('f' as u8), Some(15));
-/// assert_eq!(from_hex('G' as u8), None);
-/// assert_eq!(from_hex('g' as u8), None);
-/// assert_eq!(from_hex('Z' as u8), None);
-/// assert_eq!(from_hex('z' as u8), None);
-/// ```
-#[inline]
-pub fn from_hex(byte: u8) -> Option<u8> {
- match byte {
- b'0' ... b'9' => Some(byte - b'0'), // 0..9
- b'A' ... b'F' => Some(byte + 10 - b'A'), // A..F
- b'a' ... b'f' => Some(byte + 10 - b'a'), // a..f
- _ => None
+impl<'a> Iterator for PercentDecode<'a> {
+ type Item = u8;
+
+ fn next(&mut self) -> Option<u8> {
+ self.bytes.next().map(|&byte| {
+ if byte == b'%' {
+ after_percent_sign(&mut self.bytes).unwrap_or(byte)
+ } else {
+ byte
+ }
+ })
+ }
+
+ fn size_hint(&self) -> (usize, Option<usize>) {
+ let bytes = self.bytes.len();
+ (bytes / 3, Some(bytes))
+ }
+}
+
+impl<'a> From<PercentDecode<'a>> for Cow<'a, [u8]> {
+ fn from(iter: PercentDecode<'a>) -> Self {
+ match iter.if_any() {
+ Some(vec) => Cow::Owned(vec),
+ None => Cow::Borrowed(iter.bytes.as_slice()),
+ }
+ }
+}
+
+impl<'a> PercentDecode<'a> {
+ /// If the percent-decoding is different from the input, return it as a new bytes vector.
+ pub fn if_any(&self) -> Option<Vec<u8>> {
+ let mut bytes_iter = self.bytes.clone();
+ while bytes_iter.find(|&&b| b == b'%').is_some() {
+ if let Some(decoded_byte) = after_percent_sign(&mut bytes_iter) {
+ let initial_bytes = self.bytes.as_slice();
+ let unchanged_bytes_len = initial_bytes.len() - bytes_iter.len() - 3;
+ let mut decoded = initial_bytes[..unchanged_bytes_len].to_owned();
+ decoded.push(decoded_byte);
+ decoded.extend(PercentDecode {
+ bytes: bytes_iter
+ });
+ return Some(decoded)
+ }
+ }
+ // Nothing to decode
+ None
+ }
+
+ /// Decode the result of percent-decoding as UTF-8.
+ ///
+ /// This is return `Err` when the percent-decoded bytes are not well-formed in UTF-8.
+ pub fn decode_utf8(self) -> Result<Cow<'a, str>, str::Utf8Error> {
+ match self.clone().into() {
+ Cow::Borrowed(bytes) => {
+ match str::from_utf8(bytes) {
+ Ok(s) => Ok(s.into()),
+ Err(e) => Err(e),
+ }
+ }
+ Cow::Owned(bytes) => {
+ match String::from_utf8(bytes) {
+ Ok(s) => Ok(s.into()),
+ Err(e) => Err(e.utf8_error()),
+ }
+ }
+ }
+ }
+
+ /// Decode the result of percent-decoding as UTF-8, lossily.
+ ///
+ /// Invalid UTF-8 percent-encoded byte sequences will be replaced � U+FFFD,
+ /// the replacement character.
+ pub fn decode_utf8_lossy(self) -> Cow<'a, str> {
+ encoding::decode_utf8_lossy(self.clone().into())
}
}
diff --git a/src/quirks.rs b/src/quirks.rs
new file mode 100644
--- /dev/null
+++ b/src/quirks.rs
@@ -0,0 +1,218 @@
+// Copyright 2016 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+//! Getters and setters for URL components implemented per https://url.spec.whatwg.org/#api
+//!
+//! Unless you need to be interoperable with web browsers,
+//! you probably want to use `Url` method instead.
+
+use {Url, Position, Host, ParseError, idna};
+use parser::{Parser, SchemeType, default_port, Context};
+
+/// https://url.spec.whatwg.org/#dom-url-domaintoascii
+pub fn domain_to_ascii(domain: &str) -> String {
+ match Host::parse(domain) {
+ Ok(Host::Domain(domain)) => domain,
+ _ => String::new(),
+ }
+}
+
+/// https://url.spec.whatwg.org/#dom-url-domaintounicode
+pub fn domain_to_unicode(domain: &str) -> String {
+ match Host::parse(domain) {
+ Ok(Host::Domain(ref domain)) => {
+ let (unicode, _errors) = idna::domain_to_unicode(domain);
+ unicode
+ }
+ _ => String::new(),
+ }
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-href
+pub fn href(url: &Url) -> &str {
+ url.as_str()
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-href
+pub fn set_href(url: &mut Url, value: &str) -> Result<(), ParseError> {
+ *url = try!(Url::parse(value));
+ Ok(())
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-origin
+pub fn origin(url: &Url) -> String {
+ url.origin().unicode_serialization()
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-protocol
+#[inline]
+pub fn protocol(url: &Url) -> &str {
+ &url.as_str()[..url.scheme().len() + ":".len()]
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-protocol
+pub fn set_protocol(url: &mut Url, mut new_protocol: &str) -> Result<(), ()> {
+ // The scheme state in the spec ignores everything after the first `:`,
+ // but `set_scheme` errors if there is more.
+ if let Some(position) = new_protocol.find(':') {
+ new_protocol = &new_protocol[..position];
+ }
+ url.set_scheme(new_protocol)
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-username
+#[inline]
+pub fn username(url: &Url) -> &str {
+ url.username()
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-username
+pub fn set_username(url: &mut Url, new_username: &str) -> Result<(), ()> {
+ url.set_username(new_username)
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-password
+#[inline]
+pub fn password(url: &Url) -> &str {
+ url.password().unwrap_or("")
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-password
+pub fn set_password(url: &mut Url, new_password: &str) -> Result<(), ()> {
+ url.set_password(if new_password.is_empty() { None } else { Some(new_password) })
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-host
+#[inline]
+pub fn host(url: &Url) -> &str {
+ &url[Position::BeforeHost..Position::AfterPort]
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-host
+pub fn set_host(url: &mut Url, new_host: &str) -> Result<(), ()> {
+ if url.cannot_be_a_base() {
+ return Err(())
+ }
+ let host;
+ let opt_port;
+ {
+ let scheme = url.scheme();
+ let result = Parser::parse_host(new_host, SchemeType::from(scheme), |_| ());
+ match result {
+ Ok((h, remaining)) => {
+ host = h;
+ opt_port = if remaining.starts_with(':') {
+ Parser::parse_port(&remaining[1..], |_| (), || default_port(scheme),
+ Context::Setter)
+ .ok().map(|(port, _remaining)| port)
+ } else {
+ None
+ };
+ }
+ Err(_) => return Err(())
+ }
+ }
+ url.set_host_internal(host, opt_port);
+ Ok(())
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-hostname
+#[inline]
+pub fn hostname(url: &Url) -> &str {
+ url.host_str().unwrap_or("")
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-hostname
+pub fn set_hostname(url: &mut Url, new_hostname: &str) -> Result<(), ()> {
+ if url.cannot_be_a_base() {
+ return Err(())
+ }
+ let result = Parser::parse_host(new_hostname, SchemeType::from(url.scheme()), |_| ());
+ if let Ok((host, _remaining)) = result {
+ url.set_host_internal(host, None);
+ Ok(())
+ } else {
+ Err(())
+ }
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-port
+#[inline]
+pub fn port(url: &Url) -> &str {
+ &url[Position::BeforePort..Position::AfterPort]
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-port
+pub fn set_port(url: &mut Url, new_port: &str) -> Result<(), ()> {
+ let result;
+ {
+ // has_host implies !cannot_be_a_base
+ let scheme = url.scheme();
+ if !url.has_host() || scheme == "file" {
+ return Err(())
+ }
+ result = Parser::parse_port(new_port, |_| (), || default_port(scheme), Context::Setter)
+ }
+ if let Ok((new_port, _remaining)) = result {
+ url.set_port_internal(new_port);
+ Ok(())
+ } else {
+ Err(())
+ }
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-pathname
+#[inline]
+pub fn pathname(url: &Url) -> &str {
+ url.path()
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-pathname
+pub fn set_pathname(url: &mut Url, new_pathname: &str) {
+ if !url.cannot_be_a_base() {
+ url.set_path(new_pathname)
+ }
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-search
+pub fn search(url: &Url) -> &str {
+ trim(&url[Position::AfterPath..Position::AfterQuery])
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-search
+pub fn set_search(url: &mut Url, new_search: &str) {
+ url.set_query(match new_search {
+ "" => None,
+ _ if new_search.starts_with('?') => Some(&new_search[1..]),
+ _ => Some(new_search),
+ })
+}
+
+/// Getter for https://url.spec.whatwg.org/#dom-url-hash
+pub fn hash(url: &Url) -> &str {
+ trim(&url[Position::AfterQuery..])
+}
+
+/// Setter for https://url.spec.whatwg.org/#dom-url-hash
+pub fn set_hash(url: &mut Url, new_hash: &str) {
+ if url.scheme() != "javascript" {
+ url.set_fragment(match new_hash {
+ "" => None,
+ _ if new_hash.starts_with('#') => Some(&new_hash[1..]),
+ _ => Some(new_hash),
+ })
+ }
+}
+
+fn trim(s: &str) -> &str {
+ if s.len() == 1 {
+ ""
+ } else {
+ s
+ }
+}
diff --git a/src/slicing.rs b/src/slicing.rs
new file mode 100644
--- /dev/null
+++ b/src/slicing.rs
@@ -0,0 +1,182 @@
+// Copyright 2016 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+use std::ops::{Range, RangeFrom, RangeTo, RangeFull, Index};
+use Url;
+
+impl Index<RangeFull> for Url {
+ type Output = str;
+ fn index(&self, _: RangeFull) -> &str {
+ &self.serialization
+ }
+}
+
+impl Index<RangeFrom<Position>> for Url {
+ type Output = str;
+ fn index(&self, range: RangeFrom<Position>) -> &str {
+ &self.serialization[self.index(range.start)..]
+ }
+}
+
+impl Index<RangeTo<Position>> for Url {
+ type Output = str;
+ fn index(&self, range: RangeTo<Position>) -> &str {
+ &self.serialization[..self.index(range.end)]
+ }
+}
+
+impl Index<Range<Position>> for Url {
+ type Output = str;
+ fn index(&self, range: Range<Position>) -> &str {
+ &self.serialization[self.index(range.start)..self.index(range.end)]
+ }
+}
+
+/// Indicates a position within a URL based on its components.
+///
+/// A range of positions can be used for slicing `Url`:
+///
+/// ```rust
+/// # use url::{Url, Position};
+/// # fn something(some_url: Url) {
+/// let serialization: &str = &some_url[..];
+/// let serialization_without_fragment: &str = &some_url[..Position::AfterQuery];
+/// let authority: &str = &some_url[Position::BeforeUsername..Position::AfterPort];
+/// let data_url_payload: &str = &some_url[Position::BeforePath..Position::AfterQuery];
+/// let scheme_relative: &str = &some_url[Position::BeforeUsername..];
+/// # }
+/// ```
+///
+/// In a pseudo-grammar (where `[`…`]?` makes a sub-sequence optional),
+/// URL components and delimiters that separate them are:
+///
+/// ```notrust
+/// url =
+/// scheme ":"
+/// [ "//" [ username [ ":" password ]? "@" ]? host [ ":" port ]? ]?
+/// path [ "?" query ]? [ "#" fragment ]?
+/// ```
+///
+/// When a given component is not present,
+/// its "before" and "after" position are the same
+/// (so that `&some_url[BeforeFoo..AfterFoo]` is the empty string)
+/// and component ordering is preserved
+/// (so that a missing query "is between" a path and a fragment).
+///
+/// The end of a component and the start of the next are either the same or separate
+/// by a delimiter.
+/// (Not that the initial `/` of a path is considered part of the path here, not a delimiter.)
+/// For example, `&url[..BeforeFragment]` would include a `#` delimiter (if present in `url`),
+/// so `&url[..AfterQuery]` might be desired instead.
+///
+/// `BeforeScheme` and `AfterFragment` are always the start and end of the entire URL,
+/// so `&url[BeforeScheme..X]` is the same as `&url[..X]`
+/// and `&url[X..AfterFragment]` is the same as `&url[X..]`.
+#[derive(Copy, Clone, Debug)]
+pub enum Position {
+ BeforeScheme,
+ AfterScheme,
+ BeforeUsername,
+ AfterUsername,
+ BeforePassword,
+ AfterPassword,
+ BeforeHost,
+ AfterHost,
+ BeforePort,
+ AfterPort,
+ BeforePath,
+ AfterPath,
+ BeforeQuery,
+ AfterQuery,
+ BeforeFragment,
+ AfterFragment
+}
+
+impl Url {
+ #[inline]
+ fn index(&self, position: Position) -> usize {
+ match position {
+ Position::BeforeScheme => 0,
+
+ Position::AfterScheme => self.scheme_end as usize,
+
+ Position::BeforeUsername => if self.has_authority() {
+ self.scheme_end as usize + "://".len()
+ } else {
+ debug_assert!(self.byte_at(self.scheme_end) == b':');
+ debug_assert!(self.scheme_end + ":".len() as u32 == self.username_end);
+ self.scheme_end as usize + ":".len()
+ },
+
+ Position::AfterUsername => self.username_end as usize,
+
+ Position::BeforePassword => if self.has_authority() &&
+ self.byte_at(self.username_end) == b':' {
+ self.username_end as usize + ":".len()
+ } else {
+ debug_assert!(self.username_end == self.host_start);
+ self.username_end as usize
+ },
+
+ Position::AfterPassword => if self.has_authority() &&
+ self.byte_at(self.username_end) == b':' {
+ debug_assert!(self.byte_at(self.host_start - "@".len() as u32) == b'@');
+ self.host_start as usize - "@".len()
+ } else {
+ debug_assert!(self.username_end == self.host_start);
+ self.host_start as usize
+ },
+
+ Position::BeforeHost => self.host_start as usize,
+
+ Position::AfterHost => self.host_end as usize,
+
+ Position::BeforePort => if self.port.is_some() {
+ debug_assert!(self.byte_at(self.host_end) == b':');
+ self.host_end as usize + ":".len()
+ } else {
+ self.host_end as usize
+ },
+
+ Position::AfterPort => self.path_start as usize,
+
+ Position::BeforePath => self.path_start as usize,
+
+ Position::AfterPath => match (self.query_start, self.fragment_start) {
+ (Some(q), _) => q as usize,
+ (None, Some(f)) => f as usize,
+ (None, None) => self.serialization.len(),
+ },
+
+ Position::BeforeQuery => match (self.query_start, self.fragment_start) {
+ (Some(q), _) => {
+ debug_assert!(self.byte_at(q) == b'?');
+ q as usize + "?".len()
+ }
+ (None, Some(f)) => f as usize,
+ (None, None) => self.serialization.len(),
+ },
+
+ Position::AfterQuery => match self.fragment_start {
+ None => self.serialization.len(),
+ Some(f) => f as usize,
+ },
+
+ Position::BeforeFragment => match self.fragment_start {
+ Some(f) => {
+ debug_assert!(self.byte_at(f) == b'#');
+ f as usize + "#".len()
+ }
+ None => self.serialization.len(),
+ },
+
+ Position::AfterFragment => self.serialization.len(),
+ }
+ }
+}
+
diff --git a/src/urlutils.rs b/src/urlutils.rs
deleted file mode 100644
--- a/src/urlutils.rs
+++ /dev/null
@@ -1,169 +0,0 @@
-// Copyright 2013-2014 Simon Sapin.
-//
-// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
-// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
-// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
-// option. This file may not be copied, modified, or distributed
-// except according to those terms.
-
-
-//! These methods are not meant for use in Rust code,
-//! only to help implement the JavaScript URLUtils API: http://url.spec.whatwg.org/#urlutils
-
-use super::{Url, UrlParser, SchemeType, SchemeData, RelativeSchemeData};
-use parser::{ParseError, ParseResult, Context};
-use percent_encoding::{utf8_percent_encode_to, USERNAME_ENCODE_SET, PASSWORD_ENCODE_SET};
-
-
-#[allow(dead_code)]
-pub struct UrlUtilsWrapper<'a> {
- pub url: &'a mut Url,
- pub parser: &'a UrlParser<'a>,
-}
-
-#[doc(hidden)]
-pub trait UrlUtils {
- fn set_scheme(&mut self, input: &str) -> ParseResult<()>;
- fn set_username(&mut self, input: &str) -> ParseResult<()>;
- fn set_password(&mut self, input: &str) -> ParseResult<()>;
- fn set_host_and_port(&mut self, input: &str) -> ParseResult<()>;
- fn set_host(&mut self, input: &str) -> ParseResult<()>;
- fn set_port(&mut self, input: &str) -> ParseResult<()>;
- fn set_path(&mut self, input: &str) -> ParseResult<()>;
- fn set_query(&mut self, input: &str) -> ParseResult<()>;
- fn set_fragment(&mut self, input: &str) -> ParseResult<()>;
-}
-
-impl<'a> UrlUtils for UrlUtilsWrapper<'a> {
- /// `URLUtils.protocol` setter
- fn set_scheme(&mut self, input: &str) -> ParseResult<()> {
- match ::parser::parse_scheme(input, Context::Setter) {
- Some((scheme, _)) => {
- if self.parser.get_scheme_type(&self.url.scheme).same_as(self.parser.get_scheme_type(&scheme)) {
- return Err(ParseError::InvalidScheme);
- }
- self.url.scheme = scheme;
- Ok(())
- },
- None => Err(ParseError::InvalidScheme),
- }
- }
-
- /// `URLUtils.username` setter
- fn set_username(&mut self, input: &str) -> ParseResult<()> {
- match self.url.scheme_data {
- SchemeData::Relative(RelativeSchemeData { ref mut username, .. }) => {
- username.truncate(0);
- utf8_percent_encode_to(input, USERNAME_ENCODE_SET, username);
- Ok(())
- },
- SchemeData::NonRelative(_) => Err(ParseError::CannotSetUsernameWithNonRelativeScheme)
- }
- }
-
- /// `URLUtils.password` setter
- fn set_password(&mut self, input: &str) -> ParseResult<()> {
- match self.url.scheme_data {
- SchemeData::Relative(RelativeSchemeData { ref mut password, .. }) => {
- if input.len() == 0 {
- *password = None;
- return Ok(());
- }
- let mut new_password = String::new();
- utf8_percent_encode_to(input, PASSWORD_ENCODE_SET, &mut new_password);
- *password = Some(new_password);
- Ok(())
- },
- SchemeData::NonRelative(_) => Err(ParseError::CannotSetPasswordWithNonRelativeScheme)
- }
- }
-
- /// `URLUtils.host` setter
- fn set_host_and_port(&mut self, input: &str) -> ParseResult<()> {
- match self.url.scheme_data {
- SchemeData::Relative(RelativeSchemeData {
- ref mut host, ref mut port, ref mut default_port, ..
- }) => {
- let scheme_type = self.parser.get_scheme_type(&self.url.scheme);
- let (new_host, new_port, new_default_port, _) = try!(::parser::parse_host(
- input, scheme_type, self.parser));
- *host = new_host;
- *port = new_port;
- *default_port = new_default_port;
- Ok(())
- },
- SchemeData::NonRelative(_) => Err(ParseError::CannotSetHostPortWithNonRelativeScheme)
- }
- }
-
- /// `URLUtils.hostname` setter
- fn set_host(&mut self, input: &str) -> ParseResult<()> {
- match self.url.scheme_data {
- SchemeData::Relative(RelativeSchemeData { ref mut host, .. }) => {
- let (new_host, _) = try!(::parser::parse_hostname(input, self.parser));
- *host = new_host;
- Ok(())
- },
- SchemeData::NonRelative(_) => Err(ParseError::CannotSetHostWithNonRelativeScheme)
- }
- }
-
- /// `URLUtils.port` setter
- fn set_port(&mut self, input: &str) -> ParseResult<()> {
- match self.url.scheme_data {
- SchemeData::Relative(RelativeSchemeData { ref mut port, ref mut default_port, .. }) => {
- let scheme_type = self.parser.get_scheme_type(&self.url.scheme);
- if scheme_type == SchemeType::FileLike {
- return Err(ParseError::CannotSetPortWithFileLikeScheme);
- }
- let (new_port, new_default_port, _) = try!(::parser::parse_port(
- input, scheme_type, self.parser));
- *port = new_port;
- *default_port = new_default_port;
- Ok(())
- },
- SchemeData::NonRelative(_) => Err(ParseError::CannotSetPortWithNonRelativeScheme)
- }
- }
-
- /// `URLUtils.pathname` setter
- fn set_path(&mut self, input: &str) -> ParseResult<()> {
- match self.url.scheme_data {
- SchemeData::Relative(RelativeSchemeData { ref mut path, .. }) => {
- let scheme_type = self.parser.get_scheme_type(&self.url.scheme);
- let (new_path, _) = try!(::parser::parse_path_start(
- input, Context::Setter, scheme_type, self.parser));
- *path = new_path;
- Ok(())
- },
- SchemeData::NonRelative(_) => Err(ParseError::CannotSetPathWithNonRelativeScheme)
- }
- }
-
- /// `URLUtils.search` setter
- fn set_query(&mut self, input: &str) -> ParseResult<()> {
- self.url.query = if input.is_empty() {
- None
- } else {
- let input = if input.starts_with("?") { &input[1..] } else { input };
- let (new_query, _) = try!(::parser::parse_query(
- input, Context::Setter, self.parser));
- Some(new_query)
- };
- Ok(())
- }
-
- /// `URLUtils.hash` setter
- fn set_fragment(&mut self, input: &str) -> ParseResult<()> {
- if self.url.scheme == "javascript" {
- return Err(ParseError::CannotSetJavascriptFragment)
- }
- self.url.fragment = if input.is_empty() {
- None
- } else {
- let input = if input.starts_with("#") { &input[1..] } else { input };
- Some(try!(::parser::parse_fragment(input, self.parser)))
- };
- Ok(())
- }
-}
|
diff --git a/tests/IdnaTest.txt b/idna/tests/IdnaTest.txt
similarity index 100%
rename from tests/IdnaTest.txt
rename to idna/tests/IdnaTest.txt
diff --git a/idna/tests/punycode.rs b/idna/tests/punycode.rs
new file mode 100644
--- /dev/null
+++ b/idna/tests/punycode.rs
@@ -0,0 +1,65 @@
+// Copyright 2013 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+use idna::punycode::{decode, encode_str};
+use rustc_serialize::json::{Json, Object};
+use test::TestFn;
+
+fn one_test(decoded: &str, encoded: &str) {
+ match decode(encoded) {
+ None => panic!("Decoding {} failed.", encoded),
+ Some(result) => {
+ let result = result.into_iter().collect::<String>();
+ assert!(result == decoded,
+ format!("Incorrect decoding of \"{}\":\n \"{}\"\n!= \"{}\"\n",
+ encoded, result, decoded))
+ }
+ }
+
+ match encode_str(decoded) {
+ None => panic!("Encoding {} failed.", decoded),
+ Some(result) => {
+ assert!(result == encoded,
+ format!("Incorrect encoding of \"{}\":\n \"{}\"\n!= \"{}\"\n",
+ decoded, result, encoded))
+ }
+ }
+}
+
+fn get_string<'a>(map: &'a Object, key: &str) -> &'a str {
+ match map.get(&key.to_string()) {
+ Some(&Json::String(ref s)) => s,
+ None => "",
+ _ => panic!(),
+ }
+}
+
+pub fn collect_tests<F: FnMut(String, TestFn)>(add_test: &mut F) {
+ match Json::from_str(include_str!("punycode_tests.json")) {
+ Ok(Json::Array(tests)) => for (i, test) in tests.into_iter().enumerate() {
+ match test {
+ Json::Object(o) => {
+ let test_name = {
+ let desc = get_string(&o, "description");
+ if desc.is_empty() {
+ format!("Punycode {}", i + 1)
+ } else {
+ format!("Punycode {}: {}", i + 1, desc)
+ }
+ };
+ add_test(test_name, TestFn::dyn_test_fn(move || one_test(
+ get_string(&o, "decoded"),
+ get_string(&o, "encoded"),
+ )))
+ }
+ _ => panic!(),
+ }
+ },
+ other => panic!("{:?}", other)
+ }
+}
diff --git a/tests/punycode_tests.json b/idna/tests/punycode_tests.json
similarity index 100%
rename from tests/punycode_tests.json
rename to idna/tests/punycode_tests.json
diff --git a/idna/tests/tests.rs b/idna/tests/tests.rs
new file mode 100644
--- /dev/null
+++ b/idna/tests/tests.rs
@@ -0,0 +1,25 @@
+extern crate idna;
+extern crate rustc_serialize;
+extern crate test;
+
+mod punycode;
+mod uts46;
+
+fn main() {
+ let mut tests = Vec::new();
+ {
+ let mut add_test = |name, run| {
+ tests.push(test::TestDescAndFn {
+ desc: test::TestDesc {
+ name: test::DynTestName(name),
+ ignore: false,
+ should_panic: test::ShouldPanic::No,
+ },
+ testfn: run,
+ })
+ };
+ punycode::collect_tests(&mut add_test);
+ uts46::collect_tests(&mut add_test);
+ }
+ test::test_main(&std::env::args().collect::<Vec<_>>(), tests)
+}
diff --git a/idna/tests/uts46.rs b/idna/tests/uts46.rs
new file mode 100644
--- /dev/null
+++ b/idna/tests/uts46.rs
@@ -0,0 +1,117 @@
+// Copyright 2013-2014 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+use std::char;
+use idna::uts46;
+use test::TestFn;
+
+pub fn collect_tests<F: FnMut(String, TestFn)>(add_test: &mut F) {
+ // http://www.unicode.org/Public/idna/latest/IdnaTest.txt
+ for (i, line) in include_str!("IdnaTest.txt").lines().enumerate() {
+ if line == "" || line.starts_with("#") {
+ continue
+ }
+ // Remove comments
+ let mut line = match line.find("#") {
+ Some(index) => &line[0..index],
+ None => line
+ };
+
+ let mut expected_failure = false;
+ if line.starts_with("XFAIL") {
+ expected_failure = true;
+ line = &line[5..line.len()];
+ };
+
+ let mut pieces = line.split(';').map(|x| x.trim()).collect::<Vec<&str>>();
+
+ let test_type = pieces.remove(0);
+ let original = pieces.remove(0);
+ let source = unescape(original);
+ let to_unicode = pieces.remove(0);
+ let to_ascii = pieces.remove(0);
+ let nv8 = if pieces.len() > 0 { pieces.remove(0) } else { "" };
+
+ if expected_failure {
+ continue;
+ }
+
+ let test_name = format!("UTS #46 line {}", i + 1);
+ add_test(test_name, TestFn::dyn_test_fn(move || {
+ let result = uts46::to_ascii(&source, uts46::Flags {
+ use_std3_ascii_rules: true,
+ transitional_processing: test_type == "T",
+ verify_dns_length: true,
+ });
+
+ if to_ascii.starts_with("[") {
+ if to_ascii.starts_with("[C") {
+ // http://unicode.org/reports/tr46/#Deviations
+ // applications that perform IDNA2008 lookup are not required to check
+ // for these contexts
+ return;
+ }
+ let res = result.ok();
+ assert!(res == None, "Expected error. result: {} | original: {} | source: {}",
+ res.unwrap(), original, source);
+ return;
+ }
+
+ let to_ascii = if to_ascii.len() > 0 {
+ to_ascii.to_string()
+ } else {
+ if to_unicode.len() > 0 {
+ to_unicode.to_string()
+ } else {
+ source.clone()
+ }
+ };
+
+ if nv8 == "NV8" {
+ // This result isn't valid under IDNA2008. Skip it
+ return;
+ }
+
+ assert!(result.is_ok(), "Couldn't parse {} | original: {} | error: {:?}",
+ source, original, result.err());
+ let output = result.ok().unwrap();
+ assert!(output == to_ascii, "result: {} | expected: {} | original: {} | source: {}",
+ output, to_ascii, original, source);
+ }))
+ }
+}
+
+fn unescape(input: &str) -> String {
+ let mut output = String::new();
+ let mut chars = input.chars();
+ loop {
+ match chars.next() {
+ None => return output,
+ Some(c) =>
+ if c == '\\' {
+ match chars.next().unwrap() {
+ '\\' => output.push('\\'),
+ 'u' => {
+ let c1 = chars.next().unwrap().to_digit(16).unwrap();
+ let c2 = chars.next().unwrap().to_digit(16).unwrap();
+ let c3 = chars.next().unwrap().to_digit(16).unwrap();
+ let c4 = chars.next().unwrap().to_digit(16).unwrap();
+ match char::from_u32((((c1 * 16 + c2) * 16 + c3) * 16 + c4))
+ {
+ Some(c) => output.push(c),
+ None => { output.push_str(&format!("\\u{:X}{:X}{:X}{:X}",c1,c2,c3,c4)); }
+ };
+ }
+ _ => panic!("Invalid test data input"),
+ }
+ } else {
+ output.push(c);
+ }
+ }
+ }
+}
diff --git a/tests/data.rs b/tests/data.rs
new file mode 100644
--- /dev/null
+++ b/tests/data.rs
@@ -0,0 +1,193 @@
+// Copyright 2013-2014 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+//! Data-driven tests
+
+extern crate rustc_serialize;
+extern crate test;
+extern crate url;
+
+use rustc_serialize::json::{self, Json};
+use url::{Url, quirks};
+
+
+fn run_parsing(input: String, base: String, expected: Result<ExpectedAttributes, ()>) {
+ let base = match Url::parse(&base) {
+ Ok(base) => base,
+ Err(message) => panic!("Error parsing base {:?}: {}", base, message)
+ };
+ let (url, expected) = match (base.join(&input), expected) {
+ (Ok(url), Ok(expected)) => (url, expected),
+ (Err(_), Err(())) => return,
+ (Err(message), Ok(_)) => panic!("Error parsing URL {:?}: {}", input, message),
+ (Ok(_), Err(())) => panic!("Expected a parse error for URL {:?}", input),
+ };
+
+ url.assert_invariants();
+
+ macro_rules! assert_eq {
+ ($expected: expr, $got: expr) => {
+ {
+ let expected = $expected;
+ let got = $got;
+ assert!(expected == got, "{:?} != {} {:?} for URL {:?}",
+ got, stringify!($expected), expected, url);
+ }
+ }
+ }
+
+ macro_rules! assert_attributes {
+ ($($attr: ident)+) => {
+ {
+ $(
+ assert_eq!(expected.$attr, quirks::$attr(&url));
+ )+;
+ }
+ }
+ }
+
+ assert_attributes!(href protocol username password host hostname port pathname search hash);
+
+ if let Some(expected_origin) = expected.origin {
+ assert_eq!(expected_origin, quirks::origin(&url));
+ }
+}
+
+struct ExpectedAttributes {
+ href: String,
+ origin: Option<String>,
+ protocol: String,
+ username: String,
+ password: String,
+ host: String,
+ hostname: String,
+ port: String,
+ pathname: String,
+ search: String,
+ hash: String,
+}
+
+trait JsonExt {
+ fn take(&mut self, key: &str) -> Option<Json>;
+ fn object(self) -> json::Object;
+ fn string(self) -> String;
+ fn take_string(&mut self, key: &str) -> String;
+}
+
+impl JsonExt for Json {
+ fn take(&mut self, key: &str) -> Option<Json> {
+ self.as_object_mut().unwrap().remove(key)
+ }
+
+ fn object(self) -> json::Object {
+ if let Json::Object(o) = self { o } else { panic!("Not a Json::Object") }
+ }
+
+ fn string(self) -> String {
+ if let Json::String(s) = self { s } else { panic!("Not a Json::String") }
+ }
+
+ fn take_string(&mut self, key: &str) -> String {
+ self.take(key).unwrap().string()
+ }
+}
+
+fn collect_parsing<F: FnMut(String, test::TestFn)>(add_test: &mut F) {
+ // Copied form https://github.com/w3c/web-platform-tests/blob/master/url/
+ let mut json = Json::from_str(include_str!("urltestdata.json"))
+ .expect("JSON parse error in urltestdata.json");
+ for entry in json.as_array_mut().unwrap() {
+ if entry.is_string() {
+ continue // ignore comments
+ }
+ let base = entry.take_string("base");
+ let input = entry.take_string("input");
+ let expected = if entry.find("failure").is_some() {
+ Err(())
+ } else {
+ Ok(ExpectedAttributes {
+ href: entry.take_string("href"),
+ origin: entry.take("origin").map(Json::string),
+ protocol: entry.take_string("protocol"),
+ username: entry.take_string("username"),
+ password: entry.take_string("password"),
+ host: entry.take_string("host"),
+ hostname: entry.take_string("hostname"),
+ port: entry.take_string("port"),
+ pathname: entry.take_string("pathname"),
+ search: entry.take_string("search"),
+ hash: entry.take_string("hash"),
+ })
+ };
+ add_test(format!("{:?} @ base {:?}", input, base),
+ test::TestFn::dyn_test_fn(move || run_parsing(input, base, expected)));
+ }
+}
+
+fn collect_setters<F>(add_test: &mut F) where F: FnMut(String, test::TestFn) {
+ let mut json = Json::from_str(include_str!("setters_tests.json"))
+ .expect("JSON parse error in setters_tests.json");
+
+ macro_rules! setter {
+ ($attr: expr, $setter: ident) => {{
+ let mut tests = json.take($attr).unwrap();
+ for mut test in tests.as_array_mut().unwrap().drain(..) {
+ let comment = test.take("comment").map(Json::string).unwrap_or(String::new());
+ let href = test.take_string("href");
+ let new_value = test.take_string("new_value");
+ let name = format!("{:?}.{} = {:?} {}", href, $attr, new_value, comment);
+ let mut expected = test.take("expected").unwrap();
+ add_test(name, test::TestFn::dyn_test_fn(move || {
+ let mut url = Url::parse(&href).unwrap();
+ url.assert_invariants();
+ let _ = quirks::$setter(&mut url, &new_value);
+ assert_attributes!(url, expected,
+ href protocol username password host hostname port pathname search hash);
+ url.assert_invariants();
+ }))
+ }
+ }}
+ }
+ macro_rules! assert_attributes {
+ ($url: expr, $expected: expr, $($attr: ident)+) => {
+ $(
+ if let Some(value) = $expected.take(stringify!($attr)) {
+ assert_eq!(quirks::$attr(&$url), value.string())
+ }
+ )+
+ }
+ }
+ setter!("protocol", set_protocol);
+ setter!("username", set_username);
+ setter!("password", set_password);
+ setter!("hostname", set_hostname);
+ setter!("host", set_host);
+ setter!("port", set_port);
+ setter!("pathname", set_pathname);
+ setter!("search", set_search);
+ setter!("hash", set_hash);
+}
+
+fn main() {
+ let mut tests = Vec::new();
+ {
+ let mut add_one = |name: String, run: test::TestFn| {
+ tests.push(test::TestDescAndFn {
+ desc: test::TestDesc {
+ name: test::DynTestName(name),
+ ignore: false,
+ should_panic: test::ShouldPanic::No,
+ },
+ testfn: run,
+ })
+ };
+ collect_parsing(&mut add_one);
+ collect_setters(&mut add_one);
+ }
+ test::test_main(&std::env::args().collect::<Vec<_>>(), tests)
+}
diff --git a/tests/form_urlencoded.rs b/tests/form_urlencoded.rs
deleted file mode 100644
--- a/tests/form_urlencoded.rs
+++ /dev/null
@@ -1,29 +0,0 @@
-extern crate url;
-
-use url::form_urlencoded::*;
-
-#[test]
-fn test_form_urlencoded() {
- let pairs = &[
- ("foo".to_string(), "é&".to_string()),
- ("bar".to_string(), "".to_string()),
- ("foo".to_string(), "#".to_string())
- ];
- let encoded = serialize(pairs);
- assert_eq!(encoded, "foo=%C3%A9%26&bar=&foo=%23");
- assert_eq!(parse(encoded.as_bytes()), pairs.to_vec());
-}
-
-#[test]
-fn test_form_serialize() {
- let pairs = [("foo", "é&"),
- ("bar", ""),
- ("foo", "#")];
-
- let want = "foo=%C3%A9%26&bar=&foo=%23";
- // Works with referenced tuples
- assert_eq!(serialize(pairs.iter()), want);
- // Works with owned tuples
- assert_eq!(serialize(pairs.iter().map(|p| (p.0, p.1))), want);
-
-}
diff --git a/tests/format.rs b/tests/format.rs
deleted file mode 100644
--- a/tests/format.rs
+++ /dev/null
@@ -1,67 +0,0 @@
-extern crate url;
-
-use url::{Url, Host};
-use url::format::{PathFormatter, UserInfoFormatter};
-
-#[test]
-fn path_formatting() {
- let data = [
- (vec![], "/"),
- (vec![""], "/"),
- (vec!["test", "path"], "/test/path"),
- (vec!["test", "path", ""], "/test/path/")
- ];
- for &(ref path, result) in &data {
- assert_eq!(PathFormatter {
- path: path
- }.to_string(), result.to_string());
- }
-}
-
-#[test]
-fn host() {
- // libstd’s `Display for Ipv6Addr` serializes 0:0:0:0:0:0:_:_ and 0:0:0:0:0:ffff:_:_
- // using IPv4-like syntax, as suggested in https://tools.ietf.org/html/rfc5952#section-4
- // but https://url.spec.whatwg.org/#concept-ipv6-serializer specifies not to.
-
- // Not [::0.0.0.2] / [::ffff:0.0.0.2]
- assert_eq!(Host::parse("[0::2]").unwrap().to_string(), "[::2]");
- assert_eq!(Host::parse("[0::ffff:0:2]").unwrap().to_string(), "[::ffff:0:2]");
-}
-
-#[test]
-fn userinfo_formatting() {
- // Test data as (username, password, result) tuples.
- let data = [
- ("", None, ""),
- ("", Some(""), ":@"),
- ("", Some("password"), ":password@"),
- ("username", None, "username@"),
- ("username", Some(""), "username:@"),
- ("username", Some("password"), "username:password@")
- ];
- for &(username, password, result) in &data {
- assert_eq!(UserInfoFormatter {
- username: username,
- password: password
- }.to_string(), result.to_string());
- }
-}
-
-#[test]
-fn relative_scheme_url_formatting() {
- let data = [
- ("http://example.com/", "http://example.com/"),
- ("http://addslash.com", "http://addslash.com/"),
- ("http://@emptyuser.com/", "http://emptyuser.com/"),
- ("http://:@emptypass.com/", "http://:@emptypass.com/"),
- ("http://[email protected]/", "http://[email protected]/"),
- ("http://user:[email protected]/", "http://user:[email protected]/"),
- ("http://slashquery.com/path/?q=something", "http://slashquery.com/path/?q=something"),
- ("http://noslashquery.com/path?q=something", "http://noslashquery.com/path?q=something")
- ];
- for &(input, result) in &data {
- let url = Url::parse(input).unwrap();
- assert_eq!(url.to_string(), result.to_string());
- }
-}
diff --git a/tests/idna.rs b/tests/idna.rs
deleted file mode 100644
--- a/tests/idna.rs
+++ /dev/null
@@ -1,104 +0,0 @@
-extern crate url;
-
-use std::char;
-use url::idna;
-
-#[test]
-fn test_uts46() {
- // http://www.unicode.org/Public/idna/latest/IdnaTest.txt
- for line in include_str!("IdnaTest.txt").lines() {
- if line == "" || line.starts_with("#") {
- continue
- }
- // Remove comments
- let mut line = match line.find("#") {
- Some(index) => &line[0..index],
- None => line
- };
-
- let mut expected_failure = false;
- if line.starts_with("XFAIL") {
- expected_failure = true;
- line = &line[5..line.len()];
- };
-
- let mut pieces = line.split(';').map(|x| x.trim()).collect::<Vec<&str>>();
-
- let test_type = pieces.remove(0);
- let original = pieces.remove(0);
- let source = unescape(original);
- let to_unicode = pieces.remove(0);
- let to_ascii = pieces.remove(0);
- let _nv8 = if pieces.len() > 0 { pieces.remove(0) } else { "" };
-
- if expected_failure {
- continue;
- }
-
- let result = idna::uts46_to_ascii(&source, idna::Uts46Flags {
- use_std3_ascii_rules: true,
- transitional_processing: test_type == "T",
- verify_dns_length: true,
- });
-
- if to_ascii.starts_with("[") {
- if to_ascii.starts_with("[C") {
- // http://unicode.org/reports/tr46/#Deviations
- // applications that perform IDNA2008 lookup are not required to check for these contexts
- continue;
- }
- let res = result.ok();
- assert!(res == None, "Expected error. result: {} | original: {} | source: {}", res.unwrap(), original, source);
- continue;
- }
-
- let to_ascii = if to_ascii.len() > 0 {
- to_ascii.to_string()
- } else {
- if to_unicode.len() > 0 {
- to_unicode.to_string()
- } else {
- source.clone()
- }
- };
-
- if _nv8 == "NV8" {
- // This result isn't valid under IDNA2008. Skip it
- continue;
- }
-
- assert!(result.is_ok(), "Couldn't parse {} | original: {} | error: {:?}", source, original, result.err());
- let output = result.ok().unwrap();
- assert!(output == to_ascii, "result: {} | expected: {} | original: {} | source: {}", output, to_ascii, original, source);
- }
-}
-
-fn unescape(input: &str) -> String {
- let mut output = String::new();
- let mut chars = input.chars();
- loop {
- match chars.next() {
- None => return output,
- Some(c) =>
- if c == '\\' {
- match chars.next().unwrap() {
- '\\' => output.push('\\'),
- 'u' => {
- let c1 = chars.next().unwrap().to_digit(16).unwrap();
- let c2 = chars.next().unwrap().to_digit(16).unwrap();
- let c3 = chars.next().unwrap().to_digit(16).unwrap();
- let c4 = chars.next().unwrap().to_digit(16).unwrap();
- match char::from_u32((((c1 * 16 + c2) * 16 + c3) * 16 + c4))
- {
- Some(c) => output.push(c),
- None => { output.push_str(&format!("\\u{:X}{:X}{:X}{:X}",c1,c2,c3,c4)); }
- };
- }
- _ => panic!("Invalid test data input"),
- }
- } else {
- output.push(c);
- }
- }
- }
-}
diff --git a/tests/punycode.rs b/tests/punycode.rs
deleted file mode 100644
--- a/tests/punycode.rs
+++ /dev/null
@@ -1,52 +0,0 @@
-extern crate url;
-extern crate rustc_serialize;
-
-use url::punycode::{decode, encode_str};
-use rustc_serialize::json::{Json, Object};
-
-fn one_test(description: &str, decoded: &str, encoded: &str) {
- match decode(encoded) {
- None => panic!("Decoding {} failed.", encoded),
- Some(result) => {
- let result = result.into_iter().collect::<String>();
- assert!(result == decoded,
- format!("Incorrect decoding of {}:\n {}\n!= {}\n{}",
- encoded, result, decoded, description))
- }
- }
-
- match encode_str(decoded) {
- None => panic!("Encoding {} failed.", decoded),
- Some(result) => {
- assert!(result == encoded,
- format!("Incorrect encoding of {}:\n {}\n!= {}\n{}",
- decoded, result, encoded, description))
- }
- }
-}
-
-fn get_string<'a>(map: &'a Object, key: &str) -> &'a str {
- match map.get(&key.to_string()) {
- Some(&Json::String(ref s)) => s,
- None => "",
- _ => panic!(),
- }
-}
-
-#[test]
-fn test_punycode() {
-
- match Json::from_str(include_str!("punycode_tests.json")) {
- Ok(Json::Array(tests)) => for test in &tests {
- match test {
- &Json::Object(ref o) => one_test(
- get_string(o, "description"),
- get_string(o, "decoded"),
- get_string(o, "encoded")
- ),
- _ => panic!(),
- }
- },
- other => panic!("{:?}", other)
- }
-}
diff --git a/tests/setters_tests.json b/tests/setters_tests.json
new file mode 100644
--- /dev/null
+++ b/tests/setters_tests.json
@@ -0,0 +1,1148 @@
+{
+ "comment": [
+ "## Tests for setters of https://url.spec.whatwg.org/#urlutils-members",
+ "",
+ "This file contains a JSON object.",
+ "Other than 'comment', each key is an attribute of the `URL` interface",
+ "defined in WHATWG’s URL Standard.",
+ "The values are arrays of test case objects for that attribute.",
+ "",
+ "To run a test case for the attribute `attr`:",
+ "",
+ "* Create a new `URL` object with the value for the 'href' key",
+ " the constructor single parameter. (Without a base URL.)",
+ " This must not throw.",
+ "* Set the attribute `attr` to (invoke its setter with)",
+ " with the value of for 'new_value' key.",
+ "* The value for the 'expected' key is another object.",
+ " For each `key` / `value` pair of that object,",
+ " get the attribute `key` (invoke its getter).",
+ " The returned string must be equal to `value`.",
+ "",
+ "Note: the 'href' setter is already covered by urltestdata.json."
+ ],
+ "protocol": [
+ {
+ "comment": "The empty string is not a valid scheme. Setter leaves the URL unchanged.",
+ "href": "a://example.net",
+ "new_value": "",
+ "expected": {
+ "href": "a://example.net/",
+ "protocol": "a:"
+ }
+ },
+ {
+ "href": "a://example.net",
+ "new_value": "b",
+ "expected": {
+ "href": "b://example.net/",
+ "protocol": "b:"
+ }
+ },
+ {
+ "comment": "Upper-case ASCII is lower-cased",
+ "href": "a://example.net",
+ "new_value": "B",
+ "expected": {
+ "href": "b://example.net/",
+ "protocol": "b:"
+ }
+ },
+ {
+ "comment": "Non-ASCII is rejected",
+ "href": "a://example.net",
+ "new_value": "é",
+ "expected": {
+ "href": "a://example.net/",
+ "protocol": "a:"
+ }
+ },
+ {
+ "comment": "No leading digit",
+ "href": "a://example.net",
+ "new_value": "0b",
+ "expected": {
+ "href": "a://example.net/",
+ "protocol": "a:"
+ }
+ },
+ {
+ "comment": "No leading punctuation",
+ "href": "a://example.net",
+ "new_value": "+b",
+ "expected": {
+ "href": "a://example.net/",
+ "protocol": "a:"
+ }
+ },
+ {
+ "href": "a://example.net",
+ "new_value": "bC0+-.",
+ "expected": {
+ "href": "bc0+-.://example.net/",
+ "protocol": "bc0+-.:"
+ }
+ },
+ {
+ "comment": "Only some punctuation is acceptable",
+ "href": "a://example.net",
+ "new_value": "b,c",
+ "expected": {
+ "href": "a://example.net/",
+ "protocol": "a:"
+ }
+ },
+ {
+ "comment": "Non-ASCII is rejected",
+ "href": "a://example.net",
+ "new_value": "bé",
+ "expected": {
+ "href": "a://example.net/",
+ "protocol": "a:"
+ }
+ },
+ {
+ "comment": "Spec deviation: from special scheme to not is not problematic. https://github.com/whatwg/url/issues/104",
+ "href": "http://example.net",
+ "new_value": "b",
+ "expected": {
+ "href": "b://example.net/",
+ "protocol": "b:"
+ }
+ },
+ {
+ "comment": "Cannot-be-a-base URL doesn’t have a host, but URL in a special scheme must.",
+ "href": "mailto:[email protected]",
+ "new_value": "http",
+ "expected": {
+ "href": "mailto:[email protected]",
+ "protocol": "mailto:"
+ }
+ },
+ {
+ "comment": "Spec deviation: from non-special scheme with a host to special is not problematic. https://github.com/whatwg/url/issues/104",
+ "href": "ssh://[email protected]",
+ "new_value": "http",
+ "expected": {
+ "href": "http://[email protected]/",
+ "protocol": "http:"
+ }
+ },
+ {
+ "comment": "Stuff after the first ':' is ignored",
+ "href": "http://example.net",
+ "new_value": "https:foo : bar",
+ "expected": {
+ "href": "https://example.net/",
+ "protocol": "https:"
+ }
+ },
+ {
+ "comment": "Stuff after the first ':' is ignored",
+ "href": "data:text/html,<p>Test",
+ "new_value": "view-source+data:foo : bar",
+ "expected": {
+ "href": "view-source+data:text/html,<p>Test",
+ "protocol": "view-source+data:"
+ }
+ }
+ ],
+ "username": [
+ {
+ "comment": "No host means no username",
+ "href": "file:///home/you/index.html",
+ "new_value": "me",
+ "expected": {
+ "href": "file:///home/you/index.html",
+ "username": ""
+ }
+ },
+ {
+ "comment": "No host means no username",
+ "href": "unix:/run/foo.socket",
+ "new_value": "me",
+ "expected": {
+ "href": "unix:/run/foo.socket",
+ "username": ""
+ }
+ },
+ {
+ "comment": "Cannot-be-a-base means no username",
+ "href": "mailto:[email protected]",
+ "new_value": "me",
+ "expected": {
+ "href": "mailto:[email protected]",
+ "username": ""
+ }
+ },
+ {
+ "href": "http://example.net",
+ "new_value": "me",
+ "expected": {
+ "href": "http://[email protected]/",
+ "username": "me"
+ }
+ },
+ {
+ "href": "http://:[email protected]",
+ "new_value": "me",
+ "expected": {
+ "href": "http://me:[email protected]/",
+ "username": "me"
+ }
+ },
+ {
+ "href": "http://[email protected]",
+ "new_value": "",
+ "expected": {
+ "href": "http://example.net/",
+ "username": ""
+ }
+ },
+ {
+ "href": "http://me:[email protected]",
+ "new_value": "",
+ "expected": {
+ "href": "http://:[email protected]/",
+ "username": ""
+ }
+ },
+ {
+ "comment": "UTF-8 percent encoding with the userinfo encode set.",
+ "href": "http://example.net",
+ "new_value": "\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
+ "expected": {
+ "href": "http://%00%01%09%0A%0D%1F%20!%22%23$%&'()*+,-.%2F09%3A%3B%3C%3D%3E%3F%40AZ%5B%5C%5D%5E_%60az%7B%7C%7D~%7F%C2%80%C2%81%C3%89%C3%[email protected]/",
+ "username": "%00%01%09%0A%0D%1F%20!%22%23$%&'()*+,-.%2F09%3A%3B%3C%3D%3E%3F%40AZ%5B%5C%5D%5E_%60az%7B%7C%7D~%7F%C2%80%C2%81%C3%89%C3%A9"
+ }
+ },
+ {
+ "comment": "Bytes already percent-encoded are left as-is.",
+ "href": "http://example.net",
+ "new_value": "%c3%89té",
+ "expected": {
+ "href": "http://%c3%89t%C3%[email protected]/",
+ "username": "%c3%89t%C3%A9"
+ }
+ }
+ ],
+ "password": [
+ {
+ "comment": "No host means no password",
+ "href": "file:///home/me/index.html",
+ "new_value": "secret",
+ "expected": {
+ "href": "file:///home/me/index.html",
+ "password": ""
+ }
+ },
+ {
+ "comment": "No host means no password",
+ "href": "unix:/run/foo.socket",
+ "new_value": "secret",
+ "expected": {
+ "href": "unix:/run/foo.socket",
+ "password": ""
+ }
+ },
+ {
+ "comment": "Cannot-be-a-base means no password",
+ "href": "mailto:[email protected]",
+ "new_value": "secret",
+ "expected": {
+ "href": "mailto:[email protected]",
+ "password": ""
+ }
+ },
+ {
+ "href": "http://example.net",
+ "new_value": "secret",
+ "expected": {
+ "href": "http://:[email protected]/",
+ "password": "secret"
+ }
+ },
+ {
+ "href": "http://[email protected]",
+ "new_value": "secret",
+ "expected": {
+ "href": "http://me:[email protected]/",
+ "password": "secret"
+ }
+ },
+ {
+ "href": "http://:[email protected]",
+ "new_value": "",
+ "expected": {
+ "href": "http://example.net/",
+ "password": ""
+ }
+ },
+ {
+ "href": "http://me:[email protected]",
+ "new_value": "",
+ "expected": {
+ "href": "http://[email protected]/",
+ "password": ""
+ }
+ },
+ {
+ "comment": "UTF-8 percent encoding with the userinfo encode set.",
+ "href": "http://example.net",
+ "new_value": "\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
+ "expected": {
+ "href": "http://:%00%01%09%0A%0D%1F%20!%22%23$%&'()*+,-.%2F09%3A%3B%3C%3D%3E%3F%40AZ%5B%5C%5D%5E_%60az%7B%7C%7D~%7F%C2%80%C2%81%C3%89%C3%[email protected]/",
+ "password": "%00%01%09%0A%0D%1F%20!%22%23$%&'()*+,-.%2F09%3A%3B%3C%3D%3E%3F%40AZ%5B%5C%5D%5E_%60az%7B%7C%7D~%7F%C2%80%C2%81%C3%89%C3%A9"
+ }
+ },
+ {
+ "comment": "Bytes already percent-encoded are left as-is.",
+ "href": "http://example.net",
+ "new_value": "%c3%89té",
+ "expected": {
+ "href": "http://:%c3%89t%C3%[email protected]/",
+ "password": "%c3%89t%C3%A9"
+ }
+ }
+ ],
+ "host": [
+ {
+ "comment": "Cannot-be-a-base means no host",
+ "href": "mailto:[email protected]",
+ "new_value": "example.com",
+ "expected": {
+ "href": "mailto:[email protected]",
+ "host": ""
+ }
+ },
+ {
+ "comment": "Cannot-be-a-base means no password",
+ "href": "data:text/plain,Stuff",
+ "new_value": "example.net",
+ "expected": {
+ "href": "data:text/plain,Stuff",
+ "host": ""
+ }
+ },
+ {
+ "href": "http://example.net",
+ "new_value": "example.com:8080",
+ "expected": {
+ "href": "http://example.com:8080/",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Port number is unchanged if not specified in the new value",
+ "href": "http://example.net:8080",
+ "new_value": "example.com",
+ "expected": {
+ "href": "http://example.com:8080/",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Port number is removed if empty in the new value: https://github.com/whatwg/url/pull/113",
+ "href": "http://example.net:8080",
+ "new_value": "example.com:",
+ "expected": {
+ "href": "http://example.com/",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "The empty host is not valid for special schemes",
+ "href": "http://example.net",
+ "new_value": "",
+ "expected": {
+ "href": "http://example.net/",
+ "host": "example.net"
+ }
+ },
+ {
+ "comment": "The empty host is OK for non-special schemes",
+ "href": "view-source+http://example.net/foo",
+ "new_value": "",
+ "expected": {
+ "href": "view-source+http:///foo",
+ "host": ""
+ }
+ },
+ {
+ "comment": "Path-only URLs can gain a host",
+ "href": "a:/foo",
+ "new_value": "example.net",
+ "expected": {
+ "href": "a://example.net/foo",
+ "host": "example.net"
+ }
+ },
+ {
+ "comment": "Path-only URLs can gain a host",
+ "href": "a:/foo",
+ "new_value": "example.net",
+ "expected": {
+ "href": "a://example.net/foo",
+ "host": "example.net"
+ }
+ },
+ {
+ "comment": "IPv4 address syntax is normalized",
+ "href": "http://example.net",
+ "new_value": "0x7F000001:8080",
+ "expected": {
+ "href": "http://127.0.0.1:8080/",
+ "host": "127.0.0.1:8080",
+ "hostname": "127.0.0.1",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "IPv6 address syntax is normalized",
+ "href": "http://example.net",
+ "new_value": "[::0:01]:2",
+ "expected": {
+ "href": "http://[::1]:2/",
+ "host": "[::1]:2",
+ "hostname": "[::1]",
+ "port": "2"
+ }
+ },
+ {
+ "comment": "Default port number is removed",
+ "href": "http://example.net",
+ "new_value": "example.com:80",
+ "expected": {
+ "href": "http://example.com/",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Default port number is removed",
+ "href": "https://example.net",
+ "new_value": "example.com:443",
+ "expected": {
+ "href": "https://example.com/",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Default port number is only removed for the relevant scheme",
+ "href": "https://example.net",
+ "new_value": "example.com:80",
+ "expected": {
+ "href": "https://example.com:80/",
+ "host": "example.com:80",
+ "hostname": "example.com",
+ "port": "80"
+ }
+ },
+ {
+ "comment": "Stuff after a / delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com/stuff",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Stuff after a / delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com:8080/stuff",
+ "expected": {
+ "href": "http://example.com:8080/path",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Stuff after a ? delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com?stuff",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Stuff after a ? delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com:8080?stuff",
+ "expected": {
+ "href": "http://example.com:8080/path",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Stuff after a # delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com#stuff",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Stuff after a # delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com:8080#stuff",
+ "expected": {
+ "href": "http://example.com:8080/path",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Stuff after a \\ delimiter is ignored for special schemes",
+ "href": "http://example.net/path",
+ "new_value": "example.com\\stuff",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Stuff after a \\ delimiter is ignored for special schemes",
+ "href": "http://example.net/path",
+ "new_value": "example.com:8080\\stuff",
+ "expected": {
+ "href": "http://example.com:8080/path",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "\\ is not a delimiter for non-special schemes, and it’s invalid in a domain",
+ "href": "view-source+http://example.net/path",
+ "new_value": "example.com\\stuff",
+ "expected": {
+ "href": "view-source+http://example.net/path",
+ "host": "example.net",
+ "hostname": "example.net",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Anything other than ASCII digit stops the port parser in a setter but is not an error",
+ "href": "view-source+http://example.net/path",
+ "new_value": "example.com:8080stuff2",
+ "expected": {
+ "href": "view-source+http://example.com:8080/path",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Anything other than ASCII digit stops the port parser in a setter but is not an error",
+ "href": "http://example.net/path",
+ "new_value": "example.com:8080stuff2",
+ "expected": {
+ "href": "http://example.com:8080/path",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Anything other than ASCII digit stops the port parser in a setter but is not an error",
+ "href": "http://example.net/path",
+ "new_value": "example.com:8080+2",
+ "expected": {
+ "href": "http://example.com:8080/path",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Port numbers are 16 bit integers",
+ "href": "http://example.net/path",
+ "new_value": "example.com:65535",
+ "expected": {
+ "href": "http://example.com:65535/path",
+ "host": "example.com:65535",
+ "hostname": "example.com",
+ "port": "65535"
+ }
+ },
+ {
+ "comment": "Port numbers are 16 bit integers, overflowing is an error. Hostname is still set, though.",
+ "href": "http://example.net/path",
+ "new_value": "example.com:65536",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ }
+ ],
+ "hostname": [
+ {
+ "comment": "Cannot-be-a-base means no host",
+ "href": "mailto:[email protected]",
+ "new_value": "example.com",
+ "expected": {
+ "href": "mailto:[email protected]",
+ "host": ""
+ }
+ },
+ {
+ "comment": "Cannot-be-a-base means no password",
+ "href": "data:text/plain,Stuff",
+ "new_value": "example.net",
+ "expected": {
+ "href": "data:text/plain,Stuff",
+ "host": ""
+ }
+ },
+ {
+ "href": "http://example.net:8080",
+ "new_value": "example.com",
+ "expected": {
+ "href": "http://example.com:8080/",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "The empty host is not valid for special schemes",
+ "href": "http://example.net",
+ "new_value": "",
+ "expected": {
+ "href": "http://example.net/",
+ "host": "example.net"
+ }
+ },
+ {
+ "comment": "The empty host is OK for non-special schemes",
+ "href": "view-source+http://example.net/foo",
+ "new_value": "",
+ "expected": {
+ "href": "view-source+http:///foo",
+ "host": ""
+ }
+ },
+ {
+ "comment": "Path-only URLs can gain a host",
+ "href": "a:/foo",
+ "new_value": "example.net",
+ "expected": {
+ "href": "a://example.net/foo",
+ "host": "example.net"
+ }
+ },
+ {
+ "comment": "Path-only URLs can gain a host",
+ "href": "a:/foo",
+ "new_value": "example.net",
+ "expected": {
+ "href": "a://example.net/foo",
+ "host": "example.net"
+ }
+ },
+ {
+ "comment": "IPv4 address syntax is normalized",
+ "href": "http://example.net:8080",
+ "new_value": "0x7F000001",
+ "expected": {
+ "href": "http://127.0.0.1:8080/",
+ "host": "127.0.0.1:8080",
+ "hostname": "127.0.0.1",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "IPv6 address syntax is normalized",
+ "href": "http://example.net",
+ "new_value": "[::0:01]",
+ "expected": {
+ "href": "http://[::1]/",
+ "host": "[::1]",
+ "hostname": "[::1]",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Stuff after a : delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com:8080",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Stuff after a : delimiter is ignored",
+ "href": "http://example.net:8080/path",
+ "new_value": "example.com:",
+ "expected": {
+ "href": "http://example.com:8080/path",
+ "host": "example.com:8080",
+ "hostname": "example.com",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Stuff after a / delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com/stuff",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Stuff after a ? delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com?stuff",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Stuff after a # delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "example.com#stuff",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Stuff after a \\ delimiter is ignored for special schemes",
+ "href": "http://example.net/path",
+ "new_value": "example.com\\stuff",
+ "expected": {
+ "href": "http://example.com/path",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
+ {
+ "comment": "\\ is not a delimiter for non-special schemes, and it’s invalid in a domain",
+ "href": "view-source+http://example.net/path",
+ "new_value": "example.com\\stuff",
+ "expected": {
+ "href": "view-source+http://example.net/path",
+ "host": "example.net",
+ "hostname": "example.net",
+ "port": ""
+ }
+ }
+ ],
+ "port": [
+ {
+ "href": "http://example.net",
+ "new_value": "8080",
+ "expected": {
+ "href": "http://example.net:8080/",
+ "host": "example.net:8080",
+ "hostname": "example.net",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Port number is removed if empty in the new value: https://github.com/whatwg/url/pull/113",
+ "href": "http://example.net:8080",
+ "new_value": "",
+ "expected": {
+ "href": "http://example.net/",
+ "host": "example.net",
+ "hostname": "example.net",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Default port number is removed",
+ "href": "http://example.net:8080",
+ "new_value": "80",
+ "expected": {
+ "href": "http://example.net/",
+ "host": "example.net",
+ "hostname": "example.net",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Default port number is removed",
+ "href": "https://example.net:4433",
+ "new_value": "443",
+ "expected": {
+ "href": "https://example.net/",
+ "host": "example.net",
+ "hostname": "example.net",
+ "port": ""
+ }
+ },
+ {
+ "comment": "Default port number is only removed for the relevant scheme",
+ "href": "https://example.net",
+ "new_value": "80",
+ "expected": {
+ "href": "https://example.net:80/",
+ "host": "example.net:80",
+ "hostname": "example.net",
+ "port": "80"
+ }
+ },
+ {
+ "comment": "Stuff after a / delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "8080/stuff",
+ "expected": {
+ "href": "http://example.net:8080/path",
+ "host": "example.net:8080",
+ "hostname": "example.net",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Stuff after a ? delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "8080?stuff",
+ "expected": {
+ "href": "http://example.net:8080/path",
+ "host": "example.net:8080",
+ "hostname": "example.net",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Stuff after a # delimiter is ignored",
+ "href": "http://example.net/path",
+ "new_value": "8080#stuff",
+ "expected": {
+ "href": "http://example.net:8080/path",
+ "host": "example.net:8080",
+ "hostname": "example.net",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Stuff after a \\ delimiter is ignored for special schemes",
+ "href": "http://example.net/path",
+ "new_value": "8080\\stuff",
+ "expected": {
+ "href": "http://example.net:8080/path",
+ "host": "example.net:8080",
+ "hostname": "example.net",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Anything other than ASCII digit stops the port parser in a setter but is not an error",
+ "href": "view-source+http://example.net/path",
+ "new_value": "8080stuff2",
+ "expected": {
+ "href": "view-source+http://example.net:8080/path",
+ "host": "example.net:8080",
+ "hostname": "example.net",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Anything other than ASCII digit stops the port parser in a setter but is not an error",
+ "href": "http://example.net/path",
+ "new_value": "8080stuff2",
+ "expected": {
+ "href": "http://example.net:8080/path",
+ "host": "example.net:8080",
+ "hostname": "example.net",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Anything other than ASCII digit stops the port parser in a setter but is not an error",
+ "href": "http://example.net/path",
+ "new_value": "8080+2",
+ "expected": {
+ "href": "http://example.net:8080/path",
+ "host": "example.net:8080",
+ "hostname": "example.net",
+ "port": "8080"
+ }
+ },
+ {
+ "comment": "Port numbers are 16 bit integers",
+ "href": "http://example.net/path",
+ "new_value": "65535",
+ "expected": {
+ "href": "http://example.net:65535/path",
+ "host": "example.net:65535",
+ "hostname": "example.net",
+ "port": "65535"
+ }
+ },
+ {
+ "comment": "Port numbers are 16 bit integers, overflowing is an error",
+ "href": "http://example.net:8080/path",
+ "new_value": "65536",
+ "expected": {
+ "href": "http://example.net:8080/path",
+ "host": "example.net:8080",
+ "hostname": "example.net",
+ "port": "8080"
+ }
+ }
+ ],
+ "pathname": [
+ {
+ "comment": "Cannot-be-a-base don’t have a path",
+ "href": "mailto:[email protected]",
+ "new_value": "/foo",
+ "expected": {
+ "href": "mailto:[email protected]",
+ "pathname": "[email protected]"
+ }
+ },
+ {
+ "href": "unix:/run/foo.socket?timeout=10",
+ "new_value": "/var/log/../run/bar.socket",
+ "expected": {
+ "href": "unix:/var/run/bar.socket?timeout=10",
+ "pathname": "/var/run/bar.socket"
+ }
+ },
+ {
+ "href": "https://example.net#nav",
+ "new_value": "home",
+ "expected": {
+ "href": "https://example.net/home#nav",
+ "pathname": "/home"
+ }
+ },
+ {
+ "href": "https://example.net#nav",
+ "new_value": "../home",
+ "expected": {
+ "href": "https://example.net/home#nav",
+ "pathname": "/home"
+ }
+ },
+ {
+ "comment": "\\ is a segment delimiter for 'special' URLs",
+ "href": "http://example.net/home?lang=fr#nav",
+ "new_value": "\\a\\%2E\\b\\%2e.\\c",
+ "expected": {
+ "href": "http://example.net/a/c?lang=fr#nav",
+ "pathname": "/a/c"
+ }
+ },
+ {
+ "comment": "\\ is *not* a segment delimiter for non-'special' URLs",
+ "href": "view-source+http://example.net/home?lang=fr#nav",
+ "new_value": "\\a\\%2E\\b\\%2e.\\c",
+ "expected": {
+ "href": "view-source+http://example.net/\\a\\.\\b\\..\\c?lang=fr#nav",
+ "pathname": "/\\a\\.\\b\\..\\c"
+ }
+ },
+ {
+ "comment": "UTF-8 percent encoding with the default encode set. Tabs and newlines are removed.",
+ "href": "a:/",
+ "new_value": "\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
+ "expected": {
+ "href": "a:/%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E%3F@AZ[\\]^_%60az%7B|%7D~%7F%C2%80%C2%81%C3%89%C3%A9",
+ "pathname": "/%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E%3F@AZ[\\]^_%60az%7B|%7D~%7F%C2%80%C2%81%C3%89%C3%A9"
+ }
+ },
+ {
+ "comment": "Bytes already percent-encoded are left as-is, except %2E.",
+ "href": "http://example.net",
+ "new_value": "%2e%2E%c3%89té",
+ "expected": {
+ "href": "http://example.net/..%c3%89t%C3%A9",
+ "pathname": "/..%c3%89t%C3%A9"
+ }
+ }
+ ],
+ "search": [
+ {
+ "href": "https://example.net#nav",
+ "new_value": "lang=fr",
+ "expected": {
+ "href": "https://example.net/?lang=fr#nav",
+ "search": "?lang=fr"
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US#nav",
+ "new_value": "lang=fr",
+ "expected": {
+ "href": "https://example.net/?lang=fr#nav",
+ "search": "?lang=fr"
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US#nav",
+ "new_value": "?lang=fr",
+ "expected": {
+ "href": "https://example.net/?lang=fr#nav",
+ "search": "?lang=fr"
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US#nav",
+ "new_value": "??lang=fr",
+ "expected": {
+ "href": "https://example.net/??lang=fr#nav",
+ "search": "??lang=fr"
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US#nav",
+ "new_value": "?",
+ "expected": {
+ "href": "https://example.net/?#nav",
+ "search": ""
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US#nav",
+ "new_value": "",
+ "expected": {
+ "href": "https://example.net/#nav",
+ "search": ""
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US",
+ "new_value": "",
+ "expected": {
+ "href": "https://example.net/",
+ "search": ""
+ }
+ },
+ {
+ "href": "https://example.net",
+ "new_value": "",
+ "expected": {
+ "href": "https://example.net/",
+ "search": ""
+ }
+ },
+ {
+ "comment": "UTF-8 percent encoding with the query encode set. Tabs and newlines are removed.",
+ "href": "a:/",
+ "new_value": "\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
+ "expected": {
+ "href": "a:/?%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E?@AZ[\\]^_`az{|}~%7F%C2%80%C2%81%C3%89%C3%A9",
+ "search": "?%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E?@AZ[\\]^_`az{|}~%7F%C2%80%C2%81%C3%89%C3%A9"
+ }
+ },
+ {
+ "comment": "Bytes already percent-encoded are left as-is",
+ "href": "http://example.net",
+ "new_value": "%c3%89té",
+ "expected": {
+ "href": "http://example.net/?%c3%89t%C3%A9",
+ "search": "?%c3%89t%C3%A9"
+ }
+ }
+ ],
+ "hash": [
+ {
+ "href": "https://example.net",
+ "new_value": "main",
+ "expected": {
+ "href": "https://example.net/#main",
+ "hash": "#main"
+ }
+ },
+ {
+ "href": "https://example.net#nav",
+ "new_value": "main",
+ "expected": {
+ "href": "https://example.net/#main",
+ "hash": "#main"
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US",
+ "new_value": "##nav",
+ "expected": {
+ "href": "https://example.net/?lang=en-US##nav",
+ "hash": "##nav"
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US#nav",
+ "new_value": "#main",
+ "expected": {
+ "href": "https://example.net/?lang=en-US#main",
+ "hash": "#main"
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US#nav",
+ "new_value": "#",
+ "expected": {
+ "href": "https://example.net/?lang=en-US#",
+ "hash": ""
+ }
+ },
+ {
+ "href": "https://example.net?lang=en-US#nav",
+ "new_value": "",
+ "expected": {
+ "href": "https://example.net/?lang=en-US",
+ "hash": ""
+ }
+ },
+ {
+ "comment": "No percent-encoding at all (!); nuls, tabs, and newlines are removed",
+ "href": "a:/",
+ "new_value": "\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
+ "expected": {
+ "href": "a:/#\u0001\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
+ "hash": "#\u0001\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé"
+ }
+ },
+ {
+ "comment": "Bytes already percent-encoded are left as-is",
+ "href": "http://example.net",
+ "new_value": "%c3%89té",
+ "expected": {
+ "href": "http://example.net/#%c3%89té",
+ "hash": "#%c3%89té"
+ }
+ }
+ ]
+}
diff --git a/tests/tests.rs b/tests/tests.rs
deleted file mode 100644
--- a/tests/tests.rs
+++ /dev/null
@@ -1,191 +0,0 @@
-// Copyright 2013-2014 Simon Sapin.
-//
-// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
-// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
-// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
-// option. This file may not be copied, modified, or distributed
-// except according to those terms.
-
-extern crate url;
-
-use std::net::{Ipv4Addr, Ipv6Addr};
-use url::{Host, Url};
-
-#[test]
-fn new_file_paths() {
- use std::path::{Path, PathBuf};
- if cfg!(unix) {
- assert_eq!(Url::from_file_path(Path::new("relative")), Err(()));
- assert_eq!(Url::from_file_path(Path::new("../relative")), Err(()));
- } else {
- assert_eq!(Url::from_file_path(Path::new("relative")), Err(()));
- assert_eq!(Url::from_file_path(Path::new(r"..\relative")), Err(()));
- assert_eq!(Url::from_file_path(Path::new(r"\drive-relative")), Err(()));
- assert_eq!(Url::from_file_path(Path::new(r"\\ucn\")), Err(()));
- }
-
- if cfg!(unix) {
- let mut url = Url::from_file_path(Path::new("/foo/bar")).unwrap();
- assert_eq!(url.host(), Some(&Host::Domain("".to_string())));
- assert_eq!(url.path(), Some(&["foo".to_string(), "bar".to_string()][..]));
- assert!(url.to_file_path() == Ok(PathBuf::from("/foo/bar")));
-
- url.path_mut().unwrap()[1] = "ba\0r".to_string();
- url.to_file_path().is_ok();
-
- url.path_mut().unwrap()[1] = "ba%00r".to_string();
- url.to_file_path().is_ok();
- }
-}
-
-#[test]
-#[cfg(unix)]
-fn new_path_bad_utf8() {
- use std::ffi::OsStr;
- use std::os::unix::prelude::*;
- use std::path::{Path, PathBuf};
-
- let url = Url::from_file_path(Path::new("/foo/ba%80r")).unwrap();
- let os_str = OsStr::from_bytes(b"/foo/ba\x80r");
- assert_eq!(url.to_file_path(), Ok(PathBuf::from(os_str)));
-}
-
-#[test]
-fn new_path_windows_fun() {
- if cfg!(windows) {
- use std::path::{Path, PathBuf};
- let mut url = Url::from_file_path(Path::new(r"C:\foo\bar")).unwrap();
- assert_eq!(url.host(), Some(&Host::Domain("".to_string())));
- assert_eq!(url.path(), Some(&["C:".to_string(), "foo".to_string(), "bar".to_string()][..]));
- assert_eq!(url.to_file_path(),
- Ok(PathBuf::from(r"C:\foo\bar")));
-
- url.path_mut().unwrap()[2] = "ba\0r".to_string();
- assert!(url.to_file_path().is_ok());
-
- url.path_mut().unwrap()[2] = "ba%00r".to_string();
- assert!(url.to_file_path().is_ok());
-
- // Invalid UTF-8
- url.path_mut().unwrap()[2] = "ba%80r".to_string();
- assert!(url.to_file_path().is_err());
-
- // test windows canonicalized path
- let path = PathBuf::from(r"\\?\C:\foo\bar");
- assert!(Url::from_file_path(path).is_ok());
- }
-}
-
-
-#[test]
-fn new_directory_paths() {
- use std::path::Path;
-
- if cfg!(unix) {
- assert_eq!(Url::from_directory_path(Path::new("relative")), Err(()));
- assert_eq!(Url::from_directory_path(Path::new("../relative")), Err(()));
-
- let url = Url::from_directory_path(Path::new("/foo/bar")).unwrap();
- assert_eq!(url.host(), Some(&Host::Domain("".to_string())));
- assert_eq!(url.path(), Some(&["foo".to_string(), "bar".to_string(),
- "".to_string()][..]));
- } else {
- assert_eq!(Url::from_directory_path(Path::new("relative")), Err(()));
- assert_eq!(Url::from_directory_path(Path::new(r"..\relative")), Err(()));
- assert_eq!(Url::from_directory_path(Path::new(r"\drive-relative")), Err(()));
- assert_eq!(Url::from_directory_path(Path::new(r"\\ucn\")), Err(()));
-
- let url = Url::from_directory_path(Path::new(r"C:\foo\bar")).unwrap();
- assert_eq!(url.host(), Some(&Host::Domain("".to_string())));
- assert_eq!(url.path(), Some(&["C:".to_string(), "foo".to_string(),
- "bar".to_string(), "".to_string()][..]));
- }
-}
-
-#[test]
-fn from_str() {
- assert!("http://testing.com/this".parse::<Url>().is_ok());
-}
-
-#[test]
-fn issue_124() {
- let url: Url = "file:a".parse().unwrap();
- assert_eq!(url.path().unwrap(), ["a"]);
- let url: Url = "file:...".parse().unwrap();
- assert_eq!(url.path().unwrap(), ["..."]);
- let url: Url = "file:..".parse().unwrap();
- assert_eq!(url.path().unwrap(), [""]);
-}
-
-#[test]
-fn relative_scheme_data_equality() {
- use std::hash::{Hash, Hasher, SipHasher};
-
- fn check_eq(a: &Url, b: &Url) {
- assert_eq!(a, b);
-
- let mut h1 = SipHasher::new();
- a.hash(&mut h1);
- let mut h2 = SipHasher::new();
- b.hash(&mut h2);
- assert_eq!(h1.finish(), h2.finish());
- }
-
- fn url(s: &str) -> Url {
- let rv = s.parse().unwrap();
- check_eq(&rv, &rv);
- rv
- }
-
- // Doesn't care if default port is given.
- let a: Url = url("https://example.com/");
- let b: Url = url("https://example.com:443/");
- check_eq(&a, &b);
-
- // Different ports
- let a: Url = url("http://example.com/");
- let b: Url = url("http://example.com:8080/");
- assert!(a != b);
-
- // Different scheme
- let a: Url = url("http://example.com/");
- let b: Url = url("https://example.com/");
- assert!(a != b);
-
- // Different host
- let a: Url = url("http://foo.com/");
- let b: Url = url("http://bar.com/");
- assert!(a != b);
-
- // Missing path, automatically substituted. Semantically the same.
- let a: Url = url("http://foo.com");
- let b: Url = url("http://foo.com/");
- check_eq(&a, &b);
-}
-
-#[test]
-fn host() {
- let a = Host::parse("www.mozilla.org").unwrap();
- let b = Host::parse("1.35.33.49").unwrap();
- let c = Host::parse("[2001:0db8:85a3:08d3:1319:8a2e:0370:7344]").unwrap();
- let d = Host::parse("1.35.+33.49").unwrap();
- assert_eq!(a, Host::Domain("www.mozilla.org".to_owned()));
- assert_eq!(b, Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
- assert_eq!(c, Host::Ipv6(Ipv6Addr::new(0x2001, 0x0db8, 0x85a3, 0x08d3,
- 0x1319, 0x8a2e, 0x0370, 0x7344)));
- assert_eq!(d, Host::Domain("1.35.+33.49".to_owned()));
- assert_eq!(Host::parse("[::]").unwrap(), Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 0)));
- assert_eq!(Host::parse("[::1]").unwrap(), Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 1)));
- assert_eq!(Host::parse("0x1.0X23.0x21.061").unwrap(), Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
- assert_eq!(Host::parse("0x1232131").unwrap(), Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
- assert!(Host::parse("42.0x1232131").is_err());
- assert_eq!(Host::parse("111").unwrap(), Host::Ipv4(Ipv4Addr::new(0, 0, 0, 111)));
- assert_eq!(Host::parse("2..2.3").unwrap(), Host::Domain("2..2.3".to_owned()));
- assert!(Host::parse("192.168.0.257").is_err());
-}
-
-#[test]
-fn test_idna() {
- assert!("http://goșu.ro".parse::<Url>().is_ok());
- assert_eq!(Url::parse("http://☃.net/").unwrap().domain(), Some("xn--n3h.net"));
-}
diff --git a/tests/unit.rs b/tests/unit.rs
new file mode 100644
--- /dev/null
+++ b/tests/unit.rs
@@ -0,0 +1,235 @@
+// Copyright 2013-2014 The rust-url developers.
+//
+// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+// option. This file may not be copied, modified, or distributed
+// except according to those terms.
+
+//! Unit tests
+
+extern crate url;
+
+use std::borrow::Cow;
+use std::net::{Ipv4Addr, Ipv6Addr};
+use std::path::{Path, PathBuf};
+use url::{Host, Url, form_urlencoded};
+
+macro_rules! assert_from_file_path {
+ ($path: expr) => { assert_from_file_path!($path, $path) };
+ ($path: expr, $url_path: expr) => {{
+ let url = Url::from_file_path(Path::new($path)).unwrap();
+ assert_eq!(url.host(), None);
+ assert_eq!(url.path(), $url_path);
+ assert_eq!(url.to_file_path(), Ok(PathBuf::from($path)));
+ }};
+}
+
+
+
+#[test]
+fn new_file_paths() {
+ if cfg!(unix) {
+ assert_eq!(Url::from_file_path(Path::new("relative")), Err(()));
+ assert_eq!(Url::from_file_path(Path::new("../relative")), Err(()));
+ }
+ if cfg!(windows) {
+ assert_eq!(Url::from_file_path(Path::new("relative")), Err(()));
+ assert_eq!(Url::from_file_path(Path::new(r"..\relative")), Err(()));
+ assert_eq!(Url::from_file_path(Path::new(r"\drive-relative")), Err(()));
+ assert_eq!(Url::from_file_path(Path::new(r"\\ucn\")), Err(()));
+ }
+
+ if cfg!(unix) {
+ assert_from_file_path!("/foo/bar");
+ assert_from_file_path!("/foo/ba\0r", "/foo/ba%00r");
+ assert_from_file_path!("/foo/ba%00r", "/foo/ba%2500r");
+ }
+}
+
+#[test]
+#[cfg(unix)]
+fn new_path_bad_utf8() {
+ use std::ffi::OsStr;
+ use std::os::unix::prelude::*;
+
+ let url = Url::from_file_path(Path::new(OsStr::from_bytes(b"/foo/ba\x80r"))).unwrap();
+ let os_str = OsStr::from_bytes(b"/foo/ba\x80r");
+ assert_eq!(url.to_file_path(), Ok(PathBuf::from(os_str)));
+}
+
+#[test]
+fn new_path_windows_fun() {
+ if cfg!(windows) {
+ assert_from_file_path!(r"C:\foo\bar", "/C:/foo/bar");
+ assert_from_file_path!("C:\\foo\\ba\0r", "/C:/foo/ba%00r");
+
+ // Invalid UTF-8
+ assert!(Url::parse("file:///C:/foo/ba%80r").unwrap().to_file_path().is_err());
+
+ // test windows canonicalized path
+ let path = PathBuf::from(r"\\?\C:\foo\bar");
+ assert!(Url::from_file_path(path).is_ok());
+ }
+}
+
+
+#[test]
+fn new_directory_paths() {
+ if cfg!(unix) {
+ assert_eq!(Url::from_directory_path(Path::new("relative")), Err(()));
+ assert_eq!(Url::from_directory_path(Path::new("../relative")), Err(()));
+
+ let url = Url::from_directory_path(Path::new("/foo/bar")).unwrap();
+ assert_eq!(url.host(), None);
+ assert_eq!(url.path(), "/foo/bar/");
+ }
+ if cfg!(windows) {
+ assert_eq!(Url::from_directory_path(Path::new("relative")), Err(()));
+ assert_eq!(Url::from_directory_path(Path::new(r"..\relative")), Err(()));
+ assert_eq!(Url::from_directory_path(Path::new(r"\drive-relative")), Err(()));
+ assert_eq!(Url::from_directory_path(Path::new(r"\\ucn\")), Err(()));
+
+ let url = Url::from_directory_path(Path::new(r"C:\foo\bar")).unwrap();
+ assert_eq!(url.host(), None);
+ assert_eq!(url.path(), "/C:/foo/bar/");
+ }
+}
+
+#[test]
+fn from_str() {
+ assert!("http://testing.com/this".parse::<Url>().is_ok());
+}
+
+#[test]
+fn issue_124() {
+ let url: Url = "file:a".parse().unwrap();
+ assert_eq!(url.path(), "/a");
+ let url: Url = "file:...".parse().unwrap();
+ assert_eq!(url.path(), "/...");
+ let url: Url = "file:..".parse().unwrap();
+ assert_eq!(url.path(), "/");
+}
+
+#[test]
+fn test_equality() {
+ use std::hash::{Hash, Hasher, SipHasher};
+
+ fn check_eq(a: &Url, b: &Url) {
+ assert_eq!(a, b);
+
+ let mut h1 = SipHasher::new();
+ a.hash(&mut h1);
+ let mut h2 = SipHasher::new();
+ b.hash(&mut h2);
+ assert_eq!(h1.finish(), h2.finish());
+ }
+
+ fn url(s: &str) -> Url {
+ let rv = s.parse().unwrap();
+ check_eq(&rv, &rv);
+ rv
+ }
+
+ // Doesn't care if default port is given.
+ let a: Url = url("https://example.com/");
+ let b: Url = url("https://example.com:443/");
+ check_eq(&a, &b);
+
+ // Different ports
+ let a: Url = url("http://example.com/");
+ let b: Url = url("http://example.com:8080/");
+ assert!(a != b, "{:?} != {:?}", a, b);
+
+ // Different scheme
+ let a: Url = url("http://example.com/");
+ let b: Url = url("https://example.com/");
+ assert!(a != b);
+
+ // Different host
+ let a: Url = url("http://foo.com/");
+ let b: Url = url("http://bar.com/");
+ assert!(a != b);
+
+ // Missing path, automatically substituted. Semantically the same.
+ let a: Url = url("http://foo.com");
+ let b: Url = url("http://foo.com/");
+ check_eq(&a, &b);
+}
+
+#[test]
+fn host() {
+ fn assert_host(input: &str, host: Host<&str>) {
+ assert_eq!(Url::parse(input).unwrap().host(), Some(host));
+ }
+ assert_host("http://www.mozilla.org", Host::Domain("www.mozilla.org"));
+ assert_host("http://1.35.33.49", Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
+ assert_host("http://[2001:0db8:85a3:08d3:1319:8a2e:0370:7344]", Host::Ipv6(Ipv6Addr::new(
+ 0x2001, 0x0db8, 0x85a3, 0x08d3, 0x1319, 0x8a2e, 0x0370, 0x7344)));
+ assert_host("http://1.35.+33.49", Host::Domain("1.35.+33.49"));
+ assert_host("http://[::]", Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 0)));
+ assert_host("http://[::1]", Host::Ipv6(Ipv6Addr::new(0, 0, 0, 0, 0, 0, 0, 1)));
+ assert_host("http://0x1.0X23.0x21.061", Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
+ assert_host("http://0x1232131", Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)));
+ assert_host("http://111", Host::Ipv4(Ipv4Addr::new(0, 0, 0, 111)));
+ assert_host("http://2..2.3", Host::Domain("2..2.3"));
+ assert!(Url::parse("http://42.0x1232131").is_err());
+ assert!(Url::parse("http://192.168.0.257").is_err());
+}
+
+#[test]
+fn host_serialization() {
+ // libstd’s `Display for Ipv6Addr` serializes 0:0:0:0:0:0:_:_ and 0:0:0:0:0:ffff:_:_
+ // using IPv4-like syntax, as suggested in https://tools.ietf.org/html/rfc5952#section-4
+ // but https://url.spec.whatwg.org/#concept-ipv6-serializer specifies not to.
+
+ // Not [::0.0.0.2] / [::ffff:0.0.0.2]
+ assert_eq!(Url::parse("http://[0::2]").unwrap().host_str(), Some("[::2]"));
+ assert_eq!(Url::parse("http://[0::ffff:0:2]").unwrap().host_str(), Some("[::ffff:0:2]"));
+}
+
+#[test]
+fn test_idna() {
+ assert!("http://goșu.ro".parse::<Url>().is_ok());
+ assert_eq!(Url::parse("http://☃.net/").unwrap().host(), Some(Host::Domain("xn--n3h.net")));
+}
+
+#[test]
+fn test_serialization() {
+ let data = [
+ ("http://example.com/", "http://example.com/"),
+ ("http://addslash.com", "http://addslash.com/"),
+ ("http://@emptyuser.com/", "http://emptyuser.com/"),
+ ("http://:@emptypass.com/", "http://:@emptypass.com/"),
+ ("http://[email protected]/", "http://[email protected]/"),
+ ("http://user:[email protected]/", "http://user:[email protected]/"),
+ ("http://slashquery.com/path/?q=something", "http://slashquery.com/path/?q=something"),
+ ("http://noslashquery.com/path?q=something", "http://noslashquery.com/path?q=something")
+ ];
+ for &(input, result) in &data {
+ let url = Url::parse(input).unwrap();
+ assert_eq!(url.as_str(), result);
+ }
+}
+
+#[test]
+fn test_form_urlencoded() {
+ let pairs: &[(Cow<str>, Cow<str>)] = &[
+ ("foo".into(), "é&".into()),
+ ("bar".into(), "".into()),
+ ("foo".into(), "#".into())
+ ];
+ let encoded = form_urlencoded::Serializer::new(String::new()).extend_pairs(pairs).finish();
+ assert_eq!(encoded, "foo=%C3%A9%26&bar=&foo=%23");
+ assert_eq!(form_urlencoded::parse(encoded.as_bytes()).collect::<Vec<_>>(), pairs.to_vec());
+}
+
+#[test]
+fn test_form_serialize() {
+ let encoded = form_urlencoded::Serializer::new(String::new())
+ .append_pair("foo", "é&")
+ .append_pair("bar", "")
+ .append_pair("foo", "#")
+ .finish();
+ assert_eq!(encoded, "foo=%C3%A9%26&bar=&foo=%23");
+}
diff --git a/tests/urltestdata.json b/tests/urltestdata.json
new file mode 100644
--- /dev/null
+++ b/tests/urltestdata.json
@@ -0,0 +1,4228 @@
+[
+ "# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/script-tests/segments.js",
+ {
+ "input": "http://example\t.\norg",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://user:pass@foo:21/bar;par?b#c",
+ "base": "http://example.org/foo/bar",
+ "href": "http://user:pass@foo:21/bar;par?b#c",
+ "origin": "http://foo:21",
+ "protocol": "http:",
+ "username": "user",
+ "password": "pass",
+ "host": "foo:21",
+ "hostname": "foo",
+ "port": "21",
+ "pathname": "/bar;par",
+ "search": "?b",
+ "hash": "#c"
+ },
+ {
+ "input": "http:foo.com",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/foo.com",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/foo.com",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "\t :foo.com \n",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:foo.com",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:foo.com",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": " foo.com ",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/foo.com",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/foo.com",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "a:\t foo.com",
+ "base": "http://example.org/foo/bar",
+ "href": "a: foo.com",
+ "origin": "null",
+ "protocol": "a:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": " foo.com",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://f:21/ b ? d # e ",
+ "base": "http://example.org/foo/bar",
+ "href": "http://f:21/%20b%20?%20d%20# e",
+ "origin": "http://f:21",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "f:21",
+ "hostname": "f",
+ "port": "21",
+ "pathname": "/%20b%20",
+ "search": "?%20d%20",
+ "hash": "# e"
+ },
+ {
+ "input": "http://f:/c",
+ "base": "http://example.org/foo/bar",
+ "href": "http://f/c",
+ "origin": "http://f",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "f",
+ "hostname": "f",
+ "port": "",
+ "pathname": "/c",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://f:0/c",
+ "base": "http://example.org/foo/bar",
+ "href": "http://f:0/c",
+ "origin": "http://f:0",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "f:0",
+ "hostname": "f",
+ "port": "0",
+ "pathname": "/c",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://f:00000000000000/c",
+ "base": "http://example.org/foo/bar",
+ "href": "http://f:0/c",
+ "origin": "http://f:0",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "f:0",
+ "hostname": "f",
+ "port": "0",
+ "pathname": "/c",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://f:00000000000000000000080/c",
+ "base": "http://example.org/foo/bar",
+ "href": "http://f/c",
+ "origin": "http://f",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "f",
+ "hostname": "f",
+ "port": "",
+ "pathname": "/c",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://f:b/c",
+ "base": "http://example.org/foo/bar",
+ "failure": true
+ },
+ {
+ "input": "http://f: /c",
+ "base": "http://example.org/foo/bar",
+ "failure": true
+ },
+ {
+ "input": "http://f:\n/c",
+ "base": "http://example.org/foo/bar",
+ "href": "http://f/c",
+ "origin": "http://f",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "f",
+ "hostname": "f",
+ "port": "",
+ "pathname": "/c",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://f:fifty-two/c",
+ "base": "http://example.org/foo/bar",
+ "failure": true
+ },
+ {
+ "input": "http://f:999999/c",
+ "base": "http://example.org/foo/bar",
+ "failure": true
+ },
+ {
+ "input": "http://f: 21 / b ? d # e ",
+ "base": "http://example.org/foo/bar",
+ "failure": true
+ },
+ {
+ "input": "",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/bar",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": " \t",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/bar",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": ":foo.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:foo.com/",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:foo.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": ":foo.com\\",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:foo.com/",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:foo.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": ":",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": ":a",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:a",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:a",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": ":/",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:/",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": ":\\",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:/",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": ":#",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:#",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "#",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/bar#",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "#/",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/bar#/",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/bar",
+ "search": "",
+ "hash": "#/"
+ },
+ {
+ "input": "#\\",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/bar#\\",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/bar",
+ "search": "",
+ "hash": "#\\"
+ },
+ {
+ "input": "#;?",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/bar#;?",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/bar",
+ "search": "",
+ "hash": "#;?"
+ },
+ {
+ "input": "?",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/bar?",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": ":23",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:23",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:23",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/:23",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/:23",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/:23",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "::",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/::",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/::",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "::23",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/::23",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/::23",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "foo://",
+ "base": "http://example.org/foo/bar",
+ "href": "foo:///",
+ "origin": "null",
+ "protocol": "foo:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://a:b@c:29/d",
+ "base": "http://example.org/foo/bar",
+ "href": "http://a:b@c:29/d",
+ "origin": "http://c:29",
+ "protocol": "http:",
+ "username": "a",
+ "password": "b",
+ "host": "c:29",
+ "hostname": "c",
+ "port": "29",
+ "pathname": "/d",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http::@c:29",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/:@c:29",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/:@c:29",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://&a:foo(b]c@d:2/",
+ "base": "http://example.org/foo/bar",
+ "href": "http://&a:foo(b%5Dc@d:2/",
+ "origin": "http://d:2",
+ "protocol": "http:",
+ "username": "&a",
+ "password": "foo(b%5Dc",
+ "host": "d:2",
+ "hostname": "d",
+ "port": "2",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://::@c@d:2",
+ "base": "http://example.org/foo/bar",
+ "href": "http://:%3A%40c@d:2/",
+ "origin": "http://d:2",
+ "protocol": "http:",
+ "username": "",
+ "password": "%3A%40c",
+ "host": "d:2",
+ "hostname": "d",
+ "port": "2",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://foo.com:b@d/",
+ "base": "http://example.org/foo/bar",
+ "href": "http://foo.com:b@d/",
+ "origin": "http://d",
+ "protocol": "http:",
+ "username": "foo.com",
+ "password": "b",
+ "host": "d",
+ "hostname": "d",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://foo.com/\\@",
+ "base": "http://example.org/foo/bar",
+ "href": "http://foo.com//@",
+ "origin": "http://foo.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo.com",
+ "hostname": "foo.com",
+ "port": "",
+ "pathname": "//@",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:\\\\foo.com\\",
+ "base": "http://example.org/foo/bar",
+ "href": "http://foo.com/",
+ "origin": "http://foo.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo.com",
+ "hostname": "foo.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:\\\\a\\b:c\\[email protected]\\",
+ "base": "http://example.org/foo/bar",
+ "href": "http://a/b:c/[email protected]/",
+ "origin": "http://a",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "a",
+ "hostname": "a",
+ "port": "",
+ "pathname": "/b:c/[email protected]/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "foo:/",
+ "base": "http://example.org/foo/bar",
+ "href": "foo:/",
+ "origin": "null",
+ "protocol": "foo:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "foo:/bar.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "foo:/bar.com/",
+ "origin": "null",
+ "protocol": "foo:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/bar.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "foo://///////",
+ "base": "http://example.org/foo/bar",
+ "href": "foo://///////",
+ "origin": "null",
+ "protocol": "foo:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "///////",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "foo://///////bar.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "foo://///////bar.com/",
+ "origin": "null",
+ "protocol": "foo:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "///////bar.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "foo:////://///",
+ "base": "http://example.org/foo/bar",
+ "href": "foo:////://///",
+ "origin": "null",
+ "protocol": "foo:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "//://///",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "c:/foo",
+ "base": "http://example.org/foo/bar",
+ "href": "c:/foo",
+ "origin": "null",
+ "protocol": "c:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/foo",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "//foo/bar",
+ "base": "http://example.org/foo/bar",
+ "href": "http://foo/bar",
+ "origin": "http://foo",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://foo/path;a??e#f#g",
+ "base": "http://example.org/foo/bar",
+ "href": "http://foo/path;a??e#f#g",
+ "origin": "http://foo",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/path;a",
+ "search": "??e",
+ "hash": "#f#g"
+ },
+ {
+ "input": "http://foo/abcd?efgh?ijkl",
+ "base": "http://example.org/foo/bar",
+ "href": "http://foo/abcd?efgh?ijkl",
+ "origin": "http://foo",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/abcd",
+ "search": "?efgh?ijkl",
+ "hash": ""
+ },
+ {
+ "input": "http://foo/abcd#foo?bar",
+ "base": "http://example.org/foo/bar",
+ "href": "http://foo/abcd#foo?bar",
+ "origin": "http://foo",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/abcd",
+ "search": "",
+ "hash": "#foo?bar"
+ },
+ {
+ "input": "[61:24:74]:98",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/[61:24:74]:98",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/[61:24:74]:98",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:[61:27]/:foo",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/[61:27]/:foo",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/[61:27]/:foo",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://[1::2]:3:4",
+ "base": "http://example.org/foo/bar",
+ "failure": true
+ },
+ {
+ "input": "http://2001::1",
+ "base": "http://example.org/foo/bar",
+ "failure": true
+ },
+ {
+ "input": "http://2001::1]",
+ "base": "http://example.org/foo/bar",
+ "failure": true
+ },
+ {
+ "input": "http://2001::1]:80",
+ "base": "http://example.org/foo/bar",
+ "failure": true
+ },
+ {
+ "input": "http://[2001::1]",
+ "base": "http://example.org/foo/bar",
+ "href": "http://[2001::1]/",
+ "origin": "http://[2001::1]",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "[2001::1]",
+ "hostname": "[2001::1]",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://[2001::1]:80",
+ "base": "http://example.org/foo/bar",
+ "href": "http://[2001::1]/",
+ "origin": "http://[2001::1]",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "[2001::1]",
+ "hostname": "[2001::1]",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/example.com/",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftp:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "ftp://example.com/",
+ "origin": "ftp://example.com",
+ "protocol": "ftp:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "https:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "https://example.com/",
+ "origin": "https://example.com",
+ "protocol": "https:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "madeupscheme:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "madeupscheme:/example.com/",
+ "origin": "null",
+ "protocol": "madeupscheme:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "file:///example.com/",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftps:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "ftps:/example.com/",
+ "origin": "null",
+ "protocol": "ftps:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "gopher:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "gopher://example.com/",
+ "origin": "gopher://example.com",
+ "protocol": "gopher:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ws:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "ws://example.com/",
+ "origin": "ws://example.com",
+ "protocol": "ws:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "wss:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "wss://example.com/",
+ "origin": "wss://example.com",
+ "protocol": "wss:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "data:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "data:/example.com/",
+ "origin": "null",
+ "protocol": "data:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "javascript:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "javascript:/example.com/",
+ "origin": "null",
+ "protocol": "javascript:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "mailto:/example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "mailto:/example.com/",
+ "origin": "null",
+ "protocol": "mailto:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/example.com/",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftp:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "ftp://example.com/",
+ "origin": "ftp://example.com",
+ "protocol": "ftp:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "https:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "https://example.com/",
+ "origin": "https://example.com",
+ "protocol": "https:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "madeupscheme:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "madeupscheme:example.com/",
+ "origin": "null",
+ "protocol": "madeupscheme:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftps:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "ftps:example.com/",
+ "origin": "null",
+ "protocol": "ftps:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "gopher:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "gopher://example.com/",
+ "origin": "gopher://example.com",
+ "protocol": "gopher:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ws:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "ws://example.com/",
+ "origin": "ws://example.com",
+ "protocol": "ws:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "wss:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "wss://example.com/",
+ "origin": "wss://example.com",
+ "protocol": "wss:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "data:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "data:example.com/",
+ "origin": "null",
+ "protocol": "data:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "javascript:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "javascript:example.com/",
+ "origin": "null",
+ "protocol": "javascript:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "mailto:example.com/",
+ "base": "http://example.org/foo/bar",
+ "href": "mailto:example.com/",
+ "origin": "null",
+ "protocol": "mailto:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/a/b/c",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/a/b/c",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/a/b/c",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/a/ /c",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/a/%20/c",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/a/%20/c",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/a%2fc",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/a%2fc",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/a%2fc",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/a/%2f/c",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/a/%2f/c",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/a/%2f/c",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "#β",
+ "base": "http://example.org/foo/bar",
+ "href": "http://example.org/foo/bar#β",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/foo/bar",
+ "search": "",
+ "hash": "#β"
+ },
+ {
+ "input": "data:text/html,test#test",
+ "base": "http://example.org/foo/bar",
+ "href": "data:text/html,test#test",
+ "origin": "null",
+ "protocol": "data:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "text/html,test",
+ "search": "",
+ "hash": "#test"
+ },
+ "# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/file.html",
+ {
+ "input": "file:c:\\foo\\bar.html",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///c:/foo/bar.html",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/c:/foo/bar.html",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": " File:c|////foo\\bar.html",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///c:////foo/bar.html",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/c:////foo/bar.html",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "C|/foo/bar",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///C:/foo/bar",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/C:/foo/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/C|\\foo\\bar",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///C:/foo/bar",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/C:/foo/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "//C|/foo/bar",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///C:/foo/bar",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/C:/foo/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "//server/file",
+ "base": "file:///tmp/mock/path",
+ "href": "file://server/file",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "server",
+ "hostname": "server",
+ "port": "",
+ "pathname": "/file",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "\\\\server\\file",
+ "base": "file:///tmp/mock/path",
+ "href": "file://server/file",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "server",
+ "hostname": "server",
+ "port": "",
+ "pathname": "/file",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/\\server/file",
+ "base": "file:///tmp/mock/path",
+ "href": "file://server/file",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "server",
+ "hostname": "server",
+ "port": "",
+ "pathname": "/file",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:///foo/bar.txt",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///foo/bar.txt",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/foo/bar.txt",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:///home/me",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///home/me",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/home/me",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "//",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "///",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "///test",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///test",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/test",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file://test",
+ "base": "file:///tmp/mock/path",
+ "href": "file://test/",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "test",
+ "hostname": "test",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file://localhost",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file://localhost/",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file://localhost/test",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///test",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/test",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "test",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///tmp/mock/test",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/tmp/mock/test",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:test",
+ "base": "file:///tmp/mock/path",
+ "href": "file:///tmp/mock/test",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/tmp/mock/test",
+ "search": "",
+ "hash": ""
+ },
+ "# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/script-tests/path.js",
+ {
+ "input": "http://example.com/././foo",
+ "base": "about:blank",
+ "href": "http://example.com/foo",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/./.foo",
+ "base": "about:blank",
+ "href": "http://example.com/.foo",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/.foo",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/.",
+ "base": "about:blank",
+ "href": "http://example.com/foo/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/./",
+ "base": "about:blank",
+ "href": "http://example.com/foo/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/bar/..",
+ "base": "about:blank",
+ "href": "http://example.com/foo/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/bar/../",
+ "base": "about:blank",
+ "href": "http://example.com/foo/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/..bar",
+ "base": "about:blank",
+ "href": "http://example.com/foo/..bar",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/..bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/bar/../ton",
+ "base": "about:blank",
+ "href": "http://example.com/foo/ton",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/ton",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/bar/../ton/../../a",
+ "base": "about:blank",
+ "href": "http://example.com/a",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/a",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/../../..",
+ "base": "about:blank",
+ "href": "http://example.com/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/../../../ton",
+ "base": "about:blank",
+ "href": "http://example.com/ton",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/ton",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/%2e",
+ "base": "about:blank",
+ "href": "http://example.com/foo/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/%2e%2",
+ "base": "about:blank",
+ "href": "http://example.com/foo/.%2",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/.%2",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/%2e./%2e%2e/.%2e/%2e.bar",
+ "base": "about:blank",
+ "href": "http://example.com/..bar",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/..bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com////../..",
+ "base": "about:blank",
+ "href": "http://example.com//",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "//",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/bar//../..",
+ "base": "about:blank",
+ "href": "http://example.com/foo/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo/bar//..",
+ "base": "about:blank",
+ "href": "http://example.com/foo/bar/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/bar/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo",
+ "base": "about:blank",
+ "href": "http://example.com/foo",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/%20foo",
+ "base": "about:blank",
+ "href": "http://example.com/%20foo",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/%20foo",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo%",
+ "base": "about:blank",
+ "href": "http://example.com/foo%",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo%",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo%2",
+ "base": "about:blank",
+ "href": "http://example.com/foo%2",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo%2",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo%2zbar",
+ "base": "about:blank",
+ "href": "http://example.com/foo%2zbar",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo%2zbar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo%2©zbar",
+ "base": "about:blank",
+ "href": "http://example.com/foo%2%C3%82%C2%A9zbar",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo%2%C3%82%C2%A9zbar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo%41%7a",
+ "base": "about:blank",
+ "href": "http://example.com/foo%41%7a",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo%41%7a",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo\t\u0091%91",
+ "base": "about:blank",
+ "href": "http://example.com/foo%C2%91%91",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo%C2%91%91",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo%00%51",
+ "base": "about:blank",
+ "href": "http://example.com/foo%00%51",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo%00%51",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/(%28:%3A%29)",
+ "base": "about:blank",
+ "href": "http://example.com/(%28:%3A%29)",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/(%28:%3A%29)",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/%3A%3a%3C%3c",
+ "base": "about:blank",
+ "href": "http://example.com/%3A%3a%3C%3c",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/%3A%3a%3C%3c",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/foo\tbar",
+ "base": "about:blank",
+ "href": "http://example.com/foobar",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foobar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com\\\\foo\\\\bar",
+ "base": "about:blank",
+ "href": "http://example.com//foo//bar",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "//foo//bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/%7Ffp3%3Eju%3Dduvgw%3Dd",
+ "base": "about:blank",
+ "href": "http://example.com/%7Ffp3%3Eju%3Dduvgw%3Dd",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/%7Ffp3%3Eju%3Dduvgw%3Dd",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/@asdf%40",
+ "base": "about:blank",
+ "href": "http://example.com/@asdf%40",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/@asdf%40",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/你好你好",
+ "base": "about:blank",
+ "href": "http://example.com/%E4%BD%A0%E5%A5%BD%E4%BD%A0%E5%A5%BD",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/%E4%BD%A0%E5%A5%BD%E4%BD%A0%E5%A5%BD",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com/‥/foo",
+ "base": "about:blank",
+ "href": "http://example.com/%E2%80%A5/foo",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/%E2%80%A5/foo",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com//foo",
+ "base": "about:blank",
+ "href": "http://example.com/%EF%BB%BF/foo",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/%EF%BB%BF/foo",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example.com//foo//bar",
+ "base": "about:blank",
+ "href": "http://example.com/%E2%80%AE/foo/%E2%80%AD/bar",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/%E2%80%AE/foo/%E2%80%AD/bar",
+ "search": "",
+ "hash": ""
+ },
+ "# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/script-tests/relative.js",
+ {
+ "input": "http://www.google.com/foo?bar=baz#",
+ "base": "about:blank",
+ "href": "http://www.google.com/foo?bar=baz#",
+ "origin": "http://www.google.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.google.com",
+ "hostname": "www.google.com",
+ "port": "",
+ "pathname": "/foo",
+ "search": "?bar=baz",
+ "hash": ""
+ },
+ {
+ "input": "http://www.google.com/foo?bar=baz# »",
+ "base": "about:blank",
+ "href": "http://www.google.com/foo?bar=baz# »",
+ "origin": "http://www.google.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.google.com",
+ "hostname": "www.google.com",
+ "port": "",
+ "pathname": "/foo",
+ "search": "?bar=baz",
+ "hash": "# »"
+ },
+ {
+ "input": "data:test# »",
+ "base": "about:blank",
+ "href": "data:test# »",
+ "origin": "null",
+ "protocol": "data:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "test",
+ "search": "",
+ "hash": "# »"
+ },
+ {
+ "input": "http://[www.google.com]/",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http://www.google.com",
+ "base": "about:blank",
+ "href": "http://www.google.com/",
+ "origin": "http://www.google.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.google.com",
+ "hostname": "www.google.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://192.0x00A80001",
+ "base": "about:blank",
+ "href": "http://192.168.0.1/",
+ "origin": "http://192.168.0.1",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "192.168.0.1",
+ "hostname": "192.168.0.1",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://www/foo%2Ehtml",
+ "base": "about:blank",
+ "href": "http://www/foo.html",
+ "origin": "http://www",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www",
+ "hostname": "www",
+ "port": "",
+ "pathname": "/foo.html",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://www/foo/%2E/html",
+ "base": "about:blank",
+ "href": "http://www/foo/html",
+ "origin": "http://www",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www",
+ "hostname": "www",
+ "port": "",
+ "pathname": "/foo/html",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://user:pass@/",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http://%25DOMAIN:[email protected]/",
+ "base": "about:blank",
+ "href": "http://%25DOMAIN:[email protected]/",
+ "origin": "http://foodomain.com",
+ "protocol": "http:",
+ "username": "%25DOMAIN",
+ "password": "foobar",
+ "host": "foodomain.com",
+ "hostname": "foodomain.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:\\\\www.google.com\\foo",
+ "base": "about:blank",
+ "href": "http://www.google.com/foo",
+ "origin": "http://www.google.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.google.com",
+ "hostname": "www.google.com",
+ "port": "",
+ "pathname": "/foo",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://foo:80/",
+ "base": "about:blank",
+ "href": "http://foo/",
+ "origin": "http://foo",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://foo:81/",
+ "base": "about:blank",
+ "href": "http://foo:81/",
+ "origin": "http://foo:81",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo:81",
+ "hostname": "foo",
+ "port": "81",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "httpa://foo:80/",
+ "base": "about:blank",
+ "href": "httpa://foo:80/",
+ "origin": "null",
+ "protocol": "httpa:",
+ "username": "",
+ "password": "",
+ "host": "foo:80",
+ "hostname": "foo",
+ "port": "80",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://foo:-80/",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "https://foo:443/",
+ "base": "about:blank",
+ "href": "https://foo/",
+ "origin": "https://foo",
+ "protocol": "https:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "https://foo:80/",
+ "base": "about:blank",
+ "href": "https://foo:80/",
+ "origin": "https://foo:80",
+ "protocol": "https:",
+ "username": "",
+ "password": "",
+ "host": "foo:80",
+ "hostname": "foo",
+ "port": "80",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftp://foo:21/",
+ "base": "about:blank",
+ "href": "ftp://foo/",
+ "origin": "ftp://foo",
+ "protocol": "ftp:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftp://foo:80/",
+ "base": "about:blank",
+ "href": "ftp://foo:80/",
+ "origin": "ftp://foo:80",
+ "protocol": "ftp:",
+ "username": "",
+ "password": "",
+ "host": "foo:80",
+ "hostname": "foo",
+ "port": "80",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "gopher://foo:70/",
+ "base": "about:blank",
+ "href": "gopher://foo/",
+ "origin": "gopher://foo",
+ "protocol": "gopher:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "gopher://foo:443/",
+ "base": "about:blank",
+ "href": "gopher://foo:443/",
+ "origin": "gopher://foo:443",
+ "protocol": "gopher:",
+ "username": "",
+ "password": "",
+ "host": "foo:443",
+ "hostname": "foo",
+ "port": "443",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ws://foo:80/",
+ "base": "about:blank",
+ "href": "ws://foo/",
+ "origin": "ws://foo",
+ "protocol": "ws:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ws://foo:81/",
+ "base": "about:blank",
+ "href": "ws://foo:81/",
+ "origin": "ws://foo:81",
+ "protocol": "ws:",
+ "username": "",
+ "password": "",
+ "host": "foo:81",
+ "hostname": "foo",
+ "port": "81",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ws://foo:443/",
+ "base": "about:blank",
+ "href": "ws://foo:443/",
+ "origin": "ws://foo:443",
+ "protocol": "ws:",
+ "username": "",
+ "password": "",
+ "host": "foo:443",
+ "hostname": "foo",
+ "port": "443",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ws://foo:815/",
+ "base": "about:blank",
+ "href": "ws://foo:815/",
+ "origin": "ws://foo:815",
+ "protocol": "ws:",
+ "username": "",
+ "password": "",
+ "host": "foo:815",
+ "hostname": "foo",
+ "port": "815",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "wss://foo:80/",
+ "base": "about:blank",
+ "href": "wss://foo:80/",
+ "origin": "wss://foo:80",
+ "protocol": "wss:",
+ "username": "",
+ "password": "",
+ "host": "foo:80",
+ "hostname": "foo",
+ "port": "80",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "wss://foo:81/",
+ "base": "about:blank",
+ "href": "wss://foo:81/",
+ "origin": "wss://foo:81",
+ "protocol": "wss:",
+ "username": "",
+ "password": "",
+ "host": "foo:81",
+ "hostname": "foo",
+ "port": "81",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "wss://foo:443/",
+ "base": "about:blank",
+ "href": "wss://foo/",
+ "origin": "wss://foo",
+ "protocol": "wss:",
+ "username": "",
+ "password": "",
+ "host": "foo",
+ "hostname": "foo",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "wss://foo:815/",
+ "base": "about:blank",
+ "href": "wss://foo:815/",
+ "origin": "wss://foo:815",
+ "protocol": "wss:",
+ "username": "",
+ "password": "",
+ "host": "foo:815",
+ "hostname": "foo",
+ "port": "815",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:/example.com/",
+ "base": "about:blank",
+ "href": "http://example.com/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftp:/example.com/",
+ "base": "about:blank",
+ "href": "ftp://example.com/",
+ "origin": "ftp://example.com",
+ "protocol": "ftp:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "https:/example.com/",
+ "base": "about:blank",
+ "href": "https://example.com/",
+ "origin": "https://example.com",
+ "protocol": "https:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "madeupscheme:/example.com/",
+ "base": "about:blank",
+ "href": "madeupscheme:/example.com/",
+ "origin": "null",
+ "protocol": "madeupscheme:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:/example.com/",
+ "base": "about:blank",
+ "href": "file:///example.com/",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftps:/example.com/",
+ "base": "about:blank",
+ "href": "ftps:/example.com/",
+ "origin": "null",
+ "protocol": "ftps:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "gopher:/example.com/",
+ "base": "about:blank",
+ "href": "gopher://example.com/",
+ "origin": "gopher://example.com",
+ "protocol": "gopher:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ws:/example.com/",
+ "base": "about:blank",
+ "href": "ws://example.com/",
+ "origin": "ws://example.com",
+ "protocol": "ws:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "wss:/example.com/",
+ "base": "about:blank",
+ "href": "wss://example.com/",
+ "origin": "wss://example.com",
+ "protocol": "wss:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "data:/example.com/",
+ "base": "about:blank",
+ "href": "data:/example.com/",
+ "origin": "null",
+ "protocol": "data:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "javascript:/example.com/",
+ "base": "about:blank",
+ "href": "javascript:/example.com/",
+ "origin": "null",
+ "protocol": "javascript:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "mailto:/example.com/",
+ "base": "about:blank",
+ "href": "mailto:/example.com/",
+ "origin": "null",
+ "protocol": "mailto:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:example.com/",
+ "base": "about:blank",
+ "href": "http://example.com/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftp:example.com/",
+ "base": "about:blank",
+ "href": "ftp://example.com/",
+ "origin": "ftp://example.com",
+ "protocol": "ftp:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "https:example.com/",
+ "base": "about:blank",
+ "href": "https://example.com/",
+ "origin": "https://example.com",
+ "protocol": "https:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "madeupscheme:example.com/",
+ "base": "about:blank",
+ "href": "madeupscheme:example.com/",
+ "origin": "null",
+ "protocol": "madeupscheme:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ftps:example.com/",
+ "base": "about:blank",
+ "href": "ftps:example.com/",
+ "origin": "null",
+ "protocol": "ftps:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "gopher:example.com/",
+ "base": "about:blank",
+ "href": "gopher://example.com/",
+ "origin": "gopher://example.com",
+ "protocol": "gopher:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "ws:example.com/",
+ "base": "about:blank",
+ "href": "ws://example.com/",
+ "origin": "ws://example.com",
+ "protocol": "ws:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "wss:example.com/",
+ "base": "about:blank",
+ "href": "wss://example.com/",
+ "origin": "wss://example.com",
+ "protocol": "wss:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "data:example.com/",
+ "base": "about:blank",
+ "href": "data:example.com/",
+ "origin": "null",
+ "protocol": "data:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "javascript:example.com/",
+ "base": "about:blank",
+ "href": "javascript:example.com/",
+ "origin": "null",
+ "protocol": "javascript:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "mailto:example.com/",
+ "base": "about:blank",
+ "href": "mailto:example.com/",
+ "origin": "null",
+ "protocol": "mailto:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "example.com/",
+ "search": "",
+ "hash": ""
+ },
+ "# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/segments-userinfo-vs-host.html",
+ {
+ "input": "http:@www.example.com",
+ "base": "about:blank",
+ "href": "http://www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:/@www.example.com",
+ "base": "about:blank",
+ "href": "http://www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://@www.example.com",
+ "base": "about:blank",
+ "href": "http://www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:a:[email protected]",
+ "base": "about:blank",
+ "href": "http://a:[email protected]/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "a",
+ "password": "b",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:/a:[email protected]",
+ "base": "about:blank",
+ "href": "http://a:[email protected]/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "a",
+ "password": "b",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://a:[email protected]",
+ "base": "about:blank",
+ "href": "http://a:[email protected]/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "a",
+ "password": "b",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://@pple.com",
+ "base": "about:blank",
+ "href": "http://pple.com/",
+ "origin": "http://pple.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "pple.com",
+ "hostname": "pple.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http::[email protected]",
+ "base": "about:blank",
+ "href": "http://:[email protected]/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "b",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:/:[email protected]",
+ "base": "about:blank",
+ "href": "http://:[email protected]/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "b",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://:[email protected]",
+ "base": "about:blank",
+ "href": "http://:[email protected]/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "b",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:/:@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http://user@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http:@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http:/@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http://@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "https:@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http:a:b@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http:/a:b@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http://a:b@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http::@/www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http:a:@www.example.com",
+ "base": "about:blank",
+ "href": "http://a:@www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "a",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:/a:@www.example.com",
+ "base": "about:blank",
+ "href": "http://a:@www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "a",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://a:@www.example.com",
+ "base": "about:blank",
+ "href": "http://a:@www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "a",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://[email protected]",
+ "base": "about:blank",
+ "href": "http://[email protected]/",
+ "origin": "http://pple.com",
+ "protocol": "http:",
+ "username": "www.",
+ "password": "",
+ "host": "pple.com",
+ "hostname": "pple.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http:@:www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http:/@:www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http://@:www.example.com",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "http://:@www.example.com",
+ "base": "about:blank",
+ "href": "http://:@www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ "# Others",
+ {
+ "input": "/",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/test.txt",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/test.txt",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/test.txt",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": ".",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "..",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "test.txt",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/test.txt",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/test.txt",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "./test.txt",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/test.txt",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/test.txt",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "../test.txt",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/test.txt",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/test.txt",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "../aaa/test.txt",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/aaa/test.txt",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/aaa/test.txt",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "../../test.txt",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/test.txt",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/test.txt",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "中/test.txt",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example.com/%E4%B8%AD/test.txt",
+ "origin": "http://www.example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example.com",
+ "hostname": "www.example.com",
+ "port": "",
+ "pathname": "/%E4%B8%AD/test.txt",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://www.example2.com",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example2.com/",
+ "origin": "http://www.example2.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example2.com",
+ "hostname": "www.example2.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "//www.example2.com",
+ "base": "http://www.example.com/test",
+ "href": "http://www.example2.com/",
+ "origin": "http://www.example2.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.example2.com",
+ "hostname": "www.example2.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:...",
+ "base": "http://www.example.com/test",
+ "href": "file:///...",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/...",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:..",
+ "base": "http://www.example.com/test",
+ "href": "file:///",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:a",
+ "base": "http://www.example.com/test",
+ "href": "file:///a",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/a",
+ "search": "",
+ "hash": ""
+ },
+ "# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/host.html",
+ "Basic canonicalization, uppercase should be converted to lowercase",
+ {
+ "input": "http://ExAmPlE.CoM",
+ "base": "http://other.com/",
+ "href": "http://example.com/",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://example example.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ {
+ "input": "http://Goo%20 goo%7C|.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ {
+ "input": "http://[]",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ {
+ "input": "http://[:]",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "U+3000 is mapped to U+0020 (space) which is disallowed",
+ {
+ "input": "http://GOO\u00a0\u3000goo.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "Other types of space (no-break, zero-width, zero-width-no-break) are name-prepped away to nothing. U+200B, U+2060, and U+FEFF, are ignored",
+ {
+ "input": "http://GOO\u200b\u2060\ufeffgoo.com",
+ "base": "http://other.com/",
+ "href": "http://googoo.com/",
+ "origin": "http://googoo.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "googoo.com",
+ "hostname": "googoo.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ "Ideographic full stop (full-width period for Chinese, etc.) should be treated as a dot. U+3002 is mapped to U+002E (dot)",
+ {
+ "input": "http://www.foo。bar.com",
+ "base": "http://other.com/",
+ "href": "http://www.foo.bar.com/",
+ "origin": "http://www.foo.bar.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "www.foo.bar.com",
+ "hostname": "www.foo.bar.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ "Invalid unicode characters should fail... U+FDD0 is disallowed; %ef%b7%90 is U+FDD0",
+ {
+ "input": "http://\ufdd0zyx.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "This is the same as previous but escaped",
+ {
+ "input": "http://%ef%b7%90zyx.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "Test name prepping, fullwidth input should be converted to ASCII and NOT IDN-ized. This is 'Go' in fullwidth UTF-8/UTF-16.",
+ {
+ "input": "http://Go.com",
+ "base": "http://other.com/",
+ "href": "http://go.com/",
+ "origin": "http://go.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "go.com",
+ "hostname": "go.com",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ "URL spec forbids the following. https://www.w3.org/Bugs/Public/show_bug.cgi?id=24257",
+ {
+ "input": "http://%41.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ {
+ "input": "http://%ef%bc%85%ef%bc%94%ef%bc%91.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "...%00 in fullwidth should fail (also as escaped UTF-8 input)",
+ {
+ "input": "http://%00.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ {
+ "input": "http://%ef%bc%85%ef%bc%90%ef%bc%90.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "Basic IDN support, UTF-8 and UTF-16 input should be converted to IDN",
+ {
+ "input": "http://你好你好",
+ "base": "http://other.com/",
+ "href": "http://xn--6qqa088eba/",
+ "origin": "http://你好你好",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "xn--6qqa088eba",
+ "hostname": "xn--6qqa088eba",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ "Invalid escaped characters should fail and the percents should be escaped. https://www.w3.org/Bugs/Public/show_bug.cgi?id=24191",
+ {
+ "input": "http://%zz%66%a.com",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "If we get an invalid character that has been escaped.",
+ {
+ "input": "http://%25",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ {
+ "input": "http://hello%00",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "Escaped numbers should be treated like IP addresses if they are.",
+ {
+ "input": "http://%30%78%63%30%2e%30%32%35%30.01",
+ "base": "http://other.com/",
+ "href": "http://192.168.0.1/",
+ "origin": "http://192.168.0.1",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "192.168.0.1",
+ "hostname": "192.168.0.1",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://%30%78%63%30%2e%30%32%35%30.01%2e",
+ "base": "http://other.com/",
+ "href": "http://192.168.0.1/",
+ "origin": "http://192.168.0.1",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "192.168.0.1",
+ "hostname": "192.168.0.1",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://192.168.0.257",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "Invalid escaping should trigger the regular host error handling",
+ {
+ "input": "http://%3g%78%63%30%2e%30%32%35%30%2E.01",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "Something that isn't exactly an IP should get treated as a host and spaces escaped",
+ {
+ "input": "http://192.168.0.1 hello",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "Fullwidth and escaped UTF-8 fullwidth should still be treated as IP",
+ {
+ "input": "http://0Xc0.0250.01",
+ "base": "http://other.com/",
+ "href": "http://192.168.0.1/",
+ "origin": "http://192.168.0.1",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "192.168.0.1",
+ "hostname": "192.168.0.1",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ "Broken IPv6",
+ {
+ "input": "http://[google.com]",
+ "base": "http://other.com/",
+ "failure": true
+ },
+ "Misc Unicode",
+ {
+ "input": "http://foo:💩@example.com/bar",
+ "base": "http://other.com/",
+ "href": "http://foo:%F0%9F%92%[email protected]/bar",
+ "origin": "http://example.com",
+ "protocol": "http:",
+ "username": "foo",
+ "password": "%F0%9F%92%A9",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/bar",
+ "search": "",
+ "hash": ""
+ },
+ "# resolving a fragment against any scheme succeeds",
+ {
+ "input": "#",
+ "base": "test:test",
+ "href": "test:test#",
+ "origin": "null",
+ "protocol": "test:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "test",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "#x",
+ "base": "mailto:[email protected]",
+ "href": "mailto:[email protected]#x",
+ "origin": "null",
+ "protocol": "mailto:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "[email protected]",
+ "search": "",
+ "hash": "#x"
+ },
+ {
+ "input": "#x",
+ "base": "data:,",
+ "href": "data:,#x",
+ "origin": "null",
+ "protocol": "data:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": ",",
+ "search": "",
+ "hash": "#x"
+ },
+ {
+ "input": "#x",
+ "base": "about:blank",
+ "href": "about:blank#x",
+ "origin": "null",
+ "protocol": "about:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "blank",
+ "search": "",
+ "hash": "#x"
+ },
+ {
+ "input": "#",
+ "base": "test:test?test",
+ "href": "test:test?test#",
+ "origin": "null",
+ "protocol": "test:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "test",
+ "search": "?test",
+ "hash": ""
+ },
+ "# multiple @ in authority state",
+ {
+ "input": "https://@test@test@example:800/",
+ "base": "http://doesnotmatter/",
+ "href": "https://%40test%40test@example:800/",
+ "origin": "https://example:800",
+ "protocol": "https:",
+ "username": "%40test%40test",
+ "password": "",
+ "host": "example:800",
+ "hostname": "example",
+ "port": "800",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "https://@@@example",
+ "base": "http://doesnotmatter/",
+ "href": "https://%40%40@example/",
+ "origin": "https://example",
+ "protocol": "https:",
+ "username": "%40%40",
+ "password": "",
+ "host": "example",
+ "hostname": "example",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ "non-az-09 characters",
+ {
+ "input": "http://`{}:`{}@h/`{}?`{}",
+ "base": "http://doesnotmatter/",
+ "href": "http://%60%7B%7D:%60%7B%7D@h/%60%7B%7D?`{}",
+ "origin": "http://h",
+ "protocol": "http:",
+ "username": "%60%7B%7D",
+ "password": "%60%7B%7D",
+ "host": "h",
+ "hostname": "h",
+ "port": "",
+ "pathname": "/%60%7B%7D",
+ "search": "?`{}",
+ "hash": ""
+ },
+ "# Credentials in base",
+ {
+ "input": "/some/path",
+ "base": "http://[email protected]/smth",
+ "href": "http://[email protected]/some/path",
+ "origin": "http://example.org",
+ "protocol": "http:",
+ "username": "user",
+ "password": "",
+ "host": "example.org",
+ "hostname": "example.org",
+ "port": "",
+ "pathname": "/some/path",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "",
+ "base": "http://user:[email protected]:21/smth",
+ "href": "http://user:[email protected]:21/smth",
+ "origin": "http://example.org:21",
+ "protocol": "http:",
+ "username": "user",
+ "password": "pass",
+ "host": "example.org:21",
+ "hostname": "example.org",
+ "port": "21",
+ "pathname": "/smth",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/some/path",
+ "base": "http://user:[email protected]:21/smth",
+ "href": "http://user:[email protected]:21/some/path",
+ "origin": "http://example.org:21",
+ "protocol": "http:",
+ "username": "user",
+ "password": "pass",
+ "host": "example.org:21",
+ "hostname": "example.org",
+ "port": "21",
+ "pathname": "/some/path",
+ "search": "",
+ "hash": ""
+ },
+ "# a set of tests designed by zcorpan for relative URLs with unknown schemes",
+ {
+ "input": "i",
+ "base": "sc:sd",
+ "failure": true
+ },
+ {
+ "input": "i",
+ "base": "sc:sd/sd",
+ "failure": true
+ },
+ {
+ "input": "i",
+ "base": "sc:/pa/pa",
+ "href": "sc:/pa/i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/pa/i",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "i",
+ "base": "sc://ho/pa",
+ "href": "sc://ho/i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "ho",
+ "hostname": "ho",
+ "port": "",
+ "pathname": "/i",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "i",
+ "base": "sc:///pa/pa",
+ "href": "sc:///pa/i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/pa/i",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "../i",
+ "base": "sc:sd",
+ "failure": true
+ },
+ {
+ "input": "../i",
+ "base": "sc:sd/sd",
+ "failure": true
+ },
+ {
+ "input": "../i",
+ "base": "sc:/pa/pa",
+ "href": "sc:/i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/i",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "../i",
+ "base": "sc://ho/pa",
+ "href": "sc://ho/i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "ho",
+ "hostname": "ho",
+ "port": "",
+ "pathname": "/i",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "../i",
+ "base": "sc:///pa/pa",
+ "href": "sc:///i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/i",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/i",
+ "base": "sc:sd",
+ "failure": true
+ },
+ {
+ "input": "/i",
+ "base": "sc:sd/sd",
+ "failure": true
+ },
+ {
+ "input": "/i",
+ "base": "sc:/pa/pa",
+ "href": "sc:/i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/i",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/i",
+ "base": "sc://ho/pa",
+ "href": "sc://ho/i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "ho",
+ "hostname": "ho",
+ "port": "",
+ "pathname": "/i",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/i",
+ "base": "sc:///pa/pa",
+ "href": "sc:///i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/i",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "?i",
+ "base": "sc:sd",
+ "failure": true
+ },
+ {
+ "input": "?i",
+ "base": "sc:sd/sd",
+ "failure": true
+ },
+ {
+ "input": "?i",
+ "base": "sc:/pa/pa",
+ "href": "sc:/pa/pa?i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/pa/pa",
+ "search": "?i",
+ "hash": ""
+ },
+ {
+ "input": "?i",
+ "base": "sc://ho/pa",
+ "href": "sc://ho/pa?i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "ho",
+ "hostname": "ho",
+ "port": "",
+ "pathname": "/pa",
+ "search": "?i",
+ "hash": ""
+ },
+ {
+ "input": "?i",
+ "base": "sc:///pa/pa",
+ "href": "sc:///pa/pa?i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/pa/pa",
+ "search": "?i",
+ "hash": ""
+ },
+ {
+ "input": "#i",
+ "base": "sc:sd",
+ "href": "sc:sd#i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "sd",
+ "search": "",
+ "hash": "#i"
+ },
+ {
+ "input": "#i",
+ "base": "sc:sd/sd",
+ "href": "sc:sd/sd#i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "sd/sd",
+ "search": "",
+ "hash": "#i"
+ },
+ {
+ "input": "#i",
+ "base": "sc:/pa/pa",
+ "href": "sc:/pa/pa#i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/pa/pa",
+ "search": "",
+ "hash": "#i"
+ },
+ {
+ "input": "#i",
+ "base": "sc://ho/pa",
+ "href": "sc://ho/pa#i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "ho",
+ "hostname": "ho",
+ "port": "",
+ "pathname": "/pa",
+ "search": "",
+ "hash": "#i"
+ },
+ {
+ "input": "#i",
+ "base": "sc:///pa/pa",
+ "href": "sc:///pa/pa#i",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/pa/pa",
+ "search": "",
+ "hash": "#i"
+ },
+ "# make sure that relative URL logic works on known typically non-relative schemes too",
+ {
+ "input": "about:/../",
+ "base": "about:blank",
+ "href": "about:/",
+ "origin": "null",
+ "protocol": "about:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "data:/../",
+ "base": "about:blank",
+ "href": "data:/",
+ "origin": "null",
+ "protocol": "data:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "javascript:/../",
+ "base": "about:blank",
+ "href": "javascript:/",
+ "origin": "null",
+ "protocol": "javascript:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "mailto:/../",
+ "base": "about:blank",
+ "href": "mailto:/",
+ "origin": "null",
+ "protocol": "mailto:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ "# unknown schemes and non-ASCII domains",
+ {
+ "input": "sc://ñ.test/",
+ "base": "about:blank",
+ "href": "sc://xn--ida.test/",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "xn--ida.test",
+ "hostname": "xn--ida.test",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ "# unknown schemes and backslashes",
+ {
+ "input": "sc:\\../",
+ "base": "about:blank",
+ "href": "sc:\\../",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "\\../",
+ "search": "",
+ "hash": ""
+ },
+ "# unknown scheme with path looking like a password",
+ {
+ "input": "sc::[email protected]",
+ "base": "about:blank",
+ "href": "sc::[email protected]",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": ":[email protected]",
+ "search": "",
+ "hash": ""
+ },
+ "# tests from jsdom/whatwg-url designed for code coverage",
+ {
+ "input": "http://127.0.0.1:10100/relative_import.html",
+ "base": "about:blank",
+ "href": "http://127.0.0.1:10100/relative_import.html",
+ "origin": "http://127.0.0.1:10100",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "127.0.0.1:10100",
+ "hostname": "127.0.0.1",
+ "port": "10100",
+ "pathname": "/relative_import.html",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "http://facebook.com/?foo=%7B%22abc%22",
+ "base": "about:blank",
+ "href": "http://facebook.com/?foo=%7B%22abc%22",
+ "origin": "http://facebook.com",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "facebook.com",
+ "hostname": "facebook.com",
+ "port": "",
+ "pathname": "/",
+ "search": "?foo=%7B%22abc%22",
+ "hash": ""
+ },
+ {
+ "input": "https://localhost:3000/[email protected]",
+ "base": "about:blank",
+ "href": "https://localhost:3000/[email protected]",
+ "origin": "https://localhost:3000",
+ "protocol": "https:",
+ "username": "",
+ "password": "",
+ "host": "localhost:3000",
+ "hostname": "localhost",
+ "port": "3000",
+ "pathname": "/[email protected]",
+ "search": "",
+ "hash": ""
+ }
+]
diff --git a/tests/urltestdata.txt b/tests/urltestdata.txt
deleted file mode 100644
--- a/tests/urltestdata.txt
+++ /dev/null
@@ -1,329 +0,0 @@
-# This file is from https://github.com/w3c/web-platform-tests/blob/master/url/urltestdata.txt
-# and used under a 3-clause BSD license.
-
-# FORMAT NOT DOCUMENTED YET (parser is urltestparser.js)
-# https://github.com/w3c/web-platform-tests/blob/master/url/urltestparser.js
-
-# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/script-tests/segments.js
-http://example\t.\norg http://example.org/foo/bar s:http h:example.org p:/
-http://user:pass@foo:21/bar;par?b#c s:http u:user pass:pass h:foo port:21 p:/bar;par q:?b f:#c
-http:foo.com s:http h:example.org p:/foo/foo.com
-\t\s\s\s:foo.com\s\s\s\n s:http h:example.org p:/foo/:foo.com
-\sfoo.com\s\s s:http h:example.org p:/foo/foo.com
-a:\t\sfoo.com s:a p:\sfoo.com
-http://f:21/\sb\s?\sd\s#\se\s s:http h:f port:21 p:/%20b%20 q:?%20d%20 f:#\se
-http://f:/c s:http h:f p:/c
-http://f:0/c s:http h:f port:0 p:/c
-http://f:00000000000000/c s:http h:f port:0 p:/c
-http://f:00000000000000000000080/c s:http h:f p:/c
-http://f:b/c
-http://f:\s/c
-http://f:\n/c s:http h:f p:/c
-http://f:fifty-two/c
-http://f:9999/c s:http h:f port:9999 p:/c
-http://f:\s21\s/\sb\s?\sd\s#\se\s
- s:http h:example.org p:/foo/bar
-\s\s\t s:http h:example.org p:/foo/bar
-:foo.com/ s:http h:example.org p:/foo/:foo.com/
-:foo.com\\ s:http h:example.org p:/foo/:foo.com/
-: s:http h:example.org p:/foo/:
-:a s:http h:example.org p:/foo/:a
-:/ s:http h:example.org p:/foo/:/
-:\\ s:http h:example.org p:/foo/:/
-:# s:http h:example.org p:/foo/: f:#
-# s:http h:example.org p:/foo/bar f:#
-#/ s:http h:example.org p:/foo/bar f:#/
-#\\ s:http h:example.org p:/foo/bar f:#\\
-#;? s:http h:example.org p:/foo/bar f:#;?
-? s:http h:example.org p:/foo/bar q:?
-/ s:http h:example.org p:/
-:23 s:http h:example.org p:/foo/:23
-/:23 s:http h:example.org p:/:23
-:: s:http h:example.org p:/foo/::
-::23 s:http h:example.org p:/foo/::23
-foo:// s:foo p://
-http://a:b@c:29/d s:http u:a pass:b h:c port:29 p:/d
-http::@c:29 s:http h:example.org p:/foo/:@c:29
-http://&a:foo(b]c@d:2/ s:http u:&a pass:foo(b]c h:d port:2 p:/
-http://::@c@d:2 s:http pass::%40c h:d port:2 p:/
-http://foo.com:b@d/ s:http u:foo.com pass:b h:d p:/
-http://foo.com/\\@ s:http h:foo.com p://@
-http:\\\\foo.com\\ s:http h:foo.com p:/
-http:\\\\a\\b:c\\[email protected]\\ s:http h:a p:/b:c/[email protected]/
-foo:/ s:foo p:/
-foo:/bar.com/ s:foo p:/bar.com/
-foo:///////// s:foo p://///////
-foo://///////bar.com/ s:foo p://///////bar.com/
-foo:////:///// s:foo p:////://///
-c:/foo s:c p:/foo
-//foo/bar s:http h:foo p:/bar
-http://foo/path;a??e#f#g s:http h:foo p:/path;a q:??e f:#f#g
-http://foo/abcd?efgh?ijkl s:http h:foo p:/abcd q:?efgh?ijkl
-http://foo/abcd#foo?bar s:http h:foo p:/abcd f:#foo?bar
-[61:24:74]:98 s:http h:example.org p:/foo/[61:24:74]:98
-http:[61:27]/:foo s:http h:example.org p:/foo/[61:27]/:foo
-http://[1::2]:3:4
-http://2001::1
-http://2001::1]
-http://2001::1]:80
-http://[2001::1] s:http h:[2001::1] p:/
-http://[2001::1]:80 s:http h:[2001::1] p:/
-http:/example.com/ s:http h:example.org p:/example.com/
-ftp:/example.com/ s:ftp h:example.com p:/
-https:/example.com/ s:https h:example.com p:/
-madeupscheme:/example.com/ s:madeupscheme p:/example.com/
-file:/example.com/ s:file p:/example.com/
-ftps:/example.com/ s:ftps p:/example.com/
-gopher:/example.com/ s:gopher h:example.com p:/
-ws:/example.com/ s:ws h:example.com p:/
-wss:/example.com/ s:wss h:example.com p:/
-data:/example.com/ s:data p:/example.com/
-javascript:/example.com/ s:javascript p:/example.com/
-mailto:/example.com/ s:mailto p:/example.com/
-http:example.com/ s:http h:example.org p:/foo/example.com/
-ftp:example.com/ s:ftp h:example.com p:/
-https:example.com/ s:https h:example.com p:/
-madeupscheme:example.com/ s:madeupscheme p:example.com/
-ftps:example.com/ s:ftps p:example.com/
-gopher:example.com/ s:gopher h:example.com p:/
-ws:example.com/ s:ws h:example.com p:/
-wss:example.com/ s:wss h:example.com p:/
-data:example.com/ s:data p:example.com/
-javascript:example.com/ s:javascript p:example.com/
-mailto:example.com/ s:mailto p:example.com/
-/a/b/c s:http h:example.org p:/a/b/c
-/a/\s/c s:http h:example.org p:/a/%20/c
-/a%2fc s:http h:example.org p:/a%2fc
-/a/%2f/c s:http h:example.org p:/a/%2f/c
-#\u03B2 s:http h:example.org p:/foo/bar f:#\u03B2
-data:text/html,test#test s:data p:text/html,test f:#test
-
-# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/file.html
-file:c:\\foo\\bar.html file:///tmp/mock/path s:file p:/c:/foo/bar.html
-\s\sFile:c|////foo\\bar.html s:file p:/c:////foo/bar.html
-C|/foo/bar s:file p:/C:/foo/bar
-/C|\\foo\\bar s:file p:/C:/foo/bar
-//C|/foo/bar s:file p:/C:/foo/bar
-//server/file s:file h:server p:/file
-\\\\server\\file s:file h:server p:/file
-/\\server/file s:file h:server p:/file
-file:///foo/bar.txt s:file p:/foo/bar.txt
-file:///home/me s:file p:/home/me
-// s:file p:/
-/// s:file p:/
-///test s:file p:/test
-file://test s:file h:test p:/
-file://localhost s:file h:localhost p:/
-file://localhost/ s:file h:localhost p:/
-file://localhost/test s:file h:localhost p:/test
-test s:file p:/tmp/mock/test
-file:test s:file p:/tmp/mock/test
-
-# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/script-tests/path.js
-http://example.com/././foo about:blank s:http h:example.com p:/foo
-http://example.com/./.foo s:http h:example.com p:/.foo
-http://example.com/foo/. s:http h:example.com p:/foo/
-http://example.com/foo/./ s:http h:example.com p:/foo/
-http://example.com/foo/bar/.. s:http h:example.com p:/foo/
-http://example.com/foo/bar/../ s:http h:example.com p:/foo/
-http://example.com/foo/..bar s:http h:example.com p:/foo/..bar
-http://example.com/foo/bar/../ton s:http h:example.com p:/foo/ton
-http://example.com/foo/bar/../ton/../../a s:http h:example.com p:/a
-http://example.com/foo/../../.. s:http h:example.com p:/
-http://example.com/foo/../../../ton s:http h:example.com p:/ton
-http://example.com/foo/%2e s:http h:example.com p:/foo/
-http://example.com/foo/%2e%2 s:http h:example.com p:/foo/%2e%2
-http://example.com/foo/%2e./%2e%2e/.%2e/%2e.bar s:http h:example.com p:/%2e.bar
-http://example.com////../.. s:http h:example.com p://
-http://example.com/foo/bar//../.. s:http h:example.com p:/foo/
-http://example.com/foo/bar//.. s:http h:example.com p:/foo/bar/
-http://example.com/foo s:http h:example.com p:/foo
-http://example.com/%20foo s:http h:example.com p:/%20foo
-http://example.com/foo% s:http h:example.com p:/foo%
-http://example.com/foo%2 s:http h:example.com p:/foo%2
-http://example.com/foo%2zbar s:http h:example.com p:/foo%2zbar
-http://example.com/foo%2\u00C2\u00A9zbar s:http h:example.com p:/foo%2%C3%82%C2%A9zbar
-http://example.com/foo%41%7a s:http h:example.com p:/foo%41%7a
-http://example.com/foo\t\u0091%91 s:http h:example.com p:/foo%C2%91%91
-http://example.com/foo%00%51 s:http h:example.com p:/foo%00%51
-http://example.com/(%28:%3A%29) s:http h:example.com p:/(%28:%3A%29)
-http://example.com/%3A%3a%3C%3c s:http h:example.com p:/%3A%3a%3C%3c
-http://example.com/foo\tbar s:http h:example.com p:/foobar
-http://example.com\\\\foo\\\\bar s:http h:example.com p://foo//bar
-http://example.com/%7Ffp3%3Eju%3Dduvgw%3Dd s:http h:example.com p:/%7Ffp3%3Eju%3Dduvgw%3Dd
-http://example.com/@asdf%40 s:http h:example.com p:/@asdf%40
-http://example.com/\u4F60\u597D\u4F60\u597D s:http h:example.com p:/%E4%BD%A0%E5%A5%BD%E4%BD%A0%E5%A5%BD
-http://example.com/\u2025/foo s:http h:example.com p:/%E2%80%A5/foo
-http://example.com/\uFEFF/foo s:http h:example.com p:/%EF%BB%BF/foo
-http://example.com/\u202E/foo/\u202D/bar s:http h:example.com p:/%E2%80%AE/foo/%E2%80%AD/bar
-
-# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/script-tests/relative.js
-http://www.google.com/foo?bar=baz# about:blank s:http h:www.google.com p:/foo q:?bar=baz f:#
-http://www.google.com/foo?bar=baz#\s\u00BB s:http h:www.google.com p:/foo q:?bar=baz f:#\s%C2%BB
-http://[www.google.com]/
-http://www.google.com s:http h:www.google.com p:/
-http://192.0x00A80001 s:http h:192.168.0.1 p:/
-http://www/foo%2Ehtml s:http h:www p:/foo%2Ehtml
-http://www/foo/%2E/html s:http h:www p:/foo/html
-http://user:pass@/
-http://%25DOMAIN:[email protected]/ s:http u:%25DOMAIN pass:foobar h:foodomain.com p:/
-http:\\\\www.google.com\\foo s:http h:www.google.com p:/foo
-http://foo:80/ s:http h:foo p:/
-http://foo:81/ s:http h:foo port:81 p:/
-httpa://foo:80/ s:httpa p://foo:80/
-http://foo:-80/
-https://foo:443/ s:https h:foo p:/
-https://foo:80/ s:https h:foo port:80 p:/
-ftp://foo:21/ s:ftp h:foo p:/
-ftp://foo:80/ s:ftp h:foo port:80 p:/
-gopher://foo:70/ s:gopher h:foo p:/
-gopher://foo:443/ s:gopher h:foo port:443 p:/
-ws://foo:80/ s:ws h:foo p:/
-ws://foo:81/ s:ws h:foo port:81 p:/
-ws://foo:443/ s:ws h:foo port:443 p:/
-ws://foo:815/ s:ws h:foo port:815 p:/
-wss://foo:80/ s:wss h:foo port:80 p:/
-wss://foo:81/ s:wss h:foo port:81 p:/
-wss://foo:443/ s:wss h:foo p:/
-wss://foo:815/ s:wss h:foo port:815 p:/
-http:/example.com/ s:http h:example.com p:/
-ftp:/example.com/ s:ftp h:example.com p:/
-https:/example.com/ s:https h:example.com p:/
-madeupscheme:/example.com/ s:madeupscheme p:/example.com/
-file:/example.com/ s:file p:/example.com/
-ftps:/example.com/ s:ftps p:/example.com/
-gopher:/example.com/ s:gopher h:example.com p:/
-ws:/example.com/ s:ws h:example.com p:/
-wss:/example.com/ s:wss h:example.com p:/
-data:/example.com/ s:data p:/example.com/
-javascript:/example.com/ s:javascript p:/example.com/
-mailto:/example.com/ s:mailto p:/example.com/
-http:example.com/ s:http h:example.com p:/
-ftp:example.com/ s:ftp h:example.com p:/
-https:example.com/ s:https h:example.com p:/
-madeupscheme:example.com/ s:madeupscheme p:example.com/
-ftps:example.com/ s:ftps p:example.com/
-gopher:example.com/ s:gopher h:example.com p:/
-ws:example.com/ s:ws h:example.com p:/
-wss:example.com/ s:wss h:example.com p:/
-data:example.com/ s:data p:example.com/
-javascript:example.com/ s:javascript p:example.com/
-mailto:example.com/ s:mailto p:example.com/
-
-# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/segments-userinfo-vs-host.html
-http:@www.example.com about:blank s:http h:www.example.com p:/
-http:/@www.example.com s:http h:www.example.com p:/
-http://@www.example.com s:http h:www.example.com p:/
-http:a:[email protected] s:http u:a pass:b h:www.example.com p:/
-http:/a:[email protected] s:http u:a pass:b h:www.example.com p:/
-http://a:[email protected] s:http u:a pass:b h:www.example.com p:/
-http://@pple.com s:http h:pple.com p:/
-http::[email protected] s:http pass:b h:www.example.com p:/
-http:/:[email protected] s:http pass:b h:www.example.com p:/
-http://:[email protected] s:http pass:b h:www.example.com p:/
-http:/:@/www.example.com
-http://user@/www.example.com
-http:@/www.example.com
-http:/@/www.example.com
-http://@/www.example.com
-https:@/www.example.com
-http:a:b@/www.example.com
-http:/a:b@/www.example.com
-http://a:b@/www.example.com
-http::@/www.example.com
-http:a:@www.example.com s:http u:a pass: h:www.example.com p:/
-http:/a:@www.example.com s:http u:a pass: h:www.example.com p:/
-http://a:@www.example.com s:http u:a pass: h:www.example.com p:/
-http://[email protected] s:http u:www. h:pple.com p:/
-http:@:www.example.com
-http:/@:www.example.com
-http://@:www.example.com
-http://:@www.example.com s:http pass: h:www.example.com p:/
-
-#Others
-/ http://www.example.com/test s:http h:www.example.com p:/
-/test.txt s:http h:www.example.com p:/test.txt
-. s:http h:www.example.com p:/
-.. s:http h:www.example.com p:/
-test.txt s:http h:www.example.com p:/test.txt
-./test.txt s:http h:www.example.com p:/test.txt
-../test.txt s:http h:www.example.com p:/test.txt
-../aaa/test.txt s:http h:www.example.com p:/aaa/test.txt
-../../test.txt s:http h:www.example.com p:/test.txt
-\u4E2D/test.txt s:http h:www.example.com p:/%E4%B8%AD/test.txt
-http://www.example2.com s:http h:www.example2.com p:/
-
-# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/host.html
-
-# Basic canonicalization, uppercase should be converted to lowercase
-http://ExAmPlE.CoM http://other.com/ s:http p:/ h:example.com
-
-# Spaces should fail
-http://example\sexample.com
-
-# This should fail
-http://Goo%20\sgoo%7C|.com
-
-# This should fail
-http://GOO\u00a0\u3000goo.com
-
-# This should fail
-http://[]
-http://[:]
-
-# Other types of space (no-break, zero-width, zero-width-no-break) are
-# name-prepped away to nothing.
-http://GOO\u200b\u2060\ufeffgoo.com s:http p:/ h:googoo.com
-
-# Ideographic full stop (full-width period for Chinese, etc.) should be
-# treated as a dot.
-http://www.foo\u3002bar.com s:http p:/ h:www.foo.bar.com
-
-# Invalid unicode characters should fail...
-http://\ufdd0zyx.com
-
-# ...This is the same as previous but with with escaped.
-http://%ef%b7%90zyx.com
-
-# Test name prepping, fullwidth input should be converted to ASCII and NOT
-# IDN-ized. This is "Go" in fullwidth UTF-8/UTF-16.
-http://\uff27\uff4f.com s:http p:/ h:go.com
-
-# URL spec forbids the following.
-# https://www.w3.org/Bugs/Public/show_bug.cgi?id=24257
-http://\uff05\uff14\uff11.com
-http://%ef%bc%85%ef%bc%94%ef%bc%91.com
-
-# ...%00 in fullwidth should fail (also as escaped UTF-8 input)
-http://\uff05\uff10\uff10.com
-http://%ef%bc%85%ef%bc%90%ef%bc%90.com
-
-# Basic IDN support, UTF-8 and UTF-16 input should be converted to IDN
-http://\u4f60\u597d\u4f60\u597d s:http p:/ h:xn--6qqa088eba
-
-# Invalid escaped characters should fail and the percents should be
-# escaped. https://www.w3.org/Bugs/Public/show_bug.cgi?id=24191
-http://%zz%66%a.com
-
-# If we get an invalid character that has been escaped.
-http://%25
-http://hello%00
-
-# Escaped numbers should be treated like IP addresses if they are.
-XFAIL http://%30%78%63%30%2e%30%32%35%30.01 s:http p:/ h:127.0.0.1
-XFAIL http://%30%78%63%30%2e%30%32%35%30.01%2e
-
-# Invalid escaping should trigger the regular host error handling.
-http://%3g%78%63%30%2e%30%32%35%30%2E.01
-
-# Something that isn't exactly an IP should get treated as a host and
-# spaces escaped.
-http://192.168.0.1\shello
-
-# Fullwidth and escaped UTF-8 fullwidth should still be treated as IP.
-# These are "0Xc0.0250.01" in fullwidth.
-http://\uff10\uff38\uff43\uff10\uff0e\uff10\uff12\uff15\uff10\uff0e\uff10\uff11 s:http p:/ h:192.168.0.1
-
-# Broken IP addresses.
-XFAIL http://192.168.0.257
-http://[google.com]
diff --git a/tests/wpt.rs b/tests/wpt.rs
deleted file mode 100644
--- a/tests/wpt.rs
+++ /dev/null
@@ -1,223 +0,0 @@
-// Copyright 2013-2014 Simon Sapin.
-//
-// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
-// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
-// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
-// option. This file may not be copied, modified, or distributed
-// except according to those terms.
-
-//! Tests copied form https://github.com/w3c/web-platform-tests/blob/master/url/
-
-extern crate test;
-extern crate url;
-
-use std::char;
-use url::{RelativeSchemeData, SchemeData, Url};
-
-
-fn run_one(entry: Entry) {
- // FIXME: Don’t re-indent to make merging the 1.0 branch easier.
- {
- let Entry {
- input,
- base,
- scheme: expected_scheme,
- username: expected_username,
- password: expected_password,
- host: expected_host,
- port: expected_port,
- path: expected_path,
- query: expected_query,
- fragment: expected_fragment,
- expected_failure,
- } = entry;
- let base = match Url::parse(&base) {
- Ok(base) => base,
- Err(message) => panic!("Error parsing base {}: {}", base, message)
- };
- let url = base.join(&input);
- if expected_scheme.is_none() {
- if url.is_ok() && !expected_failure {
- panic!("Expected a parse error for URL {}", input);
- }
- return
- }
- let Url { scheme, scheme_data, query, fragment, .. } = match url {
- Ok(url) => url,
- Err(message) => {
- if expected_failure {
- return
- } else {
- panic!("Error parsing URL {}: {}", input, message)
- }
- }
- };
-
- macro_rules! assert_eq {
- ($a: expr, $b: expr) => {
- {
- let a = $a;
- let b = $b;
- if a != b {
- if expected_failure {
- return
- } else {
- panic!("{:?} != {:?}", a, b)
- }
- }
- }
- }
- }
-
- assert_eq!(Some(scheme), expected_scheme);
- match scheme_data {
- SchemeData::Relative(RelativeSchemeData {
- username, password, host, port, default_port: _, path,
- }) => {
- assert_eq!(username, expected_username);
- assert_eq!(password, expected_password);
- let host = host.serialize();
- assert_eq!(host, expected_host);
- assert_eq!(port, expected_port);
- assert_eq!(Some(format!("/{}", str_join(&path, "/"))), expected_path);
- },
- SchemeData::NonRelative(scheme_data) => {
- assert_eq!(Some(scheme_data), expected_path);
- assert_eq!(String::new(), expected_username);
- assert_eq!(None, expected_password);
- assert_eq!(String::new(), expected_host);
- assert_eq!(None, expected_port);
- },
- }
- fn opt_prepend(prefix: &str, opt_s: Option<String>) -> Option<String> {
- opt_s.map(|s| format!("{}{}", prefix, s))
- }
- assert_eq!(opt_prepend("?", query), expected_query);
- assert_eq!(opt_prepend("#", fragment), expected_fragment);
-
- assert!(!expected_failure, "Unexpected success for {}", input);
- }
-}
-
-// FIMXE: Remove this when &[&str]::join (the new name) lands in the stable channel.
-#[allow(deprecated)]
-fn str_join<T: ::std::borrow::Borrow<str>>(pieces: &[T], separator: &str) -> String {
- pieces.connect(separator)
-}
-
-struct Entry {
- input: String,
- base: String,
- scheme: Option<String>,
- username: String,
- password: Option<String>,
- host: String,
- port: Option<u16>,
- path: Option<String>,
- query: Option<String>,
- fragment: Option<String>,
- expected_failure: bool,
-}
-
-fn parse_test_data(input: &str) -> Vec<Entry> {
- let mut tests: Vec<Entry> = Vec::new();
- for line in input.lines() {
- if line == "" || line.starts_with("#") {
- continue
- }
- let mut pieces = line.split(' ').collect::<Vec<&str>>();
- let expected_failure = pieces[0] == "XFAIL";
- if expected_failure {
- pieces.remove(0);
- }
- let input = unescape(pieces.remove(0));
- let mut test = Entry {
- input: input,
- base: if pieces.is_empty() || pieces[0] == "" {
- tests.last().unwrap().base.clone()
- } else {
- unescape(pieces.remove(0))
- },
- scheme: None,
- username: String::new(),
- password: None,
- host: String::new(),
- port: None,
- path: None,
- query: None,
- fragment: None,
- expected_failure: expected_failure,
- };
- for piece in pieces {
- if piece == "" || piece.starts_with("#") {
- continue
- }
- let colon = piece.find(':').unwrap();
- let value = unescape(&piece[colon + 1..]);
- match &piece[..colon] {
- "s" => test.scheme = Some(value),
- "u" => test.username = value,
- "pass" => test.password = Some(value),
- "h" => test.host = value,
- "port" => test.port = Some(value.parse().unwrap()),
- "p" => test.path = Some(value),
- "q" => test.query = Some(value),
- "f" => test.fragment = Some(value),
- _ => panic!("Invalid token")
- }
- }
- tests.push(test)
- }
- tests
-}
-
-fn unescape(input: &str) -> String {
- let mut output = String::new();
- let mut chars = input.chars();
- loop {
- match chars.next() {
- None => return output,
- Some(c) => output.push(
- if c == '\\' {
- match chars.next().unwrap() {
- '\\' => '\\',
- 'n' => '\n',
- 'r' => '\r',
- 's' => ' ',
- 't' => '\t',
- 'f' => '\x0C',
- 'u' => {
- char::from_u32((((
- chars.next().unwrap().to_digit(16).unwrap()) * 16 +
- chars.next().unwrap().to_digit(16).unwrap()) * 16 +
- chars.next().unwrap().to_digit(16).unwrap()) * 16 +
- chars.next().unwrap().to_digit(16).unwrap()).unwrap()
- }
- _ => panic!("Invalid test data input"),
- }
- } else {
- c
- }
- )
- }
- }
-}
-
-fn make_test(entry: Entry) -> test::TestDescAndFn {
- test::TestDescAndFn {
- desc: test::TestDesc {
- name: test::DynTestName(format!("{:?} base {:?}", entry.input, entry.base)),
- ignore: false,
- should_panic: test::ShouldPanic::No,
- },
- testfn: test::TestFn::dyn_test_fn(move || run_one(entry)),
- }
-
-}
-
-fn main() {
- test::test_main(
- &std::env::args().collect::<Vec<_>>(),
- parse_test_data(include_str!("urltestdata.txt")).into_iter().map(make_test).collect(),
- )
-}
|
resolving a fragment against any scheme does not succeed
These tests fail https://github.com/w3c/web-platform-tests/blob/master/url/urltestdata.txt#L346-L351 because non-relative URLs can't be constructed using a base URL.
DEFAULT_ENCODE_SET doesn't percent-encode / and %
I'm writing a CouchDB client crate. With CouchDB, unlike with many file-serving web servers, the `/` and `%` characters are often valid characters within a path component. For example, `foo/bar` is a valid database name, and `qux%baz` is a valid document name. An HTTP request line to get a document might look something like this:
```
GET /foo%2Fbar/qux%25baz HTTP/1.1
```
My crate starts with a base `Url` provided by the application (e.g., `http://couchdb-server:1234/`) and then manipulates the `Url`'s path to add a database name, document name, etc. to form an HTTP request. The following code snippet demonstrates the path manipulation:
```
let app_input = "http://couchdb-server/";
let mut u = url::Url::parse(app_input).unwrap();
{
let mut p = u.path_mut().unwrap();
p.clear();
p.push("foo/bar".to_string());
p.push("qux%baz".to_string());
}
println!("database: {}", u.path().unwrap()[0]);
println!("document: {}", u.path().unwrap()[1]);
println!("URI : {}", u);
```
Output I would like to see:
```
database: foo/bar
document: qux%baz
URI : http://couchdb-server/foo%2Fbar/qux%25baz
```
Actual output:
```
database: foo/bar
document: qux%baz
URI : http://couchdb-server/foo/bar/qux%baz
```
Fair enough. After reading through #149, I understand the `url` crate's goals aren't exactly aligned with my hopes. I only need to be explicit about the percent-encoding and everything will work, right? Wrong.
```
let app_input = "http://couchdb-server/";
let mut u = url::Url::parse(app_input).unwrap();
{
use url::percent_encoding::{percent_encode, DEFAULT_ENCODE_SET};
let mut p = u.path_mut().unwrap();
p.clear();
p.push(percent_encode("foo/bar".as_bytes(), DEFAULT_ENCODE_SET));
p.push(percent_encode("qux%baz".as_bytes(), DEFAULT_ENCODE_SET));
}
println!("database: {}", u.path().unwrap()[0]);
println!("document: {}", u.path().unwrap()[1]);
println!("URI : {}", u);
```
Output I expect:
```
database: foo/bar
document: qux%baz
URI : http://couchdb-server/foo%2Fbar/qux%25baz
```
Actual output:
```
database: foo/bar
document: qux%baz
URI : http://couchdb-server/foo/bar/qux%baz
```
WTF? Percent-encoding using the `DEFAULT_ENCODE_SET`, which is for path components, doesn't percent-encode `/` and `%` characters? This means percent-encoding and percent-decoding aren't inverses.
```
use url::percent_encoding::{percent_decode, percent_encode, DEFAULT_ENCODE_SET};
let a = "qux%baz";
let b = percent_encode(a.as_bytes(), DEFAULT_ENCODE_SET);
let c = String::from_utf8(percent_decode(b.as_bytes())).unwrap();
assert!(a == c);
```
Actual output:
```
thread '<main>' panicked at 'called `Result::unwrap()` on an `Err` value: FromUtf8Error { bytes: [113, 117, 120, 186, 122], error: Utf8Error { valid_up_to: 3 } }', ../src/libcore/result.rs:738
Process didn't exit successfully: `target/debug/rust-scratch` (exit code: 101)
```
I think this violates the Principle of Least Astonishment. Percent-decoding should undo percent-encoding.
Anyway, for my CouchDB use case, the workaround is to explicitly use string methods to replace `/` and `%` characters with `%2F` and `%25` _before_ calling the `url::percent_encode` function. However, this is a tedious workaround—and it requires a couple extra allocations.
|
I haven’t read in details yet, sorry. (Gotta run soon.) Would https://github.com/servo/rust-url/pull/151 help?
Also, some notes:
- The contents of `url.path()` are percent-encoded, same as in the serialization.
- The `percent_encode` function is primarily written to support the parsing algorithm at https://url.spec.whatwg.org/#url-parsing , which in turn is designed to deal with input like `<a href="/Été%20et%20hiver/">` which can contain both characters (such as non-ASCII) that need to be percent-encoded, and already-percent-encoded sequences that shouldn’t be double-encoded.
- My goal with this library is to support Servo, where compatibility with existing web content (even stupidly broken) is more important than a "Principle of Least Astonishment", which by the way is very subjective.
@SimonSapin Thank you for the quick response. Yes, #151 may help, but I think we can do better.
(This is a long comment, but I have a concrete proposal at the end of it. Everything between here and that proposal is to make sure we understand each others' intentions. You know the `url` crate a lot better than I do.)
If I understand correctly, a custom `EncodeSet` implementation would allow use cases such as mine to avoid the explicit string replacement operations and extra allocations I mentioned in my previous comment. Very nice! Furthermore, I could take an existing encode set, such as `DEFAULT_ENCODE_SET`, and wrap it with a shim to add support for percent-encoding `/` and `%`. Even better! Being able to extend an existing encode set is important to me because I want to minimize the amount of percent-encoding logic in my CouchDB crate.
That said, I think my use case will prove inconveniently common for your `url` crate. As much as you want to focus on supporting Servo, your `Url` type is used in `hyper`, and `hyper` is on its way to being the bedrock of most things Web in Rust. This means your `Url` type is fundamental to a lot of crates. Take mine as an example. I'm using your `Url` type because I'm using `hyper`—and my situation is very different than Servo's.
However, popularity needn't be a problem. I accept that my use case isn't the only one—or even the most important one—and I'm okay with whole-string-parsing not handling percent-encoding as I would like it to. Ergo, whole-string-parsing behavior should match whatever makes the most sense in Servo. But I'm not doing whole-string-parsing. I'm manipulating individual path components, and I expect that to handle percent-encoding. This is what my examples are about in my previous comment. Please take a few minutes to understand them.
Why do I expect individual-path-component-manipulation to handle percent-encoding? Suppose I take an existing `Url` instance and replace all path components (via the `path_mut` method) with a single path component of the value `foo/bar`. I expect that to serialize to a URI string with _one_ path component, `foo%2Fbar`, but the current `Url` implementation serializes to a string with two components, `foo` and `bar`. If I `foo` and `bar` then I would have used something like `vec!["foo", "bar"]`. What's the point of being able to manipulate _individual_ path components if there's no guarantee the contents of one path component won't spill over into other path components?
### A proposal
Maybe what's best is to add another method to `Url`. Maybe something like:
```
pub fn replace_path_components(&mut self, components: Vec<String>);
```
The `replace_path_components` method would percent-encode each string in the vector, including the `/` and `%` characters, and then do something like: `*self.path_mut() = components`.
The new `replace_path_components` method would allow the `path` and `path_mut` methods to remain unchanged for backwards compatibility while allowing crates like mine to have safe access to individual path components without the need no deal with percent-encoding logic. I think this is a win for everybody.
I can implement this and would like to. What do you think?
Yet another idea is to have a normalizing function for path components. Maybe something like:
```
fn normalize_path_component<T: Into<String>>(component: T) -> String;
```
This would be a standalone function that, given a path component string, returns the percent-encoded version of the string suitable for remaining a single, valid path component when serialized. This means encoding the string according to `DEFAULT_ENCODE_SET` as well as percent-encoding `/` and `%` characters.
```
assert_eq!("foobar", normalize_path_component("foobar"));
assert_eq!("foo%20bar", normalize_path_component("foo bar"));
assert_eq!("foo%3Fbar", normalize_path_component("foo?bar"));
assert_eq!("foo%2Fbar", normalize_path_component("foo/bar"));
assert_eq!("foo%25bar", normalize_path_component("foo%bar"));
```
An application could “normalize” the path portion of a `Url` instance, like so:
```
uri.path_mut().into_iter().map(|x| normalize_path_component(x));
```
This would contain all percent-encoding logic within the `url` crate, maintain full compatibility with the crate's existing API in v0.5, and generally keeps things simple for use cases such as Servo's and use cases such as mine.
| 2016-03-02T15:47:11
|
rust
|
Hard
|
servo/rust-url
| 839
|
servo__rust-url-839
|
[
"838"
] |
206d37851b9313ef3a6ecb83766d9bbc65d466be
|
diff --git a/url/src/parser.rs b/url/src/parser.rs
--- a/url/src/parser.rs
+++ b/url/src/parser.rs
@@ -178,7 +178,7 @@ pub fn default_port(scheme: &str) -> Option<u16> {
}
}
-#[derive(Clone)]
+#[derive(Clone, Debug)]
pub struct Input<'i> {
chars: str::Chars<'i>,
}
@@ -1173,7 +1173,7 @@ impl<'a> Parser<'a> {
) -> Input<'i> {
// Relative path state
loop {
- let segment_start = self.serialization.len();
+ let mut segment_start = self.serialization.len();
let mut ends_with_slash = false;
loop {
let input_before_c = input.clone();
@@ -1202,6 +1202,14 @@ impl<'a> Parser<'a> {
}
_ => {
self.check_url_code_point(c, &input);
+ if scheme_type.is_file()
+ && is_normalized_windows_drive_letter(
+ &self.serialization[path_start + 1..],
+ )
+ {
+ self.serialization.push('/');
+ segment_start += 1;
+ }
if self.context == Context::PathSegmentSetter {
if scheme_type.is_special() {
self.serialization
@@ -1249,7 +1257,10 @@ impl<'a> Parser<'a> {
}
_ => {
// If url’s scheme is "file", url’s path is empty, and buffer is a Windows drive letter, then
- if scheme_type.is_file() && is_windows_drive_letter(segment_before_slash) {
+ if scheme_type.is_file()
+ && segment_start == path_start + 1
+ && is_windows_drive_letter(segment_before_slash)
+ {
// Replace the second code point in buffer with U+003A (:).
if let Some(c) = segment_before_slash.chars().next() {
self.serialization.truncate(segment_start);
|
diff --git a/url/tests/unit.rs b/url/tests/unit.rs
--- a/url/tests/unit.rs
+++ b/url/tests/unit.rs
@@ -1262,3 +1262,39 @@ fn test_authority() {
"%C3%A0lex:%C3%[email protected]"
);
}
+
+#[test]
+/// https://github.com/servo/rust-url/issues/838
+fn test_file_with_drive() {
+ let s1 = "fIlE:p:?../";
+ let url = url::Url::parse(s1).unwrap();
+ assert_eq!(url.to_string(), "file:///p:?../");
+ assert_eq!(url.path(), "/p:");
+
+ let testcases = [
+ ("a", "file:///p:/a"),
+ ("", "file:///p:?../"),
+ ("?x", "file:///p:?x"),
+ (".", "file:///p:/"),
+ ("..", "file:///p:/"),
+ ("../", "file:///p:/"),
+ ];
+
+ for case in &testcases {
+ let url2 = url::Url::join(&url, case.0).unwrap();
+ assert_eq!(url2.to_string(), case.1);
+ }
+}
+
+#[test]
+/// Similar to test_file_with_drive, but with a path
+/// that could be confused for a drive.
+fn test_file_with_drive_and_path() {
+ let s1 = "fIlE:p:/x|?../";
+ let url = url::Url::parse(s1).unwrap();
+ assert_eq!(url.to_string(), "file:///p:/x|?../");
+ assert_eq!(url.path(), "/p:/x|");
+ let s2 = "a";
+ let url2 = url::Url::join(&url, s2).unwrap();
+ assert_eq!(url2.to_string(), "file:///p:/a");
+}
|
The program crashed after using the "join" function.
- [ ] Note that this crate implements the [URL Standard](https://url.spec.whatwg.org/) not RFC 1738 or RFC 3986
**Describe the bug**
A clear and concise description of what the bug is. Include code snippets if possible.
This is the version of url:
```toml
[dependencies]
url = "=2.3.1"
```
This is the code that trigger bugs:
```rust
fn main() {
let s1 = "fIlE:p:?../";
let s2 = "../";
let url = url::Url::parse(s1).unwrap();
let _ = url::Url::join(&url, s2);
}
```
Run this code, we will get the error message below:
```
thread 'main' panicked at 'assertion failed: self.serialization.as_bytes()[segment_start - 1] == b\'/\'', /home/yxz/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/url-2.3.1/src/parser.rs:1227:21
```
| 2023-05-30T22:02:27
|
rust
|
Easy
|
|
shuttle-hq/synth
| 246
|
shuttle-hq__synth-246
|
[
"235"
] |
8526fe6f9c997a1a25697375ca6dcb6c29c16927
|
diff --git a/.github/workflows/scripts/validate_mysql_gen_count.sh b/.github/workflows/scripts/validate_mysql_gen_count.sh
deleted file mode 100644
--- a/.github/workflows/scripts/validate_mysql_gen_count.sh
+++ /dev/null
@@ -1,8 +0,0 @@
-#!/bin/bash
-
-sum_rows_query="SELECT (SELECT count(*) FROM hospitals) + (SELECT count(*) FROM doctors) + (SELECT count(*) FROM patients)"
-sum=`mysql -h $MYSQL_HOST -u root --password=$MYSQL_ROOT_PASSWORD -P $MYSQL_PORT $MYSQL_DATABASE -e "$sum_rows_query" | grep -o '[[:digit:]]*'`
-if [ "$sum" -lt "10" ]
-then
- exit 1
-fi
\ No newline at end of file
diff --git a/.github/workflows/synth-mongo.yml b/.github/workflows/synth-mongo.yml
--- a/.github/workflows/synth-mongo.yml
+++ b/.github/workflows/synth-mongo.yml
@@ -3,10 +3,10 @@ name: synth-mongo
on:
push:
branches: [ master ]
- paths: [ '**/*.rs' ]
+ paths: [ "**/*.rs", "synth/testing_harness/mongodb/**" ]
pull_request:
branches: [ master ]
- paths: [ '**/*.rs' ]
+ paths: [ "**/*.rs", "synth/testing_harness/mongodb/**" ]
workflow_dispatch:
@@ -16,42 +16,17 @@ env:
jobs:
e2e_tests_mongo:
runs-on: ubuntu-latest
+ env:
+ PORT: 27017
steps:
- uses: actions/checkout@v2
- run: |
- docker run -p 27017:27017 --name mongo-test -d mongo:latest
+ docker run -p $PORT:27017 --name mongo-synth-harness -d mongo:latest
- uses: actions-rs/toolchain@v1
with:
toolchain: nightly
- run: cargo +nightly install --debug --path=synth
- - run: |
- echo "Running generate test"
- cd synth/testing_harness/mongodb/synth
- synth generate hospital --size 100 --to mongodb://localhost:27017/hospital
- cd ..
- COLLECTIONS=(hospitals doctors patients)
- for collection in "${COLLECTIONS[@]}"
- do
- docker exec -i mongo-test mongoexport \
- --db hospital \
- --collection "$collection" \
- --forceTableScan \
- --jsonArray \
- | jq 'del(.[]._id)' \
- | diff -y - "hospital_master_data/$collection.json" || exit 1
- done
- - run: |
- echo "Testing import"
- docker container restart mongo-test
- cd synth/testing_harness/mongodb/
- for collection in "${COLLECTIONS[@]}"
- do
- cat "hospital_master_data/$collection.json" \
- | docker exec -i mongo-test mongoimport \
- --db hospital \
- --collection "$collection" \
- --jsonArray
- done
- cd synth
- synth import --from mongodb://localhost:27017/hospital hospital_temp
- diff <(jq --sort-keys . hospital_temp/*) <(jq --sort-keys . hospital_master/*)
+ - run: ./e2e.sh test-generate
+ working-directory: synth/testing_harness/mongodb
+ - run: ./e2e.sh test-import
+ working-directory: synth/testing_harness/mongodb
diff --git a/.github/workflows/synth-mysql.yml b/.github/workflows/synth-mysql.yml
--- a/.github/workflows/synth-mysql.yml
+++ b/.github/workflows/synth-mysql.yml
@@ -3,10 +3,10 @@ name: synth-mysql
on:
push:
branches: [ master ]
- paths: [ '**/*.rs' ]
+ paths: [ "**/*.rs", "synth/testing_harness/mysql/**" ]
pull_request:
branches: [ master ]
- paths: [ '**/*.rs' ]
+ paths: [ "**/*.rs", "synth/testing_harness/mysql/**" ]
workflow_dispatch:
@@ -25,6 +25,7 @@ jobs:
ports:
- 3306:3306
options: >-
+ --name mysql-synth-harness
--health-cmd="mysqladmin ping"
--health-interval=10s
--health-timeout=5s
@@ -37,6 +38,7 @@ jobs:
ports:
- 3307:3306
options: >-
+ --name mariadb-synth-harness
--health-cmd="mysqladmin ping"
--health-interval=10s
--health-timeout=5s
@@ -52,37 +54,16 @@ jobs:
- uses: actions/checkout@v2
## Set env. variables for this job
- run: |
- echo "MYSQL_HOST=127.0.0.1" >> $GITHUB_ENV
- echo "MYSQL_USER=root" >> $GITHUB_ENV
- echo "MYSQL_PORT=${{ matrix.port }}" >> $GITHUB_ENV
- echo "MYSQL_ROOT_PASSWORD=mysecretpassword" >> $GITHUB_ENV
- echo "MYSQL_DATABASE=test_db" >> $GITHUB_ENV
- echo "DB_SCHEME=${{ matrix.db }}" >> $GITHUB_ENV
+ echo "PORT=${{ matrix.port }}" >> $GITHUB_ENV
+ echo "SCHEME=${{ matrix.db }}" >> $GITHUB_ENV
- run: |
sudo apt-get update
- sudo apt-get install --yes --no-install-recommends mysql-client jq
- - run: >
- mysql -h "${{ env.MYSQL_HOST }}" -u "${{ env.MYSQL_USER }}" --password="${{ env.MYSQL_ROOT_PASSWORD }}"
- -P "${{ env.MYSQL_PORT }}" "${{ env.MYSQL_DATABASE }}" < synth/testing_harness/mysql/0_hospital_schema.sql
+ sudo apt-get install --yes --no-install-recommends jq
- uses: actions-rs/toolchain@v1
with:
toolchain: nightly
- run: cargo +nightly install --debug --path=synth
- - run: |
- echo "Running generate test"
- cd synth/testing_harness/mysql
- synth generate hospital_master --to ${{ env.DB_SCHEME }}://${{ env.MYSQL_USER }}:${{ env.MYSQL_ROOT_PASSWORD }}@${{ env.MYSQL_HOST }}:${{ env.MYSQL_PORT }}/${{ env.MYSQL_DATABASE }} --size 10
- bash "${GITHUB_WORKSPACE}/.github/workflows/scripts/validate_mysql_gen_count.sh"
- ## Clear out and repopulate DB
- - run: >
- mysql -h "${{ env.MYSQL_HOST }}" -u "${{ env.MYSQL_USER }}" --password="${{ env.MYSQL_ROOT_PASSWORD }}"
- -P "${{ env.MYSQL_PORT }}" "${{ env.MYSQL_DATABASE }}" < synth/testing_harness/mysql/0_hospital_schema.sql
- - run: >
- mysql -h "${{ env.MYSQL_HOST }}" -u "${{ env.MYSQL_USER }}" --password="${{ env.MYSQL_ROOT_PASSWORD }}"
- -P "${{ env.MYSQL_PORT }}" "${{ env.MYSQL_DATABASE }}" < synth/testing_harness/mysql/1_hospital_data.sql
- - run: |
- echo "Testing import"
- cd synth/testing_harness/mysql
- synth init || true
- synth import --from ${{ env.DB_SCHEME }}://${{ env.MYSQL_USER }}:${{ env.MYSQL_ROOT_PASSWORD }}@${{ env.MYSQL_HOST }}:${{ env.MYSQL_PORT }}/${{ env.MYSQL_DATABASE }} hospital_import
- diff <(jq --sort-keys . hospital_import/*) <(jq --sort-keys . hospital_master/*)
+ - run: ./e2e.sh test-generate
+ working-directory: synth/testing_harness/mysql
+ - run: ./e2e.sh test-import
+ working-directory: synth/testing_harness/mysql
diff --git a/.github/workflows/synth-postgres.yml b/.github/workflows/synth-postgres.yml
--- a/.github/workflows/synth-postgres.yml
+++ b/.github/workflows/synth-postgres.yml
@@ -3,10 +3,10 @@ name: synth-postgres
on:
push:
branches: [master]
- paths: ["**/*.rs", "synth/testing_harness/postgres/**"]
+ paths: [ "**/*.rs", "synth/testing_harness/postgres/**" ]
pull_request:
branches: [master]
- paths: ["**/*.rs", "synth/testing_harness/postgres/**"]
+ paths: [ "**/*.rs", "synth/testing_harness/postgres/**" ]
workflow_dispatch:
@@ -22,6 +22,7 @@ jobs:
env:
POSTGRES_PASSWORD: postgres
options: >-
+ --name postgres-synth-harness
-p 5432:5432
--health-cmd pg_isready
--health-interval 10s
@@ -34,13 +35,11 @@ jobs:
- uses: actions/checkout@v2
- run: |
sudo apt-get update
- sudo apt-get install --yes --no-install-recommends postgresql-client jq
+ sudo apt-get install --yes --no-install-recommends jq
- uses: actions-rs/toolchain@v1
with:
toolchain: nightly
- run: cargo +nightly install --debug --path=synth
- - run: ./e2e.sh load-schema
- working-directory: synth/testing_harness/postgres
- run: ./e2e.sh test-generate
working-directory: synth/testing_harness/postgres
- run: ./e2e.sh test-import
|
diff --git a/synth/testing_harness/mongodb/.env b/synth/testing_harness/mongodb/.env
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mongodb/.env
@@ -0,0 +1,2 @@
+PORT=${PORT:=27017}
+NAME=mongo-synth-harness
diff --git a/synth/testing_harness/mongodb/.gitignore b/synth/testing_harness/mongodb/.gitignore
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mongodb/.gitignore
@@ -0,0 +1 @@
+hospital_import
diff --git a/synth/testing_harness/mongodb/README.md b/synth/testing_harness/mongodb/README.md
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mongodb/README.md
@@ -0,0 +1,15 @@
+Integration Tests for Mongodb
+====================================
+
+This is an integration test that validates the synth generate and synth import commands for Mongodb on a Debian flavored
+OS. The models in hospital_master are used as a known "golden" set to validate against. The *.json files in
+hospital_data generate the schema and test data within the database.
+
+# Requirements:
+- Docker
+- jq
+
+# Instructions
+
+To run this, execute `e2e.sh test-local` script from the current directory. A non-zero return code denotes failure.
+Note: run this with all dependencies installed in Vagrant with the [Vagrantfile](tools/vagrant/linux/ubuntu/Vagrantfile)
diff --git a/synth/testing_harness/mongodb/e2e.sh b/synth/testing_harness/mongodb/e2e.sh
--- a/synth/testing_harness/mongodb/e2e.sh
+++ b/synth/testing_harness/mongodb/e2e.sh
@@ -1,65 +1,142 @@
#!/bin/bash
-# ------ Begin Setup ------
+set -uo pipefail
-# database harness information
-PORT=27017
-NAME=mongo-synth-harness
+# load env vars
+if [ -f .env ]
+then
+ set -a
+ . .env
+ set +a
+fi
-# shellcheck disable=SC2064
-trap " { docker kill '$NAME'; docker rm '$NAME'; } " EXIT
-
-# go to script directory
-cd "$( dirname "${BASH_SOURCE[0]}" )/synth" || exit 1
-# delete leftover config
-rm -f .synth/config.toml
-
-synth init || exit 1
-
-docker run -p $PORT:27017 --name $NAME -d mongo:latest || exit 1
-
-echo "Running database with container name $NAME on port $PORT"
-
-sleep 1
-
-# ------ End Setup ------
-
-# ------ Start Test Generate > Mongo ------
-echo "Running generation tests..."
-
-# Generate data into Mongo
-synth generate hospital --size 100 --to mongodb://localhost:27017/hospital || exit 1
-
-cd ..
+SYNTH="synth"
+[ "${CI-false}" == "true" ] || SYNTH="cargo run --bin synth"
COLLECTIONS=(hospitals doctors patients)
-# Export collection and compare against golden master
-# We use jq for redacting the MongoDB OID.
-for collection in "${COLLECTIONS[@]}"
-do
- docker exec -i "$NAME" mongoexport \
- --db hospital \
- --collection "$collection" \
- --forceTableScan \
- --jsonArray \
- | jq 'del(.[]._id)' \
- | diff - "hospital_master_data/$collection.json" || exit 1
-
-done
-
-# ------ End Test Generate > Mongo ------
-
-# ------ Start Test Import < Mongo ------
-echo "Running import tests..."
-
-cd synth || exit 1
-
-synth import --from mongodb://localhost:27017/hospital hospital_temp
-
-diff hospital_temp hospital_master
-
-rm -r hospital_temp || exit 1
-# ------ End Test Import < Mongo ------
-
-echo "Done..."
\ No newline at end of file
+ERROR='\033[0;31m'
+INFO='\033[0;36m'
+DEBUG='\033[0;37m'
+NC='\033[0m' # No Color
+
+function help() {
+ echo "$1 <command>
+
+commands:
+ test-generate|Test generating data to mongodb
+ test-import|Test importing from mongodb data
+ test-local|Run all test on a local machine using the container from 'up' (no need to call 'up' first)
+ up|Starts a local Docker instance for testing
+ down|Stops container started with 'up'
+ cleanup|Cleanup local files after a test run
+" | column -t -L -s"|"
+}
+
+function test-generate() {
+ echo -e "${INFO}Test generate${NC}"
+
+ for collection in "${COLLECTIONS[@]}"
+ do
+ docker exec -i $NAME mongo \
+ hospital \
+ --eval "db.${collection}.drop()" > /dev/null
+ done
+
+ $SYNTH generate hospital --to mongodb://localhost:${PORT}/hospital --size 100 || return 1
+
+ for collection in "${COLLECTIONS[@]}"
+ do
+ docker exec -i $NAME mongoexport \
+ --quiet \
+ --db hospital \
+ --collection "$collection" \
+ --forceTableScan \
+ --jsonArray \
+ | jq 'del(.[]._id)' \
+ | diff - "hospital_data/$collection.json" || { echo -e "${ERROR}Generation '$collection' does not match${NC}"; return 1; }
+ done
+}
+
+function test-import() {
+ echo -e "${INFO}Testing import${NC}"
+
+ for collection in "${COLLECTIONS[@]}"
+ do
+ cat "hospital_data/$collection.json" \
+ | docker exec -i $NAME mongoimport \
+ --quiet \
+ --db hospital \
+ --collection "$collection" \
+ --jsonArray
+ done
+
+ $SYNTH import --from mongodb://localhost:${PORT}/hospital hospital_import || { echo -e "${ERROR}Import failed${NC}"; return 1; }
+ diff <(jq --sort-keys . hospital_import/*) <(jq --sort-keys . hospital_master/*) || { echo -e "${ERROR}Import namespaces do not match${NC}"; return 1; }
+}
+
+function test-local() {
+ up || return 1
+
+ result=0
+ test-generate || result=$?
+ test-import || result=$?
+
+ down
+ cleanup
+
+ echo -e "${DEBUG}Done${NC}"
+
+ return $result
+}
+
+function up() {
+ echo -e "${DEBUG}Starting container${NC}"
+ echo -e "${DEBUG}Running database with container name $NAME on port $PORT${NC}"
+ docker run --rm --name $NAME -p $PORT:27017 -d mongo > /dev/null
+
+ wait_count=0
+ while [ $(docker logs $NAME 2>&1 | grep -c "Waiting for connections") -lt 1 ]
+ do
+ range=$(printf "%${wait_count}s")
+ echo -en "\\r${DEBUG}Waiting for DB to come up${range// /.}${NC}"
+ wait_count=$((wait_count + 1))
+ sleep 1
+ done
+ echo
+}
+
+function down() {
+ echo -e "${DEBUG}Stopping container${NC}"
+ docker stop $NAME > /dev/null
+}
+
+function cleanup() {
+ echo -e "${DEBUG}Cleaning up local files${NC}"
+ rm -Rf hospital_import
+ rm -Rf .synth
+}
+
+case "${1-*}" in
+ test-generate)
+ test-generate || exit 1
+ ;;
+ test-import)
+ test-import || exit 1
+ ;;
+ test-local)
+ test-local || exit 1
+ ;;
+ up)
+ up
+ ;;
+ down)
+ down
+ ;;
+ cleanup)
+ cleanup
+ ;;
+ *)
+ help $0
+ exit 1
+esac
diff --git a/synth/testing_harness/mongodb/synth/hospital/doctors.json b/synth/testing_harness/mongodb/hospital/doctors.json
similarity index 100%
rename from synth/testing_harness/mongodb/synth/hospital/doctors.json
rename to synth/testing_harness/mongodb/hospital/doctors.json
diff --git a/synth/testing_harness/mongodb/synth/hospital/hospitals.json b/synth/testing_harness/mongodb/hospital/hospitals.json
similarity index 100%
rename from synth/testing_harness/mongodb/synth/hospital/hospitals.json
rename to synth/testing_harness/mongodb/hospital/hospitals.json
diff --git a/synth/testing_harness/mongodb/synth/hospital/patients.json b/synth/testing_harness/mongodb/hospital/patients.json
similarity index 100%
rename from synth/testing_harness/mongodb/synth/hospital/patients.json
rename to synth/testing_harness/mongodb/hospital/patients.json
diff --git a/synth/testing_harness/mongodb/hospital_master_data/doctors.json b/synth/testing_harness/mongodb/hospital_data/doctors.json
similarity index 100%
rename from synth/testing_harness/mongodb/hospital_master_data/doctors.json
rename to synth/testing_harness/mongodb/hospital_data/doctors.json
diff --git a/synth/testing_harness/mongodb/hospital_master_data/hospitals.json b/synth/testing_harness/mongodb/hospital_data/hospitals.json
similarity index 100%
rename from synth/testing_harness/mongodb/hospital_master_data/hospitals.json
rename to synth/testing_harness/mongodb/hospital_data/hospitals.json
diff --git a/synth/testing_harness/mongodb/hospital_master_data/patients.json b/synth/testing_harness/mongodb/hospital_data/patients.json
similarity index 100%
rename from synth/testing_harness/mongodb/hospital_master_data/patients.json
rename to synth/testing_harness/mongodb/hospital_data/patients.json
diff --git a/synth/testing_harness/mongodb/synth/hospital_master/doctors.json b/synth/testing_harness/mongodb/hospital_master/doctors.json
similarity index 100%
rename from synth/testing_harness/mongodb/synth/hospital_master/doctors.json
rename to synth/testing_harness/mongodb/hospital_master/doctors.json
diff --git a/synth/testing_harness/mongodb/synth/hospital_master/hospitals.json b/synth/testing_harness/mongodb/hospital_master/hospitals.json
similarity index 100%
rename from synth/testing_harness/mongodb/synth/hospital_master/hospitals.json
rename to synth/testing_harness/mongodb/hospital_master/hospitals.json
diff --git a/synth/testing_harness/mongodb/synth/hospital_master/patients.json b/synth/testing_harness/mongodb/hospital_master/patients.json
similarity index 100%
rename from synth/testing_harness/mongodb/synth/hospital_master/patients.json
rename to synth/testing_harness/mongodb/hospital_master/patients.json
diff --git a/synth/testing_harness/mysql/.env b/synth/testing_harness/mysql/.env
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mysql/.env
@@ -0,0 +1,4 @@
+PORT=${PORT:=3306}
+PASSWORD="${PASSWORD:=mysecretpassword}"
+SCHEME="${SCHEME:=mysql}"
+NAME="$SCHEME-synth-harness"
diff --git a/synth/testing_harness/mysql/.gitignore b/synth/testing_harness/mysql/.gitignore
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/mysql/.gitignore
@@ -0,0 +1 @@
+hospital_import
diff --git a/synth/testing_harness/mysql/.synth/config.toml b/synth/testing_harness/mysql/.synth/config.toml
deleted file mode 100644
diff --git a/synth/testing_harness/mysql/README.md b/synth/testing_harness/mysql/README.md
--- a/synth/testing_harness/mysql/README.md
+++ b/synth/testing_harness/mysql/README.md
@@ -11,8 +11,7 @@ schema and test data within the database.
# Instructions
-To run this, execute the `e2e.sh` script from the current directory. A non-zero return code denotes failure.
+To run this, execute `e2e.sh test-local` script from the current directory. A non-zero return code denotes failure.
Note: run this with all dependencies installed in Vagrant with the [Vagrantfile](tools/vagrant/linux/ubuntu/Vagrantfile)
-By default, the script will test MySql. To test MariaDb, set the environment variable `MARIA_DB_SCHEME=mariadb` before
-running.
\ No newline at end of file
+By default, the script will test MySql. To test MariaDb, set the environment variable `SCHEME=mariadb` before running.
diff --git a/synth/testing_harness/mysql/e2e.sh b/synth/testing_harness/mysql/e2e.sh
old mode 100644
new mode 100755
--- a/synth/testing_harness/mysql/e2e.sh
+++ b/synth/testing_harness/mysql/e2e.sh
@@ -1,65 +1,124 @@
#!/bin/bash
-DB_HOST=127.0.0.1
-DB_PORT=3306
-DB_USER=root
-DB_PASSWORD="mysecretpassword"
-DB_NAME=test_db
-DB_SCHEME="${MARIA_DB_SCHEME:=mysql}"
-CONTAINER_NAME=mysql-synth-harness
+set -uo pipefail
-######### Initialization #########
-
-# Install dependencies
-#apt-get install -y mysql-client
-
-cd "$( dirname "${BASH_SOURCE[0]}" )"
-
-# delete leftover config
-rm -f .synth/config.toml
-
-# 0. init workspace
-synth init || exit 1
-
-# 1. Init DB service
-container_id=$(docker run --name $CONTAINER_NAME -e MYSQL_ROOT_PASSWORD=$DB_PASSWORD -e MYSQL_DATABASE=$DB_NAME -p $DB_PORT:3306 -d $DB_SCHEME:latest)
+# load env vars
+if [ -f .env ]
+then
+ set -a
+ . .env
+ set +a
+fi
-# Waits til DB is ready
-while ! mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME -e "SELECT 1" > /dev/null 2>&1; do
+SYNTH="synth"
+[ "${CI-false}" == "true" ] || SYNTH="cargo run --bin synth"
+
+ERROR='\033[0;31m'
+INFO='\033[0;36m'
+DEBUG='\033[0;37m'
+NC='\033[0m' # No Color
+
+function help() {
+ echo "$1 <command>
+
+commands:
+ load-schema [--no-data]|Fills DB with test schema - defaults to loading data too
+ test-generate|Test generating data to mysql
+ test-import|Test importing from mysql data
+ test-local|Run all test on a local machine using the container from 'up' (no need to call 'up' first)
+ up|Starts a local Docker instance for testing
+ down|Stops container started with 'up'
+ cleanup|Cleanup local files after a test run
+" | column -t -L -s"|"
+}
+
+function load-schema() {
+ docker exec -i $NAME mysql -h 127.0.0.1 -u root --password=$PASSWORD -P 3306 "test_db" < 0_hospital_schema.sql || return 1
+ [ ${1} == "--no-data" ] || docker exec -i $NAME mysql -h 127.0.0.1 -u root --password=$PASSWORD -P 3306 "test_db" < 1_hospital_data.sql || return 1
+}
+
+function test-generate() {
+ echo -e "${INFO}Test generate${NC}"
+ load-schema --no-data || { echo -e "${ERROR}Failed to load schema${NC}"; return 1; }
+ $SYNTH generate hospital_master --to $SCHEME://root:${PASSWORD}@127.0.0.1:${PORT}/test_db --size 30 || return 1
+
+ sum_rows_query="SELECT (SELECT count(*) FROM hospitals) + (SELECT count(*) FROM doctors) + (SELECT count(*) FROM patients)"
+ sum=`docker exec -i $NAME mysql -h 127.0.0.1 -u root --password=$PASSWORD -P 3306 "test_db" -e "$sum_rows_query" | grep -o '[[:digit:]]*'`
+ [ "$sum" -gt "30" ] || { echo -e "${ERROR}Generation did not create more than 30 records${NC}"; return 1; }
+}
+
+function test-import() {
+ echo -e "${INFO}Testing import${NC}"
+ load-schema --all || { echo -e "${ERROR}Failed to load schema${NC}"; return 1; }
+ $SYNTH import --from $SCHEME://root:${PASSWORD}@127.0.0.1:${PORT}/test_db hospital_import || { echo -e "${ERROR}Import failed${NC}"; return 1; }
+ diff <(jq --sort-keys . hospital_import/*) <(jq --sort-keys . hospital_master/*) || { echo -e "${ERROR}Import namespaces do not match${NC}"; return 1; }
+}
+
+function test-local() {
+ up || return 1
+
+ result=0
+ test-generate || result=$?
+ test-import || result=$?
+
+ down
+ cleanup
+
+ echo -e "${DEBUG}Done${NC}"
+
+ return $result
+}
+
+function up() {
+ echo -e "${DEBUG}Starting container${NC}"
+ echo -e "${DEBUG}Running database with container name $NAME on port $PORT with password $PASSWORD${NC}"
+ docker run --rm --name $NAME -p $PORT:3306 -e MYSQL_ROOT_PASSWORD=$PASSWORD -e MYSQL_DATABASE="test_db" -d $SCHEME > /dev/null
+
+ wait_count=0
+ while ! docker exec -i $NAME mysql -h 127.0.0.1 -u root --password=$PASSWORD -P 3306 "test_db" -e "SELECT 1" > /dev/null 2>&1
+ do
+ range=$(printf "%${wait_count}s")
+ echo -en "\\r${DEBUG}Waiting for DB to come up${range// /.}${NC}"
+ wait_count=$((wait_count + 1))
sleep 1
-done
-
-######### Export Test #########
-
-# 2. Populate DB schema
-mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME < 0_hospital_schema.sql || exit 1
-
-result=0
-
-# 3. Verify gen to DB crates min. expected rows
-synth generate hospital_master --to $DB_SCHEME://$DB_USER:$DB_PASSWORD@$DB_HOST:$DB_PORT/$DB_NAME --size 1 || result=1
-sum_rows_query="SELECT (SELECT count(*) FROM hospitals) + (SELECT count(*) FROM doctors) + (SELECT count(*) FROM patients)"
-sum=`mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME -e "$sum_rows_query" | grep -o '[[:digit:]]*'`
-[ "$sum" -gt "30" ] || result=1
-
-######### Import Test #########
-
-# 4. Clear out export data and insert known golden master data
-mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME < 0_hospital_schema.sql || exit 1
-mysql -h $DB_HOST -u root --password=$DB_PASSWORD -P $DB_PORT $DB_NAME < 1_hospital_data.sql || exit 1
-
-# 5. Import with synth and diff
-synth import --from $DB_SCHEME://$DB_USER:$DB_PASSWORD@$DB_HOST:$DB_PORT/$DB_NAME hospital_import || result=1
-diff <(jq --sort-keys . hospital_import/*) <(jq --sort-keys . hospital_master/*) || result=1
-
-######### Cleanup #########
-
-docker rm -f "${container_id}"
-rm -rf hospital_import
-rm -rf .synth
-
-# fail if any of the commands failed
-if [ $result -ne 0 ]
-then
+ done
+ echo
+}
+
+function down() {
+ echo -e "${DEBUG}Stopping container${NC}"
+ docker stop $NAME > /dev/null
+}
+
+function cleanup() {
+ echo -e "${DEBUG}Cleaning up local files${NC}"
+ rm -Rf hospital_import
+ rm -Rf .synth
+}
+
+case "${1-*}" in
+ load-schema)
+ load-schema ${2---all} || exit 1
+ ;;
+ test-generate)
+ test-generate || exit 1
+ ;;
+ test-import)
+ test-import || exit 1
+ ;;
+ test-local)
+ test-local || exit 1
+ ;;
+ up)
+ up
+ ;;
+ down)
+ down
+ ;;
+ cleanup)
+ cleanup
+ ;;
+ *)
+ help $0
exit 1
-fi
+esac
diff --git a/synth/testing_harness/postgres/.env b/synth/testing_harness/postgres/.env
--- a/synth/testing_harness/postgres/.env
+++ b/synth/testing_harness/postgres/.env
@@ -1,3 +1,3 @@
-PORT=${PORT:=5433}
+PORT=${PORT:=5432}
PASSWORD="${PASSWORD:=mysecretpassword}"
NAME=postgres-synth-harness
diff --git a/synth/testing_harness/postgres/Dockerfile b/synth/testing_harness/postgres/Dockerfile
deleted file mode 100644
--- a/synth/testing_harness/postgres/Dockerfile
+++ /dev/null
@@ -1,6 +0,0 @@
-FROM postgres:latest
-
-# Files copied to this subdirectory on the container will run in
-# alphabetical order
-COPY *.sql /docker-entrypoint-initdb.d/
-
diff --git a/synth/testing_harness/postgres/README.md b/synth/testing_harness/postgres/README.md
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/postgres/README.md
@@ -0,0 +1,15 @@
+Integration Tests for Postgres
+====================================
+
+This is an integration test that validates the synth generate and synth import commands for Postgres on a Debian flavored
+OS. The models in hospital_master are used as a known "golden" set to validate against. The *.sql scripts generate the
+schema and test data within the database.
+
+# Requirements:
+- Docker
+- jq
+
+# Instructions
+
+To run this, execute `e2e.sh test-local` script from the current directory. A non-zero return code denotes failure.
+Note: run this with all dependencies installed in Vagrant with the [Vagrantfile](tools/vagrant/linux/ubuntu/Vagrantfile)
diff --git a/synth/testing_harness/postgres/e2e.sh b/synth/testing_harness/postgres/e2e.sh
--- a/synth/testing_harness/postgres/e2e.sh
+++ b/synth/testing_harness/postgres/e2e.sh
@@ -11,6 +11,7 @@ then
fi
SYNTH="synth"
+[ "${CI-false}" == "true" ] || SYNTH="cargo run --bin synth"
ERROR='\033[0;31m'
INFO='\033[0;36m'
@@ -21,9 +22,9 @@ function help() {
echo "$1 <command>
commands:
- load-schema|Fills DB with test schema
- test-generate|Test if 'synth generate' is correct
- test-import|Test importing from postgres data created by 'load-schema'
+ load-schema [--no-data]|Fills DB with test schema - defaults to loading data too
+ test-generate|Test generating data to postgres
+ test-import|Test importing from postgres data
test-warning|Test integer warnings
test-local|Run all test on a local machine using the container from 'up' (no need to call 'up' first)
up|Starts a local Docker instance for testing
@@ -33,25 +34,30 @@ commands:
}
function load-schema() {
- psql -f 0_hospital_schema.sql postgres://postgres:$PASSWORD@localhost:$PORT/postgres || return 1
- psql -f 1_hospital_data.sql postgres://postgres:$PASSWORD@localhost:$PORT/postgres || return 1
+ docker exec -i $NAME psql -q postgres://postgres:$PASSWORD@localhost:5432/postgres < 0_hospital_schema.sql || return 1
+ [ ${1} == "--no-data" ] || docker exec -i $NAME psql -q postgres://postgres:$PASSWORD@localhost:5432/postgres < 1_hospital_data.sql || return 1
}
function test-generate() {
echo -e "${INFO}Test generate${NC}"
- $SYNTH generate hospital_master | jq > hospital_data_generated.json
- diff hospital_data_generated.json hospital_data_generated_master.json || { echo -e "${ERROR}Generated file does not match master${NC}"; return 1; }
+ load-schema --no-data || { echo -e "${ERROR}Failed to load schema${NC}"; return 1; }
+ $SYNTH generate hospital_master --to postgres://postgres:$PASSWORD@localhost:$PORT/postgres --size 30 || return 1
+
+ sum_rows_query="SELECT (SELECT count(*) FROM hospitals) + (SELECT count(*) FROM doctors) + (SELECT count(*) FROM patients)"
+ sum=`docker exec -i $NAME psql -tA postgres://postgres:$PASSWORD@localhost:5432/postgres -c "$sum_rows_query"`
+ [ "$sum" -gt "30" ] || { echo -e "${ERROR}Generation did not create more than 30 records${NC}"; return 1; }
}
function test-import() {
echo -e "${INFO}Testing import${NC}"
+ load-schema --all || { echo -e "${ERROR}Failed to load schema${NC}"; return 1; }
$SYNTH import --from postgres://postgres:${PASSWORD}@localhost:${PORT}/postgres hospital_import || { echo -e "${ERROR}Import failed${NC}"; return 1; }
diff <(jq --sort-keys . hospital_import/*) <(jq --sort-keys . hospital_master/*) || { echo -e "${ERROR}Import namespaces do not match${NC}"; return 1; }
}
function test-warning() {
echo -e "${INFO}Testing warnings${NC}"
- psql -f warnings/0_warnings.sql postgres://postgres:$PASSWORD@localhost:$PORT/postgres
+ docker exec -i $NAME psql postgres://postgres:$PASSWORD@localhost:5432/postgres < warnings/0_warnings.sql
WARNINGS=$($SYNTH generate --size 10 --to postgres://postgres:$PASSWORD@localhost:$PORT/postgres warnings 2>&1)
if [[ "$WARNINGS" == *"warnings.int32"* && "$WARNINGS" == *"warnings.int64"* ]]
then
@@ -68,9 +74,6 @@ function test-warning() {
}
function test-local() {
- cargo build --bin synth --release
- SYNTH="../../../target/release/synth"
-
up || return 1
result=0
@@ -88,12 +91,11 @@ function test-local() {
function up() {
echo -e "${DEBUG}Starting container${NC}"
- docker build -t $NAME . || return 1
echo -e "${DEBUG}Running database with container name $NAME on port $PORT with password $PASSWORD${NC}"
- docker run --rm --name $NAME -p $PORT:5432 -e POSTGRES_PASSWORD=$PASSWORD -d $NAME > /dev/null
+ docker run --rm --name $NAME -p $PORT:5432 -e POSTGRES_PASSWORD=$PASSWORD -d postgres > /dev/null
wait_count=0
- while [ $(docker logs $NAME 2>&1 | grep -c "ready to accept connections") -lt 2 ]
+ while ! docker exec -i $NAME psql postgres://postgres:$PASSWORD@localhost:5432/postgres -c "SELECT 1" > /dev/null 2>&1
do
range=$(printf "%${wait_count}s")
echo -en "\\r${DEBUG}Waiting for DB to come up${range// /.}${NC}"
@@ -110,14 +112,13 @@ function down() {
function cleanup() {
echo -e "${DEBUG}Cleaning up local files${NC}"
- rm -f hospital_data_generated.json
rm -Rf hospital_import
rm -Rf .synth
}
case "${1-*}" in
load-schema)
- load-schema || exit 1
+ load-schema ${2---all} || exit 1
;;
test-generate)
test-generate || exit 1
diff --git a/synth/testing_harness/postgres/hospital_data_generated_master.json b/synth/testing_harness/postgres/hospital_data_generated_master.json
deleted file mode 100644
--- a/synth/testing_harness/postgres/hospital_data_generated_master.json
+++ /dev/null
@@ -1,111 +0,0 @@
-{
- "doctors": [
- {
- "date_joined": null,
- "hospital_id": 1,
- "id": 1,
- "name": null
- },
- {
- "date_joined": null,
- "hospital_id": 1,
- "id": 2,
- "name": null
- },
- {
- "date_joined": null,
- "hospital_id": 1,
- "id": 3,
- "name": null
- },
- {
- "date_joined": null,
- "hospital_id": 1,
- "id": 4,
- "name": null
- },
- {
- "date_joined": null,
- "hospital_id": 1,
- "id": 5,
- "name": "F2uRb2noqulsLtX6HMlrAVC6HKHJqsUYlW4ykDizAFLHsbCXU7pJmesZRDNYcFy43p7G1e11ODKsFh8edr"
- },
- {
- "date_joined": "2017-07-14",
- "hospital_id": 1,
- "id": 6,
- "name": null
- },
- {
- "date_joined": null,
- "hospital_id": 1,
- "id": 7,
- "name": null
- },
- {
- "date_joined": "2016-06-26",
- "hospital_id": 1,
- "id": 8,
- "name": null
- }
- ],
- "hospitals": [
- {
- "address": "4mcWqH2zCQeBzOgiS4skLnjvARIONor",
- "hospital_name": null,
- "id": 1
- }
- ],
- "patients": [
- {
- "address": "Y8jRmG6xjnchpv08FQOovJDr0nnq4m8Er3IxAhd0ccccvZciPCulne8nuQX0j8ddHUlNrw6dw6GpIWOLEDLCcJiZDj0fkbB9iV1guzLlgxS8zTqxpJM5Q6CBF1WKhZ7RYWt4a5NwKgihcWiKlU6NHDWhf",
- "date_joined": null,
- "doctor_id": 1,
- "gender": null,
- "id": 1,
- "name": null,
- "phone": "8NQPJ0PUL228jE0",
- "ssn": "OeE"
- },
- {
- "address": "XwQqX5DJTAYdvXxD53ZAGMjFj6K46UIp8CF9xkuGd3DhU9RJyfK0myw5vJXdAqU9Ns9ycOsChvqaHH3Elg5zJaMuo2uftO97TSisawK2PCkqe45tki0A9IX6lWRkQXUjy6rW6HqgDn1kX3mmKXj7HhjLDRRbw3vmLIlrw26rYtdNMeWlmayTleVzvHPCjZFTJm8SzGOe0iTASsVtZjQShDtfYkVEAZrDoCrO6VK",
- "date_joined": null,
- "doctor_id": 2,
- "gender": null,
- "id": 2,
- "name": null,
- "phone": "0bQBh",
- "ssn": null
- },
- {
- "address": "SPlQAyXDzayYd5T14t1UdJbN6smOu8wwVrEUgvpp93sJiwQApdmbIrQlUftLVhowjMe0AK1YpCZ4jBfgcME2jCs01",
- "date_joined": null,
- "doctor_id": 3,
- "gender": null,
- "id": 3,
- "name": null,
- "phone": "tNTT4nskvNkjZ",
- "ssn": "pQ"
- },
- {
- "address": null,
- "date_joined": "2011-03-23",
- "doctor_id": 4,
- "gender": "male",
- "id": 4,
- "name": null,
- "phone": null,
- "ssn": null
- },
- {
- "address": null,
- "date_joined": null,
- "doctor_id": 5,
- "gender": null,
- "id": 5,
- "name": "OFsP1WBZimZVnJLdz6flyRdthjTr5tdowR7GQbZoTdHui7EZTqVUW3snRjy6esftmtawTqGfov4rKIiI1UOaJV29rz0N77XBiD8VovPFXPSG4g3E9ruTlka7QShqhHU3ITYYSISxu2E5r9o8n9Rds89AQOnDikJjvUw5vMoAGfyICJ0Kb0S1aLS21UAHQ",
- "phone": "MciC2Mq1",
- "ssn": null
- }
- ]
-}
|
Improvement: align CI with test harnesses
**Details**
In #231 the CI is made to use the same script as the local testing harness for postgres integration. The idea is to keep to two from becoming out of synth and to make it easy to perform local e2e testing.
The same alignment should happen for:
- [x] mysql (`synth/testing_harness/mysql`) (#246)
- [x] mongo (`synth/testing_harness/mongo`) (#246)
- [ ] sqlite? #185
| 2021-11-10T08:58:25
|
rust
|
Hard
|
|
hyperium/h2
| 661
|
hyperium__h2-661
|
[
"628"
] |
73bea23e9b6967cc9699918b8965e0fd87e8ae53
|
diff --git a/src/proto/streams/prioritize.rs b/src/proto/streams/prioritize.rs
--- a/src/proto/streams/prioritize.rs
+++ b/src/proto/streams/prioritize.rs
@@ -323,9 +323,11 @@ impl Prioritize {
/// connection
pub fn reclaim_all_capacity(&mut self, stream: &mut store::Ptr, counts: &mut Counts) {
let available = stream.send_flow.available().as_size();
- stream.send_flow.claim_capacity(available);
- // Re-assign all capacity to the connection
- self.assign_connection_capacity(available, stream, counts);
+ if available > 0 {
+ stream.send_flow.claim_capacity(available);
+ // Re-assign all capacity to the connection
+ self.assign_connection_capacity(available, stream, counts);
+ }
}
/// Reclaim just reserved capacity, not buffered capacity, and re-assign
@@ -756,17 +758,7 @@ impl Prioritize {
// Update the flow control
tracing::trace_span!("updating stream flow").in_scope(|| {
- stream.send_flow.send_data(len);
-
- // Decrement the stream's buffered data counter
- debug_assert!(stream.buffered_send_data >= len as usize);
- stream.buffered_send_data -= len as usize;
- stream.requested_send_capacity -= len;
-
- // If the capacity was limited because of the
- // max_send_buffer_size, then consider waking
- // the send task again...
- stream.notify_if_can_buffer_more(self.max_buffer_size);
+ stream.send_data(len, self.max_buffer_size);
// Assign the capacity back to the connection that
// was just consumed from the stream in the previous
diff --git a/src/proto/streams/send.rs b/src/proto/streams/send.rs
--- a/src/proto/streams/send.rs
+++ b/src/proto/streams/send.rs
@@ -333,12 +333,7 @@ impl Send {
/// Current available stream send capacity
pub fn capacity(&self, stream: &mut store::Ptr) -> WindowSize {
- let available = stream.send_flow.available().as_size() as usize;
- let buffered = stream.buffered_send_data;
-
- available
- .min(self.prioritize.max_buffer_size())
- .saturating_sub(buffered) as WindowSize
+ stream.capacity(self.prioritize.max_buffer_size())
}
pub fn poll_reset(
diff --git a/src/proto/streams/stream.rs b/src/proto/streams/stream.rs
--- a/src/proto/streams/stream.rs
+++ b/src/proto/streams/stream.rs
@@ -264,35 +264,65 @@ impl Stream {
self.ref_count == 0 && !self.state.is_closed()
}
+ /// Current available stream send capacity
+ pub fn capacity(&self, max_buffer_size: usize) -> WindowSize {
+ let available = self.send_flow.available().as_size() as usize;
+ let buffered = self.buffered_send_data;
+
+ available.min(max_buffer_size).saturating_sub(buffered) as WindowSize
+ }
+
pub fn assign_capacity(&mut self, capacity: WindowSize, max_buffer_size: usize) {
+ let prev_capacity = self.capacity(max_buffer_size);
debug_assert!(capacity > 0);
self.send_flow.assign_capacity(capacity);
tracing::trace!(
- " assigned capacity to stream; available={}; buffered={}; id={:?}; max_buffer_size={}",
+ " assigned capacity to stream; available={}; buffered={}; id={:?}; max_buffer_size={} prev={}",
self.send_flow.available(),
self.buffered_send_data,
self.id,
- max_buffer_size
+ max_buffer_size,
+ prev_capacity,
);
- self.notify_if_can_buffer_more(max_buffer_size);
+ if prev_capacity < self.capacity(max_buffer_size) {
+ self.notify_capacity();
+ }
}
- /// If the capacity was limited because of the max_send_buffer_size,
- /// then consider waking the send task again...
- pub fn notify_if_can_buffer_more(&mut self, max_buffer_size: usize) {
- let available = self.send_flow.available().as_size() as usize;
- let buffered = self.buffered_send_data;
+ pub fn send_data(&mut self, len: WindowSize, max_buffer_size: usize) {
+ let prev_capacity = self.capacity(max_buffer_size);
+
+ self.send_flow.send_data(len);
- // Only notify if the capacity exceeds the amount of buffered data
- if available.min(max_buffer_size) > buffered {
- self.send_capacity_inc = true;
- tracing::trace!(" notifying task");
- self.notify_send();
+ // Decrement the stream's buffered data counter
+ debug_assert!(self.buffered_send_data >= len as usize);
+ self.buffered_send_data -= len as usize;
+ self.requested_send_capacity -= len;
+
+ tracing::trace!(
+ " sent stream data; available={}; buffered={}; id={:?}; max_buffer_size={} prev={}",
+ self.send_flow.available(),
+ self.buffered_send_data,
+ self.id,
+ max_buffer_size,
+ prev_capacity,
+ );
+
+ if prev_capacity < self.capacity(max_buffer_size) {
+ self.notify_capacity();
}
}
+ /// If the capacity was limited because of the max_send_buffer_size,
+ /// then consider waking the send task again...
+ pub fn notify_capacity(&mut self) {
+ self.send_capacity_inc = true;
+ tracing::trace!(" notifying task");
+ self.notify_send();
+ }
+
/// Returns `Err` when the decrement cannot be completed due to overflow.
pub fn dec_content_length(&mut self, len: usize) -> Result<(), ()> {
match self.content_length {
|
diff --git a/tests/h2-tests/tests/flow_control.rs b/tests/h2-tests/tests/flow_control.rs
--- a/tests/h2-tests/tests/flow_control.rs
+++ b/tests/h2-tests/tests/flow_control.rs
@@ -1797,3 +1797,64 @@ async fn max_send_buffer_size_poll_capacity_wakes_task() {
join(srv, client).await;
}
+
+#[tokio::test]
+async fn poll_capacity_wakeup_after_window_update() {
+ h2_support::trace_init!();
+ let (io, mut srv) = mock::new();
+
+ let srv = async move {
+ let settings = srv
+ .assert_client_handshake_with_settings(frames::settings().initial_window_size(10))
+ .await;
+ assert_default_settings!(settings);
+ srv.recv_frame(frames::headers(1).request("POST", "https://www.example.com/"))
+ .await;
+ srv.send_frame(frames::headers(1).response(200)).await;
+ srv.recv_frame(frames::data(1, &b"abcde"[..])).await;
+ srv.send_frame(frames::window_update(1, 5)).await;
+ srv.send_frame(frames::window_update(1, 5)).await;
+ srv.recv_frame(frames::data(1, &b"abcde"[..])).await;
+ srv.recv_frame(frames::data(1, &b""[..]).eos()).await;
+ };
+
+ let h2 = async move {
+ let (mut client, mut h2) = client::Builder::new()
+ .max_send_buffer_size(5)
+ .handshake::<_, Bytes>(io)
+ .await
+ .unwrap();
+ let request = Request::builder()
+ .method(Method::POST)
+ .uri("https://www.example.com/")
+ .body(())
+ .unwrap();
+
+ let (response, mut stream) = client.send_request(request, false).unwrap();
+
+ let response = h2.drive(response).await.unwrap();
+ assert_eq!(response.status(), StatusCode::OK);
+
+ stream.send_data("abcde".into(), false).unwrap();
+
+ stream.reserve_capacity(10);
+ assert_eq!(stream.capacity(), 0);
+
+ let mut stream = h2.drive(util::wait_for_capacity(stream, 5)).await;
+ h2.drive(idle_ms(10)).await;
+ stream.send_data("abcde".into(), false).unwrap();
+
+ stream.reserve_capacity(5);
+ assert_eq!(stream.capacity(), 0);
+
+ // This will panic if there is a bug causing h2 to return Ok(0) from poll_capacity.
+ let mut stream = h2.drive(util::wait_for_capacity(stream, 5)).await;
+
+ stream.send_data("".into(), true).unwrap();
+
+ // Wait for the connection to close
+ h2.await.unwrap();
+ };
+
+ join(srv, h2).await;
+}
|
poll_capacity spuriously returns Ready(Some(0))
Sometimes, under active IO poll_capacity returns Poll(Ready(Some(0))).
In this situation there is not much caller can do to wait for the capacity becomes available.
It appears to be a concurrency/timing issue - my reconstruction of the events hints that it can happen when wakeup is called from one thread while the outer is sending data on a stream - e.g. -
1) thread A - sender called poll_capacity, got 16K and proceeded to send_data
2) thread B - connection got a window update and sent out some pending frames. capacity did not increase but wakeup was 3) scheduled and send_capacity_inc set. thread A - sent the data and capacity is now 0, send_capacity_inc set
4) thread A - poll_capacity returns 0
One solution is not to wakeup from `pop_frame` if capacity has not changed.
It is not quite clear if this would be a robust solution and this is the only situation - because 'if send_capacity_inc is set - capacity > 0' doesn't appear to be an atomic invariant.
|
Hello! Is there anybody here?
Any thoughts or comments will be appreciated.
I believe the source code even has a TODO comment about this spurious return. I don't know why it occurs, but would welcome investigation!
The summary provides one real scenario how this can happen.
We have been running the code with the fix on a scale since then and we haven't seen any traces of the spurious wake ups - so far so good.
It would be great though to get it upstream to be able to stick to official releases.
| 2023-02-17T01:04:48
|
rust
|
Easy
|
servo/rust-url
| 748
|
servo__rust-url-748
|
[
"746"
] |
474560dee7c5daf59831b83a489aef36634caccc
|
diff --git a/.github/workflows/codecov.yml b/.github/workflows/codecov.yml
--- a/.github/workflows/codecov.yml
+++ b/.github/workflows/codecov.yml
@@ -2,7 +2,7 @@ name: Coverage
on:
push:
- branches: ['master']
+ branches: ["master"]
pull_request:
jobs:
@@ -16,9 +16,9 @@ jobs:
toolchain: stable
override: true
- uses: actions-rs/[email protected]
- - uses: codecov/[email protected]
- with:
- token: ${{secrets.CODECOV_TOKEN}}
+ - uses: codecov/[email protected]
+ # A codecov token is not needed for public repos if the repo is linked
+ # on codecov.io. See https://docs.codecov.com/docs/frequently-asked-questions#where-is-the-repository-upload-token-found
- uses: actions/upload-artifact@v1
with:
name: code-coverage-report
diff --git a/data-url/Cargo.toml b/data-url/Cargo.toml
--- a/data-url/Cargo.toml
+++ b/data-url/Cargo.toml
@@ -13,7 +13,7 @@ rust-version = "1.45"
matches = "0.1"
[dev-dependencies]
-rustc-test = "0.3"
+tester = "0.9"
serde = {version = "1.0", features = ["derive"]}
serde_json = "1.0"
diff --git a/idna/Cargo.toml b/idna/Cargo.toml
--- a/idna/Cargo.toml
+++ b/idna/Cargo.toml
@@ -22,7 +22,7 @@ name = "unit"
[dev-dependencies]
assert_matches = "1.3"
bencher = "0.1"
-rustc-test = "0.3"
+tester = "0.9"
serde_json = "1.0"
[dependencies]
|
diff --git a/data-url/tests/wpt.rs b/data-url/tests/wpt.rs
--- a/data-url/tests/wpt.rs
+++ b/data-url/tests/wpt.rs
@@ -1,3 +1,5 @@
+use tester as test;
+
#[macro_use]
extern crate serde;
@@ -32,7 +34,7 @@ fn run_data_url(
fn collect_data_url<F>(add_test: &mut F)
where
- F: FnMut(String, bool, rustc_test::TestFn),
+ F: FnMut(String, bool, test::TestFn),
{
let known_failures = ["data://test:test/,X"];
@@ -53,9 +55,9 @@ where
add_test(
format!("data: URL {:?}", input),
should_panic,
- rustc_test::TestFn::dyn_test_fn(move || {
+ test::TestFn::DynTestFn(Box::new(move || {
run_data_url(input, expected_mime, expected_body, should_panic)
- }),
+ })),
);
}
}
@@ -72,7 +74,7 @@ fn run_base64(input: String, expected: Option<Vec<u8>>) {
fn collect_base64<F>(add_test: &mut F)
where
- F: FnMut(String, bool, rustc_test::TestFn),
+ F: FnMut(String, bool, test::TestFn),
{
let known_failures = [];
@@ -83,7 +85,7 @@ where
add_test(
format!("base64 {:?}", input),
should_panic,
- rustc_test::TestFn::dyn_test_fn(move || run_base64(input, expected)),
+ test::TestFn::DynTestFn(Box::new(move || run_base64(input, expected))),
);
}
}
@@ -100,7 +102,7 @@ fn run_mime(input: String, expected: Option<String>) {
fn collect_mime<F>(add_test: &mut F)
where
- F: FnMut(String, bool, rustc_test::TestFn),
+ F: FnMut(String, bool, test::TestFn),
{
let known_failures = [];
@@ -136,7 +138,7 @@ where
format!("MIME type {:?}", input)
},
should_panic,
- rustc_test::TestFn::dyn_test_fn(move || run_mime(input, expected)),
+ test::TestFn::DynTestFn(Box::new(move || run_mime(input, expected))),
);
}
}
@@ -144,16 +146,22 @@ where
fn main() {
let mut tests = Vec::new();
{
- let mut add_one = |name: String, should_panic: bool, run: rustc_test::TestFn| {
- let mut desc = rustc_test::TestDesc::new(rustc_test::DynTestName(name));
- if should_panic {
- desc.should_panic = rustc_test::ShouldPanic::Yes
- }
- tests.push(rustc_test::TestDescAndFn { desc, testfn: run })
+ let mut add_one = |name: String, should_panic: bool, run: test::TestFn| {
+ let desc = test::TestDesc {
+ name: test::DynTestName(name),
+ ignore: false,
+ should_panic: match should_panic {
+ true => test::ShouldPanic::Yes,
+ false => test::ShouldPanic::No,
+ },
+ allow_fail: false,
+ test_type: test::TestType::Unknown,
+ };
+ tests.push(test::TestDescAndFn { desc, testfn: run })
};
collect_data_url(&mut add_one);
collect_base64(&mut add_one);
collect_mime(&mut add_one);
}
- rustc_test::test_main(&std::env::args().collect::<Vec<_>>(), tests)
+ test::test_main(&std::env::args().collect::<Vec<_>>(), tests, None)
}
diff --git a/idna/tests/punycode.rs b/idna/tests/punycode.rs
--- a/idna/tests/punycode.rs
+++ b/idna/tests/punycode.rs
@@ -63,9 +63,9 @@ pub fn collect_tests<F: FnMut(String, TestFn)>(add_test: &mut F) {
};
add_test(
test_name,
- TestFn::dyn_test_fn(move || {
+ TestFn::DynTestFn(Box::new(move || {
one_test(get_string(&o, "decoded"), get_string(&o, "encoded"))
- }),
+ })),
)
}
_ => panic!(),
diff --git a/idna/tests/tests.rs b/idna/tests/tests.rs
--- a/idna/tests/tests.rs
+++ b/idna/tests/tests.rs
@@ -1,4 +1,4 @@
-use rustc_test as test;
+use tester as test;
mod punycode;
mod uts46;
@@ -8,12 +8,18 @@ fn main() {
{
let mut add_test = |name, run| {
tests.push(test::TestDescAndFn {
- desc: test::TestDesc::new(test::DynTestName(name)),
+ desc: test::TestDesc {
+ name: test::DynTestName(name),
+ ignore: false,
+ should_panic: test::ShouldPanic::No,
+ allow_fail: false,
+ test_type: test::TestType::Unknown,
+ },
testfn: run,
})
};
punycode::collect_tests(&mut add_test);
uts46::collect_tests(&mut add_test);
}
- test::test_main(&std::env::args().collect::<Vec<_>>(), tests)
+ test::test_main(&std::env::args().collect::<Vec<_>>(), tests, None)
}
diff --git a/idna/tests/uts46.rs b/idna/tests/uts46.rs
--- a/idna/tests/uts46.rs
+++ b/idna/tests/uts46.rs
@@ -65,7 +65,7 @@ pub fn collect_tests<F: FnMut(String, TestFn)>(add_test: &mut F) {
let test_name = format!("UTS #46 line {}", i + 1);
add_test(
test_name,
- TestFn::dyn_test_fn(move || {
+ TestFn::DynTestFn(Box::new(move || {
let config = idna::Config::default()
.use_std3_ascii_rules(true)
.verify_dns_length(true)
@@ -109,7 +109,7 @@ pub fn collect_tests<F: FnMut(String, TestFn)>(add_test: &mut F) {
to_ascii_t_result,
|e| e.starts_with('C') || e == "V2",
);
- }),
+ })),
)
}
}
|
Remove `rustc-test` dev dependency
This dependency is causing some trouble:
a) it has not been updated in a long time
b) it depends on old versions of `term` (which depends on an old version of `winapi`)
c) it depends on `term`: `term` is unmaintained
d) it depends on a very old version of `time`
e) id depends on `rustc-serialize` which is deprecated. `serde` should be used instead.
|
This involves rewriting the testing frameworks used in the `idna` and `data-url`. I'll give this a shot today.
| 2022-01-28T14:51:51
|
rust
|
Easy
|
hyperium/h2
| 173
|
hyperium__h2-173
|
[
"36"
] |
05abb686cf09f98c260ecbe1c1ef396358067756
|
diff --git a/src/codec/error.rs b/src/codec/error.rs
--- a/src/codec/error.rs
+++ b/src/codec/error.rs
@@ -44,6 +44,9 @@ pub enum UserError {
///
/// A new connection is needed.
OverflowedStreamId,
+
+ /// Illegal headers, such as connection-specific headers.
+ MalformedHeaders,
}
// ===== impl RecvError =====
@@ -121,6 +124,7 @@ impl error::Error for UserError {
Rejected => "rejected",
ReleaseCapacityTooBig => "release capacity too big",
OverflowedStreamId => "stream ID overflowed",
+ MalformedHeaders => "malformed headers",
}
}
}
diff --git a/src/frame/headers.rs b/src/frame/headers.rs
--- a/src/frame/headers.rs
+++ b/src/frame/headers.rs
@@ -635,7 +635,12 @@ impl HeaderBlock {
// Connection level header fields are not supported and must
// result in a protocol error.
- if name == header::CONNECTION {
+ if name == header::CONNECTION
+ || name == header::TRANSFER_ENCODING
+ || name == header::UPGRADE
+ || name == "keep-alive"
+ || name == "proxy-connection"
+ {
trace!("load_hpack; connection level header");
malformed = true;
} else if name == header::TE && value != "trailers" {
diff --git a/src/proto/streams/send.rs b/src/proto/streams/send.rs
--- a/src/proto/streams/send.rs
+++ b/src/proto/streams/send.rs
@@ -1,3 +1,4 @@
+use http;
use super::*;
use codec::{RecvError, UserError};
use codec::UserError::*;
@@ -56,6 +57,25 @@ impl Send {
self.init_window_sz
);
+ // 8.1.2.2. Connection-Specific Header Fields
+ if frame.fields().contains_key(http::header::CONNECTION)
+ || frame.fields().contains_key(http::header::TRANSFER_ENCODING)
+ || frame.fields().contains_key(http::header::UPGRADE)
+ || frame.fields().contains_key("keep-alive")
+ || frame.fields().contains_key("proxy-connection")
+ {
+ debug!("illegal connection-specific headers found");
+ return Err(UserError::MalformedHeaders);
+ } else if let Some(te) = frame.fields().get(http::header::TE) {
+ if te != "trailers" {
+ debug!("illegal connection-specific headers found");
+ return Err(UserError::MalformedHeaders);
+
+ }
+ }
+
+
+
let end_stream = frame.is_end_stream();
// Update the state
|
diff --git a/tests/client_request.rs b/tests/client_request.rs
--- a/tests/client_request.rs
+++ b/tests/client_request.rs
@@ -281,6 +281,43 @@ fn request_without_scheme() {}
#[ignore]
fn request_with_h1_version() {}
+#[test]
+fn request_with_connection_headers() {
+ let _ = ::env_logger::init();
+ let (io, srv) = mock::new();
+
+ let srv = srv.assert_client_handshake()
+ .unwrap()
+ .recv_settings()
+ .close();
+
+ let headers = vec![
+ ("connection", "foo"),
+ ("keep-alive", "5"),
+ ("proxy-connection", "bar"),
+ ("transfer-encoding", "chunked"),
+ ("upgrade", "HTTP/2.0"),
+ ("te", "boom"),
+ ];
+
+ let client = Client::handshake(io)
+ .expect("handshake")
+ .and_then(move |(mut client, conn)| {
+ for (name, val) in headers {
+ let req = Request::builder()
+ .uri("https://http2.akamai.com/")
+ .header(name, val)
+ .body(())
+ .unwrap();
+ let err = client.send_request(req, true).expect_err(name);
+
+ assert_eq!(err.to_string(), "user error: malformed headers");
+ }
+ conn.unwrap()
+ });
+
+ client.join(srv).wait().expect("wait");
+}
#[test]
fn sending_request_on_closed_connection() {
diff --git a/tests/server.rs b/tests/server.rs
--- a/tests/server.rs
+++ b/tests/server.rs
@@ -110,7 +110,7 @@ fn serve_request() {
fn accept_with_pending_connections_after_socket_close() {}
#[test]
-fn sent_invalid_authority() {
+fn recv_invalid_authority() {
let _ = ::env_logger::init();
let (io, client) = mock::new();
@@ -136,6 +136,41 @@ fn sent_invalid_authority() {
srv.join(client).wait().expect("wait");
}
+#[test]
+fn recv_connection_header() {
+ let _ = ::env_logger::init();
+ let (io, client) = mock::new();
+
+ let req = |id, name, val| {
+ frames::headers(id)
+ .request("GET", "https://example.com/")
+ .field(name, val)
+ .eos()
+ };
+
+ let client = client
+ .assert_server_handshake()
+ .unwrap()
+ .recv_settings()
+ .send_frame(req(1, "connection", "foo"))
+ .send_frame(req(3, "keep-alive", "5"))
+ .send_frame(req(5, "proxy-connection", "bar"))
+ .send_frame(req(7, "transfer-encoding", "chunked"))
+ .send_frame(req(9, "upgrade", "HTTP/2.0"))
+ .recv_frame(frames::reset(1).protocol_error())
+ .recv_frame(frames::reset(3).protocol_error())
+ .recv_frame(frames::reset(5).protocol_error())
+ .recv_frame(frames::reset(7).protocol_error())
+ .recv_frame(frames::reset(9).protocol_error())
+ .close();
+
+ let srv = Server::handshake(io)
+ .expect("handshake")
+ .and_then(|srv| srv.into_future().unwrap());
+
+ srv.join(client).wait().expect("wait");
+}
+
#[test]
fn sends_reset_cancel_when_body_is_dropped() {
let _ = ::env_logger::init();
diff --git a/tests/support/frames.rs b/tests/support/frames.rs
--- a/tests/support/frames.rs
+++ b/tests/support/frames.rs
@@ -126,6 +126,17 @@ impl Mock<frame::Headers> {
Mock(frame)
}
+ pub fn field<K, V>(self, key: K, value: V) -> Self
+ where
+ K: HttpTryInto<http::header::HeaderName>,
+ V: HttpTryInto<http::header::HeaderValue>,
+ {
+ let (id, pseudo, mut fields) = self.into_parts();
+ fields.insert(key.try_into().unwrap(), value.try_into().unwrap());
+ let frame = frame::Headers::new(id, pseudo, fields);
+ Mock(frame)
+ }
+
pub fn eos(mut self) -> Self {
self.0.set_end_stream();
self
|
Strip connection level header fields
> Such intermediaries SHOULD also remove other connection-specific header fields, such as Keep-Alive, Proxy-Connection, Transfer-Encoding, and Upgrade, even if they are not nominated by the Connection header field.
If a header frame is sent that includes a `Connection` field, it should be stripped including all fields referenced by the `Connection` field value.
|
Proxies should do that, not the library. The proxies need to inspect those headers.
Either way, the library has to check if those headers are set and error.
How so? A proxy can receive those headers, and make some decisions based on them. And then it can build some new headers, that might include the same names, for the next hop.
AIUI, connection headers are forbidden in h2:
> HTTP/2 does not use the Connection header field to indicate connection-specific header fields; in this protocol, connection-specific metadata is conveyed by other means. An endpoint MUST NOT generate an HTTP/2 message containing connection-specific header fields; any message containing connection-specific header fields MUST be treated as malformed (Section 8.1.2.6).
The section quoted above applies to endpoints that upgrade h1 to h2:
> This means that an intermediary transforming an HTTP/1.x message to HTTP/2 will need to remove any header fields nominated by the Connection header field, along with the Connection header field itself. Such intermediaries SHOULD also remove other connection-specific header fields, such as Keep-Alive, Proxy-Connection, Transfer-Encoding, and Upgrade, even if they are not nominated by the Connection header field.
| 2017-11-13T20:25:40
|
rust
|
Hard
|
servo/rust-url
| 351
|
servo__rust-url-351
|
[
"166"
] |
37557e4ce7e5b62de0f3735c86cb371e65859603
|
diff --git a/idna/Cargo.toml b/idna/Cargo.toml
--- a/idna/Cargo.toml
+++ b/idna/Cargo.toml
@@ -1,6 +1,6 @@
[package]
name = "idna"
-version = "0.1.2"
+version = "0.1.3"
authors = ["The rust-url developers"]
description = "IDNA (Internationalizing Domain Names in Applications) and Punycode."
repository = "https://github.com/servo/rust-url/"
@@ -14,11 +14,14 @@ test = false
name = "tests"
harness = false
+[[test]]
+name = "unit"
+
[dev-dependencies]
rustc-test = "0.1"
rustc-serialize = "0.3"
[dependencies]
unicode-bidi = "0.3"
-unicode-normalization = "0.1.3"
+unicode-normalization = "0.1.5"
matches = "0.1"
diff --git a/idna/src/uts46.rs b/idna/src/uts46.rs
--- a/idna/src/uts46.rs
+++ b/idna/src/uts46.rs
@@ -13,12 +13,16 @@ use self::Mapping::*;
use punycode;
use std::ascii::AsciiExt;
use std::cmp::Ordering::{Equal, Less, Greater};
+use unicode_bidi::{BidiClass, bidi_class};
use unicode_normalization::UnicodeNormalization;
use unicode_normalization::char::is_combining_mark;
-use unicode_bidi::{BidiClass, bidi_class};
include!("uts46_mapping_table.rs");
+
+pub static PUNYCODE_PREFIX: &'static str = "xn--";
+
+
#[derive(Debug)]
struct StringTableSlice {
// Store these as separate fields so the structure will have an
@@ -99,135 +103,177 @@ fn map_char(codepoint: char, flags: Flags, output: &mut String, errors: &mut Vec
}
// http://tools.ietf.org/html/rfc5893#section-2
-fn passes_bidi(label: &str, transitional_processing: bool) -> bool {
+fn passes_bidi(label: &str, is_bidi_domain: bool) -> bool {
+ // Rule 0: Bidi Rules apply to Bidi Domain Names: a name with at least one RTL label. A label
+ // is RTL if it contains at least one character of bidi class R, AL or AN.
+ if !is_bidi_domain {
+ return true;
+ }
+
let mut chars = label.chars();
- let class = match chars.next() {
+ let first_char_class = match chars.next() {
Some(c) => bidi_class(c),
None => return true, // empty string
};
- if class == BidiClass::L
- || (class == BidiClass::ON && transitional_processing) // starts with \u200D
- || (class == BidiClass::ES && transitional_processing) // hack: 1.35.+33.49
- || class == BidiClass::EN // hack: starts with number 0à.\u05D0
- { // LTR
- // Rule 5
- loop {
- match chars.next() {
- Some(c) => {
- let c = bidi_class(c);
- if !matches!(c, BidiClass::L | BidiClass::EN |
- BidiClass::ES | BidiClass::CS |
- BidiClass::ET | BidiClass::ON |
- BidiClass::BN | BidiClass::NSM) {
- return false;
- }
- },
- None => { break; },
+ match first_char_class {
+ // LTR label
+ BidiClass::L => {
+ // Rule 5
+ loop {
+ match chars.next() {
+ Some(c) => {
+ if !matches!(bidi_class(c),
+ BidiClass::L | BidiClass::EN |
+ BidiClass::ES | BidiClass::CS |
+ BidiClass::ET | BidiClass::ON |
+ BidiClass::BN | BidiClass::NSM
+ ) {
+ return false;
+ }
+ },
+ None => { break; },
+ }
}
- }
- // Rule 6
- let mut rev_chars = label.chars().rev();
- let mut last = rev_chars.next();
- loop { // must end in L or EN followed by 0 or more NSM
- match last {
- Some(c) if bidi_class(c) == BidiClass::NSM => {
- last = rev_chars.next();
- continue;
+ // Rule 6
+ // must end in L or EN followed by 0 or more NSM
+ let mut rev_chars = label.chars().rev();
+ let mut last_non_nsm = rev_chars.next();
+ loop {
+ match last_non_nsm {
+ Some(c) if bidi_class(c) == BidiClass::NSM => {
+ last_non_nsm = rev_chars.next();
+ continue;
+ }
+ _ => { break; },
}
- _ => { break; },
}
+ match last_non_nsm {
+ Some(c) if bidi_class(c) == BidiClass::L
+ || bidi_class(c) == BidiClass::EN => {},
+ Some(_) => { return false; },
+ _ => {}
+ }
+
}
- // TODO: does not pass for àˇ.\u05D0
- // match last {
- // Some(c) if bidi_class(c) == BidiClass::L
- // || bidi_class(c) == BidiClass::EN => {},
- // Some(c) => { return false; },
- // _ => {}
- // }
-
- } else if class == BidiClass::R || class == BidiClass::AL { // RTL
- let mut found_en = false;
- let mut found_an = false;
-
- // Rule 2
- loop {
- match chars.next() {
- Some(c) => {
- let char_class = bidi_class(c);
-
- if char_class == BidiClass::EN {
- found_en = true;
- }
- if char_class == BidiClass::AN {
- found_an = true;
- }
+ // RTL label
+ BidiClass::R | BidiClass::AL => {
+ let mut found_en = false;
+ let mut found_an = false;
+
+ // Rule 2
+ loop {
+ match chars.next() {
+ Some(c) => {
+ let char_class = bidi_class(c);
- if !matches!(char_class, BidiClass::R | BidiClass::AL |
- BidiClass::AN | BidiClass::EN |
- BidiClass::ES | BidiClass::CS |
- BidiClass::ET | BidiClass::ON |
- BidiClass::BN | BidiClass::NSM) {
- return false;
+ if char_class == BidiClass::EN {
+ found_en = true;
+ }
+ if char_class == BidiClass::AN {
+ found_an = true;
+ }
+
+ if !matches!(char_class, BidiClass::R | BidiClass::AL |
+ BidiClass::AN | BidiClass::EN |
+ BidiClass::ES | BidiClass::CS |
+ BidiClass::ET | BidiClass::ON |
+ BidiClass::BN | BidiClass::NSM) {
+ return false;
+ }
+ },
+ None => { break; },
+ }
+ }
+ // Rule 3
+ let mut rev_chars = label.chars().rev();
+ let mut last = rev_chars.next();
+ loop { // must end in L or EN followed by 0 or more NSM
+ match last {
+ Some(c) if bidi_class(c) == BidiClass::NSM => {
+ last = rev_chars.next();
+ continue;
}
- },
- None => { break; },
+ _ => { break; },
+ }
}
- }
- // Rule 3
- let mut rev_chars = label.chars().rev();
- let mut last = rev_chars.next();
- loop { // must end in L or EN followed by 0 or more NSM
match last {
- Some(c) if bidi_class(c) == BidiClass::NSM => {
- last = rev_chars.next();
- continue;
- }
- _ => { break; },
+ Some(c) if matches!(bidi_class(c), BidiClass::R | BidiClass::AL |
+ BidiClass::EN | BidiClass::AN) => {},
+ _ => { return false; }
+ }
+
+ // Rule 4
+ if found_an && found_en {
+ return false;
}
- }
- match last {
- Some(c) if matches!(bidi_class(c), BidiClass::R | BidiClass::AL |
- BidiClass::EN | BidiClass::AN) => {},
- _ => { return false; }
}
- // Rule 4
- if found_an && found_en {
+ // Rule 1: Should start with L or R/AL
+ _ => {
return false;
}
- } else {
- // Rule 2: Should start with L or R/AL
- return false;
}
return true;
}
/// http://www.unicode.org/reports/tr46/#Validity_Criteria
-fn validate(label: &str, flags: Flags, errors: &mut Vec<Error>) {
- if label.nfc().ne(label.chars()) {
+fn validate(label: &str, is_bidi_domain: bool, flags: Flags, errors: &mut Vec<Error>) {
+ let first_char = label.chars().next();
+ if first_char == None {
+ // Empty string, pass
+ }
+
+ // V1: Must be in NFC form.
+ else if label.nfc().ne(label.chars()) {
errors.push(Error::ValidityCriteria);
}
- // Can not contain '.' since the input is from .split('.')
- // Spec says that the label must not contain a HYPHEN-MINUS character in both the
+ // V2: No U+002D HYPHEN-MINUS in both third and fourth positions.
+ //
+ // NOTE: Spec says that the label must not contain a HYPHEN-MINUS character in both the
// third and fourth positions. But nobody follows this criteria. See the spec issue below:
// https://github.com/whatwg/url/issues/53
- if label.starts_with("-")
- || label.ends_with("-")
- || label.chars().next().map_or(false, is_combining_mark)
- || label.chars().any(|c| match *find_char(c) {
- Mapping::Valid => false,
- Mapping::Deviation(_) => flags.transitional_processing,
- Mapping::DisallowedStd3Valid => flags.use_std3_ascii_rules,
- _ => true,
- })
- || !passes_bidi(label, flags.transitional_processing)
+ //
+ // TODO: Add *CheckHyphens* flag.
+
+ // V3: neither begin nor end with a U+002D HYPHEN-MINUS
+ else if label.starts_with("-") || label.ends_with("-") {
+ errors.push(Error::ValidityCriteria);
+ }
+
+ // V4: not contain a U+002E FULL STOP
+ //
+ // Here, label can't contain '.' since the input is from .split('.')
+
+ // V5: not begin with a GC=Mark
+ else if is_combining_mark(first_char.unwrap()) {
+ errors.push(Error::ValidityCriteria);
+ }
+
+ // V6: Check against Mapping Table
+ else if label.chars().any(|c| match *find_char(c) {
+ Mapping::Valid => false,
+ Mapping::Deviation(_) => flags.transitional_processing,
+ Mapping::DisallowedStd3Valid => flags.use_std3_ascii_rules,
+ _ => true,
+ }) {
+ errors.push(Error::ValidityCriteria);
+ }
+
+ // V7: ContextJ rules
+ //
+ // TODO: Implement rules and add *CheckJoiners* flag.
+
+ // V8: Bidi rules
+ //
+ // TODO: Add *CheckBidi* flag
+ else if !passes_bidi(label, is_bidi_domain)
{
- errors.push(Error::ValidityCriteria)
+ errors.push(Error::ValidityCriteria);
}
}
@@ -238,22 +284,51 @@ fn processing(domain: &str, flags: Flags, errors: &mut Vec<Error>) -> String {
map_char(c, flags, &mut mapped, errors)
}
let normalized: String = mapped.nfc().collect();
+
+ // Find out if it's a Bidi Domain Name
+ //
+ // First, check for literal bidi chars
+ let mut is_bidi_domain = domain.chars().any(|c|
+ matches!(bidi_class(c), BidiClass::R | BidiClass::AL | BidiClass::AN)
+ );
+ if !is_bidi_domain {
+ // Then check for punycode-encoded bidi chars
+ for label in normalized.split('.') {
+ if label.starts_with(PUNYCODE_PREFIX) {
+ match punycode::decode_to_string(&label[PUNYCODE_PREFIX.len()..]) {
+ Some(decoded_label) => {
+ if decoded_label.chars().any(|c|
+ matches!(bidi_class(c), BidiClass::R | BidiClass::AL | BidiClass::AN)
+ ) {
+ is_bidi_domain = true;
+ }
+ }
+ None => {
+ is_bidi_domain = true;
+ }
+ }
+ }
+ }
+ }
+
let mut validated = String::new();
+ let mut first = true;
for label in normalized.split('.') {
- if validated.len() > 0 {
+ if !first {
validated.push('.');
}
- if label.starts_with("xn--") {
- match punycode::decode_to_string(&label["xn--".len()..]) {
+ first = false;
+ if label.starts_with(PUNYCODE_PREFIX) {
+ match punycode::decode_to_string(&label[PUNYCODE_PREFIX.len()..]) {
Some(decoded_label) => {
let flags = Flags { transitional_processing: false, ..flags };
- validate(&decoded_label, flags, errors);
+ validate(&decoded_label, is_bidi_domain, flags, errors);
validated.push_str(&decoded_label)
}
None => errors.push(Error::PunycodeError)
}
} else {
- validate(label, flags, errors);
+ validate(label, is_bidi_domain, flags, errors);
validated.push_str(label)
}
}
@@ -275,6 +350,7 @@ enum Error {
DissallowedMappedInStd3,
DissallowedCharacter,
TooLongForDns,
+ TooShortForDns,
}
/// Errors recorded during UTS #46 processing.
@@ -288,16 +364,18 @@ pub struct Errors(Vec<Error>);
pub fn to_ascii(domain: &str, flags: Flags) -> Result<String, Errors> {
let mut errors = Vec::new();
let mut result = String::new();
+ let mut first = true;
for label in processing(domain, flags, &mut errors).split('.') {
- if result.len() > 0 {
+ if !first {
result.push('.');
}
+ first = false;
if label.is_ascii() {
result.push_str(label);
} else {
match punycode::encode_str(label) {
Some(x) => {
- result.push_str("xn--");
+ result.push_str(PUNYCODE_PREFIX);
result.push_str(&x);
},
None => errors.push(Error::PunycodeError)
@@ -307,8 +385,10 @@ pub fn to_ascii(domain: &str, flags: Flags) -> Result<String, Errors> {
if flags.verify_dns_length {
let domain = if result.ends_with(".") { &result[..result.len()-1] } else { &*result };
- if domain.len() < 1 || domain.len() > 253 ||
- domain.split('.').any(|label| label.len() < 1 || label.len() > 63) {
+ if domain.len() < 1 || domain.split('.').any(|label| label.len() < 1) {
+ errors.push(Error::TooShortForDns)
+ }
+ if domain.len() > 253 || domain.split('.').any(|label| label.len() > 63) {
errors.push(Error::TooLongForDns)
}
}
|
diff --git a/idna/tests/IdnaTest.txt b/idna/tests/IdnaTest.txt
--- a/idna/tests/IdnaTest.txt
+++ b/idna/tests/IdnaTest.txt
@@ -1,5110 +1,7848 @@
-# IdnaTest.txt
-# Date: 2016-06-16, 13:36:31 GMT
-# © 2016 Unicode®, Inc.
-# Unicode and the Unicode Logo are registered trademarks of Unicode, Inc. in the U.S. and other countries.
-# For terms of use, see http://www.unicode.org/terms_of_use.html
-#
-# Contains test cases for verifying UTS46 conformance. For more information,
-# see http://www.unicode.org/reports/tr46/
-#
-# FORMAT:
-#
-# This file is in UTF8, with certain characters escaped using the \uXXXX or \x{XXXX}
-# convention where they could otherwise have a confusing display.
-# These characters include:
-# - General Categories C, Z, and M
-# - Default ignorable characters
-# - Bidi categories R, AL, AN
-#
-# Columns (c1, c2,...) are separated by semicolons.
-# Leading and trailing spaces and tabs in each column are ignored.
-# Comments are indicated with hash marks.
-#
-# Column 1: type - T for transitional, N for nontransitional, B for both
-# Column 2: source - the source string to be tested
-# Column 3: toUnicode - the result of applying toUnicode to the source, using the specified type. A blank value means the same as the source value.
-# Column 4: toASCII - the result of applying toASCII to the source, using nontransitional. A blank value means the same as the toUnicode value.
-# Column 5: NV8 - present if the toUnicode value would not be a valid domain name under IDNA2008. Not a normative field.
-#
-# If the value of toUnicode is the same as source, the column will be blank.
-# The line comments currently show visible characters that have been escaped
-# (after removing default-ignorables and controls, except for whitespace)
-#
-# An error in toUnicode or toASCII is indicated by a value in square brackets, such as "[B5 B6]".
-# In such a case, the contents is a list of error codes based on the step numbers in UTS46 and IDNA2008,
-# with the following formats:
-#
-# Pn for Section 4 Processing step n
-# Vn for 4.1 Validity Criteria step n
-# An for 4.2 ToASCII step n
-# Bn for Bidi (in IDNA2008)
-# Cn for ContextJ (in IDNA2008)
-#
-# However, these particular error codes are only informative;
-# the important feature is whether or not there is an error.
-#
-# CONFORMANCE:
-#
-# To test for conformance to UTS46, an implementation must first perform the toASCII and to Unicode operations
-# on the source string, with the indicated type. Implementations may be more strict than UTS46;
-# thus they may have errors where the file indicates results. In particular, an implementation conformant to
-# IDNA2008 would disallow the input for lines marked with NV8.
-#
-# Moreover, the error codes in the file are informative; implementations need only record that there is an error:
-# they need not reproduce those codes. Thus to then verify conformance for the toASCII and toUnicode columns:
-#
-# - If the file indicates an error, the implementation must also have an error.
-# - If the file does not indicate an error, then the implementation must either have an error,
-# or must have a matching result.
-#
-# ====================================================================================================
-B; fass.de; ;
-T; faß.de; ; fass.de
-N; faß.de; ; xn--fa-hia.de
-T; Faß.de; faß.de; fass.de
-N; Faß.de; faß.de; xn--fa-hia.de
-B; xn--fa-hia.de; faß.de; xn--fa-hia.de
-
-# BIDI TESTS
-
-B; à\u05D0; [B5 B6]; [B5 B6] # àא
-B; a\u0300\u05D0; [B5 B6]; [B5 B6] # àא
-B; A\u0300\u05D0; [B5 B6]; [B5 B6] # àא
-B; À\u05D0; [B5 B6]; [B5 B6] # àא
-B; 0à.\u05D0; ; xn--0-sfa.xn--4db # 0à.א
-B; 0a\u0300.\u05D0; 0à.\u05D0; xn--0-sfa.xn--4db # 0à.א
-B; 0A\u0300.\u05D0; 0à.\u05D0; xn--0-sfa.xn--4db # 0à.א
-B; 0À.\u05D0; 0à.\u05D0; xn--0-sfa.xn--4db # 0à.א
-B; xn--0-sfa.xn--4db; 0à.\u05D0; xn--0-sfa.xn--4db # 0à.א
-B; à.\u05D0\u0308; ; xn--0ca.xn--ssa73l # à.א̈
-B; a\u0300.\u05D0\u0308; à.\u05D0\u0308; xn--0ca.xn--ssa73l # à.א̈
-B; A\u0300.\u05D0\u0308; à.\u05D0\u0308; xn--0ca.xn--ssa73l # à.א̈
-B; À.\u05D0\u0308; à.\u05D0\u0308; xn--0ca.xn--ssa73l # à.א̈
-B; xn--0ca.xn--ssa73l; à.\u05D0\u0308; xn--0ca.xn--ssa73l # à.א̈
-B; à.\u05D00\u0660\u05D0; [B4]; [B4] # à.א0٠א
-B; a\u0300.\u05D00\u0660\u05D0; [B4]; [B4] # à.א0٠א
-B; A\u0300.\u05D00\u0660\u05D0; [B4]; [B4] # à.א0٠א
-B; À.\u05D00\u0660\u05D0; [B4]; [B4] # à.א0٠א
-B; \u0308.\u05D0; [V5]; [V5] # ̈.א
-B; à.\u05D00\u0660; [B4]; [B4] # à.א0٠
-B; a\u0300.\u05D00\u0660; [B4]; [B4] # à.א0٠
-B; A\u0300.\u05D00\u0660; [B4]; [B4] # à.א0٠
-B; À.\u05D00\u0660; [B4]; [B4] # à.א0٠
-B; àˇ.\u05D0; ; xn--0ca88g.xn--4db # àˇ.א
-B; a\u0300ˇ.\u05D0; àˇ.\u05D0; xn--0ca88g.xn--4db # àˇ.א
-B; A\u0300ˇ.\u05D0; àˇ.\u05D0; xn--0ca88g.xn--4db # àˇ.א
-B; Àˇ.\u05D0; àˇ.\u05D0; xn--0ca88g.xn--4db # àˇ.א
-B; xn--0ca88g.xn--4db; àˇ.\u05D0; xn--0ca88g.xn--4db # àˇ.א
-B; à\u0308.\u05D0; ; xn--0ca81i.xn--4db # à̈.א
-B; a\u0300\u0308.\u05D0; à\u0308.\u05D0; xn--0ca81i.xn--4db # à̈.א
-B; A\u0300\u0308.\u05D0; à\u0308.\u05D0; xn--0ca81i.xn--4db # à̈.א
-B; À\u0308.\u05D0; à\u0308.\u05D0; xn--0ca81i.xn--4db # à̈.א
-B; xn--0ca81i.xn--4db; à\u0308.\u05D0; xn--0ca81i.xn--4db # à̈.א
-
-# CONTEXT TESTS
-
-T; a\u200Cb; [C1]; ab # ab
-N; a\u200Cb; [C1]; [C1] # ab
-T; A\u200CB; [C1]; ab # ab
-N; A\u200CB; [C1]; [C1] # ab
-T; A\u200Cb; [C1]; ab # ab
-N; A\u200Cb; [C1]; [C1] # ab
-B; ab; ;
-T; a\u094D\u200Cb; ; xn--ab-fsf # a्b
-N; a\u094D\u200Cb; ; xn--ab-fsf604u # a्b
-T; A\u094D\u200CB; a\u094D\u200Cb; xn--ab-fsf # a्b
-N; A\u094D\u200CB; a\u094D\u200Cb; xn--ab-fsf604u # a्b
-T; A\u094D\u200Cb; a\u094D\u200Cb; xn--ab-fsf # a्b
-N; A\u094D\u200Cb; a\u094D\u200Cb; xn--ab-fsf604u # a्b
-B; xn--ab-fsf; a\u094Db; xn--ab-fsf # a्b
-B; a\u094Db; ; xn--ab-fsf # a्b
-B; A\u094DB; a\u094Db; xn--ab-fsf # a्b
-B; A\u094Db; a\u094Db; xn--ab-fsf # a्b
-B; xn--ab-fsf604u; a\u094D\u200Cb; xn--ab-fsf604u # a्b
-T; \u0308\u200C\u0308\u0628b; [V5 B1 C1]; [V5 B1] # ̈̈بb
-N; \u0308\u200C\u0308\u0628b; [V5 B1 C1]; [V5 B1 C1] # ̈̈بb
-T; \u0308\u200C\u0308\u0628B; [V5 B1 C1]; [V5 B1] # ̈̈بb
-N; \u0308\u200C\u0308\u0628B; [V5 B1 C1]; [V5 B1 C1] # ̈̈بb
-T; a\u0628\u0308\u200C\u0308; [B5 B6 C1]; [B5 B6] # aب̈̈
-N; a\u0628\u0308\u200C\u0308; [B5 B6 C1]; [B5 B6 C1] # aب̈̈
-T; A\u0628\u0308\u200C\u0308; [B5 B6 C1]; [B5 B6] # aب̈̈
-N; A\u0628\u0308\u200C\u0308; [B5 B6 C1]; [B5 B6 C1] # aب̈̈
-B; a\u0628\u0308\u200C\u0308\u0628b; [B5]; [B5] # aب̈̈بb
-B; A\u0628\u0308\u200C\u0308\u0628B; [B5]; [B5] # aب̈̈بb
-B; A\u0628\u0308\u200C\u0308\u0628b; [B5]; [B5] # aب̈̈بb
-T; a\u200Db; [C2]; ab # ab
-N; a\u200Db; [C2]; [C2] # ab
-T; A\u200DB; [C2]; ab # ab
-N; A\u200DB; [C2]; [C2] # ab
-T; A\u200Db; [C2]; ab # ab
-N; A\u200Db; [C2]; [C2] # ab
-T; a\u094D\u200Db; ; xn--ab-fsf # a्b
-N; a\u094D\u200Db; ; xn--ab-fsf014u # a्b
-T; A\u094D\u200DB; a\u094D\u200Db; xn--ab-fsf # a्b
-N; A\u094D\u200DB; a\u094D\u200Db; xn--ab-fsf014u # a्b
-T; A\u094D\u200Db; a\u094D\u200Db; xn--ab-fsf # a्b
-N; A\u094D\u200Db; a\u094D\u200Db; xn--ab-fsf014u # a्b
-B; xn--ab-fsf014u; a\u094D\u200Db; xn--ab-fsf014u # a्b
-T; \u0308\u200D\u0308\u0628b; [V5 B1 C2]; [V5 B1] # ̈̈بb
-N; \u0308\u200D\u0308\u0628b; [V5 B1 C2]; [V5 B1 C2] # ̈̈بb
-T; \u0308\u200D\u0308\u0628B; [V5 B1 C2]; [V5 B1] # ̈̈بb
-N; \u0308\u200D\u0308\u0628B; [V5 B1 C2]; [V5 B1 C2] # ̈̈بb
-T; a\u0628\u0308\u200D\u0308; [B5 B6 C2]; [B5 B6] # aب̈̈
-N; a\u0628\u0308\u200D\u0308; [B5 B6 C2]; [B5 B6 C2] # aب̈̈
-T; A\u0628\u0308\u200D\u0308; [B5 B6 C2]; [B5 B6] # aب̈̈
-N; A\u0628\u0308\u200D\u0308; [B5 B6 C2]; [B5 B6 C2] # aب̈̈
-T; a\u0628\u0308\u200D\u0308\u0628b; [B5 C2]; [B5] # aب̈̈بb
-N; a\u0628\u0308\u200D\u0308\u0628b; [B5 C2]; [B5 C2] # aب̈̈بb
-T; A\u0628\u0308\u200D\u0308\u0628B; [B5 C2]; [B5] # aب̈̈بb
-N; A\u0628\u0308\u200D\u0308\u0628B; [B5 C2]; [B5 C2] # aب̈̈بb
-T; A\u0628\u0308\u200D\u0308\u0628b; [B5 C2]; [B5] # aب̈̈بb
-N; A\u0628\u0308\u200D\u0308\u0628b; [B5 C2]; [B5 C2] # aب̈̈بb
-
-# SELECTED TESTS
-
-B; ¡; ; xn--7a; NV8
-B; xn--7a; ¡; xn--7a; NV8
-B; ᧚; ; xn--pkf; XV8
-B; xn--pkf; ᧚; xn--pkf; XV8
-B; 。; [A4_2]; [A4_2]
-B; ꭠ; ; xn--3y9a
-B; xn--3y9a; ꭠ; xn--3y9a
-B; 1234567890ä1234567890123456789012345678901234567890123456; ; [A4_2]
-B; 1234567890a\u03081234567890123456789012345678901234567890123456; 1234567890ä1234567890123456789012345678901234567890123456; [A4_2]
-B; 1234567890A\u03081234567890123456789012345678901234567890123456; 1234567890ä1234567890123456789012345678901234567890123456; [A4_2]
-B; 1234567890Ä1234567890123456789012345678901234567890123456; 1234567890ä1234567890123456789012345678901234567890123456; [A4_2]
-B; www.eXample.cOm; www.example.com;
-B; Bücher.de; bücher.de; xn--bcher-kva.de
-B; Bu\u0308cher.de; bücher.de; xn--bcher-kva.de
-B; bu\u0308cher.de; bücher.de; xn--bcher-kva.de
-B; bücher.de; ; xn--bcher-kva.de
-B; BÜCHER.DE; bücher.de; xn--bcher-kva.de
-B; BU\u0308CHER.DE; bücher.de; xn--bcher-kva.de
-B; xn--bcher-kva.de; bücher.de; xn--bcher-kva.de
-B; ÖBB; öbb; xn--bb-eka
-B; O\u0308BB; öbb; xn--bb-eka
-B; o\u0308bb; öbb; xn--bb-eka
-B; öbb; ; xn--bb-eka
-B; Öbb; öbb; xn--bb-eka
-B; O\u0308bb; öbb; xn--bb-eka
-B; xn--bb-eka; öbb; xn--bb-eka
-T; βόλος.com; ; xn--nxasmq6b.com
-N; βόλος.com; ; xn--nxasmm1c.com
-T; βο\u0301λος.com; βόλος.com; xn--nxasmq6b.com
-N; βο\u0301λος.com; βόλος.com; xn--nxasmm1c.com
-B; ΒΟ\u0301ΛΟΣ.COM; βόλοσ.com; xn--nxasmq6b.com
-B; ΒΌΛΟΣ.COM; βόλοσ.com; xn--nxasmq6b.com
-B; βόλοσ.com; ; xn--nxasmq6b.com
-B; βο\u0301λοσ.com; βόλοσ.com; xn--nxasmq6b.com
-B; Βο\u0301λοσ.com; βόλοσ.com; xn--nxasmq6b.com
-B; Βόλοσ.com; βόλοσ.com; xn--nxasmq6b.com
-B; xn--nxasmq6b.com; βόλοσ.com; xn--nxasmq6b.com
-T; Βο\u0301λος.com; βόλος.com; xn--nxasmq6b.com
-N; Βο\u0301λος.com; βόλος.com; xn--nxasmm1c.com
-T; Βόλος.com; βόλος.com; xn--nxasmq6b.com
-N; Βόλος.com; βόλος.com; xn--nxasmm1c.com
-B; xn--nxasmm1c.com; βόλος.com; xn--nxasmm1c.com
-B; xn--nxasmm1c; βόλος; xn--nxasmm1c
-T; βόλος; ; xn--nxasmq6b
-N; βόλος; ; xn--nxasmm1c
-T; βο\u0301λος; βόλος; xn--nxasmq6b
-N; βο\u0301λος; βόλος; xn--nxasmm1c
-B; ΒΟ\u0301ΛΟΣ; βόλοσ; xn--nxasmq6b
-B; ΒΌΛΟΣ; βόλοσ; xn--nxasmq6b
-B; βόλοσ; ; xn--nxasmq6b
-B; βο\u0301λοσ; βόλοσ; xn--nxasmq6b
-B; Βο\u0301λοσ; βόλοσ; xn--nxasmq6b
-B; Βόλοσ; βόλοσ; xn--nxasmq6b
-B; xn--nxasmq6b; βόλοσ; xn--nxasmq6b
-T; Βόλος; βόλος; xn--nxasmq6b
-N; Βόλος; βόλος; xn--nxasmm1c
-T; Βο\u0301λος; βόλος; xn--nxasmq6b
-N; Βο\u0301λος; βόλος; xn--nxasmm1c
-T; www.ශ\u0DCA\u200Dර\u0DD3.com; ; www.xn--10cl1a0b.com # www.ශ්රී.com
-N; www.ශ\u0DCA\u200Dර\u0DD3.com; ; www.xn--10cl1a0b660p.com # www.ශ්රී.com
-B; www.xn--10cl1a0b.com; www.ශ\u0DCAර\u0DD3.com; www.xn--10cl1a0b.com # www.ශ්රී.com
-B; www.ශ\u0DCAර\u0DD3.com; ; www.xn--10cl1a0b.com # www.ශ්රී.com
-B; www.xn--10cl1a0b660p.com; www.ශ\u0DCA\u200Dර\u0DD3.com; www.xn--10cl1a0b660p.com # www.ශ්රී.com
-T; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC; ; xn--mgba3gch31f # نامهای
-N; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC; ; xn--mgba3gch31f060k # نامهای
-B; xn--mgba3gch31f; \u0646\u0627\u0645\u0647\u0627\u06CC; xn--mgba3gch31f # نامهای
-B; \u0646\u0627\u0645\u0647\u0627\u06CC; ; xn--mgba3gch31f # نامهای
-B; xn--mgba3gch31f060k; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC; xn--mgba3gch31f060k # نامهای
-B; xn--mgba3gch31f060k.com; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; xn--mgba3gch31f060k.com # نامهای.com
-T; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; ; xn--mgba3gch31f.com # نامهای.com
-N; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; ; xn--mgba3gch31f060k.com # نامهای.com
-B; xn--mgba3gch31f.com; \u0646\u0627\u0645\u0647\u0627\u06CC.com; xn--mgba3gch31f.com # نامهای.com
-B; \u0646\u0627\u0645\u0647\u0627\u06CC.com; ; xn--mgba3gch31f.com # نامهای.com
-B; a.b.c。d。; a.b.c.d.;
-B; a.b.c。d。; a.b.c.d.;
-B; a.b.c.d.; ;
-B; U\u0308.xn--tda; ü.ü; xn--tda.xn--tda
-B; Ü.xn--tda; ü.ü; xn--tda.xn--tda
-B; ü.xn--tda; ü.ü; xn--tda.xn--tda
-B; u\u0308.xn--tda; ü.ü; xn--tda.xn--tda
-B; xn--tda.xn--tda; ü.ü; xn--tda.xn--tda
-B; ü.ü; ; xn--tda.xn--tda
-B; u\u0308.u\u0308; ü.ü; xn--tda.xn--tda
-B; U\u0308.U\u0308; ü.ü; xn--tda.xn--tda
-B; Ü.Ü; ü.ü; xn--tda.xn--tda
-B; Ü.ü; ü.ü; xn--tda.xn--tda
-B; U\u0308.u\u0308; ü.ü; xn--tda.xn--tda
-B; xn--u-ccb; [V1]; [V1] # ü
-B; a⒈com; [P1 V6]; [P1 V6]
-B; a1.com; ;
-B; A⒈COM; [P1 V6]; [P1 V6]
-B; A⒈Com; [P1 V6]; [P1 V6]
-B; xn--a-ecp.ru; [V6]; [V6]
-B; xn--0.pt; [A3]; [A3]
-B; xn--a.pt; [V6]; [V6] # .pt
-B; xn--a-Ä.pt; [A3]; [A3]
-B; xn--a-A\u0308.pt; [A3]; [A3]
-B; xn--a-a\u0308.pt; [A3]; [A3]
-B; xn--a-ä.pt; [A3]; [A3]
-B; XN--A-Ä.PT; [A3]; [A3]
-B; XN--A-A\u0308.PT; [A3]; [A3]
-B; Xn--A-A\u0308.pt; [A3]; [A3]
-B; Xn--A-Ä.pt; [A3]; [A3]
-B; 日本語。JP; 日本語.jp; xn--wgv71a119e.jp
-B; 日本語。JP; 日本語.jp; xn--wgv71a119e.jp
-B; xn--wgv71a119e.jp; 日本語.jp; xn--wgv71a119e.jp
-B; 日本語.jp; ; xn--wgv71a119e.jp
-B; 日本語。jp; 日本語.jp; xn--wgv71a119e.jp
-B; 日本語。Jp; 日本語.jp; xn--wgv71a119e.jp
-B; ☕; ; xn--53h; NV8
-B; xn--53h; ☕; xn--53h; NV8
-T; 1.aß\u200C\u200Db\u200C\u200Dcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß\u0302ßz; [C1 C2]; [A4_2] # 1.aßbcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß̂ßz
-N; 1.aß\u200C\u200Db\u200C\u200Dcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß\u0302ßz; [C1 C2]; [C1 C2 A4_2] # 1.aßbcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß̂ßz
-T; 1.ASS\u200C\u200DB\u200C\u200DCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSS\u0302SSZ; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-N; 1.ASS\u200C\u200DB\u200C\u200DCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSS\u0302SSZ; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-T; 1.ASS\u200C\u200DB\u200C\u200DCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSŜSSZ; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-N; 1.ASS\u200C\u200DB\u200C\u200DCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSŜSSZ; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-T; 1.ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-N; 1.ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-T; 1.ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-N; 1.ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-T; 1.Ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-N; 1.Ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-T; 1.Ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-N; 1.Ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
-T; 1.Aß\u200C\u200Db\u200C\u200Dcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß\u0302ßz; [C1 C2]; [A4_2] # 1.aßbcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß̂ßz
-N; 1.Aß\u200C\u200Db\u200C\u200Dcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß\u0302ßz; [C1 C2]; [C1 C2 A4_2] # 1.aßbcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß̂ßz
-T; \u200Cx\u200Dn\u200C-\u200D-bß; [C1 C2]; xn--bss # xn--bß
-N; \u200Cx\u200Dn\u200C-\u200D-bß; [C1 C2]; [C1 C2] # xn--bß
-T; \u200CX\u200DN\u200C-\u200D-BSS; [C1 C2]; xn--bss # xn--bss
-N; \u200CX\u200DN\u200C-\u200D-BSS; [C1 C2]; [C1 C2] # xn--bss
-T; \u200Cx\u200Dn\u200C-\u200D-bss; [C1 C2]; xn--bss # xn--bss
-N; \u200Cx\u200Dn\u200C-\u200D-bss; [C1 C2]; [C1 C2] # xn--bss
-T; \u200CX\u200Dn\u200C-\u200D-Bss; [C1 C2]; xn--bss # xn--bss
-N; \u200CX\u200Dn\u200C-\u200D-Bss; [C1 C2]; [C1 C2] # xn--bss
-B; xn--bss; 夙; xn--bss
-B; 夙; ; xn--bss
-T; \u200CX\u200Dn\u200C-\u200D-Bß; [C1 C2]; xn--bss # xn--bß
-N; \u200CX\u200Dn\u200C-\u200D-Bß; [C1 C2]; [C1 C2] # xn--bß
-B; ˣ\u034Fℕ\u200B﹣\u00AD-\u180Cℬ\uFE00ſ\u2064𝔰󠇯ffl; 夡夞夜夙; xn--bssffl
-B; x\u034FN\u200B-\u00AD-\u180CB\uFE00s\u2064s󠇯ffl; 夡夞夜夙; xn--bssffl
-B; x\u034Fn\u200B-\u00AD-\u180Cb\uFE00s\u2064s󠇯ffl; 夡夞夜夙; xn--bssffl
-B; X\u034FN\u200B-\u00AD-\u180CB\uFE00S\u2064S󠇯FFL; 夡夞夜夙; xn--bssffl
-B; X\u034Fn\u200B-\u00AD-\u180CB\uFE00s\u2064s󠇯ffl; 夡夞夜夙; xn--bssffl
-B; xn--bssffl; 夡夞夜夙; xn--bssffl
-B; 夡夞夜夙; ; xn--bssffl
-B; ˣ\u034Fℕ\u200B﹣\u00AD-\u180Cℬ\uFE00S\u2064𝔰󠇯FFL; 夡夞夜夙; xn--bssffl
-B; x\u034FN\u200B-\u00AD-\u180CB\uFE00S\u2064s󠇯FFL; 夡夞夜夙; xn--bssffl
-B; ˣ\u034Fℕ\u200B﹣\u00AD-\u180Cℬ\uFE00s\u2064𝔰󠇯ffl; 夡夞夜夙; xn--bssffl
-B; 123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; ;
-B; 123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; ;
-B; 123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; ; [A4_1]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901234.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; ; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901234.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; ; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901234.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; ; [A4_2 A4_1]
-B; ä1234567890123456789012345678901234567890123456789012345; ; xn--1234567890123456789012345678901234567890123456789012345-9te
-B; a\u03081234567890123456789012345678901234567890123456789012345; ä1234567890123456789012345678901234567890123456789012345; xn--1234567890123456789012345678901234567890123456789012345-9te
-B; A\u03081234567890123456789012345678901234567890123456789012345; ä1234567890123456789012345678901234567890123456789012345; xn--1234567890123456789012345678901234567890123456789012345-9te
-B; Ä1234567890123456789012345678901234567890123456789012345; ä1234567890123456789012345678901234567890123456789012345; xn--1234567890123456789012345678901234567890123456789012345-9te
-B; xn--1234567890123456789012345678901234567890123456789012345-9te; ä1234567890123456789012345678901234567890123456789012345; xn--1234567890123456789012345678901234567890123456789012345-9te
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; ; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
-B; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; ; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
-B; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; ; [A4_1]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; [A4_1]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; [A4_1]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; [A4_1]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; ; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; ; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; [A4_2]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; ; [A4_2 A4_1]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; [A4_2 A4_1]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; [A4_2 A4_1]
-B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; [A4_2 A4_1]
-B; a.b..-q--a-.e; [V2 V3 A4_2]; [V2 V3 A4_2]
-B; a.b..-q--ä-.e; [V2 V3 A4_2]; [V2 V3 A4_2]
-B; a.b..-q--a\u0308-.e; [V2 V3 A4_2]; [V2 V3 A4_2]
-B; A.B..-Q--A\u0308-.E; [V2 V3 A4_2]; [V2 V3 A4_2]
-B; A.B..-Q--Ä-.E; [V2 V3 A4_2]; [V2 V3 A4_2]
-B; a.b..xn---q----jra.e; [V2 V3 A4_2]; [V2 V3 A4_2]
-B; a..c; [A4_2]; [A4_2]
-B; a.-b.; [V3]; [V3]
-B; a.b-.c; [V3]; [V3]
-B; a.-.c; [V3]; [V3]
-B; a.bc--de.f; [V2]; [V2]
-B; ä.\u00AD.c; [A4_2]; [A4_2]
-B; a\u0308.\u00AD.c; [A4_2]; [A4_2]
-B; A\u0308.\u00AD.C; [A4_2]; [A4_2]
-B; Ä.\u00AD.C; [A4_2]; [A4_2]
-B; ä.-b.; [V3]; [V3]
-B; a\u0308.-b.; [V3]; [V3]
-B; A\u0308.-B.; [V3]; [V3]
-B; Ä.-B.; [V3]; [V3]
-B; ä.b-.c; [V3]; [V3]
-B; a\u0308.b-.c; [V3]; [V3]
-B; A\u0308.B-.C; [V3]; [V3]
-B; Ä.B-.C; [V3]; [V3]
-B; ä.-.c; [V3]; [V3]
-B; a\u0308.-.c; [V3]; [V3]
-B; A\u0308.-.C; [V3]; [V3]
-B; Ä.-.C; [V3]; [V3]
-B; ä.bc--de.f; [V2]; [V2]
-B; a\u0308.bc--de.f; [V2]; [V2]
-B; A\u0308.BC--DE.F; [V2]; [V2]
-B; Ä.BC--DE.F; [V2]; [V2]
-B; a.b.\u0308c.d; [V5]; [V5] # a.b.̈c.d
-B; A.B.\u0308C.D; [V5]; [V5] # a.b.̈c.d
-B; a.b.xn--c-bcb.d; [V5]; [V5] # a.b.̈c.d
-B; A0; a0;
-B; 0A; 0a;
-B; 0A.\u05D0; 0a.\u05D0; 0a.xn--4db # 0a.א
-B; 0a.xn--4db; 0a.\u05D0; 0a.xn--4db # 0a.א
-B; c.xn--0-eha.xn--4db; c.0ü.\u05D0; c.xn--0-eha.xn--4db # c.0ü.א
-B; c.0ü.\u05D0; ; c.xn--0-eha.xn--4db # c.0ü.א
-B; c.0u\u0308.\u05D0; c.0ü.\u05D0; c.xn--0-eha.xn--4db # c.0ü.א
-B; C.0U\u0308.\u05D0; c.0ü.\u05D0; c.xn--0-eha.xn--4db # c.0ü.א
-B; C.0Ü.\u05D0; c.0ü.\u05D0; c.xn--0-eha.xn--4db # c.0ü.א
-B; b-.\u05D0; [V3]; [V3] # b-.א
-B; d.xn----dha.xn--4db; [V3]; [V3] # d.ü-.א
-B; a\u05D0; [B5 B6]; [B5 B6] # aא
-B; A\u05D0; [B5 B6]; [B5 B6] # aא
-B; \u05D0\u05C7; ; xn--vdbr # אׇ
-B; xn--vdbr; \u05D0\u05C7; xn--vdbr # אׇ
-B; \u05D09\u05C7; ; xn--9-ihcz # א9ׇ
-B; xn--9-ihcz; \u05D09\u05C7; xn--9-ihcz # א9ׇ
-B; \u05D0a\u05C7; [B2 B3]; [B2 B3] # אaׇ
-B; \u05D0A\u05C7; [B2 B3]; [B2 B3] # אaׇ
-B; \u05D0\u05EA; ; xn--4db6c # את
-B; xn--4db6c; \u05D0\u05EA; xn--4db6c # את
-B; \u05D0\u05F3\u05EA; ; xn--4db6c0a # א׳ת
-B; xn--4db6c0a; \u05D0\u05F3\u05EA; xn--4db6c0a # א׳ת
-B; a\u05D0Tz; [B5]; [B5] # aאtz
-B; a\u05D0tz; [B5]; [B5] # aאtz
-B; A\u05D0TZ; [B5]; [B5] # aאtz
-B; A\u05D0tz; [B5]; [B5] # aאtz
-B; \u05D0T\u05EA; [B2]; [B2] # אtת
-B; \u05D0t\u05EA; [B2]; [B2] # אtת
-B; \u05D07\u05EA; ; xn--7-zhc3f # א7ת
-B; xn--7-zhc3f; \u05D07\u05EA; xn--7-zhc3f # א7ת
-B; \u05D0\u0667\u05EA; ; xn--4db6c6t # א٧ת
-B; xn--4db6c6t; \u05D0\u0667\u05EA; xn--4db6c6t # א٧ת
-B; a7\u0667z; [B5]; [B5] # a7٧z
-B; A7\u0667Z; [B5]; [B5] # a7٧z
-B; A7\u0667z; [B5]; [B5] # a7٧z
-B; \u05D07\u0667\u05EA; [B4]; [B4] # א7٧ת
-T; ஹ\u0BCD\u200D; ; xn--dmc4b # ஹ்
-N; ஹ\u0BCD\u200D; ; xn--dmc4b194h # ஹ்
-B; xn--dmc4b; ஹ\u0BCD; xn--dmc4b # ஹ்
-B; ஹ\u0BCD; ; xn--dmc4b # ஹ்
-B; xn--dmc4b194h; ஹ\u0BCD\u200D; xn--dmc4b194h # ஹ்
-T; ஹ\u200D; [C2]; xn--dmc # ஹ
-N; ஹ\u200D; [C2]; [C2] # ஹ
-B; xn--dmc; ஹ; xn--dmc
-B; ஹ; ; xn--dmc
-T; \u200D; [C2]; [A4_2] #
-N; \u200D; [C2]; [C2] #
-T; ஹ\u0BCD\u200C; ; xn--dmc4b # ஹ்
-N; ஹ\u0BCD\u200C; ; xn--dmc4by94h # ஹ்
-B; xn--dmc4by94h; ஹ\u0BCD\u200C; xn--dmc4by94h # ஹ்
-T; ஹ\u200C; [C1]; xn--dmc # ஹ
-N; ஹ\u200C; [C1]; [C1] # ஹ
-T; \u200C; [C1]; [A4_2] #
-N; \u200C; [C1]; [C1] #
-T; \u0644\u0670\u200C\u06ED\u06EF; ; xn--ghb2gxqia # لٰۭۯ
-N; \u0644\u0670\u200C\u06ED\u06EF; ; xn--ghb2gxqia7523a # لٰۭۯ
-B; xn--ghb2gxqia; \u0644\u0670\u06ED\u06EF; xn--ghb2gxqia # لٰۭۯ
-B; \u0644\u0670\u06ED\u06EF; ; xn--ghb2gxqia # لٰۭۯ
-B; xn--ghb2gxqia7523a; \u0644\u0670\u200C\u06ED\u06EF; xn--ghb2gxqia7523a # لٰۭۯ
-T; \u0644\u0670\u200C\u06EF; ; xn--ghb2g3q # لٰۯ
-N; \u0644\u0670\u200C\u06EF; ; xn--ghb2g3qq34f # لٰۯ
-B; xn--ghb2g3q; \u0644\u0670\u06EF; xn--ghb2g3q # لٰۯ
-B; \u0644\u0670\u06EF; ; xn--ghb2g3q # لٰۯ
-B; xn--ghb2g3qq34f; \u0644\u0670\u200C\u06EF; xn--ghb2g3qq34f # لٰۯ
-T; \u0644\u200C\u06ED\u06EF; ; xn--ghb25aga # لۭۯ
-N; \u0644\u200C\u06ED\u06EF; ; xn--ghb25aga828w # لۭۯ
-B; xn--ghb25aga; \u0644\u06ED\u06EF; xn--ghb25aga # لۭۯ
-B; \u0644\u06ED\u06EF; ; xn--ghb25aga # لۭۯ
-B; xn--ghb25aga828w; \u0644\u200C\u06ED\u06EF; xn--ghb25aga828w # لۭۯ
-T; \u0644\u200C\u06EF; ; xn--ghb65a # لۯ
-N; \u0644\u200C\u06EF; ; xn--ghb65a953d # لۯ
-B; xn--ghb65a; \u0644\u06EF; xn--ghb65a # لۯ
-B; \u0644\u06EF; ; xn--ghb65a # لۯ
-B; xn--ghb65a953d; \u0644\u200C\u06EF; xn--ghb65a953d # لۯ
-T; \u0644\u0670\u200C\u06ED; [B3 C1]; xn--ghb2gxq # لٰۭ
-N; \u0644\u0670\u200C\u06ED; [B3 C1]; [B3 C1] # لٰۭ
-B; xn--ghb2gxq; \u0644\u0670\u06ED; xn--ghb2gxq # لٰۭ
-B; \u0644\u0670\u06ED; ; xn--ghb2gxq # لٰۭ
-T; \u06EF\u200C\u06EF; [C1]; xn--cmba # ۯۯ
-N; \u06EF\u200C\u06EF; [C1]; [C1] # ۯۯ
-B; xn--cmba; \u06EF\u06EF; xn--cmba # ۯۯ
-B; \u06EF\u06EF; ; xn--cmba # ۯۯ
-T; \u0644\u200C; [B3 C1]; xn--ghb # ل
-N; \u0644\u200C; [B3 C1]; [B3 C1] # ل
-B; xn--ghb; \u0644; xn--ghb # ل
-B; \u0644; ; xn--ghb # ل
-
-# RANDOMIZED TESTS
-
-B; ⒕∝\u065F.-󠄯; [P1 V6 V3]; [P1 V6 V3] # ⒕∝ٟ.-
-B; 14.∝\u065F.-󠄯; [P1 V6 V3]; [P1 V6 V3] # 14.∝ٟ.-
-B; ꡣ.\u07CF; ; xn--8c9a.xn--qsb # ꡣ.ߏ
-B; xn--8c9a.xn--qsb; ꡣ.\u07CF; xn--8c9a.xn--qsb # ꡣ.ߏ
-B; ≯\u0603。-; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ≯.-
-B; >\u0338\u0603。-; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ≯.-
-B; ≯\u0603。-; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ≯.-
-B; >\u0338\u0603。-; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ≯.-
-B; ⾛𐹧⾕.\u115FςႭ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.ςႭ
-B; 走𐹧谷.\u115FςႭ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.ςႭ
-B; 走𐹧谷.\u115Fςⴍ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.ςⴍ
-B; 走𐹧谷.\u115FΣႭ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.σႭ
-B; 走𐹧谷.\u115Fσⴍ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.σⴍ
-B; 走𐹧谷.\u115FΣⴍ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.σⴍ
-B; ⾛𐹧⾕.\u115Fςⴍ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.ςⴍ
-B; ⾛𐹧⾕.\u115FΣႭ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.σႭ
-B; ⾛𐹧⾕.\u115Fσⴍ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.σⴍ
-B; ⾛𐹧⾕.\u115FΣⴍ; [P1 V6 B5]; [P1 V6 B5] # 走𐹧谷.σⴍ
-T; \u200D≠ᢙ≯.솣-ᡴႠ; [P1 V6 C2]; [P1 V6] # ≠ᢙ≯.솣-ᡴႠ
-N; \u200D≠ᢙ≯.솣-ᡴႠ; [P1 V6 C2]; [P1 V6 C2] # ≠ᢙ≯.솣-ᡴႠ
-T; \u200D=\u0338ᢙ>\u0338.솣-ᡴႠ; [P1 V6 C2]; [P1 V6] # ≠ᢙ≯.솣-ᡴႠ
-N; \u200D=\u0338ᢙ>\u0338.솣-ᡴႠ; [P1 V6 C2]; [P1 V6 C2] # ≠ᢙ≯.솣-ᡴႠ
-T; \u200D=\u0338ᢙ>\u0338.솣-ᡴⴀ; [P1 V6 C2]; [P1 V6] # ≠ᢙ≯.솣-ᡴⴀ
-N; \u200D=\u0338ᢙ>\u0338.솣-ᡴⴀ; [P1 V6 C2]; [P1 V6 C2] # ≠ᢙ≯.솣-ᡴⴀ
-T; \u200D≠ᢙ≯.솣-ᡴⴀ; [P1 V6 C2]; [P1 V6] # ≠ᢙ≯.솣-ᡴⴀ
-N; \u200D≠ᢙ≯.솣-ᡴⴀ; [P1 V6 C2]; [P1 V6 C2] # ≠ᢙ≯.솣-ᡴⴀ
-B; .𐿇\u0FA2\u077D\u0600; [P1 V6]; [P1 V6] # .ྡྷݽ
-B; .𐿇\u0FA1\u0FB7\u077D\u0600; [P1 V6]; [P1 V6] # .ྡྷݽ
-B; .𐿇\u0FA1\u0FB7\u077D\u0600; [P1 V6]; [P1 V6] # .ྡྷݽ
-B; 𣳔\u0303.𑓂; [V5]; [V5] # 𣳔̃.𑓂
-B; 𞤀𞥅。󠄌Ⴣꡥ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; 𞤀𞥅。󠄌ⴣꡥ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; \u08E2𑁿ς𖬱。󠅡렧; [P1 V6 B1]; [P1 V6 B1] # 𑁿ς𖬱.렧
-B; \u08E2𑁿ς𖬱。󠅡렧; [P1 V6 B1]; [P1 V6 B1] # 𑁿ς𖬱.렧
-B; \u08E2𑁿Σ𖬱。󠅡렧; [P1 V6 B1]; [P1 V6 B1] # 𑁿σ𖬱.렧
-B; \u08E2𑁿Σ𖬱。󠅡렧; [P1 V6 B1]; [P1 V6 B1] # 𑁿σ𖬱.렧
-B; \u08E2𑁿σ𖬱。󠅡렧; [P1 V6 B1]; [P1 V6 B1] # 𑁿σ𖬱.렧
-B; \u08E2𑁿σ𖬱。󠅡렧; [P1 V6 B1]; [P1 V6 B1] # 𑁿σ𖬱.렧
-T; -\u200D。𞤍\u200C\u200D⒈; [P1 V3 V6 C2 C1]; [P1 V3 V6] # -.𞤯⒈
-N; -\u200D。𞤍\u200C\u200D⒈; [P1 V3 V6 C2 C1]; [P1 V3 V6 C2 C1] # -.𞤯⒈
-T; -\u200D。𞤍\u200C\u200D1.; [V3 C2 C1]; [V3] # -.𞤯1.
-N; -\u200D。𞤍\u200C\u200D1.; [V3 C2 C1]; [V3 C2 C1] # -.𞤯1.
-T; \u200C.Ⴒ𑇀; [P1 V6 C1]; [P1 V6] # .Ⴒ𑇀
-N; \u200C.Ⴒ𑇀; [P1 V6 C1]; [P1 V6 C1] # .Ⴒ𑇀
-T; \u200C.ⴒ𑇀; [P1 V6 C1]; [P1 V6] # .ⴒ𑇀
-N; \u200C.ⴒ𑇀; [P1 V6 C1]; [P1 V6 C1] # .ⴒ𑇀
-B; 繱𑖿\u200D.8︒; [P1 V6]; [P1 V6] # 繱𑖿.8︒
-T; 繱𑖿\u200D.8。; 繱𑖿\u200D.8.; xn--gl0as212a.8. # 繱𑖿.8.
-N; 繱𑖿\u200D.8。; 繱𑖿\u200D.8.; xn--1ug6928ac48e.8. # 繱𑖿.8.
-B; xn--gl0as212a.8.; 繱𑖿.8.; xn--gl0as212a.8.
-B; 繱𑖿.8.; ; xn--gl0as212a.8.
-B; xn--1ug6928ac48e.8.; 繱𑖿\u200D.8.; xn--1ug6928ac48e.8. # 繱𑖿.8.
-T; 繱𑖿\u200D.8.; ; xn--gl0as212a.8. # 繱𑖿.8.
-N; 繱𑖿\u200D.8.; ; xn--1ug6928ac48e.8. # 繱𑖿.8.
-B; 󠆾.𞀈; [V5]; [V5]
-B; 󠆾.𞀈; [V5]; [V5]
-T; ß\u06EB。\u200D; [C2]; xn--ss-59d. # ß۫.
-N; ß\u06EB。\u200D; [C2]; [C2] # ß۫.
-T; SS\u06EB。\u200D; [C2]; xn--ss-59d. # ss۫.
-N; SS\u06EB。\u200D; [C2]; [C2] # ss۫.
-T; ss\u06EB。\u200D; [C2]; xn--ss-59d. # ss۫.
-N; ss\u06EB。\u200D; [C2]; [C2] # ss۫.
-T; Ss\u06EB。\u200D; [C2]; xn--ss-59d. # ss۫.
-N; Ss\u06EB。\u200D; [C2]; [C2] # ss۫.
-B; xn--ss-59d.; ss\u06EB.; xn--ss-59d. # ss۫.
-B; ss\u06EB.; ; xn--ss-59d. # ss۫.
-B; SS\u06EB.; ss\u06EB.; xn--ss-59d. # ss۫.
-B; Ss\u06EB.; ss\u06EB.; xn--ss-59d. # ss۫.
-T; \u200C⒈.; [P1 V6 C1]; [P1 V6] # ⒈.
-N; \u200C⒈.; [P1 V6 C1]; [P1 V6 C1] # ⒈.
-T; \u200C1..; [P1 V6 C1 A4_2]; [P1 V6 A4_2] # 1..
-N; \u200C1..; [P1 V6 C1 A4_2]; [P1 V6 C1 A4_2] # 1..
-B; \u065F\uAAB2ß。; [P1 V6]; [P1 V6] # ٟꪲß.
-B; \u065F\uAAB2SS。; [P1 V6]; [P1 V6] # ٟꪲss.
-B; \u065F\uAAB2ss。; [P1 V6]; [P1 V6] # ٟꪲss.
-B; \u065F\uAAB2Ss。; [P1 V6]; [P1 V6] # ٟꪲss.
-T; \u0774\u200C𞤿。䉜\u200D; [P1 V6 C1 C2]; [P1 V6] # ݴ𞤿.䉜
-N; \u0774\u200C𞤿。䉜\u200D; [P1 V6 C1 C2]; [P1 V6 C1 C2] # ݴ𞤿.䉜
-B; ςᡱ⒈.≮𑄳\u200D𐮍; [P1 V6 B1]; [P1 V6 B1] # ςᡱ⒈.≮𑄳𐮍
-B; ςᡱ⒈.<\u0338𑄳\u200D𐮍; [P1 V6 B1]; [P1 V6 B1] # ςᡱ⒈.≮𑄳𐮍
-B; ςᡱ1..≮𑄳\u200D𐮍; [P1 V6 A4_2 B1]; [P1 V6 A4_2 B1] # ςᡱ1..≮𑄳𐮍
-B; ςᡱ1..<\u0338𑄳\u200D𐮍; [P1 V6 A4_2 B1]; [P1 V6 A4_2 B1] # ςᡱ1..≮𑄳𐮍
-B; Σᡱ1..<\u0338𑄳\u200D𐮍; [P1 V6 A4_2 B1]; [P1 V6 A4_2 B1] # σᡱ1..≮𑄳𐮍
-B; Σᡱ1..≮𑄳\u200D𐮍; [P1 V6 A4_2 B1]; [P1 V6 A4_2 B1] # σᡱ1..≮𑄳𐮍
-B; σᡱ1..≮𑄳\u200D𐮍; [P1 V6 A4_2 B1]; [P1 V6 A4_2 B1] # σᡱ1..≮𑄳𐮍
-B; σᡱ1..<\u0338𑄳\u200D𐮍; [P1 V6 A4_2 B1]; [P1 V6 A4_2 B1] # σᡱ1..≮𑄳𐮍
-B; Σᡱ⒈.<\u0338𑄳\u200D𐮍; [P1 V6 B1]; [P1 V6 B1] # σᡱ⒈.≮𑄳𐮍
-B; Σᡱ⒈.≮𑄳\u200D𐮍; [P1 V6 B1]; [P1 V6 B1] # σᡱ⒈.≮𑄳𐮍
-B; σᡱ⒈.≮𑄳\u200D𐮍; [P1 V6 B1]; [P1 V6 B1] # σᡱ⒈.≮𑄳𐮍
-B; σᡱ⒈.<\u0338𑄳\u200D𐮍; [P1 V6 B1]; [P1 V6 B1] # σᡱ⒈.≮𑄳𐮍
-B; \u3164\u094DႠ\u17D0.\u180B; [P1 V6]; [P1 V6] # ्Ⴀ័.
-B; \u1160\u094DႠ\u17D0.\u180B; [P1 V6]; [P1 V6] # ्Ⴀ័.
-B; \u1160\u094Dⴀ\u17D0.\u180B; [P1 V6]; [P1 V6] # ्ⴀ័.
-B; \u3164\u094Dⴀ\u17D0.\u180B; [P1 V6]; [P1 V6] # ्ⴀ័.
-T; ❣\u200D.\u09CD𑰽\u0612\uA929; [V5 C2]; [V5] # ❣.্𑰽ؒꤩ
-N; ❣\u200D.\u09CD𑰽\u0612\uA929; [V5 C2]; [V5 C2] # ❣.্𑰽ؒꤩ
-T; ❣\u200D.\u09CD𑰽\u0612\uA929; [V5 C2]; [V5] # ❣.্𑰽ؒꤩ
-N; ❣\u200D.\u09CD𑰽\u0612\uA929; [V5 C2]; [V5 C2] # ❣.্𑰽ؒꤩ
-B; ≮𐳺.≯ꡅ; [P1 V6 B1]; [P1 V6 B1]
-B; <\u0338𐳺.>\u0338ꡅ; [P1 V6 B1]; [P1 V6 B1]
-B; \u0CCC𐧅𐳏。\u0CCDᠦ; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ೌ𐧅𐳏.್ᠦ
-B; \u0CCC𐧅𐳏。\u0CCDᠦ; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ೌ𐧅𐳏.್ᠦ
-B; \u0CCC𐧅𐲏。\u0CCDᠦ; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ೌ𐧅𐳏.್ᠦ
-B; \u0CCC𐧅𐲏。\u0CCDᠦ; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ೌ𐧅𐳏.್ᠦ
-B; \u0349。𧡫; [V5]; [V5] # ͉.𧡫
-B; 𑰿󠅦.\u1160; [P1 V5 V6]; [P1 V5 V6] # 𑰿.
-B; 𑰿󠅦.\u1160; [P1 V5 V6]; [P1 V5 V6] # 𑰿.
-T; -𞤆\u200D。; [P1 V3 V6 B1 C2 B5 B6]; [P1 V3 V6 B1 B5 B6] # -𞤨.
-N; -𞤆\u200D。; [P1 V3 V6 B1 C2 B5 B6]; [P1 V3 V6 B1 C2 B5 B6] # -𞤨.
-B; ꡏ≯。\u1DFD⾇滸𐹰; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ꡏ≯.᷽舛滸𐹰
-B; ꡏ>\u0338。\u1DFD⾇滸𐹰; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ꡏ≯.᷽舛滸𐹰
-B; ꡏ≯。\u1DFD舛滸𐹰; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ꡏ≯.᷽舛滸𐹰
-B; ꡏ>\u0338。\u1DFD舛滸𐹰; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ꡏ≯.᷽舛滸𐹰
-B; 蔏。𑰺; [V5]; [V5]
-B; 蔏。𑰺; [V5]; [V5]
-B; 𝟿𐮋。󠄊; [B1]; [B1]
-B; 9𐮋。󠄊; [B1]; [B1]
-B; -䟖F。\u07CB⒈\u0662; [P1 V6 B4]; [P1 V6 B4] # -䟖f.ߋ⒈٢
-B; -䟖F。\u07CB1.\u0662; [P1 V6 B1]; [P1 V6 B1] # -䟖f.ߋ1.٢
-B; -䟖f。\u07CB1.\u0662; [P1 V6 B1]; [P1 V6 B1] # -䟖f.ߋ1.٢
-B; -䟖f。\u07CB⒈\u0662; [P1 V6 B4]; [P1 V6 B4] # -䟖f.ߋ⒈٢
-T; \u200C。𐹺; [C1 B1]; [B1] # .𐹺
-N; \u200C。𐹺; [C1 B1]; [C1 B1] # .𐹺
-T; \u200C。𐹺; [C1 B1]; [B1] # .𐹺
-N; \u200C。𐹺; [C1 B1]; [C1 B1] # .𐹺
-T; 𐡆.≯\u200C-𞥀; [P1 V6 B1 C1]; [P1 V6 B1] # 𐡆.≯-𞥀
-N; 𐡆.≯\u200C-𞥀; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐡆.≯-𞥀
-T; 𐡆.>\u0338\u200C-𞥀; [P1 V6 B1 C1]; [P1 V6 B1] # 𐡆.≯-𞥀
-N; 𐡆.>\u0338\u200C-𞥀; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐡆.≯-𞥀
-B; -。≠\uFCD7; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.≠هج
-B; -。=\u0338\uFCD7; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.≠هج
-B; -。≠\u0647\u062C; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.≠هج
-B; -。=\u0338\u0647\u062C; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.≠هج
-T; 𑈵。\u200D; [P1 V6 B1 C2]; [P1 V6] # 𑈵.
-N; 𑈵。\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𑈵.
-B; 𑋧\uA9C02。㧉; [P1 V5 V6]; [P1 V5 V6] # 𑋧꧀2.㧉
-B; 𑋧\uA9C02。㧉; [P1 V5 V6]; [P1 V5 V6] # 𑋧꧀2.㧉
-T; \u200C𐹴。≯6; [P1 V6 B1 C1]; [P1 V6 B5 B6] # 𐹴.≯6
-N; \u200C𐹴。≯6; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹴.≯6
-T; \u200C𐹴。>\u03386; [P1 V6 B1 C1]; [P1 V6 B5 B6] # 𐹴.≯6
-N; \u200C𐹴。>\u03386; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹴.≯6
-T; 𑁿.𐹦-\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V3 V6 B1] # 𑁿.𐹦-
-N; 𑁿.𐹦-\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𑁿.𐹦-
-T; 𑁿.𐹦-\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V3 V6 B1] # 𑁿.𐹦-
-N; 𑁿.𐹦-\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𑁿.𐹦-
-B; ⤸ς。\uFFA0; [P1 V6]; [P1 V6] # ⤸ς.
-B; ⤸ς。\u1160; [P1 V6]; [P1 V6] # ⤸ς.
-B; ⤸Σ。\u1160; [P1 V6]; [P1 V6] # ⤸σ.
-B; ⤸σ。\u1160; [P1 V6]; [P1 V6] # ⤸σ.
-B; ⤸Σ。\uFFA0; [P1 V6]; [P1 V6] # ⤸σ.
-B; ⤸σ。\uFFA0; [P1 V6]; [P1 V6] # ⤸σ.
-B; \u0765\u1035𐫔\u06D5.𐦬𑋪Ⴃ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ݥဵ𐫔ە.𐦬𑋪Ⴃ
-B; \u0765\u1035𐫔\u06D5.𐦬𑋪ⴃ; [B2 B3]; [B2 B3] # ݥဵ𐫔ە.𐦬𑋪ⴃ
-B; \u0661\u1B44-킼.\u1BAA\u0616\u066C≯; [P1 V5 V6 B1 B5 B6]; [P1 V5 V6 B1 B5 B6] # ١᭄-킼.᮪ؖ٬≯
-B; \u0661\u1B44-킼.\u1BAA\u0616\u066C>\u0338; [P1 V5 V6 B1 B5 B6]; [P1 V5 V6 B1 B5 B6] # ١᭄-킼.᮪ؖ٬≯
-B; -。\u06C2\u0604𑓂; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # -.ۂ𑓂
-B; -。\u06C1\u0654\u0604𑓂; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # -.ۂ𑓂
-T; \u200D.\u05BDꡝ𐋡; [P1 V6 V5 C2]; [P1 V6 V5] # .ֽꡝ𐋡
-N; \u200D.\u05BDꡝ𐋡; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .ֽꡝ𐋡
-T; \u200D.\u05BDꡝ𐋡; [P1 V6 V5 C2]; [P1 V6 V5] # .ֽꡝ𐋡
-N; \u200D.\u05BDꡝ𐋡; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .ֽꡝ𐋡
-B; ︒ς。𐮈; [P1 V6]; [P1 V6]
-B; 。ς。𐮈; [P1 V6]; [P1 V6]
-B; 。Σ。𐮈; [P1 V6]; [P1 V6]
-B; 。σ。𐮈; [P1 V6]; [P1 V6]
-B; ︒Σ。𐮈; [P1 V6]; [P1 V6]
-B; ︒σ。𐮈; [P1 V6]; [P1 V6]
-B; \u07D9.\u06EE≯󠅲; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ߙ.ۮ≯
-B; \u07D9.\u06EE>\u0338󠅲; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ߙ.ۮ≯
-B; \u07D9.\u06EE≯󠅲; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ߙ.ۮ≯
-B; \u07D9.\u06EE>\u0338󠅲; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ߙ.ۮ≯
-B; \u1A73.𐭍; [P1 V5 V6]; [P1 V5 V6] # ᩳ.𐭍
-B; ⒉≠。Ⴟ⬣Ⴈ; [P1 V6]; [P1 V6]
-B; ⒉=\u0338。Ⴟ⬣Ⴈ; [P1 V6]; [P1 V6]
-B; 2.≠。Ⴟ⬣Ⴈ; [P1 V6]; [P1 V6]
-B; 2.=\u0338。Ⴟ⬣Ⴈ; [P1 V6]; [P1 V6]
-B; 2.=\u0338。ⴟ⬣ⴈ; [P1 V6]; [P1 V6]
-B; 2.≠。ⴟ⬣ⴈ; [P1 V6]; [P1 V6]
-B; ⒉=\u0338。ⴟ⬣ⴈ; [P1 V6]; [P1 V6]
-B; ⒉≠。ⴟ⬣ⴈ; [P1 V6]; [P1 V6]
-B; -\u0FB8Ⴥ。-𐹽\u0774𞣑; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ྸჅ.-𐹽ݴ𞣑
-B; -\u0FB8ⴥ。-𐹽\u0774𞣑; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ྸⴥ.-𐹽ݴ𞣑
-B; \u0659。𑄴︒\u0627\u07DD; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ٙ.𑄴︒اߝ
-B; \u0659。𑄴。\u0627\u07DD; [V5]; [V5] # ٙ.𑄴.اߝ
-T; Ⴙ\u0638.󠆓\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # Ⴙظ.
-N; Ⴙ\u0638.󠆓\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # Ⴙظ.
-T; ⴙ\u0638.󠆓\u200D; [B5 B6 C2]; [B5 B6] # ⴙظ.
-N; ⴙ\u0638.󠆓\u200D; [B5 B6 C2]; [B5 B6 C2] # ⴙظ.
-B; 󠆸。₆0𐺧\u0756; [P1 V6 B1]; [P1 V6 B1] # 60ݖ
-B; 󠆸。60𐺧\u0756; [P1 V6 B1]; [P1 V6 B1] # 60ݖ
-B; 6\u084F。-𑈴; [V3 B1]; [V3 B1] # 6ࡏ.-𑈴
-B; 6\u084F。-𑈴; [V3 B1]; [V3 B1] # 6ࡏ.-𑈴
-T; \u200D𐹰。\u0ACDς\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B5 B6 B1] # 𐹰.્ςࣖ
-N; \u200D𐹰。\u0ACDς\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B1 C2] # 𐹰.્ςࣖ
-T; \u200D𐹰。\u0ACDς\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B5 B6 B1] # 𐹰.્ςࣖ
-N; \u200D𐹰。\u0ACDς\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B1 C2] # 𐹰.્ςࣖ
-T; \u200D𐹰。\u0ACDΣ\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B5 B6 B1] # 𐹰.્σࣖ
-N; \u200D𐹰。\u0ACDΣ\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B1 C2] # 𐹰.્σࣖ
-T; \u200D𐹰。\u0ACDσ\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B5 B6 B1] # 𐹰.્σࣖ
-N; \u200D𐹰。\u0ACDσ\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B1 C2] # 𐹰.્σࣖ
-T; \u200D𐹰。\u0ACDΣ\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B5 B6 B1] # 𐹰.્σࣖ
-N; \u200D𐹰。\u0ACDΣ\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B1 C2] # 𐹰.્σࣖ
-T; \u200D𐹰。\u0ACDσ\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B5 B6 B1] # 𐹰.્σࣖ
-N; \u200D𐹰。\u0ACDσ\u08D6; [P1 V6 V5 B1 C2]; [P1 V6 V5 B1 C2] # 𐹰.્σࣖ
-B; ⒈Ⴓ⒪.\u0DCA\u088B𐹢; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ⒈Ⴓ⒪.්𐹢
-B; 1.Ⴓ(o).\u0DCA\u088B𐹢; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 1.Ⴓ(o).්𐹢
-B; 1.ⴓ(o).\u0DCA\u088B𐹢; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 1.ⴓ(o).්𐹢
-B; 1.Ⴓ(O).\u0DCA\u088B𐹢; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 1.Ⴓ(o).්𐹢
-B; ⒈ⴓ⒪.\u0DCA\u088B𐹢; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ⒈ⴓ⒪.්𐹢
-B; 𞤷.𐮐𞢁𐹠\u0624; ; xn--ve6h.xn--jgb1694kz0b2176a; NV8 # 𞤷.𐮐𞢁𐹠ؤ
-B; 𞤷.𐮐𞢁𐹠\u0648\u0654; 𞤷.𐮐𞢁𐹠\u0624; xn--ve6h.xn--jgb1694kz0b2176a; NV8 # 𞤷.𐮐𞢁𐹠ؤ
-B; xn--ve6h.xn--jgb1694kz0b2176a; 𞤷.𐮐𞢁𐹠\u0624; xn--ve6h.xn--jgb1694kz0b2176a; NV8 # 𞤷.𐮐𞢁𐹠ؤ
-B; 𐲈-。𑄳; [P1 V3 V5 V6 B3]; [P1 V3 V5 V6 B3]
-B; 𐲈-。𑄳; [P1 V3 V5 V6 B3]; [P1 V3 V5 V6 B3]
-B; 𐳈-。𑄳; [P1 V3 V5 V6 B3]; [P1 V3 V5 V6 B3]
-B; 𐳈-。𑄳; [P1 V3 V5 V6 B3]; [P1 V3 V5 V6 B3]
-B; -ꡧ.🄉; [P1 V3 V6]; [P1 V3 V6]
-B; -ꡧ.8,; [P1 V3 V6]; [P1 V3 V6]
-B; 臯𧔤.\u0768𝟝; [P1 V6]; [P1 V6] # 臯𧔤.ݨ5
-B; 臯𧔤.\u07685; [P1 V6]; [P1 V6] # 臯𧔤.ݨ5
-B; ≮𐹣.𝨿; [P1 V6 V5 B1]; [P1 V6 V5 B1]
-B; <\u0338𐹣.𝨿; [P1 V6 V5 B1]; [P1 V6 V5 B1]
-B; ≮𐹣.𝨿; [P1 V6 V5 B1]; [P1 V6 V5 B1]
-B; <\u0338𐹣.𝨿; [P1 V6 V5 B1]; [P1 V6 V5 B1]
-B; 𐹯ᯛ\u0A4D。脥; [B1]; [B1] # 𐹯ᯛ੍.脥
-B; 𐹯ᯛ\u0A4D。脥; [B1]; [B1] # 𐹯ᯛ੍.脥
-B; \u1B44\u115F.-; [P1 V5 V6 V3 B5]; [P1 V5 V6 V3 B5] # ᭄.-
-T; \u200C。\u0354; [V5 C1]; [V5] # .͔
-N; \u200C。\u0354; [V5 C1]; [V5 C1] # .͔
-T; \u200C。\u0354; [V5 C1]; [V5] # .͔
-N; \u200C。\u0354; [V5 C1]; [V5 C1] # .͔
-B; 𞤥󠅮.ᡄႮ; [P1 V6]; [P1 V6]
-B; 𞤥󠅮.ᡄႮ; [P1 V6]; [P1 V6]
-B; 𞤥󠅮.ᡄⴎ; 𞤥.ᡄⴎ; xn--de6h.xn--37e857h
-B; xn--de6h.xn--37e857h; 𞤥.ᡄⴎ; xn--de6h.xn--37e857h
-B; 𞤥.ᡄⴎ; ; xn--de6h.xn--37e857h
-B; 𞤥.ᡄႮ; [P1 V6]; [P1 V6]
-B; 𞤥󠅮.ᡄⴎ; 𞤥.ᡄⴎ; xn--de6h.xn--37e857h
-B; 𞤧𝨨Ξ.𪺏㛨❸; [B2 B3]; [B2 B3]
-B; 𞤧𝨨Ξ.𪺏㛨❸; [B2 B3]; [B2 B3]
-B; 𞤧𝨨ξ.𪺏㛨❸; [B2 B3]; [B2 B3]
-B; 𞤧𝨨ξ.𪺏㛨❸; [B2 B3]; [B2 B3]
-T; ᠆몆\u200C-。Ⴛ𐦅︒; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 B5 B6] # ᠆몆-.Ⴛ𐦅︒
-N; ᠆몆\u200C-。Ⴛ𐦅︒; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 C1 B5 B6] # ᠆몆-.Ⴛ𐦅︒
-T; ᠆몆\u200C-。Ⴛ𐦅︒; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 B5 B6] # ᠆몆-.Ⴛ𐦅︒
-N; ᠆몆\u200C-。Ⴛ𐦅︒; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 C1 B5 B6] # ᠆몆-.Ⴛ𐦅︒
-T; ᠆몆\u200C-。Ⴛ𐦅。; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 B5 B6] # ᠆몆-.Ⴛ𐦅.
-N; ᠆몆\u200C-。Ⴛ𐦅。; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 C1 B5 B6] # ᠆몆-.Ⴛ𐦅.
-T; ᠆몆\u200C-。Ⴛ𐦅。; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 B5 B6] # ᠆몆-.Ⴛ𐦅.
-N; ᠆몆\u200C-。Ⴛ𐦅。; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 C1 B5 B6] # ᠆몆-.Ⴛ𐦅.
-T; ᠆몆\u200C-。ⴛ𐦅。; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 B5 B6] # ᠆몆-.ⴛ𐦅.
-N; ᠆몆\u200C-。ⴛ𐦅。; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 C1 B5 B6] # ᠆몆-.ⴛ𐦅.
-T; ᠆몆\u200C-。ⴛ𐦅。; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 B5 B6] # ᠆몆-.ⴛ𐦅.
-N; ᠆몆\u200C-。ⴛ𐦅。; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 C1 B5 B6] # ᠆몆-.ⴛ𐦅.
-T; ᠆몆\u200C-。ⴛ𐦅︒; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 B5 B6] # ᠆몆-.ⴛ𐦅︒
-N; ᠆몆\u200C-。ⴛ𐦅︒; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 C1 B5 B6] # ᠆몆-.ⴛ𐦅︒
-T; ᠆몆\u200C-。ⴛ𐦅︒; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 B5 B6] # ᠆몆-.ⴛ𐦅︒
-N; ᠆몆\u200C-。ⴛ𐦅︒; [P1 V3 V6 C1 B5 B6]; [P1 V3 V6 C1 B5 B6] # ᠆몆-.ⴛ𐦅︒
-T; .︒⥱\u200C𐹬; [P1 V6 B1 C1]; [P1 V6 B1] # .︒⥱𐹬
-N; .︒⥱\u200C𐹬; [P1 V6 B1 C1]; [P1 V6 B1 C1] # .︒⥱𐹬
-T; .。⥱\u200C𐹬; [P1 V6 A4_2 B1 C1]; [P1 V6 A4_2 B1] # ..⥱𐹬
-N; .。⥱\u200C𐹬; [P1 V6 A4_2 B1 C1]; [P1 V6 A4_2 B1 C1] # ..⥱𐹬
-B; .𐹠Ⴑ𐫊; [P1 V6 B1]; [P1 V6 B1]
-B; .𐹠ⴑ𐫊; [P1 V6 B1]; [P1 V6 B1]
-B; \u0FA4.𝟭Ⴛ; [P1 V5 V6]; [P1 V5 V6] # ྤ.1Ⴛ
-B; \u0FA4.1Ⴛ; [P1 V5 V6]; [P1 V5 V6] # ྤ.1Ⴛ
-B; \u0FA4.1ⴛ; [P1 V5 V6]; [P1 V5 V6] # ྤ.1ⴛ
-B; \u0FA4.𝟭ⴛ; [P1 V5 V6]; [P1 V5 V6] # ྤ.1ⴛ
-B; -\u0826齀。릿; [P1 V3 V6 B5 B6]; [P1 V3 V6 B5 B6] # -ࠦ齀.릿
-B; -\u0826齀。릿; [P1 V3 V6 B5 B6]; [P1 V3 V6 B5 B6] # -ࠦ齀.릿
-T; \u071C鹝꾗。\u200D\u200D⏃; [P1 V6 B1 C2]; [P1 V6 B1] # ܜ鹝꾗.⏃
-N; \u071C鹝꾗。\u200D\u200D⏃; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ܜ鹝꾗.⏃
-T; \u071C鹝꾗。\u200D\u200D⏃; [P1 V6 B1 C2]; [P1 V6 B1] # ܜ鹝꾗.⏃
-N; \u071C鹝꾗。\u200D\u200D⏃; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ܜ鹝꾗.⏃
-B; ≮.-\u0708--; [P1 V6 V2 V3 B1]; [P1 V6 V2 V3 B1] # ≮.-܈--
-B; <\u0338.-\u0708--; [P1 V6 V2 V3 B1]; [P1 V6 V2 V3 B1] # ≮.-܈--
-B; ≮.-\u0708--; [P1 V6 V2 V3 B1]; [P1 V6 V2 V3 B1] # ≮.-܈--
-B; <\u0338.-\u0708--; [P1 V6 V2 V3 B1]; [P1 V6 V2 V3 B1] # ≮.-܈--
-T; 𐹸。\u200Dς𝟩; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹸.ς7
-N; 𐹸。\u200Dς𝟩; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹸.ς7
-T; 𐹸。\u200Dς7; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹸.ς7
-N; 𐹸。\u200Dς7; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹸.ς7
-T; 𐹸。\u200DΣ7; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹸.σ7
-N; 𐹸。\u200DΣ7; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹸.σ7
-T; 𐹸。\u200Dσ7; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹸.σ7
-N; 𐹸。\u200Dσ7; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹸.σ7
-T; 𐹸。\u200DΣ𝟩; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹸.σ7
-N; 𐹸。\u200DΣ𝟩; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹸.σ7
-T; 𐹸。\u200Dσ𝟩; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹸.σ7
-N; 𐹸。\u200Dσ𝟩; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹸.σ7
-B; ς8.; [P1 V6]; [P1 V6]
-B; ς8.; [P1 V6]; [P1 V6]
-B; Σ8.; [P1 V6]; [P1 V6]
-B; σ8.; [P1 V6]; [P1 V6]
-B; Σ8.; [P1 V6]; [P1 V6]
-B; σ8.; [P1 V6]; [P1 V6]
-T; \u200Cᡑ🄀\u0684.-𐫄𑲤; [P1 V6 V3 B1 C1]; [P1 V6 V3 B5 B6 B1] # ᡑ🄀ڄ.-𐫄𑲤
-N; \u200Cᡑ🄀\u0684.-𐫄𑲤; [P1 V6 V3 B1 C1]; [P1 V6 V3 B1 C1] # ᡑ🄀ڄ.-𐫄𑲤
-T; \u200Cᡑ0.\u0684.-𐫄𑲤; [V3 C1 B1]; [V3 B1] # ᡑ0.ڄ.-𐫄𑲤
-N; \u200Cᡑ0.\u0684.-𐫄𑲤; [V3 C1 B1]; [V3 C1 B1] # ᡑ0.ڄ.-𐫄𑲤
-B; 𖠍。넯; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; 𖠍。넯; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; ᠇Ⴘ。\u0603Ⴈ𝆊; [P1 V6 B1]; [P1 V6 B1] # ᠇Ⴘ.Ⴈ𝆊
-B; ᠇ⴘ。\u0603ⴈ𝆊; [P1 V6 B1]; [P1 V6 B1] # ᠇ⴘ.ⴈ𝆊
-B; ⒚𞤰。牣\u0667Ⴜᣥ; [P1 V6 B1 B5]; [P1 V6 B1 B5] # ⒚𞤰.牣٧Ⴜᣥ
-B; 19.𞤰。牣\u0667Ⴜᣥ; [P1 V6 B1 B5]; [P1 V6 B1 B5] # 19.𞤰.牣٧Ⴜᣥ
-B; 19.𞤰。牣\u0667ⴜᣥ; [P1 V6 B1 B5]; [P1 V6 B1 B5] # 19.𞤰.牣٧ⴜᣥ
-B; ⒚𞤰。牣\u0667ⴜᣥ; [P1 V6 B1 B5]; [P1 V6 B1 B5] # ⒚𞤰.牣٧ⴜᣥ
-B; -𐋱𐰽⒈.Ⴓ; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-B; -𐋱𐰽1..Ⴓ; [P1 V3 V6 B1 A4_2]; [P1 V3 V6 B1 A4_2]
-B; -𐋱𐰽1..ⴓ; [V3 B1 A4_2]; [V3 B1 A4_2]
-B; -𐋱𐰽⒈.ⴓ; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-T; \u200C긃.榶-; [V3 C1]; [V3] # 긃.榶-
-N; \u200C긃.榶-; [V3 C1]; [V3 C1] # 긃.榶-
-T; \u200C긃.榶-; [V3 C1]; [V3] # 긃.榶-
-N; \u200C긃.榶-; [V3 C1]; [V3 C1] # 긃.榶-
-B; 뉓泓.\u09CD\u200D; [P1 V6 V5]; [P1 V6 V5] # 뉓泓.্
-B; 뉓泓.\u09CD\u200D; [P1 V6 V5]; [P1 V6 V5] # 뉓泓.্
-T; \u200D𐹴ß。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # 𐹴ß.ິ
-N; \u200D𐹴ß。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𐹴ß.ິ
-T; \u200D𐹴ß。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # 𐹴ß.ິ
-N; \u200D𐹴ß。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𐹴ß.ິ
-T; \u200D𐹴SS。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # 𐹴ss.ິ
-N; \u200D𐹴SS。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𐹴ss.ິ
-T; \u200D𐹴ss。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # 𐹴ss.ິ
-N; \u200D𐹴ss。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𐹴ss.ິ
-T; \u200D𐹴Ss。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # 𐹴ss.ິ
-N; \u200D𐹴Ss。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𐹴ss.ິ
-T; \u200D𐹴SS。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # 𐹴ss.ິ
-N; \u200D𐹴SS。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𐹴ss.ິ
-T; \u200D𐹴ss。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # 𐹴ss.ິ
-N; \u200D𐹴ss。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𐹴ss.ິ
-T; \u200D𐹴Ss。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # 𐹴ss.ິ
-N; \u200D𐹴Ss。\u0EB4\u2B75; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𐹴ss.ິ
-B; \u1B44.\u1BAA-≮≠; [P1 V5 V6]; [P1 V5 V6] # ᭄.᮪-≮≠
-B; \u1B44.\u1BAA-<\u0338=\u0338; [P1 V5 V6]; [P1 V5 V6] # ᭄.᮪-≮≠
-B; \u1B44.\u1BAA-≮≠; [P1 V5 V6]; [P1 V5 V6] # ᭄.᮪-≮≠
-B; \u1B44.\u1BAA-<\u0338=\u0338; [P1 V5 V6]; [P1 V5 V6] # ᭄.᮪-≮≠
-B; \u1BF3Ⴑ\u115F.𑄴Ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳Ⴑ.𑄴Ⅎ
-B; \u1BF3Ⴑ\u115F.𑄴Ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳Ⴑ.𑄴Ⅎ
-B; \u1BF3ⴑ\u115F.𑄴ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳ⴑ.𑄴ⅎ
-B; \u1BF3Ⴑ\u115F.𑄴ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳Ⴑ.𑄴ⅎ
-B; \u1BF3ⴑ\u115F.𑄴ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳ⴑ.𑄴ⅎ
-B; \u1BF3Ⴑ\u115F.𑄴ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳Ⴑ.𑄴ⅎ
-B; 。Ⴃ𐴣𐹹똯; [P1 V6 B5]; [P1 V6 B5]
-B; 。Ⴃ𐴣𐹹똯; [P1 V6 B5]; [P1 V6 B5]
-B; 。ⴃ𐴣𐹹똯; [P1 V6 B5]; [P1 V6 B5]
-B; 。ⴃ𐴣𐹹똯; [P1 V6 B5]; [P1 V6 B5]
-B; 𐫀。⳻󠄷\u3164; [P1 V6]; [P1 V6] # 𐫀.⳻
-B; 𐫀。⳻󠄷\u1160; [P1 V6]; [P1 V6] # 𐫀.⳻
-B; \u079A⾇.\u071E-𐋰; [B2 B3]; [B2 B3] # ޚ舛.ܞ-𐋰
-B; \u079A舛.\u071E-𐋰; [B2 B3]; [B2 B3] # ޚ舛.ܞ-𐋰
-B; Ⴉ猕≮.︒; [P1 V6]; [P1 V6]
-B; Ⴉ猕<\u0338.︒; [P1 V6]; [P1 V6]
-B; Ⴉ猕≮.。; [P1 V6 A4_2]; [P1 V6 A4_2]
-B; Ⴉ猕<\u0338.。; [P1 V6 A4_2]; [P1 V6 A4_2]
-B; ⴉ猕<\u0338.。; [P1 V6 A4_2]; [P1 V6 A4_2]
-B; ⴉ猕≮.。; [P1 V6 A4_2]; [P1 V6 A4_2]
-B; ⴉ猕<\u0338.︒; [P1 V6]; [P1 V6]
-B; ⴉ猕≮.︒; [P1 V6]; [P1 V6]
-B; 🏮。\u062B鳳\u07E2󠅉; [B2]; [B2] # 🏮.ث鳳ߢ
-B; 🏮。\u062B鳳\u07E2󠅉; [B2]; [B2] # 🏮.ث鳳ߢ
-T; \u200D𐹶。ß; [B1 C2]; [B1] # 𐹶.ß
-N; \u200D𐹶。ß; [B1 C2]; [B1 C2] # 𐹶.ß
-T; \u200D𐹶。SS; [B1 C2]; [B1] # 𐹶.ss
-N; \u200D𐹶。SS; [B1 C2]; [B1 C2] # 𐹶.ss
-T; Å둄-.\u200C; [V3 C1]; [V3] # å둄-.
-N; Å둄-.\u200C; [V3 C1]; [V3 C1] # å둄-.
-T; A\u030A둄-.\u200C; [V3 C1]; [V3] # å둄-.
-N; A\u030A둄-.\u200C; [V3 C1]; [V3 C1] # å둄-.
-T; Å둄-.\u200C; [V3 C1]; [V3] # å둄-.
-N; Å둄-.\u200C; [V3 C1]; [V3 C1] # å둄-.
-T; A\u030A둄-.\u200C; [V3 C1]; [V3] # å둄-.
-N; A\u030A둄-.\u200C; [V3 C1]; [V3 C1] # å둄-.
-T; a\u030A둄-.\u200C; [V3 C1]; [V3] # å둄-.
-N; a\u030A둄-.\u200C; [V3 C1]; [V3 C1] # å둄-.
-T; å둄-.\u200C; [V3 C1]; [V3] # å둄-.
-N; å둄-.\u200C; [V3 C1]; [V3 C1] # å둄-.
-T; a\u030A둄-.\u200C; [V3 C1]; [V3] # å둄-.
-N; a\u030A둄-.\u200C; [V3 C1]; [V3 C1] # å둄-.
-T; å둄-.\u200C; [V3 C1]; [V3] # å둄-.
-N; å둄-.\u200C; [V3 C1]; [V3 C1] # å둄-.
-B; \u3099\u1DD7𞤀.-\u0953; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ゙ᷗ𞤢.-॓
-B; ς.ß\u06DD\u2D7F; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ς.ß⵿
-B; Σ.SS\u06DD\u2D7F; [P1 V6 B5 B6]; [P1 V6 B5 B6] # σ.ss⵿
-B; σ.ss\u06DD\u2D7F; [P1 V6 B5 B6]; [P1 V6 B5 B6] # σ.ss⵿
-B; Σ.ss\u06DD\u2D7F; [P1 V6 B5 B6]; [P1 V6 B5 B6] # σ.ss⵿
-B; Σ.ß\u06DD\u2D7F; [P1 V6 B5 B6]; [P1 V6 B5 B6] # σ.ß⵿
-B; σ.ß\u06DD\u2D7F; [P1 V6 B5 B6]; [P1 V6 B5 B6] # σ.ß⵿
-B; ꡀ𞀟。\u066B\u0599; [B1]; [B1] # ꡀ𞀟.٫֙
-B; ꡀ𞀟。\u066B\u0599; [B1]; [B1] # ꡀ𞀟.٫֙
-T; \u200C\u08A9。⧅-𐭡; [P1 V6 B5 B6 C1 B1]; [P1 V6 B5 B6 B1] # ࢩ.⧅-𐭡
-N; \u200C\u08A9。⧅-𐭡; [P1 V6 B5 B6 C1 B1]; [P1 V6 B5 B6 C1 B1] # ࢩ.⧅-𐭡
-T; \u200C\u08A9。⧅-𐭡; [P1 V6 B5 B6 C1 B1]; [P1 V6 B5 B6 B1] # ࢩ.⧅-𐭡
-N; \u200C\u08A9。⧅-𐭡; [P1 V6 B5 B6 C1 B1]; [P1 V6 B5 B6 C1 B1] # ࢩ.⧅-𐭡
-T; 룱\u200D𰍨\u200C。𝨖︒; [P1 V6 V5 C2 C1]; [P1 V6 V5] # 룱.𝨖︒
-N; 룱\u200D𰍨\u200C。𝨖︒; [P1 V6 V5 C2 C1]; [P1 V6 V5 C2 C1] # 룱.𝨖︒
-T; 룱\u200D𰍨\u200C。𝨖︒; [P1 V6 V5 C2 C1]; [P1 V6 V5] # 룱.𝨖︒
-N; 룱\u200D𰍨\u200C。𝨖︒; [P1 V6 V5 C2 C1]; [P1 V6 V5 C2 C1] # 룱.𝨖︒
-T; 룱\u200D𰍨\u200C。𝨖。; [P1 V6 V5 C2 C1]; [P1 V6 V5] # 룱.𝨖.
-N; 룱\u200D𰍨\u200C。𝨖。; [P1 V6 V5 C2 C1]; [P1 V6 V5 C2 C1] # 룱.𝨖.
-T; 룱\u200D𰍨\u200C。𝨖。; [P1 V6 V5 C2 C1]; [P1 V6 V5] # 룱.𝨖.
-N; 룱\u200D𰍨\u200C。𝨖。; [P1 V6 V5 C2 C1]; [P1 V6 V5 C2 C1] # 룱.𝨖.
-B; 🄄.\u1CDC⒈ß; [P1 V6 V5]; [P1 V6 V5] # 🄄.᳜⒈ß
-B; 3,.\u1CDC1.ß; [P1 V6 V5]; [P1 V6 V5] # 3,.᳜1.ß
-B; 3,.\u1CDC1.SS; [P1 V6 V5]; [P1 V6 V5] # 3,.᳜1.ss
-B; 🄄.\u1CDC⒈SS; [P1 V6 V5]; [P1 V6 V5] # 🄄.᳜⒈ss
-B; 🄄.\u1CDC⒈ss; [P1 V6 V5]; [P1 V6 V5] # 🄄.᳜⒈ss
-B; 🄄.\u1CDC⒈Ss; [P1 V6 V5]; [P1 V6 V5] # 🄄.᳜⒈ss
-B; \u2D7F。𑐺; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ⵿.𑐺
-B; \u2D7F。𑐺; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ⵿.𑐺
-T; \u1DFD\u103A\u094D.≠\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6] # ်्᷽.≠㇛
-N; \u1DFD\u103A\u094D.≠\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ်्᷽.≠㇛
-T; \u103A\u094D\u1DFD.≠\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6] # ်्᷽.≠㇛
-N; \u103A\u094D\u1DFD.≠\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ်्᷽.≠㇛
-T; \u103A\u094D\u1DFD.=\u0338\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6] # ်्᷽.≠㇛
-N; \u103A\u094D\u1DFD.=\u0338\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ်्᷽.≠㇛
-T; \u103A\u094D\u1DFD.≠\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6] # ်्᷽.≠㇛
-N; \u103A\u094D\u1DFD.≠\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ်्᷽.≠㇛
-T; \u103A\u094D\u1DFD.=\u0338\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6] # ်्᷽.≠㇛
-N; \u103A\u094D\u1DFD.=\u0338\u200D㇛; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ်्᷽.≠㇛
-T; Ⴁ𐋨娤.\u200D\u033C\u0662𑖿; [P1 V6 B1 C2]; [P1 V6 V5 B1] # Ⴁ𐋨娤.̼٢𑖿
-N; Ⴁ𐋨娤.\u200D\u033C\u0662𑖿; [P1 V6 B1 C2]; [P1 V6 B1 C2] # Ⴁ𐋨娤.̼٢𑖿
-T; ⴁ𐋨娤.\u200D\u033C\u0662𑖿; [B1 C2]; [V5 B1] # ⴁ𐋨娤.̼٢𑖿
-N; ⴁ𐋨娤.\u200D\u033C\u0662𑖿; [B1 C2]; [B1 C2] # ⴁ𐋨娤.̼٢𑖿
-B; 🄀Ⴄ\u0669\u0820。⒈\u0FB6ß; [P1 V6 B1]; [P1 V6 B1] # 🄀Ⴄ٩ࠠ.⒈ྶß
-B; 0.Ⴄ\u0669\u0820。1.\u0FB6ß; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # 0.Ⴄ٩ࠠ.1.ྶß
-B; 0.ⴄ\u0669\u0820。1.\u0FB6ß; [V5 B5 B6]; [V5 B5 B6] # 0.ⴄ٩ࠠ.1.ྶß
-B; 0.Ⴄ\u0669\u0820。1.\u0FB6SS; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # 0.Ⴄ٩ࠠ.1.ྶss
-B; 0.ⴄ\u0669\u0820。1.\u0FB6ss; [V5 B5 B6]; [V5 B5 B6] # 0.ⴄ٩ࠠ.1.ྶss
-B; 0.Ⴄ\u0669\u0820。1.\u0FB6Ss; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # 0.Ⴄ٩ࠠ.1.ྶss
-B; 🄀ⴄ\u0669\u0820。⒈\u0FB6ß; [P1 V6 B1]; [P1 V6 B1] # 🄀ⴄ٩ࠠ.⒈ྶß
-B; 🄀Ⴄ\u0669\u0820。⒈\u0FB6SS; [P1 V6 B1]; [P1 V6 B1] # 🄀Ⴄ٩ࠠ.⒈ྶss
-B; 🄀ⴄ\u0669\u0820。⒈\u0FB6ss; [P1 V6 B1]; [P1 V6 B1] # 🄀ⴄ٩ࠠ.⒈ྶss
-B; 🄀Ⴄ\u0669\u0820。⒈\u0FB6Ss; [P1 V6 B1]; [P1 V6 B1] # 🄀Ⴄ٩ࠠ.⒈ྶss
-T; ≠.\u200C-\u066B; [P1 V6 B1 C1]; [P1 V6 V3 B1] # ≠.-٫
-N; ≠.\u200C-\u066B; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ≠.-٫
-T; =\u0338.\u200C-\u066B; [P1 V6 B1 C1]; [P1 V6 V3 B1] # ≠.-٫
-N; =\u0338.\u200C-\u066B; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ≠.-٫
-B; \u0660۱。𞠁\u0665; [P1 V6 B1]; [P1 V6 B1] # ٠۱.𞠁٥
-B; \u0660۱。𞠁\u0665; [P1 V6 B1]; [P1 V6 B1] # ٠۱.𞠁٥
-T; \u200C\u0663⒖。\u1BF3; [P1 V6 B1 C1]; [P1 V6 B1] # ٣⒖.᯳
-N; \u200C\u0663⒖。\u1BF3; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ٣⒖.᯳
-T; \u200C\u066315.。\u1BF3; [P1 V6 B1 C1 A4_2]; [P1 V6 B1 A4_2] # ٣15..᯳
-N; \u200C\u066315.。\u1BF3; [P1 V6 B1 C1 A4_2]; [P1 V6 B1 C1 A4_2] # ٣15..᯳
-B; \u1BF3.-逋; [P1 V5 V3 V6]; [P1 V5 V3 V6] # ᯳.-逋
-T; \u0756。\u3164\u200Dς; [P1 V6 C2]; [P1 V6] # ݖ.ς
-N; \u0756。\u3164\u200Dς; [P1 V6 C2]; [P1 V6 C2] # ݖ.ς
-T; \u0756。\u1160\u200Dς; [P1 V6 C2]; [P1 V6] # ݖ.ς
-N; \u0756。\u1160\u200Dς; [P1 V6 C2]; [P1 V6 C2] # ݖ.ς
-T; \u0756。\u1160\u200DΣ; [P1 V6 C2]; [P1 V6] # ݖ.σ
-N; \u0756。\u1160\u200DΣ; [P1 V6 C2]; [P1 V6 C2] # ݖ.σ
-T; \u0756。\u1160\u200Dσ; [P1 V6 C2]; [P1 V6] # ݖ.σ
-N; \u0756。\u1160\u200Dσ; [P1 V6 C2]; [P1 V6 C2] # ݖ.σ
-T; \u0756。\u3164\u200DΣ; [P1 V6 C2]; [P1 V6] # ݖ.σ
-N; \u0756。\u3164\u200DΣ; [P1 V6 C2]; [P1 V6 C2] # ݖ.σ
-T; \u0756。\u3164\u200Dσ; [P1 V6 C2]; [P1 V6] # ݖ.σ
-N; \u0756。\u3164\u200Dσ; [P1 V6 C2]; [P1 V6 C2] # ݖ.σ
-T; ᡆႣ。\u0315\u200D\u200D; [P1 V6 C2]; [P1 V6] # ᡆႣ.̕
-N; ᡆႣ。\u0315\u200D\u200D; [P1 V6 C2]; [P1 V6 C2] # ᡆႣ.̕
-T; ᡆႣ。\u0315\u200D\u200D; [P1 V6 C2]; [P1 V6] # ᡆႣ.̕
-N; ᡆႣ。\u0315\u200D\u200D; [P1 V6 C2]; [P1 V6 C2] # ᡆႣ.̕
-T; ᡆⴃ。\u0315\u200D\u200D; [P1 V6 C2]; [P1 V6] # ᡆⴃ.̕
-N; ᡆⴃ。\u0315\u200D\u200D; [P1 V6 C2]; [P1 V6 C2] # ᡆⴃ.̕
-T; ᡆⴃ。\u0315\u200D\u200D; [P1 V6 C2]; [P1 V6] # ᡆⴃ.̕
-N; ᡆⴃ。\u0315\u200D\u200D; [P1 V6 C2]; [P1 V6 C2] # ᡆⴃ.̕
-T; 㭄\u200D\u084F𑚵.ς𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6] # 㭄ࡏ𑚵.ς𐮮
-N; 㭄\u200D\u084F𑚵.ς𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6 C2 C1] # 㭄ࡏ𑚵.ς𐮮
-T; 㭄\u200D\u084F𑚵.ς𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6] # 㭄ࡏ𑚵.ς𐮮
-N; 㭄\u200D\u084F𑚵.ς𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6 C2 C1] # 㭄ࡏ𑚵.ς𐮮
-T; 㭄\u200D\u084F𑚵.Σ𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6] # 㭄ࡏ𑚵.σ𐮮
-N; 㭄\u200D\u084F𑚵.Σ𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6 C2 C1] # 㭄ࡏ𑚵.σ𐮮
-T; 㭄\u200D\u084F𑚵.σ𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6] # 㭄ࡏ𑚵.σ𐮮
-N; 㭄\u200D\u084F𑚵.σ𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6 C2 C1] # 㭄ࡏ𑚵.σ𐮮
-T; 㭄\u200D\u084F𑚵.Σ𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6] # 㭄ࡏ𑚵.σ𐮮
-N; 㭄\u200D\u084F𑚵.Σ𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6 C2 C1] # 㭄ࡏ𑚵.σ𐮮
-T; 㭄\u200D\u084F𑚵.σ𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6] # 㭄ࡏ𑚵.σ𐮮
-N; 㭄\u200D\u084F𑚵.σ𐮮\u200C\u200D; [B5 B6 C2 C1]; [B5 B6 C2 C1] # 㭄ࡏ𑚵.σ𐮮
-B; \u17B5。ꡀ🄋; [P1 V5 V6 B2 B3]; [P1 V5 V6 B2 B3] # .ꡀ🄋
-B; 暑.⾑\u0668; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 暑.襾٨
-B; 暑.襾\u0668; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 暑.襾٨
-B; 󠄚≯ꡢ。\u0891\u1DFF; [P1 V6]; [P1 V6] # ≯ꡢ.᷿
-B; 󠄚>\u0338ꡢ。\u0891\u1DFF; [P1 V6]; [P1 V6] # ≯ꡢ.᷿
-B; \uFDC3𮁱\u0B4D𐨿.Ⴗ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # كمم୍𐨿.Ⴗ
-B; \u0643\u0645\u0645𮁱\u0B4D𐨿.Ⴗ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # كمم୍𐨿.Ⴗ
-B; \u0643\u0645\u0645𮁱\u0B4D𐨿.ⴗ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # كمم୍𐨿.ⴗ
-B; \uFDC3𮁱\u0B4D𐨿.ⴗ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # كمم୍𐨿.ⴗ
-B; 𞀨。\u1B44; [P1 V5 V6]; [P1 V5 V6] # 𞀨.᭄
-B; 𞀨。\u1B44; [P1 V5 V6]; [P1 V5 V6] # 𞀨.᭄
-T; \u200C.𐺰\u200Cᡟ; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .ᡟ
-N; \u200C.𐺰\u200Cᡟ; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .ᡟ
-T; \u200C.𐺰\u200Cᡟ; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .ᡟ
-N; \u200C.𐺰\u200Cᡟ; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .ᡟ
-B; ᢛß.ጧ; [P1 V6]; [P1 V6]
-B; ᢛSS.ጧ; [P1 V6]; [P1 V6]
-B; ᢛss.ጧ; [P1 V6]; [P1 V6]
-B; ᢛSs.ጧ; [P1 V6]; [P1 V6]
-T; ⮒\u200C.\u200C; [P1 V6 C1]; [P1 V6] # ⮒.
-N; ⮒\u200C.\u200C; [P1 V6 C1]; [P1 V6 C1] # ⮒.
-B; 𞤂𐹯。Ⴜ; [P1 V6 B2]; [P1 V6 B2]
-B; 𞤂𐹯。ⴜ; [P1 V6 B2]; [P1 V6 B2]
-T; 𐹵⮣\u200C𑄰。\uFCB7; [P1 V6 B1 C1 B5 B6]; [P1 V6 B1 B5 B6] # 𐹵⮣𑄰.ضم
-N; 𐹵⮣\u200C𑄰。\uFCB7; [P1 V6 B1 C1 B5 B6]; [P1 V6 B1 C1 B5 B6] # 𐹵⮣𑄰.ضم
-T; 𐹵⮣\u200C𑄰。\u0636\u0645; [P1 V6 B1 C1 B5 B6]; [P1 V6 B1 B5 B6] # 𐹵⮣𑄰.ضم
-N; 𐹵⮣\u200C𑄰。\u0636\u0645; [P1 V6 B1 C1 B5 B6]; [P1 V6 B1 C1 B5 B6] # 𐹵⮣𑄰.ضم
-B; Ⴒ。デß𞤵\u0C4D; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴒ.デß𞤵్
-B; Ⴒ。テ\u3099ß𞤵\u0C4D; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴒ.デß𞤵్
-B; ⴒ。テ\u3099ß𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デß𞤵్
-B; ⴒ。デß𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デß𞤵్
-B; Ⴒ。デSS𞤵\u0C4D; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴒ.デss𞤵్
-B; Ⴒ。テ\u3099SS𞤵\u0C4D; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴒ.デss𞤵్
-B; ⴒ。テ\u3099ss𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デss𞤵్
-B; ⴒ。デss𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デss𞤵్
-B; Ⴒ。デSs𞤵\u0C4D; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴒ.デss𞤵్
-B; Ⴒ。テ\u3099Ss𞤵\u0C4D; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴒ.デss𞤵్
-B; 𑁿\u0D4D.7-\u07D2; [V5 B1]; [V5 B1] # 𑁿്.7-ߒ
-B; 𑁿\u0D4D.7-\u07D2; [V5 B1]; [V5 B1] # 𑁿്.7-ߒ
-B; ≯𑜫.\u1734𑍬ᢧ; [P1 V6 V5]; [P1 V6 V5] # ≯𑜫.᜴𑍬ᢧ
-B; >\u0338𑜫.\u1734𑍬ᢧ; [P1 V6 V5]; [P1 V6 V5] # ≯𑜫.᜴𑍬ᢧ
-B; \u1DDBႷ쏔。\u0781; [P1 V5 V6]; [P1 V5 V6] # ᷛႷ쏔.ށ
-B; \u1DDBႷ쏔。\u0781; [P1 V5 V6]; [P1 V5 V6] # ᷛႷ쏔.ށ
-B; \u1DDBⴗ쏔。\u0781; [P1 V5 V6]; [P1 V5 V6] # ᷛⴗ쏔.ށ
-B; \u1DDBⴗ쏔。\u0781; [P1 V5 V6]; [P1 V5 V6] # ᷛⴗ쏔.ށ
-B; ß。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ß.𐋳Ⴌྸ
-B; ß。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ß.𐋳Ⴌྸ
-T; ß。𐋳ⴌ\u0FB8; ß.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
-N; ß。𐋳ⴌ\u0FB8; ß.𐋳ⴌ\u0FB8; xn--zca.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
-B; SS。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ss.𐋳Ⴌྸ
-B; ss。𐋳ⴌ\u0FB8; ss.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ss.𐋳ⴌྸ
-B; ss.xn--lgd921mvv0m; ss.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ss.𐋳ⴌྸ
-B; ss.𐋳ⴌ\u0FB8; ; ss.xn--lgd921mvv0m; NV8 # ss.𐋳ⴌྸ
-B; SS.𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ss.𐋳Ⴌྸ
-B; xn--zca.xn--lgd921mvv0m; ß.𐋳ⴌ\u0FB8; xn--zca.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
-T; ß.𐋳ⴌ\u0FB8; ; ss.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
-N; ß.𐋳ⴌ\u0FB8; ; xn--zca.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
-T; ß。𐋳ⴌ\u0FB8; ß.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
-N; ß。𐋳ⴌ\u0FB8; ß.𐋳ⴌ\u0FB8; xn--zca.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
-B; SS。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ss.𐋳Ⴌྸ
-B; ss。𐋳ⴌ\u0FB8; ss.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ss.𐋳ⴌྸ
-T; -\u069E.\u200C⾝\u09CD; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # -ڞ.身্
-N; -\u069E.\u200C⾝\u09CD; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # -ڞ.身্
-T; -\u069E.\u200C身\u09CD; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # -ڞ.身্
-N; -\u069E.\u200C身\u09CD; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # -ڞ.身্
-T; 😮\u0764𑈵𞀖.💅\u200D; [B1 C2]; [B1] # 😮ݤ𑈵𞀖.💅
-N; 😮\u0764𑈵𞀖.💅\u200D; [B1 C2]; [B1 C2] # 😮ݤ𑈵𞀖.💅
-T; 😮\u0764𑈵𞀖.💅\u200D; [B1 C2]; [B1] # 😮ݤ𑈵𞀖.💅
-N; 😮\u0764𑈵𞀖.💅\u200D; [B1 C2]; [B1 C2] # 😮ݤ𑈵𞀖.💅
-T; \u08F2\u200D꙳\u0712.ᢏ\u200C; [P1 V5 V6 B1 C2 C1]; [P1 V5 V6 B1] # ࣲ꙳ܒ.ᢏ
-N; \u08F2\u200D꙳\u0712.ᢏ\u200C; [P1 V5 V6 B1 C2 C1]; [P1 V5 V6 B1 C2 C1] # ࣲ꙳ܒ.ᢏ
-B; Ⴑ.\u06BFᠲ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # Ⴑ.ڿᠲ
-B; Ⴑ.\u06BFᠲ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # Ⴑ.ڿᠲ
-B; ⴑ.\u06BFᠲ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ⴑ.ڿᠲ
-B; ⴑ.\u06BFᠲ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ⴑ.ڿᠲ
-B; \u1A5A\u0C4D。𝟵; [P1 V5 V6]; [P1 V5 V6] # ᩚ్.9
-B; \u1A5A\u0C4D。9; [P1 V5 V6]; [P1 V5 V6] # ᩚ్.9
-T; \u200C\u06A0𝟗。Ⴣ꒘\uFCD0; [P1 V6 B1 C1 B5]; [P1 V6 B2 B5] # ڠ9.Ⴣ꒘مخ
-N; \u200C\u06A0𝟗。Ⴣ꒘\uFCD0; [P1 V6 B1 C1 B5]; [P1 V6 B1 C1 B5] # ڠ9.Ⴣ꒘مخ
-T; \u200C\u06A09。Ⴣ꒘\u0645\u062E; [P1 V6 B1 C1 B5]; [P1 V6 B2 B5] # ڠ9.Ⴣ꒘مخ
-N; \u200C\u06A09。Ⴣ꒘\u0645\u062E; [P1 V6 B1 C1 B5]; [P1 V6 B1 C1 B5] # ڠ9.Ⴣ꒘مخ
-T; \u200C\u06A09。ⴣ꒘\u0645\u062E; [P1 V6 B1 C1 B5]; [P1 V6 B2 B5] # ڠ9.ⴣ꒘مخ
-N; \u200C\u06A09。ⴣ꒘\u0645\u062E; [P1 V6 B1 C1 B5]; [P1 V6 B1 C1 B5] # ڠ9.ⴣ꒘مخ
-T; \u200C\u06A0𝟗。ⴣ꒘\uFCD0; [P1 V6 B1 C1 B5]; [P1 V6 B2 B5] # ڠ9.ⴣ꒘مخ
-N; \u200C\u06A0𝟗。ⴣ꒘\uFCD0; [P1 V6 B1 C1 B5]; [P1 V6 B1 C1 B5] # ڠ9.ⴣ꒘مخ
-B; ᡖ。\u031F\u0B82-; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ᡖ.̟ஂ-
-B; ᡖ。\u031F\u0B82-; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ᡖ.̟ஂ-
-B; 𞠠浘。絧𞀀; [B2 B3]; [B2 B3]
-B; \u0596Ⴋ.𝟳≯︒\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖Ⴋ.7≯︒
-B; \u0596Ⴋ.𝟳>\u0338︒\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖Ⴋ.7≯︒
-B; \u0596Ⴋ.7≯。\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖Ⴋ.7≯.
-B; \u0596Ⴋ.7>\u0338。\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖Ⴋ.7≯.
-B; \u0596ⴋ.7>\u0338。\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖ⴋ.7≯.
-B; \u0596ⴋ.7≯。\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖ⴋ.7≯.
-B; \u0596ⴋ.𝟳>\u0338︒\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖ⴋ.7≯︒
-B; \u0596ⴋ.𝟳≯︒\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖ⴋ.7≯︒
-T; \u200DF𑓂。︒\u077E𐹢; [P1 V6 C2 B1]; [P1 V6 B1] # f𑓂.︒ݾ𐹢
-N; \u200DF𑓂。︒\u077E𐹢; [P1 V6 C2 B1]; [P1 V6 C2 B1] # f𑓂.︒ݾ𐹢
-T; \u200DF𑓂。。\u077E𐹢; [P1 V6 C2]; [P1 V6] # f𑓂..ݾ𐹢
-N; \u200DF𑓂。。\u077E𐹢; [P1 V6 C2]; [P1 V6 C2] # f𑓂..ݾ𐹢
-T; \u200Df𑓂。。\u077E𐹢; [P1 V6 C2]; [P1 V6] # f𑓂..ݾ𐹢
-N; \u200Df𑓂。。\u077E𐹢; [P1 V6 C2]; [P1 V6 C2] # f𑓂..ݾ𐹢
-T; \u200Df𑓂。︒\u077E𐹢; [P1 V6 C2 B1]; [P1 V6 B1] # f𑓂.︒ݾ𐹢
-N; \u200Df𑓂。︒\u077E𐹢; [P1 V6 C2 B1]; [P1 V6 C2 B1] # f𑓂.︒ݾ𐹢
-B; \u0845🄇𐼗︒。𐹻𑜫; [P1 V6 B3 B1]; [P1 V6 B3 B1] # ࡅ🄇︒.𐹻𑜫
-B; \u08456,𐼗。。𐹻𑜫; [P1 V6 A4_2 B1]; [P1 V6 A4_2 B1] # ࡅ6,..𐹻𑜫
-B; .\u1DC0𑈱𐦭; [P1 V6 V5 B1]; [P1 V6 V5 B1] # .᷀𑈱𐦭
-B; Ⴂ䠺。𞤃\u0693; [P1 V6 B2]; [P1 V6 B2] # Ⴂ䠺.𞤥ړ
-B; ⴂ䠺。𞤃\u0693; [P1 V6 B2]; [P1 V6 B2] # ⴂ䠺.𞤥ړ
-B; 🄇伐︒.\uA8C4; [P1 V6]; [P1 V6] # 🄇伐︒.꣄
-B; 6,伐。.\uA8C4; [P1 V6 A4_2]; [P1 V6 A4_2] # 6,伐..꣄
-T; \u200D𐹠\uABED\uFFFB。\u200D𐫓Ⴚ𑂹; [P1 V6 B1 C2]; [P1 V6 B1 B2 B3] # 𐹠꯭.𐫓Ⴚ𑂹
-N; \u200D𐹠\uABED\uFFFB。\u200D𐫓Ⴚ𑂹; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹠꯭.𐫓Ⴚ𑂹
-T; \u200D𐹠\uABED\uFFFB。\u200D𐫓ⴚ𑂹; [P1 V6 B1 C2]; [P1 V6 B1 B2 B3] # 𐹠꯭.𐫓ⴚ𑂹
-N; \u200D𐹠\uABED\uFFFB。\u200D𐫓ⴚ𑂹; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹠꯭.𐫓ⴚ𑂹
-B; 󠆠.; [P1 V6]; [P1 V6]
-B; 󠆠.; [P1 V6]; [P1 V6]
-T; 𐫃\u200CႦ.≠; [P1 V6 B2 B3 C1 B1]; [P1 V6 B2 B3 B1] # 𐫃Ⴆ.≠
-N; 𐫃\u200CႦ.≠; [P1 V6 B2 B3 C1 B1]; [P1 V6 B2 B3 C1 B1] # 𐫃Ⴆ.≠
-T; 𐫃\u200CႦ.=\u0338; [P1 V6 B2 B3 C1 B1]; [P1 V6 B2 B3 B1] # 𐫃Ⴆ.≠
-N; 𐫃\u200CႦ.=\u0338; [P1 V6 B2 B3 C1 B1]; [P1 V6 B2 B3 C1 B1] # 𐫃Ⴆ.≠
-T; 𐫃\u200Cⴆ.=\u0338; [P1 V6 B2 B3 C1 B1]; [P1 V6 B2 B3 B1] # 𐫃ⴆ.≠
-N; 𐫃\u200Cⴆ.=\u0338; [P1 V6 B2 B3 C1 B1]; [P1 V6 B2 B3 C1 B1] # 𐫃ⴆ.≠
-T; 𐫃\u200Cⴆ.≠; [P1 V6 B2 B3 C1 B1]; [P1 V6 B2 B3 B1] # 𐫃ⴆ.≠
-N; 𐫃\u200Cⴆ.≠; [P1 V6 B2 B3 C1 B1]; [P1 V6 B2 B3 C1 B1] # 𐫃ⴆ.≠
-B; 𝟥ꘌ.\u0841; [P1 V6]; [P1 V6] # 3ꘌ.ࡁ
-B; 3ꘌ.\u0841; [P1 V6]; [P1 V6] # 3ꘌ.ࡁ
-B; -.\u1886-; [P1 V3 V5 V6]; [P1 V3 V5 V6] # -.ᢆ-
-T; \u200C。\u200Cς; [P1 V6 C1 B1]; [P1 V6 B2 B3] # .ς
-N; \u200C。\u200Cς; [P1 V6 C1 B1]; [P1 V6 C1 B1] # .ς
-T; \u200C。\u200Cς; [P1 V6 C1 B1]; [P1 V6 B2 B3] # .ς
-N; \u200C。\u200Cς; [P1 V6 C1 B1]; [P1 V6 C1 B1] # .ς
-T; \u200C。\u200CΣ; [P1 V6 C1 B1]; [P1 V6 B2 B3] # .σ
-N; \u200C。\u200CΣ; [P1 V6 C1 B1]; [P1 V6 C1 B1] # .σ
-T; \u200C。\u200Cσ; [P1 V6 C1 B1]; [P1 V6 B2 B3] # .σ
-N; \u200C。\u200Cσ; [P1 V6 C1 B1]; [P1 V6 C1 B1] # .σ
-T; \u200C。\u200CΣ; [P1 V6 C1 B1]; [P1 V6 B2 B3] # .σ
-N; \u200C。\u200CΣ; [P1 V6 C1 B1]; [P1 V6 C1 B1] # .σ
-T; \u200C。\u200Cσ; [P1 V6 C1 B1]; [P1 V6 B2 B3] # .σ
-N; \u200C。\u200Cσ; [P1 V6 C1 B1]; [P1 V6 C1 B1] # .σ
-T; 堕𑓂\u1B02。𐮇𞤽\u200C-; [V3 B3 C1]; [V3 B3] # 堕𑓂ᬂ.𐮇𞤽-
-N; 堕𑓂\u1B02。𐮇𞤽\u200C-; [V3 B3 C1]; [V3 B3 C1] # 堕𑓂ᬂ.𐮇𞤽-
-B; 𐹶𑁆ᡕ𞤢。ᡥς\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥςتς
-B; 𐹶𑁆ᡕ𞤢。ᡥς\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥςتς
-B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062AΣ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
-B; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
-B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
-B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
-B; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
-B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062AΣ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
-B; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
-B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
-B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
-B; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
-B; .-𝟻ß; [P1 V6 V3]; [P1 V6 V3]
-B; .-5ß; [P1 V6 V3]; [P1 V6 V3]
-B; .-5SS; [P1 V6 V3]; [P1 V6 V3]
-B; .-𝟻SS; [P1 V6 V3]; [P1 V6 V3]
-B; .-𝟻ss; [P1 V6 V3]; [P1 V6 V3]
-B; .-𝟻Ss; [P1 V6 V3]; [P1 V6 V3]
-T; \u200D𐨿.🤒Ⴥ; [P1 V6 C2]; [P1 V5 V6] # 𐨿.🤒Ⴥ
-N; \u200D𐨿.🤒Ⴥ; [P1 V6 C2]; [P1 V6 C2] # 𐨿.🤒Ⴥ
-T; \u200D𐨿.🤒ⴥ; [P1 V6 C2]; [P1 V5 V6] # 𐨿.🤒ⴥ
-N; \u200D𐨿.🤒ⴥ; [P1 V6 C2]; [P1 V6 C2] # 𐨿.🤒ⴥ
-T; 。ß𬵩\u200D; [P1 V6 C2]; [P1 V6] # .ß𬵩
-N; 。ß𬵩\u200D; [P1 V6 C2]; [P1 V6 C2] # .ß𬵩
-T; 。SS𬵩\u200D; [P1 V6 C2]; [P1 V6] # .ss𬵩
-N; 。SS𬵩\u200D; [P1 V6 C2]; [P1 V6 C2] # .ss𬵩
-T; 。ss𬵩\u200D; [P1 V6 C2]; [P1 V6] # .ss𬵩
-N; 。ss𬵩\u200D; [P1 V6 C2]; [P1 V6 C2] # .ss𬵩
-T; 。Ss𬵩\u200D; [P1 V6 C2]; [P1 V6] # .ss𬵩
-N; 。Ss𬵩\u200D; [P1 V6 C2]; [P1 V6 C2] # .ss𬵩
-T; \u200C𭉝。\u07F1\u0301𞹻; [P1 V6 V5 C1 B1]; [P1 V6 V5 B1] # .߱́غ
-N; \u200C𭉝。\u07F1\u0301𞹻; [P1 V6 V5 C1 B1]; [P1 V6 V5 C1 B1] # .߱́غ
-T; \u200C𭉝。\u07F1\u0301\u063A; [P1 V6 V5 C1 B1]; [P1 V6 V5 B1] # .߱́غ
-N; \u200C𭉝。\u07F1\u0301\u063A; [P1 V6 V5 C1 B1]; [P1 V6 V5 C1 B1] # .߱́غ
-T; \u200C𑈶。𐹡; [P1 V6 B3 C1 B1]; [P1 V6 B1] # 𑈶.𐹡
-N; \u200C𑈶。𐹡; [P1 V6 B3 C1 B1]; [P1 V6 B3 C1 B1] # 𑈶.𐹡
-T; 󠅯\u200C🜭。𑖿\u1ABBς≠; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻ς≠
-N; 󠅯\u200C🜭。𑖿\u1ABBς≠; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻ς≠
-T; 󠅯\u200C🜭。𑖿\u1ABBς=\u0338; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻ς≠
-N; 󠅯\u200C🜭。𑖿\u1ABBς=\u0338; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻ς≠
-T; 󠅯\u200C🜭。𑖿\u1ABBς≠; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻ς≠
-N; 󠅯\u200C🜭。𑖿\u1ABBς≠; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻ς≠
-T; 󠅯\u200C🜭。𑖿\u1ABBς=\u0338; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻ς≠
-N; 󠅯\u200C🜭。𑖿\u1ABBς=\u0338; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻ς≠
-T; 󠅯\u200C🜭。𑖿\u1ABBΣ=\u0338; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻σ≠
-N; 󠅯\u200C🜭。𑖿\u1ABBΣ=\u0338; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻σ≠
-T; 󠅯\u200C🜭。𑖿\u1ABBΣ≠; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻σ≠
-N; 󠅯\u200C🜭。𑖿\u1ABBΣ≠; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻σ≠
-T; 󠅯\u200C🜭。𑖿\u1ABBσ≠; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻σ≠
-N; 󠅯\u200C🜭。𑖿\u1ABBσ≠; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻σ≠
-T; 󠅯\u200C🜭。𑖿\u1ABBσ=\u0338; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻σ≠
-N; 󠅯\u200C🜭。𑖿\u1ABBσ=\u0338; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻σ≠
-T; 󠅯\u200C🜭。𑖿\u1ABBΣ=\u0338; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻σ≠
-N; 󠅯\u200C🜭。𑖿\u1ABBΣ=\u0338; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻σ≠
-T; 󠅯\u200C🜭。𑖿\u1ABBΣ≠; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻σ≠
-N; 󠅯\u200C🜭。𑖿\u1ABBΣ≠; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻σ≠
-T; 󠅯\u200C🜭。𑖿\u1ABBσ≠; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻σ≠
-N; 󠅯\u200C🜭。𑖿\u1ABBσ≠; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻σ≠
-T; 󠅯\u200C🜭。𑖿\u1ABBσ=\u0338; [P1 V6 V5 C1]; [P1 V6 V5] # 🜭.𑖿᪻σ≠
-N; 󠅯\u200C🜭。𑖿\u1ABBσ=\u0338; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 🜭.𑖿᪻σ≠
-T; ⒋。⒈\u200D; [P1 V6 C2]; [P1 V6] # ⒋.⒈
-N; ⒋。⒈\u200D; [P1 V6 C2]; [P1 V6 C2] # ⒋.⒈
-T; 4.。1.\u200D; [P1 V6 A4_2 C2]; [P1 V6 A4_2] # 4..1.
-N; 4.。1.\u200D; [P1 V6 A4_2 C2]; [P1 V6 A4_2 C2] # 4..1.
-B; \u0644ß。𐇽\u1A60𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لß.᩠𐇽𞤾
-B; \u0644ß。\u1A60𐇽𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لß.᩠𐇽𞤾
-B; \u0644ß。\u1A60𐇽𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لß.᩠𐇽𞤾
-B; \u0644SS。\u1A60𐇽𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لss.᩠𐇽𞤾
-B; \u0644ss。\u1A60𐇽𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لss.᩠𐇽𞤾
-B; \u0644Ss。\u1A60𐇽𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لss.᩠𐇽𞤾
-B; \u0644SS。\u1A60𐇽𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لss.᩠𐇽𞤾
-B; \u0644ss。\u1A60𐇽𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لss.᩠𐇽𞤾
-B; \u0644Ss。\u1A60𐇽𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لss.᩠𐇽𞤾
-B; \u0644SS。𐇽\u1A60𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لss.᩠𐇽𞤾
-B; \u0644ss。𐇽\u1A60𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لss.᩠𐇽𞤾
-B; \u0644Ss。𐇽\u1A60𞤾; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # لss.᩠𐇽𞤾
-B; 𐹽𑄳.\u1DDF\u17B8\uA806𑜫; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 𐹽𑄳.ᷟី꠆𑜫
-B; Ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # Ⴓ𑜫.ڧ𑰶
-B; Ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # Ⴓ𑜫.ڧ𑰶
-B; ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # ⴓ𑜫.ڧ𑰶
-B; ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # ⴓ𑜫.ڧ𑰶
-B; 𐨿.🄆—; [P1 V5 V6]; [P1 V5 V6]
-B; 𐨿.5,—; [P1 V5 V6]; [P1 V5 V6]
-B; ۸。-; [P1 V6 V3]; [P1 V6 V3]
-B; \u07CD𐹮。\u06DDᡎᠴ; [P1 V6 B5 B6 B1]; [P1 V6 B5 B6 B1] # ߍ𐹮.ᡎᠴ
-T; \u200DᠮႾ🄂.🚗\u0841\u200C; [P1 V6 C2 B1 C1]; [P1 V6 B1] # ᠮႾ🄂.🚗ࡁ
-N; \u200DᠮႾ🄂.🚗\u0841\u200C; [P1 V6 C2 B1 C1]; [P1 V6 C2 B1 C1] # ᠮႾ🄂.🚗ࡁ
-T; \u200DᠮႾ1,.🚗\u0841\u200C; [P1 V6 C2 B1 C1]; [P1 V6 B1] # ᠮႾ1,.🚗ࡁ
-N; \u200DᠮႾ1,.🚗\u0841\u200C; [P1 V6 C2 B1 C1]; [P1 V6 C2 B1 C1] # ᠮႾ1,.🚗ࡁ
-T; \u200Dᠮⴞ1,.🚗\u0841\u200C; [P1 V6 C2 B1 C1]; [P1 V6 B1] # ᠮⴞ1,.🚗ࡁ
-N; \u200Dᠮⴞ1,.🚗\u0841\u200C; [P1 V6 C2 B1 C1]; [P1 V6 C2 B1 C1] # ᠮⴞ1,.🚗ࡁ
-T; \u200Dᠮⴞ🄂.🚗\u0841\u200C; [P1 V6 C2 B1 C1]; [P1 V6 B1] # ᠮⴞ🄂.🚗ࡁ
-N; \u200Dᠮⴞ🄂.🚗\u0841\u200C; [P1 V6 C2 B1 C1]; [P1 V6 C2 B1 C1] # ᠮⴞ🄂.🚗ࡁ
-B; \u0601\u0697.𑚶⾆; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ڗ.𑚶舌
-B; \u0601\u0697.𑚶舌; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ڗ.𑚶舌
-B; 🞅.; [P1 V6]; [P1 V6]
-T; \u20E7-.4Ⴄ\u200C; [P1 V5 V6 C1]; [P1 V5 V6] # ⃧-.4Ⴄ
-N; \u20E7-.4Ⴄ\u200C; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ⃧-.4Ⴄ
-T; \u20E7-.4ⴄ\u200C; [P1 V5 V6 C1]; [P1 V5 V6] # ⃧-.4ⴄ
-N; \u20E7-.4ⴄ\u200C; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ⃧-.4ⴄ
-T; ᚭ。𝌠ß𖫱; ᚭ.𝌠ß𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-N; ᚭ。𝌠ß𖫱; ᚭ.𝌠ß𖫱; xn--hwe.xn--zca4946pblnc; NV8
-T; ᚭ。𝌠ß𖫱; ᚭ.𝌠ß𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-N; ᚭ。𝌠ß𖫱; ᚭ.𝌠ß𖫱; xn--hwe.xn--zca4946pblnc; NV8
-B; ᚭ。𝌠SS𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-B; ᚭ。𝌠ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-B; ᚭ。𝌠Ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-B; xn--hwe.xn--ss-ci1ub261a; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-B; ᚭ.𝌠ss𖫱; ; xn--hwe.xn--ss-ci1ub261a; NV8
-B; ᚭ.𝌠SS𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-B; ᚭ.𝌠Ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-B; xn--hwe.xn--zca4946pblnc; ᚭ.𝌠ß𖫱; xn--hwe.xn--zca4946pblnc; NV8
-T; ᚭ.𝌠ß𖫱; ; xn--hwe.xn--ss-ci1ub261a; NV8
-N; ᚭ.𝌠ß𖫱; ; xn--hwe.xn--zca4946pblnc; NV8
-B; ᚭ。𝌠SS𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-B; ᚭ。𝌠ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-B; ᚭ。𝌠Ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
-B; ₁。𞤫ꡪ; [B2 B3]; [B2 B3]
-B; 1。𞤫ꡪ; [B2 B3]; [B2 B3]
-T; \u200C.; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .
-N; \u200C.; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .
-B; 𑑄≯。𑜤; [P1 V5 V6]; [P1 V5 V6]
-B; 𑑄>\u0338。𑜤; [P1 V5 V6]; [P1 V5 V6]
-B; 𑑄≯。𑜤; [P1 V5 V6]; [P1 V5 V6]
-B; 𑑄>\u0338。𑜤; [P1 V5 V6]; [P1 V5 V6]
-T; Ⴋ≮𱲆。\u200D\u07A7𐋣; [P1 V6 C2]; [P1 V6 V5] # Ⴋ≮.ާ𐋣
-N; Ⴋ≮𱲆。\u200D\u07A7𐋣; [P1 V6 C2]; [P1 V6 C2] # Ⴋ≮.ާ𐋣
-T; Ⴋ<\u0338𱲆。\u200D\u07A7𐋣; [P1 V6 C2]; [P1 V6 V5] # Ⴋ≮.ާ𐋣
-N; Ⴋ<\u0338𱲆。\u200D\u07A7𐋣; [P1 V6 C2]; [P1 V6 C2] # Ⴋ≮.ާ𐋣
-T; ⴋ<\u0338𱲆。\u200D\u07A7𐋣; [P1 V6 C2]; [P1 V6 V5] # ⴋ≮.ާ𐋣
-N; ⴋ<\u0338𱲆。\u200D\u07A7𐋣; [P1 V6 C2]; [P1 V6 C2] # ⴋ≮.ާ𐋣
-T; ⴋ≮𱲆。\u200D\u07A7𐋣; [P1 V6 C2]; [P1 V6 V5] # ⴋ≮.ާ𐋣
-N; ⴋ≮𱲆。\u200D\u07A7𐋣; [P1 V6 C2]; [P1 V6 C2] # ⴋ≮.ާ𐋣
-B; \u17D2.≯; [P1 V5 V6]; [P1 V5 V6] # ្.≯
-B; \u17D2.>\u0338; [P1 V5 V6]; [P1 V5 V6] # ្.≯
-B; \u1734.𐨺É⬓𑄴; [P1 V6 V5]; [P1 V6 V5] # ᜴.𐨺é⬓𑄴
-B; \u1734.𐨺E\u0301⬓𑄴; [P1 V6 V5]; [P1 V6 V5] # ᜴.𐨺é⬓𑄴
-B; \u1734.𐨺É⬓𑄴; [P1 V6 V5]; [P1 V6 V5] # ᜴.𐨺é⬓𑄴
-B; \u1734.𐨺E\u0301⬓𑄴; [P1 V6 V5]; [P1 V6 V5] # ᜴.𐨺é⬓𑄴
-B; \u1734.𐨺e\u0301⬓𑄴; [P1 V6 V5]; [P1 V6 V5] # ᜴.𐨺é⬓𑄴
-B; \u1734.𐨺é⬓𑄴; [P1 V6 V5]; [P1 V6 V5] # ᜴.𐨺é⬓𑄴
-B; \u1734.𐨺e\u0301⬓𑄴; [P1 V6 V5]; [P1 V6 V5] # ᜴.𐨺é⬓𑄴
-B; \u1734.𐨺é⬓𑄴; [P1 V6 V5]; [P1 V6 V5] # ᜴.𐨺é⬓𑄴
-T; ᢇ\u200D\uA8C4。︒𞤺; [P1 V6 C2 B1]; [P1 V6 B1] # ᢇ꣄.︒𞤺
-N; ᢇ\u200D\uA8C4。︒𞤺; [P1 V6 C2 B1]; [P1 V6 C2 B1] # ᢇ꣄.︒𞤺
-T; ᢇ\u200D\uA8C4。。𞤺; [C2 A4_2]; [A4_2] # ᢇ꣄..𞤺
-N; ᢇ\u200D\uA8C4。。𞤺; [C2 A4_2]; [C2 A4_2] # ᢇ꣄..𞤺
-B; \u1714\u200C。\u0631\u07AA≮; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ᜔.رު≮
-B; \u1714\u200C。\u0631\u07AA<\u0338; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ᜔.رު≮
-B; \u1714\u200C。\u0631\u07AA≮; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ᜔.رު≮
-B; \u1714\u200C。\u0631\u07AA<\u0338; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ᜔.رު≮
-B; Ⴣ.\u0653ᢤ; [P1 V6 V5]; [P1 V6 V5] # Ⴣ.ٓᢤ
-B; Ⴣ.\u0653ᢤ; [P1 V6 V5]; [P1 V6 V5] # Ⴣ.ٓᢤ
-B; ⴣ.\u0653ᢤ; [V5]; [V5] # ⴣ.ٓᢤ
-B; ⴣ.\u0653ᢤ; [V5]; [V5] # ⴣ.ٓᢤ
-B; 󠄈\u0813.싉Ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉Ⴤ
-B; 󠄈\u0813.싉Ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉Ⴤ
-B; 󠄈\u0813.싉Ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉Ⴤ
-B; 󠄈\u0813.싉Ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉Ⴤ
-B; 󠄈\u0813.싉ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉ⴤ
-B; 󠄈\u0813.싉ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉ⴤ
-B; 󠄈\u0813.싉ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉ⴤ
-B; 󠄈\u0813.싉ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉ⴤ
-B; \uAA2C𑲫≮.⤂; [P1 V5 V6]; [P1 V5 V6] # ꨬ𑲫≮.⤂
-B; \uAA2C𑲫<\u0338.⤂; [P1 V5 V6]; [P1 V5 V6] # ꨬ𑲫≮.⤂
-B; \uAA2C𑲫≮.⤂; [P1 V5 V6]; [P1 V5 V6] # ꨬ𑲫≮.⤂
-B; \uAA2C𑲫<\u0338.⤂; [P1 V5 V6]; [P1 V5 V6] # ꨬ𑲫≮.⤂
-B; \u0604𐩔≮Ⴢ.Ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮Ⴢ.Ⴃ
-B; \u0604𐩔<\u0338Ⴢ.Ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮Ⴢ.Ⴃ
-B; \u0604𐩔≮Ⴢ.Ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮Ⴢ.Ⴃ
-B; \u0604𐩔<\u0338Ⴢ.Ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮Ⴢ.Ⴃ
-B; \u0604𐩔<\u0338ⴢ.ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮ⴢ.ⴃ
-B; \u0604𐩔≮ⴢ.ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮ⴢ.ⴃ
-B; \u0604𐩔≮Ⴢ.ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮Ⴢ.ⴃ
-B; \u0604𐩔<\u0338Ⴢ.ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮Ⴢ.ⴃ
-B; \u0604𐩔<\u0338ⴢ.ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮ⴢ.ⴃ
-B; \u0604𐩔≮ⴢ.ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮ⴢ.ⴃ
-B; \u0604𐩔≮Ⴢ.ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮Ⴢ.ⴃ
-B; \u0604𐩔<\u0338Ⴢ.ⴃ; [P1 V6 B1]; [P1 V6 B1] # 𐩔≮Ⴢ.ⴃ
-B; 𑁅。-; [V5 V3]; [V5 V3]
-B; \u0DCA。饈≠\u0664; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ්.饈≠٤
-B; \u0DCA。饈=\u0338\u0664; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ්.饈≠٤
-B; \u0DCA。饈≠\u0664; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ්.饈≠٤
-B; \u0DCA。饈=\u0338\u0664; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ්.饈≠٤
-B; 𞥃ᠠ⁷。≯邅⬻4; [P1 V6 B2]; [P1 V6 B2]
-B; 𞥃ᠠ⁷。>\u0338邅⬻4; [P1 V6 B2]; [P1 V6 B2]
-B; 𞥃ᠠ7。≯邅⬻4; [P1 V6 B2]; [P1 V6 B2]
-B; 𞥃ᠠ7。>\u0338邅⬻4; [P1 V6 B2]; [P1 V6 B2]
-B; ᡳ-𑐻.𐹴𐋫\u0605; [P1 V6 B1]; [P1 V6 B1] # ᡳ-𑐻.𐹴𐋫
-B; \u0845\u0A51.넨-; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ࡅੑ.넨-
-B; \u0845\u0A51.넨-; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ࡅੑ.넨-
-T; ꡦᡑ\u200D⒈。𐋣-; [P1 V6 V3 C2]; [P1 V6 V3] # ꡦᡑ⒈.𐋣-
-N; ꡦᡑ\u200D⒈。𐋣-; [P1 V6 V3 C2]; [P1 V6 V3 C2] # ꡦᡑ⒈.𐋣-
-T; ꡦᡑ\u200D1.。𐋣-; [V3 C2 A4_2]; [V3 A4_2] # ꡦᡑ1..𐋣-
-N; ꡦᡑ\u200D1.。𐋣-; [V3 C2 A4_2]; [V3 C2 A4_2] # ꡦᡑ1..𐋣-
-B; Ⴌ。\uFB69; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴌ.ٹ
-B; Ⴌ。\u0679; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴌ.ٹ
-B; ⴌ。\u0679; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ⴌ.ٹ
-B; ⴌ。\uFB69; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ⴌ.ٹ
-B; 𐮁𐭱.\u0F84\u135E-\u1CFA; [P1 V5 V6]; [P1 V5 V6] # 𐮁𐭱.྄፞-
-T; ⒈䰹\u200D-。웈; [P1 V3 V6 C2]; [P1 V3 V6] # ⒈䰹-.웈
-N; ⒈䰹\u200D-。웈; [P1 V3 V6 C2]; [P1 V3 V6 C2] # ⒈䰹-.웈
-T; ⒈䰹\u200D-。웈; [P1 V3 V6 C2]; [P1 V3 V6] # ⒈䰹-.웈
-N; ⒈䰹\u200D-。웈; [P1 V3 V6 C2]; [P1 V3 V6 C2] # ⒈䰹-.웈
-T; 1.䰹\u200D-。웈; [V3 C2]; [V3] # 1.䰹-.웈
-N; 1.䰹\u200D-。웈; [V3 C2]; [V3 C2] # 1.䰹-.웈
-T; 1.䰹\u200D-。웈; [V3 C2]; [V3] # 1.䰹-.웈
-N; 1.䰹\u200D-。웈; [V3 C2]; [V3 C2] # 1.䰹-.웈
-T; て。\u200C\u07F3; [P1 V6 C1]; [P1 V6] # て.߳
-N; て。\u200C\u07F3; [P1 V6 C1]; [P1 V6 C1] # て.߳
-B; ς。\uA9C0\u06E7; [V5]; [V5] # ς.꧀ۧ
-B; ς。\uA9C0\u06E7; [V5]; [V5] # ς.꧀ۧ
-B; Σ。\uA9C0\u06E7; [V5]; [V5] # σ.꧀ۧ
-B; σ。\uA9C0\u06E7; [V5]; [V5] # σ.꧀ۧ
-B; Σ。\uA9C0\u06E7; [V5]; [V5] # σ.꧀ۧ
-B; σ。\uA9C0\u06E7; [V5]; [V5] # σ.꧀ۧ
-B; \u0BCD.ႢႵ; [P1 V5 V6]; [P1 V5 V6] # ்.ႢႵ
-B; \u0BCD.ⴂⴕ; [P1 V5 V6]; [P1 V5 V6] # ்.ⴂⴕ
-B; \u0BCD.Ⴂⴕ; [P1 V5 V6]; [P1 V5 V6] # ்.Ⴂⴕ
-T; \u1C32🄈⾛\u05A6.\u200D\u07FD; [P1 V5 V6 B1 C2]; [P1 V5 V6 B5 B6] # ᰲ🄈走֦.
-N; \u1C32🄈⾛\u05A6.\u200D\u07FD; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ᰲ🄈走֦.
-T; \u1C327,走\u05A6.\u200D\u07FD; [P1 V5 V6 B1 C2]; [P1 V5 V6 B5 B6] # ᰲ7,走֦.
-N; \u1C327,走\u05A6.\u200D\u07FD; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ᰲ7,走֦.
-B; ᢗ。Ӏ; [P1 V6]; [P1 V6]
-B; ᢗ。Ӏ; [P1 V6]; [P1 V6]
-B; ᢗ。ӏ; [P1 V6]; [P1 V6]
-B; ᢗ。ӏ; [P1 V6]; [P1 V6]
-B; \u0668-。🝆ᄾ; [P1 V3 V6 B1]; [P1 V3 V6 B1] # ٨-.🝆ᄾ
-B; -𐋷𖾑。󠆬; [V3]; [V3]
-T; \u200C𐹳🐴멈.\uABED; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𐹳🐴멈.꯭
-N; \u200C𐹳🐴멈.\uABED; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𐹳🐴멈.꯭
-T; \u200C𐹳🐴멈.\uABED; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𐹳🐴멈.꯭
-N; \u200C𐹳🐴멈.\uABED; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𐹳🐴멈.꯭
-B; ≮.\u0769\u0603; [P1 V6]; [P1 V6] # ≮.ݩ
-B; <\u0338.\u0769\u0603; [P1 V6]; [P1 V6] # ≮.ݩ
-T; ⾆。\u200C𑚶; [P1 V6 B2 B3 B1 C1]; [P1 V6 V5 B2 B3 B5 B6] # 舌.𑚶
-N; ⾆。\u200C𑚶; [P1 V6 B2 B3 B1 C1]; [P1 V6 B2 B3 B1 C1] # 舌.𑚶
-T; 舌。\u200C𑚶; [P1 V6 B2 B3 B1 C1]; [P1 V6 V5 B2 B3 B5 B6] # 舌.𑚶
-N; 舌。\u200C𑚶; [P1 V6 B2 B3 B1 C1]; [P1 V6 B2 B3 B1 C1] # 舌.𑚶
-T; \u200CჀ-.𝟷ς𞴺ς; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # Ⴠ-.1ςς
-N; \u200CჀ-.𝟷ς𞴺ς; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # Ⴠ-.1ςς
-T; \u200CჀ-.1ς𞴺ς; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # Ⴠ-.1ςς
-N; \u200CჀ-.1ς𞴺ς; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # Ⴠ-.1ςς
-T; \u200Cⴠ-.1ς𞴺ς; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # ⴠ-.1ςς
-N; \u200Cⴠ-.1ς𞴺ς; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # ⴠ-.1ςς
-T; \u200CჀ-.1Σ𞴺Σ; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # Ⴠ-.1σσ
-N; \u200CჀ-.1Σ𞴺Σ; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # Ⴠ-.1σσ
-T; \u200Cⴠ-.1σ𞴺σ; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # ⴠ-.1σσ
-N; \u200Cⴠ-.1σ𞴺σ; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # ⴠ-.1σσ
-T; \u200Cⴠ-.𝟷ς𞴺ς; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # ⴠ-.1ςς
-N; \u200Cⴠ-.𝟷ς𞴺ς; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # ⴠ-.1ςς
-T; \u200CჀ-.𝟷Σ𞴺Σ; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # Ⴠ-.1σσ
-N; \u200CჀ-.𝟷Σ𞴺Σ; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # Ⴠ-.1σσ
-T; \u200Cⴠ-.𝟷σ𞴺σ; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # ⴠ-.1σσ
-N; \u200Cⴠ-.𝟷σ𞴺σ; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # ⴠ-.1σσ
-B; 𑲘󠄒。𝟪Ⴜ; [P1 V5 V6]; [P1 V5 V6]
-B; 𑲘󠄒。8Ⴜ; [P1 V5 V6]; [P1 V5 V6]
-B; 𑲘󠄒。8ⴜ; [P1 V5 V6]; [P1 V5 V6]
-B; 𑲘󠄒。𝟪ⴜ; [P1 V5 V6]; [P1 V5 V6]
-B; 䪏\u06AB\u07E0\u0941。뭕ᢝ\u17B9; [B5 B6]; [B5 B6] # 䪏ګߠु.뭕ᢝឹ
-B; 䪏\u06AB\u07E0\u0941。뭕ᢝ\u17B9; [B5 B6]; [B5 B6] # 䪏ګߠु.뭕ᢝឹ
-B; 䪏\u06AB\u07E0\u0941。뭕ᢝ\u17B9; [B5 B6]; [B5 B6] # 䪏ګߠु.뭕ᢝឹ
-B; 䪏\u06AB\u07E0\u0941。뭕ᢝ\u17B9; [B5 B6]; [B5 B6] # 䪏ګߠु.뭕ᢝឹ
-B; \u1BAB。🂉; [P1 V5 V6]; [P1 V5 V6] # ᮫.🂉
-B; \u1BAB。🂉; [P1 V5 V6]; [P1 V5 V6] # ᮫.🂉
-T; \u0AC4。ς\u200D𐹮𑈵; [P1 V6 B5 C2]; [P1 V6 B5] # ૄ.ς𐹮𑈵
-N; \u0AC4。ς\u200D𐹮𑈵; [P1 V6 B5 C2]; [P1 V6 B5 C2] # ૄ.ς𐹮𑈵
-T; \u0AC4。Σ\u200D𐹮𑈵; [P1 V6 B5 C2]; [P1 V6 B5] # ૄ.σ𐹮𑈵
-N; \u0AC4。Σ\u200D𐹮𑈵; [P1 V6 B5 C2]; [P1 V6 B5 C2] # ૄ.σ𐹮𑈵
-T; \u0AC4。σ\u200D𐹮𑈵; [P1 V6 B5 C2]; [P1 V6 B5] # ૄ.σ𐹮𑈵
-N; \u0AC4。σ\u200D𐹮𑈵; [P1 V6 B5 C2]; [P1 V6 B5 C2] # ૄ.σ𐹮𑈵
-B; 𐫀ᡂ𑜫.𑘿; [V5 B2 B3]; [V5 B2 B3]
-B; 𐫀ᡂ𑜫.𑘿; [V5 B2 B3]; [V5 B2 B3]
-T; -。\u200C; [P1 V3 V6 C1]; [P1 V3 V6] # -.
-N; -。\u200C; [P1 V3 V6 C1]; [P1 V3 V6 C1] # -.
-B; 𐹣.\u07C2; [B1]; [B1] # 𐹣.߂
-B; 𐹣.\u07C2; [B1]; [B1] # 𐹣.߂
-B; -\u07E1。Ↄ; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ߡ.Ↄ
-B; -\u07E1。Ↄ; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ߡ.Ↄ
-B; -\u07E1。ↄ; [V3 B1]; [V3 B1] # -ߡ.ↄ
-B; -\u07E1。ↄ; [V3 B1]; [V3 B1] # -ߡ.ↄ
-T; \u200D-︒󠄄。ß哑\u200C; [P1 V6 C2 B5 B6 C1]; [P1 V3 V6 B5 B6] # -︒.ß哑
-N; \u200D-︒󠄄。ß哑\u200C; [P1 V6 C2 B5 B6 C1]; [P1 V6 C2 B5 B6 C1] # -︒.ß哑
-T; \u200D-。󠄄。ß哑\u200C; [P1 V3 V6 C2 A4_2 B5 B6 C1]; [P1 V3 V6 A4_2 B5 B6] # -..ß哑
-N; \u200D-。󠄄。ß哑\u200C; [P1 V3 V6 C2 A4_2 B5 B6 C1]; [P1 V3 V6 C2 A4_2 B5 B6 C1] # -..ß哑
-T; \u200D-。󠄄。SS哑\u200C; [P1 V3 V6 C2 A4_2 B5 B6 C1]; [P1 V3 V6 A4_2 B5 B6] # -..ss哑
-N; \u200D-。󠄄。SS哑\u200C; [P1 V3 V6 C2 A4_2 B5 B6 C1]; [P1 V3 V6 C2 A4_2 B5 B6 C1] # -..ss哑
-T; \u200D-。󠄄。ss哑\u200C; [P1 V3 V6 C2 A4_2 B5 B6 C1]; [P1 V3 V6 A4_2 B5 B6] # -..ss哑
-N; \u200D-。󠄄。ss哑\u200C; [P1 V3 V6 C2 A4_2 B5 B6 C1]; [P1 V3 V6 C2 A4_2 B5 B6 C1] # -..ss哑
-T; \u200D-。󠄄。Ss哑\u200C; [P1 V3 V6 C2 A4_2 B5 B6 C1]; [P1 V3 V6 A4_2 B5 B6] # -..ss哑
-N; \u200D-。󠄄。Ss哑\u200C; [P1 V3 V6 C2 A4_2 B5 B6 C1]; [P1 V3 V6 C2 A4_2 B5 B6 C1] # -..ss哑
-T; \u200D-︒󠄄。SS哑\u200C; [P1 V6 C2 B5 B6 C1]; [P1 V3 V6 B5 B6] # -︒.ss哑
-N; \u200D-︒󠄄。SS哑\u200C; [P1 V6 C2 B5 B6 C1]; [P1 V6 C2 B5 B6 C1] # -︒.ss哑
-T; \u200D-︒󠄄。ss哑\u200C; [P1 V6 C2 B5 B6 C1]; [P1 V3 V6 B5 B6] # -︒.ss哑
-N; \u200D-︒󠄄。ss哑\u200C; [P1 V6 C2 B5 B6 C1]; [P1 V6 C2 B5 B6 C1] # -︒.ss哑
-T; \u200D-︒󠄄。Ss哑\u200C; [P1 V6 C2 B5 B6 C1]; [P1 V3 V6 B5 B6] # -︒.ss哑
-N; \u200D-︒󠄄。Ss哑\u200C; [P1 V6 C2 B5 B6 C1]; [P1 V6 C2 B5 B6 C1] # -︒.ss哑
-B; ︒.\uFE2F𑑂; [P1 V6 V5]; [P1 V6 V5] # ︒.𑑂︯
-B; ︒.𑑂\uFE2F; [P1 V6 V5]; [P1 V6 V5] # ︒.𑑂︯
-B; 。.𑑂\uFE2F; [V5]; [V5] # 𑑂︯
-T; \uA92C。\u200D; [V5 C2]; [V5] # ꤬.
-N; \uA92C。\u200D; [V5 C2]; [V5 C2] # ꤬.
-T; \u200D。\uFCD7; [P1 V6 C2]; [P1 V6] # .هج
-N; \u200D。\uFCD7; [P1 V6 C2]; [P1 V6 C2] # .هج
-T; \u200D。\u0647\u062C; [P1 V6 C2]; [P1 V6] # .هج
-N; \u200D。\u0647\u062C; [P1 V6 C2]; [P1 V6 C2] # .هج
-B; -Ⴄ𝟢\u0663.𑍴ς; [P1 V3 V6 V5 B1]; [P1 V3 V6 V5 B1] # -Ⴄ0٣.𑍴ς
-B; -Ⴄ0\u0663.𑍴ς; [P1 V3 V6 V5 B1]; [P1 V3 V6 V5 B1] # -Ⴄ0٣.𑍴ς
-B; -ⴄ0\u0663.𑍴ς; [V3 V5 B1]; [V3 V5 B1] # -ⴄ0٣.𑍴ς
-B; -Ⴄ0\u0663.𑍴Σ; [P1 V3 V6 V5 B1]; [P1 V3 V6 V5 B1] # -Ⴄ0٣.𑍴σ
-B; -ⴄ0\u0663.𑍴σ; [V3 V5 B1]; [V3 V5 B1] # -ⴄ0٣.𑍴σ
-B; -ⴄ𝟢\u0663.𑍴ς; [V3 V5 B1]; [V3 V5 B1] # -ⴄ0٣.𑍴ς
-B; -Ⴄ𝟢\u0663.𑍴Σ; [P1 V3 V6 V5 B1]; [P1 V3 V6 V5 B1] # -Ⴄ0٣.𑍴σ
-B; -ⴄ𝟢\u0663.𑍴σ; [V3 V5 B1]; [V3 V5 B1] # -ⴄ0٣.𑍴σ
-B; 。-; [P1 V6 V3]; [P1 V6 V3]
-B; ⋠𐋮.\u0F18ß≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
-B; ≼\u0338𐋮.\u0F18ß>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
-B; ⋠𐋮.\u0F18ß≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
-B; ≼\u0338𐋮.\u0F18ß>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
-B; ≼\u0338𐋮.\u0F18SS>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ⋠𐋮.\u0F18SS≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ⋠𐋮.\u0F18ss≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ≼\u0338𐋮.\u0F18ss>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ≼\u0338𐋮.\u0F18Ss>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ⋠𐋮.\u0F18Ss≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ≼\u0338𐋮.\u0F18SS>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ⋠𐋮.\u0F18SS≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ⋠𐋮.\u0F18ss≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ≼\u0338𐋮.\u0F18ss>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ≼\u0338𐋮.\u0F18Ss>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; ⋠𐋮.\u0F18Ss≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
-B; 1𐋸\u0664。\uFBA4; [P1 V6 B1]; [P1 V6 B1] # 1𐋸٤.ۀ
-B; 1𐋸\u0664。\u06C0; [P1 V6 B1]; [P1 V6 B1] # 1𐋸٤.ۀ
-B; 1𐋸\u0664。\u06D5\u0654; [P1 V6 B1]; [P1 V6 B1] # 1𐋸٤.ۀ
-T; 儭-。𐹴Ⴢ\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # 儭-.𐹴Ⴢ
-N; 儭-。𐹴Ⴢ\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # 儭-.𐹴Ⴢ
-T; 儭-。𐹴Ⴢ\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # 儭-.𐹴Ⴢ
-N; 儭-。𐹴Ⴢ\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # 儭-.𐹴Ⴢ
-T; 儭-。𐹴ⴢ\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # 儭-.𐹴ⴢ
-N; 儭-。𐹴ⴢ\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # 儭-.𐹴ⴢ
-T; 儭-。𐹴ⴢ\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # 儭-.𐹴ⴢ
-N; 儭-。𐹴ⴢ\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # 儭-.𐹴ⴢ
-B; 𝟺𐋷\u06B9.𞤭; [P1 V6 B1 B2 B3]; [P1 V6 B1 B2 B3] # 4𐋷ڹ.𞤭
-B; 4𐋷\u06B9.𞤭; [P1 V6 B1 B2 B3]; [P1 V6 B1 B2 B3] # 4𐋷ڹ.𞤭
-B; ≯-ꡋ𑲣.⒈𐹭; [P1 V6 B1]; [P1 V6 B1]
-B; >\u0338-ꡋ𑲣.⒈𐹭; [P1 V6 B1]; [P1 V6 B1]
-B; ≯-ꡋ𑲣.1.𐹭; [P1 V6 B1]; [P1 V6 B1]
-B; >\u0338-ꡋ𑲣.1.𐹭; [P1 V6 B1]; [P1 V6 B1]
-B; \u0330.蚀; [P1 V5 V6]; [P1 V5 V6] # ̰.蚀
-B; \u0330.蚀; [P1 V5 V6]; [P1 V5 V6] # ̰.蚀
-B; \uFB39Ⴘ.𞡼𑇀ß\u20D7; [P1 V6 B2 B3]; [P1 V6 B2 B3] # יּႸ.𞡼𑇀ß⃗
-B; \u05D9\u05BCႸ.𞡼𑇀ß\u20D7; [P1 V6 B2 B3]; [P1 V6 B2 B3] # יּႸ.𞡼𑇀ß⃗
-B; \u05D9\u05BCⴘ.𞡼𑇀ß\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ß⃗
-B; \u05D9\u05BCႸ.𞡼𑇀SS\u20D7; [P1 V6 B2 B3]; [P1 V6 B2 B3] # יּႸ.𞡼𑇀ss⃗
-B; \u05D9\u05BCⴘ.𞡼𑇀ss\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ss⃗
-B; \u05D9\u05BCႸ.𞡼𑇀ss\u20D7; [P1 V6 B2 B3]; [P1 V6 B2 B3] # יּႸ.𞡼𑇀ss⃗
-B; \uFB39ⴘ.𞡼𑇀ß\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ß⃗
-B; \uFB39Ⴘ.𞡼𑇀SS\u20D7; [P1 V6 B2 B3]; [P1 V6 B2 B3] # יּႸ.𞡼𑇀ss⃗
-B; \uFB39ⴘ.𞡼𑇀ss\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ss⃗
-B; \uFB39Ⴘ.𞡼𑇀ss\u20D7; [P1 V6 B2 B3]; [P1 V6 B2 B3] # יּႸ.𞡼𑇀ss⃗
-B; \u1BA3𐹰。凬; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ᮣ𐹰.凬
-B; \u1BA3𐹰。凬; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ᮣ𐹰.凬
-T; 🢟🄈\u200Dꡎ。\u0F84; [P1 V6 V5 C2]; [P1 V6 V5] # 🢟🄈ꡎ.྄
-N; 🢟🄈\u200Dꡎ。\u0F84; [P1 V6 V5 C2]; [P1 V6 V5 C2] # 🢟🄈ꡎ.྄
-T; 🢟7,\u200Dꡎ。\u0F84; [P1 V6 V5 C2]; [P1 V6 V5] # 🢟7,ꡎ.྄
-N; 🢟7,\u200Dꡎ。\u0F84; [P1 V6 V5 C2]; [P1 V6 V5 C2] # 🢟7,ꡎ.྄
-B; ꡔ。\u1039ᢇ; [V5]; [V5] # ꡔ.္ᢇ
-B; \u20EB≮.𝨖; [P1 V5 V6]; [P1 V5 V6] # ⃫≮.𝨖
-B; \u20EB<\u0338.𝨖; [P1 V5 V6]; [P1 V5 V6] # ⃫≮.𝨖
-B; Ⴢ≯褦.ᠪ\u07EAႾ\u0767; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴢ≯褦.ᠪߪႾݧ
-B; Ⴢ>\u0338褦.ᠪ\u07EAႾ\u0767; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴢ≯褦.ᠪߪႾݧ
-B; Ⴢ≯褦.ᠪ\u07EAႾ\u0767; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴢ≯褦.ᠪߪႾݧ
-B; Ⴢ>\u0338褦.ᠪ\u07EAႾ\u0767; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴢ≯褦.ᠪߪႾݧ
-B; ⴢ>\u0338褦.ᠪ\u07EAⴞ\u0767; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ⴢ≯褦.ᠪߪⴞݧ
-B; ⴢ≯褦.ᠪ\u07EAⴞ\u0767; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ⴢ≯褦.ᠪߪⴞݧ
-B; ⴢ>\u0338褦.ᠪ\u07EAⴞ\u0767; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ⴢ≯褦.ᠪߪⴞݧ
-B; ⴢ≯褦.ᠪ\u07EAⴞ\u0767; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ⴢ≯褦.ᠪߪⴞݧ
-T; 󠆒\u200C\uA953。𞤙\u067Bꡘ; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # ꥓.𞤻ٻꡘ
-N; 󠆒\u200C\uA953。𞤙\u067Bꡘ; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # ꥓.𞤻ٻꡘ
-T; \u200C.≯; [P1 V6 C1]; [P1 V6] # .≯
-N; \u200C.≯; [P1 V6 C1]; [P1 V6 C1] # .≯
-T; \u200C.>\u0338; [P1 V6 C1]; [P1 V6] # .≯
-N; \u200C.>\u0338; [P1 V6 C1]; [P1 V6 C1] # .≯
-B; 𰅧-.\uABED-悜; [P1 V3 V6 V5]; [P1 V3 V6 V5] # -.꯭-悜
-B; 𰅧-.\uABED-悜; [P1 V3 V6 V5]; [P1 V3 V6 V5] # -.꯭-悜
-T; ᡉ⬞ᢜ.-\u200D𞣑\u202E; [P1 V6 V3 C2]; [P1 V6 V3] # ᡉ⬞ᢜ.-𞣑
-N; ᡉ⬞ᢜ.-\u200D𞣑\u202E; [P1 V6 V3 C2]; [P1 V6 V3 C2] # ᡉ⬞ᢜ.-𞣑
-T; ⒐\u200C衃Ⴝ.\u0682Ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # ⒐衃Ⴝ.ڂႴ
-N; ⒐\u200C衃Ⴝ.\u0682Ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # ⒐衃Ⴝ.ڂႴ
-T; 9.\u200C衃Ⴝ.\u0682Ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # 9.衃Ⴝ.ڂႴ
-N; 9.\u200C衃Ⴝ.\u0682Ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # 9.衃Ⴝ.ڂႴ
-T; 9.\u200C衃ⴝ.\u0682ⴔ; [C1 B2 B3]; [B2 B3] # 9.衃ⴝ.ڂⴔ
-N; 9.\u200C衃ⴝ.\u0682ⴔ; [C1 B2 B3]; [C1 B2 B3] # 9.衃ⴝ.ڂⴔ
-T; 9.\u200C衃Ⴝ.\u0682ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # 9.衃Ⴝ.ڂⴔ
-N; 9.\u200C衃Ⴝ.\u0682ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # 9.衃Ⴝ.ڂⴔ
-T; ⒐\u200C衃ⴝ.\u0682ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # ⒐衃ⴝ.ڂⴔ
-N; ⒐\u200C衃ⴝ.\u0682ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # ⒐衃ⴝ.ڂⴔ
-T; ⒐\u200C衃Ⴝ.\u0682ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # ⒐衃Ⴝ.ڂⴔ
-N; ⒐\u200C衃Ⴝ.\u0682ⴔ; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # ⒐衃Ⴝ.ڂⴔ
-T; \u07E1\u200C。--⸬; [V3 B3 C1]; [V3] # ߡ.--⸬
-N; \u07E1\u200C。--⸬; [V3 B3 C1]; [V3 B3 C1] # ߡ.--⸬
-B; 𞥓.\u0718; 𞥓.\u0718; xn--of6h.xn--inb # 𞥓.ܘ
-B; 𞥓.\u0718; ; xn--of6h.xn--inb # 𞥓.ܘ
-B; xn--of6h.xn--inb; 𞥓.\u0718; xn--of6h.xn--inb # 𞥓.ܘ
-B; 󠄽-.-\u0DCA; [V3]; [V3] # -.-්
-B; 󠄽-.-\u0DCA; [V3]; [V3] # -.-්
-B; 󠇝\u075B-.\u1927; [V3 V5 B3]; [V3 V5 B3] # ݛ-.ᤧ
-B; 𞤴󠆹⦉𐹺.\uA806⒌; [P1 V5 V6]; [P1 V5 V6] # 𞤴⦉𐹺.꠆⒌
-B; 𞤴󠆹⦉𐹺.\uA8065.; [P1 V5 V6]; [P1 V5 V6] # 𞤴⦉𐹺.꠆5.
-T; 󠄸₀。𑖿\u200C𐦂\u200D; [V5 B1 C2]; [V5 B1] # 0.𑖿𐦂
-N; 󠄸₀。𑖿\u200C𐦂\u200D; [V5 B1 C2]; [V5 B1 C2] # 0.𑖿𐦂
-T; 󠄸0。𑖿\u200C𐦂\u200D; [V5 B1 C2]; [V5 B1] # 0.𑖿𐦂
-N; 󠄸0。𑖿\u200C𐦂\u200D; [V5 B1 C2]; [V5 B1 C2] # 0.𑖿𐦂
-B; Ⴚ𐋸󠄄。𝟝ퟶ\u103A; [P1 V6]; [P1 V6] # Ⴚ𐋸.5ퟶ်
-B; Ⴚ𐋸󠄄。5ퟶ\u103A; [P1 V6]; [P1 V6] # Ⴚ𐋸.5ퟶ်
-B; ⴚ𐋸󠄄。5ퟶ\u103A; ⴚ𐋸.5ퟶ\u103A; xn--ilj2659d.xn--5-dug9054m; NV8 # ⴚ𐋸.5ퟶ်
-B; xn--ilj2659d.xn--5-dug9054m; ⴚ𐋸.5ퟶ\u103A; xn--ilj2659d.xn--5-dug9054m; NV8 # ⴚ𐋸.5ퟶ်
-B; ⴚ𐋸.5ퟶ\u103A; ; xn--ilj2659d.xn--5-dug9054m; NV8 # ⴚ𐋸.5ퟶ်
-B; Ⴚ𐋸.5ퟶ\u103A; [P1 V6]; [P1 V6] # Ⴚ𐋸.5ퟶ်
-B; ⴚ𐋸󠄄。𝟝ퟶ\u103A; ⴚ𐋸.5ퟶ\u103A; xn--ilj2659d.xn--5-dug9054m; NV8 # ⴚ𐋸.5ퟶ်
-T; \u200D-ᠹ﹪.\u1DE1\u1922; [P1 V6 V5 C2]; [P1 V3 V6 V5] # -ᠹ﹪.ᷡᤢ
-N; \u200D-ᠹ﹪.\u1DE1\u1922; [P1 V6 V5 C2]; [P1 V6 V5 C2] # -ᠹ﹪.ᷡᤢ
-T; \u200D-ᠹ%.\u1DE1\u1922; [P1 V6 V5 C2]; [P1 V3 V6 V5] # -ᠹ%.ᷡᤢ
-N; \u200D-ᠹ%.\u1DE1\u1922; [P1 V6 V5 C2]; [P1 V6 V5 C2] # -ᠹ%.ᷡᤢ
-B; ≠.ᠿ; [P1 V6]; [P1 V6]
-B; =\u0338.ᠿ; [P1 V6]; [P1 V6]
-B; \u0723\u05A3。㌪; \u0723\u05A3.ハイツ; xn--ucb18e.xn--eck4c5a # ܣ֣.ハイツ
-B; \u0723\u05A3。ハイツ; \u0723\u05A3.ハイツ; xn--ucb18e.xn--eck4c5a # ܣ֣.ハイツ
-B; xn--ucb18e.xn--eck4c5a; \u0723\u05A3.ハイツ; xn--ucb18e.xn--eck4c5a # ܣ֣.ハイツ
-B; \u0723\u05A3.ハイツ; ; xn--ucb18e.xn--eck4c5a # ܣ֣.ハイツ
-B; 󠆀≮.\u2D7F-; [P1 V6 V3 V5 B3]; [P1 V6 V3 V5 B3] # ≮.⵿-
-B; 󠆀<\u0338.\u2D7F-; [P1 V6 V3 V5 B3]; [P1 V6 V3 V5 B3] # ≮.⵿-
-B; ₆榎\u0D4D。𞤅\u06ED\uFC5A; [P1 V6 B3]; [P1 V6 B3] # 6榎്.𞤧ۭيي
-B; 6榎\u0D4D。𞤅\u06ED\u064A\u064A; [P1 V6 B3]; [P1 V6 B3] # 6榎്.𞤧ۭيي
-B; 𣩫.; [P1 V6]; [P1 V6]
-B; 𣩫.; [P1 V6]; [P1 V6]
-T; \u200D︒。\u06B9\u200C; [P1 V6 C2 B3 C1]; [P1 V6] # ︒.ڹ
-N; \u200D︒。\u06B9\u200C; [P1 V6 C2 B3 C1]; [P1 V6 C2 B3 C1] # ︒.ڹ
-T; \u200D。。\u06B9\u200C; [C2 A4_2 B3 C1]; xn--skb # ..ڹ
-N; \u200D。。\u06B9\u200C; [C2 A4_2 B3 C1]; [C2 A4_2 B3 C1] # ..ڹ
-B; xn--skb; \u06B9; xn--skb # ڹ
-B; \u06B9; ; xn--skb # ڹ
-T; 𐹦\u200C𐹶。\u206D; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹦𐹶.
-N; 𐹦\u200C𐹶。\u206D; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹦𐹶.
-B; \u0C4D𝨾\u05A9𝟭。-𑜨; [V5 V3]; [V5 V3] # ్𝨾֩1.-𑜨
-B; \u0C4D𝨾\u05A91。-𑜨; [V5 V3]; [V5 V3] # ్𝨾֩1.-𑜨
-B; 。뙏; [P1 V6]; [P1 V6]
-B; 。뙏; [P1 V6]; [P1 V6]
-B; 󠄌ᡀ.\u08B6; [P1 V6]; [P1 V6] # ᡀ.ࢶ
-T; \u200D。; [P1 V6 C2]; [P1 V6] # .
-N; \u200D。; [P1 V6 C2]; [P1 V6 C2] # .
-T; \u200D。; [P1 V6 C2]; [P1 V6] # .
-N; \u200D。; [P1 V6 C2]; [P1 V6 C2] # .
-B; \u084B皥.-; [V3 B2 B3]; [V3 B2 B3] # ࡋ皥.-
-B; \u084B皥.-; [V3 B2 B3]; [V3 B2 B3] # ࡋ皥.-
-B; \u0315𐮇.⒈ꡦ; [P1 V6]; [P1 V6] # ̕𐮇.⒈ꡦ
-B; \u0315𐮇.1.ꡦ; [P1 V6]; [P1 V6] # ̕𐮇.1.ꡦ
-T; Ⴛ\u200C\u05A2\u200D。\uFFA0ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # Ⴛ֢.ā𐹦
-N; Ⴛ\u200C\u05A2\u200D。\uFFA0ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # Ⴛ֢.ā𐹦
-T; Ⴛ\u200C\u05A2\u200D。\uFFA0a\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # Ⴛ֢.ā𐹦
-N; Ⴛ\u200C\u05A2\u200D。\uFFA0a\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # Ⴛ֢.ā𐹦
-T; Ⴛ\u200C\u05A2\u200D。\u1160ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # Ⴛ֢.ā𐹦
-N; Ⴛ\u200C\u05A2\u200D。\u1160ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # Ⴛ֢.ā𐹦
-T; Ⴛ\u200C\u05A2\u200D。\u1160a\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # Ⴛ֢.ā𐹦
-N; Ⴛ\u200C\u05A2\u200D。\u1160a\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # Ⴛ֢.ā𐹦
-T; ⴛ\u200C\u05A2\u200D。\u1160a\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # ⴛ֢.ā𐹦
-N; ⴛ\u200C\u05A2\u200D。\u1160a\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # ⴛ֢.ā𐹦
-T; ⴛ\u200C\u05A2\u200D。\u1160ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # ⴛ֢.ā𐹦
-N; ⴛ\u200C\u05A2\u200D。\u1160ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # ⴛ֢.ā𐹦
-T; Ⴛ\u200C\u05A2\u200D。\u1160Ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # Ⴛ֢.ā𐹦
-N; Ⴛ\u200C\u05A2\u200D。\u1160Ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # Ⴛ֢.ā𐹦
-T; Ⴛ\u200C\u05A2\u200D。\u1160A\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # Ⴛ֢.ā𐹦
-N; Ⴛ\u200C\u05A2\u200D。\u1160A\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # Ⴛ֢.ā𐹦
-T; ⴛ\u200C\u05A2\u200D。\uFFA0a\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # ⴛ֢.ā𐹦
-N; ⴛ\u200C\u05A2\u200D。\uFFA0a\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # ⴛ֢.ā𐹦
-T; ⴛ\u200C\u05A2\u200D。\uFFA0ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # ⴛ֢.ā𐹦
-N; ⴛ\u200C\u05A2\u200D。\uFFA0ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # ⴛ֢.ā𐹦
-T; Ⴛ\u200C\u05A2\u200D。\uFFA0Ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # Ⴛ֢.ā𐹦
-N; Ⴛ\u200C\u05A2\u200D。\uFFA0Ā𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # Ⴛ֢.ā𐹦
-T; Ⴛ\u200C\u05A2\u200D。\uFFA0A\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 B5 B6] # Ⴛ֢.ā𐹦
-N; Ⴛ\u200C\u05A2\u200D。\uFFA0A\u0304𐹦; [P1 V6 C1 C2 B5 B6]; [P1 V6 C1 C2 B5 B6] # Ⴛ֢.ā𐹦
-T; \uFFF9\u200C。曳⾑𐋰≯; [P1 V6 C1]; [P1 V6] # .曳襾𐋰≯
-N; \uFFF9\u200C。曳⾑𐋰≯; [P1 V6 C1]; [P1 V6 C1] # .曳襾𐋰≯
-T; \uFFF9\u200C。曳⾑𐋰>\u0338; [P1 V6 C1]; [P1 V6] # .曳襾𐋰≯
-N; \uFFF9\u200C。曳⾑𐋰>\u0338; [P1 V6 C1]; [P1 V6 C1] # .曳襾𐋰≯
-T; \uFFF9\u200C。曳襾𐋰≯; [P1 V6 C1]; [P1 V6] # .曳襾𐋰≯
-N; \uFFF9\u200C。曳襾𐋰≯; [P1 V6 C1]; [P1 V6 C1] # .曳襾𐋰≯
-T; \uFFF9\u200C。曳襾𐋰>\u0338; [P1 V6 C1]; [P1 V6] # .曳襾𐋰≯
-N; \uFFF9\u200C。曳襾𐋰>\u0338; [P1 V6 C1]; [P1 V6 C1] # .曳襾𐋰≯
-B; ≯⒈。ß; [P1 V6]; [P1 V6]
-B; >\u0338⒈。ß; [P1 V6]; [P1 V6]
-B; ≯1.。ß; [P1 V6 A4_2]; [P1 V6 A4_2]
-B; >\u03381.。ß; [P1 V6 A4_2]; [P1 V6 A4_2]
-B; >\u03381.。SS; [P1 V6 A4_2]; [P1 V6 A4_2]
-B; ≯1.。SS; [P1 V6 A4_2]; [P1 V6 A4_2]
-B; >\u0338⒈。SS; [P1 V6]; [P1 V6]
-B; ≯⒈。SS; [P1 V6]; [P1 V6]
-T; \u0667\u200D\uFB96。\u07DA-₆Ⴙ; [P1 V6 B1 C2 B2 B3]; [P1 V6 B1 B2 B3] # ٧ڳ.ߚ-6Ⴙ
-N; \u0667\u200D\uFB96。\u07DA-₆Ⴙ; [P1 V6 B1 C2 B2 B3]; [P1 V6 B1 C2 B2 B3] # ٧ڳ.ߚ-6Ⴙ
-T; \u0667\u200D\u06B3。\u07DA-6Ⴙ; [P1 V6 B1 C2 B2 B3]; [P1 V6 B1 B2 B3] # ٧ڳ.ߚ-6Ⴙ
-N; \u0667\u200D\u06B3。\u07DA-6Ⴙ; [P1 V6 B1 C2 B2 B3]; [P1 V6 B1 C2 B2 B3] # ٧ڳ.ߚ-6Ⴙ
-T; \u0667\u200D\u06B3。\u07DA-6ⴙ; [B1 C2 B2 B3]; [B1 B2 B3] # ٧ڳ.ߚ-6ⴙ
-N; \u0667\u200D\u06B3。\u07DA-6ⴙ; [B1 C2 B2 B3]; [B1 C2 B2 B3] # ٧ڳ.ߚ-6ⴙ
-T; \u0667\u200D\uFB96。\u07DA-₆ⴙ; [B1 C2 B2 B3]; [B1 B2 B3] # ٧ڳ.ߚ-6ⴙ
-N; \u0667\u200D\uFB96。\u07DA-₆ⴙ; [B1 C2 B2 B3]; [B1 C2 B2 B3] # ٧ڳ.ߚ-6ⴙ
-T; \u200C。≠; [P1 V6 C1]; [P1 V6] # .≠
-N; \u200C。≠; [P1 V6 C1]; [P1 V6 C1] # .≠
-T; \u200C。=\u0338; [P1 V6 C1]; [P1 V6] # .≠
-N; \u200C。=\u0338; [P1 V6 C1]; [P1 V6 C1] # .≠
-T; \u200C。≠; [P1 V6 C1]; [P1 V6] # .≠
-N; \u200C。≠; [P1 V6 C1]; [P1 V6 C1] # .≠
-T; \u200C。=\u0338; [P1 V6 C1]; [P1 V6] # .≠
-N; \u200C。=\u0338; [P1 V6 C1]; [P1 V6 C1] # .≠
-T; 𑖿𝨔.ᡟ𑖿\u1B42\u200C; [V5 C1]; [V5] # 𑖿𝨔.ᡟ𑖿ᭂ
-N; 𑖿𝨔.ᡟ𑖿\u1B42\u200C; [V5 C1]; [V5 C1] # 𑖿𝨔.ᡟ𑖿ᭂ
-T; \u200D.𖬴Ↄ≠-; [P1 V6 V3 V5 C2]; [P1 V6 V3 V5] # .𖬴Ↄ≠-
-N; \u200D.𖬴Ↄ≠-; [P1 V6 V3 V5 C2]; [P1 V6 V3 V5 C2] # .𖬴Ↄ≠-
-T; \u200D.𖬴Ↄ=\u0338-; [P1 V6 V3 V5 C2]; [P1 V6 V3 V5] # .𖬴Ↄ≠-
-N; \u200D.𖬴Ↄ=\u0338-; [P1 V6 V3 V5 C2]; [P1 V6 V3 V5 C2] # .𖬴Ↄ≠-
-T; \u200D.𖬴ↄ=\u0338-; [P1 V6 V3 V5 C2]; [P1 V6 V3 V5] # .𖬴ↄ≠-
-N; \u200D.𖬴ↄ=\u0338-; [P1 V6 V3 V5 C2]; [P1 V6 V3 V5 C2] # .𖬴ↄ≠-
-T; \u200D.𖬴ↄ≠-; [P1 V6 V3 V5 C2]; [P1 V6 V3 V5] # .𖬴ↄ≠-
-N; \u200D.𖬴ↄ≠-; [P1 V6 V3 V5 C2]; [P1 V6 V3 V5 C2] # .𖬴ↄ≠-
-T; \u07E2ς\u200D𝟳。蔑; [P1 V6 B2 C2]; [P1 V6 B2] # ߢς7.蔑
-N; \u07E2ς\u200D𝟳。蔑; [P1 V6 B2 C2]; [P1 V6 B2 C2] # ߢς7.蔑
-T; \u07E2ς\u200D7。蔑; [P1 V6 B2 C2]; [P1 V6 B2] # ߢς7.蔑
-N; \u07E2ς\u200D7。蔑; [P1 V6 B2 C2]; [P1 V6 B2 C2] # ߢς7.蔑
-T; \u07E2Σ\u200D7。蔑; [P1 V6 B2 C2]; [P1 V6 B2] # ߢσ7.蔑
-N; \u07E2Σ\u200D7。蔑; [P1 V6 B2 C2]; [P1 V6 B2 C2] # ߢσ7.蔑
-T; \u07E2σ\u200D7。蔑; [P1 V6 B2 C2]; [P1 V6 B2] # ߢσ7.蔑
-N; \u07E2σ\u200D7。蔑; [P1 V6 B2 C2]; [P1 V6 B2 C2] # ߢσ7.蔑
-T; \u07E2Σ\u200D𝟳。蔑; [P1 V6 B2 C2]; [P1 V6 B2] # ߢσ7.蔑
-N; \u07E2Σ\u200D𝟳。蔑; [P1 V6 B2 C2]; [P1 V6 B2 C2] # ߢσ7.蔑
-T; \u07E2σ\u200D𝟳。蔑; [P1 V6 B2 C2]; [P1 V6 B2] # ߢσ7.蔑
-N; \u07E2σ\u200D𝟳。蔑; [P1 V6 B2 C2]; [P1 V6 B2 C2] # ߢσ7.蔑
-B; 𐹰.\u0600; [P1 V6 B1]; [P1 V6 B1] # 𐹰.
-B; -\u08A8.𱠖; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ࢨ.
-B; ≯𞱸󠇀。誆⒈; [P1 V6 B1]; [P1 V6 B1]
-B; >\u0338𞱸󠇀。誆⒈; [P1 V6 B1]; [P1 V6 B1]
-B; ≯𞱸󠇀。誆1.; [P1 V6 B1]; [P1 V6 B1]
-B; >\u0338𞱸󠇀。誆1.; [P1 V6 B1]; [P1 V6 B1]
-B; \u0616𞥙䐊\u0650.︒\u0645↺\u069C; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ؖ𞥙䐊ِ.︒م↺ڜ
-B; \u0616𞥙䐊\u0650.。\u0645↺\u069C; [V5 B1 A4_2]; [V5 B1 A4_2] # ؖ𞥙䐊ِ..م↺ڜ
-T; 퀬-\uDF7E.\u200C\u0AC5۴; [P1 V6 C1]; [P1 V6 V5 A3] # 퀬-.ૅ۴
-N; 퀬-\uDF7E.\u200C\u0AC5۴; [P1 V6 C1]; [P1 V6 C1 A3] # 퀬-.ૅ۴
-T; 퀬-\uDF7E.\u200C\u0AC5۴; [P1 V6 C1]; [P1 V6 V5 A3] # 퀬-.ૅ۴
-N; 퀬-\uDF7E.\u200C\u0AC5۴; [P1 V6 C1]; [P1 V6 C1 A3] # 퀬-.ૅ۴
-B; Ⴌ.𐹾︒𑁿; [P1 V6 B1]; [P1 V6 B1]
-B; Ⴌ.𐹾。𑁿; [P1 V6 V5 B1]; [P1 V6 V5 B1]
-B; ⴌ.𐹾。𑁿; [P1 V5 V6 B1]; [P1 V5 V6 B1]
-B; ⴌ.𐹾︒𑁿; [P1 V6 B1]; [P1 V6 B1]
-B; ╏。; [P1 V6 B3]; [P1 V6 B3]
-T; \u200D┮󠇐.\u0C00\u0C4D\u1734\u200D; [V5 C2]; [V5] # ┮.ఀ్᜴
-N; \u200D┮󠇐.\u0C00\u0C4D\u1734\u200D; [V5 C2]; [V5 C2] # ┮.ఀ్᜴
-T; \u200D┮󠇐.\u0C00\u0C4D\u1734\u200D; [V5 C2]; [V5] # ┮.ఀ్᜴
-N; \u200D┮󠇐.\u0C00\u0C4D\u1734\u200D; [V5 C2]; [V5 C2] # ┮.ఀ్᜴
-B; 。🄂; [P1 V6]; [P1 V6]
-B; 。1,; [P1 V6]; [P1 V6]
-B; 𑍨刍.🛦; [V5]; [V5]
-B; 3。\u1BF1𝟒; [P1 V6 V5]; [P1 V6 V5] # 3.ᯱ4
-B; 3。\u1BF14; [P1 V6 V5]; [P1 V6 V5] # 3.ᯱ4
-T; \u06876Ⴔ辘.\uFD22\u0687\u200C; [P1 V6 B2 B3 C1]; [P1 V6 B2 B3] # ڇ6Ⴔ辘.صيڇ
-N; \u06876Ⴔ辘.\uFD22\u0687\u200C; [P1 V6 B2 B3 C1]; [P1 V6 B2 B3 C1] # ڇ6Ⴔ辘.صيڇ
-T; \u06876Ⴔ辘.\u0635\u064A\u0687\u200C; [P1 V6 B2 B3 C1]; [P1 V6 B2 B3] # ڇ6Ⴔ辘.صيڇ
-N; \u06876Ⴔ辘.\u0635\u064A\u0687\u200C; [P1 V6 B2 B3 C1]; [P1 V6 B2 B3 C1] # ڇ6Ⴔ辘.صيڇ
-T; \u06876ⴔ辘.\u0635\u064A\u0687\u200C; [B2 B3 C1]; [B2 B3] # ڇ6ⴔ辘.صيڇ
-N; \u06876ⴔ辘.\u0635\u064A\u0687\u200C; [B2 B3 C1]; [B2 B3 C1] # ڇ6ⴔ辘.صيڇ
-T; \u06876ⴔ辘.\uFD22\u0687\u200C; [B2 B3 C1]; [B2 B3] # ڇ6ⴔ辘.صيڇ
-N; \u06876ⴔ辘.\uFD22\u0687\u200C; [B2 B3 C1]; [B2 B3 C1] # ڇ6ⴔ辘.صيڇ
-B; 󠄍.𐮭۹; [P1 V6 B2]; [P1 V6 B2]
-B; \uA87D≯.; [P1 V6]; [P1 V6] # ≯.
-B; \uA87D>\u0338.; [P1 V6]; [P1 V6] # ≯.
-B; \uA87D≯.; [P1 V6]; [P1 V6] # ≯.
-B; \uA87D>\u0338.; [P1 V6]; [P1 V6] # ≯.
-B; ςო\u067B.ς\u0714; [B5 B6]; [B5 B6] # ςოٻ.ςܔ
-B; Σო\u067B.Σ\u0714; [B5 B6]; [B5 B6] # σოٻ.σܔ
-B; σო\u067B.σ\u0714; [B5 B6]; [B5 B6] # σოٻ.σܔ
-B; Σო\u067B.σ\u0714; [B5 B6]; [B5 B6] # σოٻ.σܔ
-B; Σო\u067B.ς\u0714; [B5 B6]; [B5 B6] # σოٻ.ςܔ
-B; σო\u067B.ς\u0714; [B5 B6]; [B5 B6] # σოٻ.ςܔ
-B; \u0748𠄯\u075F。; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ݈𠄯ݟ.
-B; \u0748𠄯\u075F。; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ݈𠄯ݟ.
-T; .\u200D䤫≠Ⴞ; [P1 V6 C2]; [P1 V6] # .䤫≠Ⴞ
-N; .\u200D䤫≠Ⴞ; [P1 V6 C2]; [P1 V6 C2] # .䤫≠Ⴞ
-T; .\u200D䤫=\u0338Ⴞ; [P1 V6 C2]; [P1 V6] # .䤫≠Ⴞ
-N; .\u200D䤫=\u0338Ⴞ; [P1 V6 C2]; [P1 V6 C2] # .䤫≠Ⴞ
-T; .\u200D䤫≠Ⴞ; [P1 V6 C2]; [P1 V6] # .䤫≠Ⴞ
-N; .\u200D䤫≠Ⴞ; [P1 V6 C2]; [P1 V6 C2] # .䤫≠Ⴞ
-T; .\u200D䤫=\u0338Ⴞ; [P1 V6 C2]; [P1 V6] # .䤫≠Ⴞ
-N; .\u200D䤫=\u0338Ⴞ; [P1 V6 C2]; [P1 V6 C2] # .䤫≠Ⴞ
-T; .\u200D䤫=\u0338ⴞ; [P1 V6 C2]; [P1 V6] # .䤫≠ⴞ
-N; .\u200D䤫=\u0338ⴞ; [P1 V6 C2]; [P1 V6 C2] # .䤫≠ⴞ
-T; .\u200D䤫≠ⴞ; [P1 V6 C2]; [P1 V6] # .䤫≠ⴞ
-N; .\u200D䤫≠ⴞ; [P1 V6 C2]; [P1 V6 C2] # .䤫≠ⴞ
-T; .\u200D䤫=\u0338ⴞ; [P1 V6 C2]; [P1 V6] # .䤫≠ⴞ
-N; .\u200D䤫=\u0338ⴞ; [P1 V6 C2]; [P1 V6 C2] # .䤫≠ⴞ
-T; .\u200D䤫≠ⴞ; [P1 V6 C2]; [P1 V6] # .䤫≠ⴞ
-N; .\u200D䤫≠ⴞ; [P1 V6 C2]; [P1 V6 C2] # .䤫≠ⴞ
-B; 𐽘𑈵.𐹣🕥; [P1 V6 B2 B3 B1]; [P1 V6 B2 B3 B1]
-B; 𐽘𑈵.𐹣🕥; [P1 V6 B2 B3 B1]; [P1 V6 B2 B3 B1]
-B; ⒊⒈𑁄。9; [P1 V6]; [P1 V6]
-B; 3.1.𑁄。9; [V5]; [V5]
-T; -\u200C\u2DF1≮.𐹱4₉; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # -ⷱ≮.𐹱49
-N; -\u200C\u2DF1≮.𐹱4₉; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # -ⷱ≮.𐹱49
-T; -\u200C\u2DF1<\u0338.𐹱4₉; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # -ⷱ≮.𐹱49
-N; -\u200C\u2DF1<\u0338.𐹱4₉; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # -ⷱ≮.𐹱49
-T; -\u200C\u2DF1≮.𐹱49; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # -ⷱ≮.𐹱49
-N; -\u200C\u2DF1≮.𐹱49; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # -ⷱ≮.𐹱49
-T; -\u200C\u2DF1<\u0338.𐹱49; [P1 V3 V6 C1 B1]; [P1 V3 V6 B1] # -ⷱ≮.𐹱49
-N; -\u200C\u2DF1<\u0338.𐹱49; [P1 V3 V6 C1 B1]; [P1 V3 V6 C1 B1] # -ⷱ≮.𐹱49
-B; -≯딾。\u0847; [P1 V3 V6]; [P1 V3 V6] # -≯딾.ࡇ
-B; ->\u0338딾。\u0847; [P1 V3 V6]; [P1 V3 V6] # -≯딾.ࡇ
-B; -≯딾。\u0847; [P1 V3 V6]; [P1 V3 V6] # -≯딾.ࡇ
-B; ->\u0338딾。\u0847; [P1 V3 V6]; [P1 V3 V6] # -≯딾.ࡇ
-T; 𑙢⒈𐹠-。\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # 𑙢⒈𐹠-.
-N; 𑙢⒈𐹠-。\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # 𑙢⒈𐹠-.
-T; 𑙢1.𐹠-。\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # 𑙢1.𐹠-.
-N; 𑙢1.𐹠-。\u200C; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # 𑙢1.𐹠-.
-B; \u034A.𐨎; [V5]; [V5] # ͊.𐨎
-B; \u034A.𐨎; [V5]; [V5] # ͊.𐨎
-B; 훉≮。\u0E34; [P1 V6 V5]; [P1 V6 V5] # 훉≮.ิ
-B; 훉<\u0338。\u0E34; [P1 V6 V5]; [P1 V6 V5] # 훉≮.ิ
-B; 훉≮。\u0E34; [P1 V6 V5]; [P1 V6 V5] # 훉≮.ิ
-B; 훉<\u0338。\u0E34; [P1 V6 V5]; [P1 V6 V5] # 훉≮.ิ
-B; \u2DF7🃘.𝟸\u0659𞤯; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ⷷ🃘.2ٙ𞤯
-B; \u2DF7🃘.2\u0659𞤯; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ⷷ🃘.2ٙ𞤯
-T; ßᢞ\u200C。\u0660\uFCD4-; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # ßᢞ.٠نخ-
-N; ßᢞ\u200C。\u0660\uFCD4-; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # ßᢞ.٠نخ-
-T; ßᢞ\u200C。\u0660\u0646\u062E-; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # ßᢞ.٠نخ-
-N; ßᢞ\u200C。\u0660\u0646\u062E-; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # ßᢞ.٠نخ-
-T; SSᢞ\u200C。\u0660\u0646\u062E-; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # ssᢞ.٠نخ-
-N; SSᢞ\u200C。\u0660\u0646\u062E-; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # ssᢞ.٠نخ-
-T; ssᢞ\u200C。\u0660\u0646\u062E-; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # ssᢞ.٠نخ-
-N; ssᢞ\u200C。\u0660\u0646\u062E-; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # ssᢞ.٠نخ-
-T; Ssᢞ\u200C。\u0660\u0646\u062E-; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # ssᢞ.٠نخ-
-N; Ssᢞ\u200C。\u0660\u0646\u062E-; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # ssᢞ.٠نخ-
-T; SSᢞ\u200C。\u0660\uFCD4-; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # ssᢞ.٠نخ-
-N; SSᢞ\u200C。\u0660\uFCD4-; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # ssᢞ.٠نخ-
-T; ssᢞ\u200C。\u0660\uFCD4-; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # ssᢞ.٠نخ-
-N; ssᢞ\u200C。\u0660\uFCD4-; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # ssᢞ.٠نخ-
-T; Ssᢞ\u200C。\u0660\uFCD4-; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # ssᢞ.٠نخ-
-N; Ssᢞ\u200C。\u0660\uFCD4-; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # ssᢞ.٠نخ-
-B; ꡆ。Ↄ\u0FB5놮-; [P1 V3 V6]; [P1 V3 V6] # ꡆ.Ↄྵ놮-
-B; ꡆ。Ↄ\u0FB5놮-; [P1 V3 V6]; [P1 V3 V6] # ꡆ.Ↄྵ놮-
-B; ꡆ。ↄ\u0FB5놮-; [V3]; [V3] # ꡆ.ↄྵ놮-
-B; ꡆ。ↄ\u0FB5놮-; [V3]; [V3] # ꡆ.ↄྵ놮-
-T; \uFDAD\u200D.\u06A9; [P1 V6 B3 C2 B5 B6]; [P1 V6 B5 B6] # لمي.ک
-N; \uFDAD\u200D.\u06A9; [P1 V6 B3 C2 B5 B6]; [P1 V6 B3 C2 B5 B6] # لمي.ک
-T; \u0644\u0645\u064A\u200D.\u06A9; [P1 V6 B3 C2 B5 B6]; [P1 V6 B5 B6] # لمي.ک
-N; \u0644\u0645\u064A\u200D.\u06A9; [P1 V6 B3 C2 B5 B6]; [P1 V6 B3 C2 B5 B6] # لمي.ک
-B; Ⴜ\u1C2F𐳒≯。\u06E0\u1732\u0FBA; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # Ⴜᰯ𐳒≯.۠ᜲྺ
-B; Ⴜ\u1C2F𐳒>\u0338。\u06E0\u1732\u0FBA; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # Ⴜᰯ𐳒≯.۠ᜲྺ
-B; ⴜ\u1C2F𐳒>\u0338。\u06E0\u1732\u0FBA; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # ⴜᰯ𐳒≯.۠ᜲྺ
-B; ⴜ\u1C2F𐳒≯。\u06E0\u1732\u0FBA; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # ⴜᰯ𐳒≯.۠ᜲྺ
-B; Ⴜ\u1C2F𐲒≯。\u06E0\u1732\u0FBA; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # Ⴜᰯ𐳒≯.۠ᜲྺ
-B; Ⴜ\u1C2F𐲒>\u0338。\u06E0\u1732\u0FBA; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # Ⴜᰯ𐳒≯.۠ᜲྺ
-B; 𐋵。\uFCEC; 𐋵.\u0643\u0645; xn--p97c.xn--fhbe; NV8 # 𐋵.كم
-B; 𐋵。\u0643\u0645; 𐋵.\u0643\u0645; xn--p97c.xn--fhbe; NV8 # 𐋵.كم
-B; xn--p97c.xn--fhbe; 𐋵.\u0643\u0645; xn--p97c.xn--fhbe; NV8 # 𐋵.كم
-B; 𐋵.\u0643\u0645; ; xn--p97c.xn--fhbe; NV8 # 𐋵.كم
-B; ≮.\uAAEC\u2E48; [P1 V6]; [P1 V6] # ≮.ꫬ
-B; <\u0338.\uAAEC\u2E48; [P1 V6]; [P1 V6] # ≮.ꫬ
-B; ≮.\uAAEC\u2E48; [P1 V6]; [P1 V6] # ≮.ꫬ
-B; <\u0338.\uAAEC\u2E48; [P1 V6]; [P1 V6] # ≮.ꫬ
-B; \u2DF0\u0358ᢕ.\u0361𐹷; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ⷰ͘ᢕ.͡𐹷
-B; \u2DF0\u0358ᢕ.\u0361𐹷; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ⷰ͘ᢕ.͡𐹷
-B; \uFD79ᡐ\u200C\u06AD.𑋪\u05C7; [V5 B2]; [V5 B2] # غممᡐڭ.𑋪ׇ
-B; \u063A\u0645\u0645ᡐ\u200C\u06AD.𑋪\u05C7; [V5 B2]; [V5 B2] # غممᡐڭ.𑋪ׇ
-T; 𑑂。\u200D🞕; [P1 V5 V6 C2]; [P1 V5 V6] # 𑑂.🞕
-N; 𑑂。\u200D🞕; [P1 V5 V6 C2]; [P1 V5 V6 C2] # 𑑂.🞕
-T; 𑑂。\u200D🞕; [P1 V5 V6 C2]; [P1 V5 V6] # 𑑂.🞕
-N; 𑑂。\u200D🞕; [P1 V5 V6 C2]; [P1 V5 V6 C2] # 𑑂.🞕
-B; -\u05E9。⒚; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ש.⒚
-B; -\u05E9。19.; [V3 B1]; [V3 B1] # -ש.19.
-T; \u0845\u200C。ᢎ\u200D; [P1 V6 B5 B6 C1 C2]; [P1 V6 B5 B6] # ࡅ.ᢎ
-N; \u0845\u200C。ᢎ\u200D; [P1 V6 B5 B6 C1 C2]; [P1 V6 B5 B6 C1 C2] # ࡅ.ᢎ
-T; \u0845\u200C。ᢎ\u200D; [P1 V6 B5 B6 C1 C2]; [P1 V6 B5 B6] # ࡅ.ᢎ
-N; \u0845\u200C。ᢎ\u200D; [P1 V6 B5 B6 C1 C2]; [P1 V6 B5 B6 C1 C2] # ࡅ.ᢎ
-T; ß\u09C1\u1DED。\u06208₅; ß\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ßুᷭ.ؠ85
-N; ß\u09C1\u1DED。\u06208₅; ß\u09C1\u1DED.\u062085; xn--zca266bwrr.xn--85-psd # ßুᷭ.ؠ85
-T; ß\u09C1\u1DED。\u062085; ß\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ßুᷭ.ؠ85
-N; ß\u09C1\u1DED。\u062085; ß\u09C1\u1DED.\u062085; xn--zca266bwrr.xn--85-psd # ßুᷭ.ؠ85
-B; SS\u09C1\u1DED。\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; ss\u09C1\u1DED。\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; Ss\u09C1\u1DED。\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; xn--ss-e2f077r.xn--85-psd; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; ss\u09C1\u1DED.\u062085; ; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; SS\u09C1\u1DED.\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; Ss\u09C1\u1DED.\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; xn--zca266bwrr.xn--85-psd; ß\u09C1\u1DED.\u062085; xn--zca266bwrr.xn--85-psd # ßুᷭ.ؠ85
-T; ß\u09C1\u1DED.\u062085; ; xn--ss-e2f077r.xn--85-psd # ßুᷭ.ؠ85
-N; ß\u09C1\u1DED.\u062085; ; xn--zca266bwrr.xn--85-psd # ßুᷭ.ؠ85
-B; SS\u09C1\u1DED。\u06208₅; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; ss\u09C1\u1DED。\u06208₅; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; Ss\u09C1\u1DED。\u06208₅; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
-B; \u0ACD\u0484魅𝟣.₃𐹥ß; [V5 B1]; [V5 B1] # ્҄魅1.3𐹥ß
-B; \u0ACD\u0484魅1.3𐹥ß; [V5 B1]; [V5 B1] # ્҄魅1.3𐹥ß
-B; \u0ACD\u0484魅1.3𐹥SS; [V5 B1]; [V5 B1] # ્҄魅1.3𐹥ss
-B; \u0ACD\u0484魅1.3𐹥ss; [V5 B1]; [V5 B1] # ્҄魅1.3𐹥ss
-B; \u0ACD\u0484魅1.3𐹥Ss; [V5 B1]; [V5 B1] # ્҄魅1.3𐹥ss
-B; \u0ACD\u0484魅𝟣.₃𐹥SS; [V5 B1]; [V5 B1] # ્҄魅1.3𐹥ss
-B; \u0ACD\u0484魅𝟣.₃𐹥ss; [V5 B1]; [V5 B1] # ્҄魅1.3𐹥ss
-B; \u0ACD\u0484魅𝟣.₃𐹥Ss; [V5 B1]; [V5 B1] # ્҄魅1.3𐹥ss
-B; \u072B。𑓂⒈𑜫; [P1 V5 V6]; [P1 V5 V6] # ܫ.𑓂⒈𑜫
-B; \u072B。𑓂1.𑜫; [P1 V5 V6]; [P1 V5 V6] # ܫ.𑓂1.𑜫
-B; \uFE0Dછ。嵨; છ.嵨; xn--6dc.xn--tot
-B; xn--6dc.xn--tot; છ.嵨; xn--6dc.xn--tot
-B; છ.嵨; ; xn--6dc.xn--tot
-B; Ⴔ≠Ⴀ.𐹥𐹰; [P1 V6 B1]; [P1 V6 B1]
-B; Ⴔ=\u0338Ⴀ.𐹥𐹰; [P1 V6 B1]; [P1 V6 B1]
-B; ⴔ=\u0338ⴀ.𐹥𐹰; [P1 V6 B1]; [P1 V6 B1]
-B; ⴔ≠ⴀ.𐹥𐹰; [P1 V6 B1]; [P1 V6 B1]
-T; -\u200C⒙𐫥。𝨵; [P1 V3 V6 V5 C1]; [P1 V3 V6 V5] # -⒙𐫥.𝨵
-N; -\u200C⒙𐫥。𝨵; [P1 V3 V6 V5 C1]; [P1 V3 V6 V5 C1] # -⒙𐫥.𝨵
-T; -\u200C18.𐫥。𝨵; [V3 V5 C1]; [V3 V5] # -18.𐫥.𝨵
-N; -\u200C18.𐫥。𝨵; [V3 V5 C1]; [V3 V5 C1] # -18.𐫥.𝨵
-B; ︒.ʌᠣ-𐹽; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; 。.ʌᠣ-𐹽; [B5 B6]; [B5 B6]
-B; 。.Ʌᠣ-𐹽; [B5 B6]; [B5 B6]
-B; ︒.Ʌᠣ-𐹽; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; \uFE05︒。𦀾\u1CE0; [P1 V6]; [P1 V6] # ︒.𦀾᳠
-B; \uFE05。。𦀾\u1CE0; 𦀾\u1CE0; xn--t6f5138v # 𦀾᳠
-B; xn--t6f5138v; 𦀾\u1CE0; xn--t6f5138v # 𦀾᳠
-B; 𦀾\u1CE0; ; xn--t6f5138v # 𦀾᳠
-B; ß。ᡁ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; SS。ᡁ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; ss。ᡁ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; Ss。ᡁ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-T; \uA953\u200D\u062C\u066C。𱆎\u200C󠅆; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6] # ꥓ج٬.
-N; \uA953\u200D\u062C\u066C。𱆎\u200C󠅆; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6 C1] # ꥓ج٬.
-T; .-ß\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3] # .-ß≠
-N; .-ß\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ß≠
-T; .-ß\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3] # .-ß≠
-N; .-ß\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ß≠
-T; .-ß\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3] # .-ß≠
-N; .-ß\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ß≠
-T; .-ß\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3] # .-ß≠
-N; .-ß\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ß≠
-T; .-SS\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-SS\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-SS\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-SS\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-ss\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-ss\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-ss\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-ss\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-Ss\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-Ss\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-Ss\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-Ss\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-SS\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-SS\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-SS\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-SS\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-ss\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-ss\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-ss\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-ss\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-Ss\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-Ss\u200C=\u0338; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; .-Ss\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3] # .-ss≠
-N; .-Ss\u200C≠; [P1 V6 V3 C1]; [P1 V6 V3 C1] # .-ss≠
-T; ᡙ\u200C。≯𐋲≠; [P1 V6 C1]; [P1 V6] # ᡙ.≯𐋲≠
-N; ᡙ\u200C。≯𐋲≠; [P1 V6 C1]; [P1 V6 C1] # ᡙ.≯𐋲≠
-T; ᡙ\u200C。>\u0338𐋲=\u0338; [P1 V6 C1]; [P1 V6] # ᡙ.≯𐋲≠
-N; ᡙ\u200C。>\u0338𐋲=\u0338; [P1 V6 C1]; [P1 V6 C1] # ᡙ.≯𐋲≠
-T; ᡙ\u200C。≯𐋲≠; [P1 V6 C1]; [P1 V6] # ᡙ.≯𐋲≠
-N; ᡙ\u200C。≯𐋲≠; [P1 V6 C1]; [P1 V6 C1] # ᡙ.≯𐋲≠
-T; ᡙ\u200C。>\u0338𐋲=\u0338; [P1 V6 C1]; [P1 V6] # ᡙ.≯𐋲≠
-N; ᡙ\u200C。>\u0338𐋲=\u0338; [P1 V6 C1]; [P1 V6 C1] # ᡙ.≯𐋲≠
-B; 𐹧𞲄。\u034E🄀; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 𐹧.͎🄀
-B; 𐹧𞲄。\u034E0.; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 𐹧.͎0.
-T; Ⴄ.\u200D\u0721ς; [P1 V6 B1 C2]; [P1 V6 B2 B3] # Ⴄ.ܡς
-N; Ⴄ.\u200D\u0721ς; [P1 V6 B1 C2]; [P1 V6 B1 C2] # Ⴄ.ܡς
-T; Ⴄ.\u200D\u0721ς; [P1 V6 B1 C2]; [P1 V6 B2 B3] # Ⴄ.ܡς
-N; Ⴄ.\u200D\u0721ς; [P1 V6 B1 C2]; [P1 V6 B1 C2] # Ⴄ.ܡς
-T; ⴄ.\u200D\u0721ς; [P1 V6 B1 C2]; [P1 V6 B2 B3] # ⴄ.ܡς
-N; ⴄ.\u200D\u0721ς; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ⴄ.ܡς
-T; Ⴄ.\u200D\u0721Σ; [P1 V6 B1 C2]; [P1 V6 B2 B3] # Ⴄ.ܡσ
-N; Ⴄ.\u200D\u0721Σ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # Ⴄ.ܡσ
-T; ⴄ.\u200D\u0721σ; [P1 V6 B1 C2]; [P1 V6 B2 B3] # ⴄ.ܡσ
-N; ⴄ.\u200D\u0721σ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ⴄ.ܡσ
-T; ⴄ.\u200D\u0721ς; [P1 V6 B1 C2]; [P1 V6 B2 B3] # ⴄ.ܡς
-N; ⴄ.\u200D\u0721ς; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ⴄ.ܡς
-T; Ⴄ.\u200D\u0721Σ; [P1 V6 B1 C2]; [P1 V6 B2 B3] # Ⴄ.ܡσ
-N; Ⴄ.\u200D\u0721Σ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # Ⴄ.ܡσ
-T; ⴄ.\u200D\u0721σ; [P1 V6 B1 C2]; [P1 V6 B2 B3] # ⴄ.ܡσ
-N; ⴄ.\u200D\u0721σ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ⴄ.ܡσ
-B; \u0613.Ⴕ; [P1 V6]; [P1 V6] # ؓ.Ⴕ
-B; \u0613.ⴕ; [P1 V6]; [P1 V6] # ؓ.ⴕ
-T; ≯\u1DF3𞤥。\u200C\uA8C4\u200D; [P1 V6 B1 C1 C2]; [P1 V6 V5 B1] # ≯ᷳ𞤥.꣄
-N; ≯\u1DF3𞤥。\u200C\uA8C4\u200D; [P1 V6 B1 C1 C2]; [P1 V6 B1 C1 C2] # ≯ᷳ𞤥.꣄
-T; >\u0338\u1DF3𞤥。\u200C\uA8C4\u200D; [P1 V6 B1 C1 C2]; [P1 V6 V5 B1] # ≯ᷳ𞤥.꣄
-N; >\u0338\u1DF3𞤥。\u200C\uA8C4\u200D; [P1 V6 B1 C1 C2]; [P1 V6 B1 C1 C2] # ≯ᷳ𞤥.꣄
-T; \u200C󠄷。; [P1 V6 C1]; [P1 V6] # .
-N; \u200C󠄷。; [P1 V6 C1]; [P1 V6 C1] # .
-T; \u200C󠄷。; [P1 V6 C1]; [P1 V6] # .
-N; \u200C󠄷。; [P1 V6 C1]; [P1 V6 C1] # .
-T; ⒈\u0DD6焅.\u200Dꡟ; [P1 V6 C2]; [P1 V6] # ⒈ූ焅.ꡟ
-N; ⒈\u0DD6焅.\u200Dꡟ; [P1 V6 C2]; [P1 V6 C2] # ⒈ූ焅.ꡟ
-T; 1.\u0DD6焅.\u200Dꡟ; [P1 V5 V6 C2]; [P1 V5 V6] # 1.ූ焅.ꡟ
-N; 1.\u0DD6焅.\u200Dꡟ; [P1 V5 V6 C2]; [P1 V5 V6 C2] # 1.ූ焅.ꡟ
-B; \u1DCDς≮.ς𝪦𞤕0; [P1 V5 V6 B5]; [P1 V5 V6 B5] # ᷍ς≮.ς𝪦𞤷0
-B; \u1DCDς<\u0338.ς𝪦𞤕0; [P1 V5 V6 B5]; [P1 V5 V6 B5] # ᷍ς≮.ς𝪦𞤷0
-B; \u1DCDΣ<\u0338.Σ𝪦𞤕0; [P1 V5 V6 B5]; [P1 V5 V6 B5] # ᷍σ≮.σ𝪦𞤷0
-B; \u1DCDΣ≮.Σ𝪦𞤕0; [P1 V5 V6 B5]; [P1 V5 V6 B5] # ᷍σ≮.σ𝪦𞤷0
-B; \u1DCDσ≮.σ𝪦𞤕0; [P1 V5 V6 B5]; [P1 V5 V6 B5] # ᷍σ≮.σ𝪦𞤷0
-B; \u1DCDσ<\u0338.σ𝪦𞤕0; [P1 V5 V6 B5]; [P1 V5 V6 B5] # ᷍σ≮.σ𝪦𞤷0
-B; ß\u05B9𐫙.\u05AD\u08A1; [P1 V6 V5 B5 B6 B1]; [P1 V6 V5 B5 B6 B1] # ßֹ𐫙.֭ࢡ
-B; SS\u05B9𐫙.\u05AD\u08A1; [P1 V6 V5 B5 B6 B1]; [P1 V6 V5 B5 B6 B1] # ssֹ𐫙.֭ࢡ
-B; ss\u05B9𐫙.\u05AD\u08A1; [P1 V6 V5 B5 B6 B1]; [P1 V6 V5 B5 B6 B1] # ssֹ𐫙.֭ࢡ
-B; Ss\u05B9𐫙.\u05AD\u08A1; [P1 V6 V5 B5 B6 B1]; [P1 V6 V5 B5 B6 B1] # ssֹ𐫙.֭ࢡ
-B; -𞣄。⒈; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-B; -𞣄。1.; [V3 B1]; [V3 B1]
-B; 𐫖𝟡。\u063E𑘿; [P1 V6 B5]; [P1 V6 B5] # 𐫖9.ؾ𑘿
-B; 𐫖9。\u063E𑘿; [P1 V6 B5]; [P1 V6 B5] # 𐫖9.ؾ𑘿
-T; \u0668\uFC8C\u0668\u1A5D.\u200D; [B1 C2]; [B1] # ٨نم٨ᩝ.
-N; \u0668\uFC8C\u0668\u1A5D.\u200D; [B1 C2]; [B1 C2] # ٨نم٨ᩝ.
-T; \u0668\u0646\u0645\u0668\u1A5D.\u200D; [B1 C2]; [B1] # ٨نم٨ᩝ.
-N; \u0668\u0646\u0645\u0668\u1A5D.\u200D; [B1 C2]; [B1 C2] # ٨نم٨ᩝ.
-B; 𝟘.Ⴇ\uFD50; [P1 V6 B5]; [P1 V6 B5] # 0.Ⴇتجم
-B; 0.Ⴇ\u062A\u062C\u0645; [P1 V6 B5]; [P1 V6 B5] # 0.Ⴇتجم
-B; 0.ⴇ\u062A\u062C\u0645; [P1 V6 B5]; [P1 V6 B5] # 0.ⴇتجم
-B; 𝟘.ⴇ\uFD50; [P1 V6 B5]; [P1 V6 B5] # 0.ⴇتجم
-B; 𑇀▍.⁞ᠰ; [V5]; [V5]
-T; \u200D-\u067A.; [P1 V6 B1 C2]; [P1 V3 V6 B1] # -ٺ.
-N; \u200D-\u067A.; [P1 V6 B1 C2]; [P1 V6 B1 C2] # -ٺ.
-T; ᠢ𐮂𐫘寐。\u200C≯✳; [P1 V6 B5 C1]; [P1 V6 B5] # ᠢ𐮂𐫘寐.≯✳
-N; ᠢ𐮂𐫘寐。\u200C≯✳; [P1 V6 B5 C1]; [P1 V6 B5 C1] # ᠢ𐮂𐫘寐.≯✳
-T; ᠢ𐮂𐫘寐。\u200C>\u0338✳; [P1 V6 B5 C1]; [P1 V6 B5] # ᠢ𐮂𐫘寐.≯✳
-N; ᠢ𐮂𐫘寐。\u200C>\u0338✳; [P1 V6 B5 C1]; [P1 V6 B5 C1] # ᠢ𐮂𐫘寐.≯✳
-T; ᠢ𐮂𐫘寐。\u200C≯✳; [P1 V6 B5 C1]; [P1 V6 B5] # ᠢ𐮂𐫘寐.≯✳
-N; ᠢ𐮂𐫘寐。\u200C≯✳; [P1 V6 B5 C1]; [P1 V6 B5 C1] # ᠢ𐮂𐫘寐.≯✳
-T; ᠢ𐮂𐫘寐。\u200C>\u0338✳; [P1 V6 B5 C1]; [P1 V6 B5] # ᠢ𐮂𐫘寐.≯✳
-N; ᠢ𐮂𐫘寐。\u200C>\u0338✳; [P1 V6 B5 C1]; [P1 V6 B5 C1] # ᠢ𐮂𐫘寐.≯✳
-T; \u200D。ႺႴ; [P1 V6 C2 B5 B6]; [P1 V6 B5 B6] # .ႺႴ
-N; \u200D。ႺႴ; [P1 V6 C2 B5 B6]; [P1 V6 C2 B5 B6] # .ႺႴ
-T; \u200D。ႺႴ; [P1 V6 C2 B5 B6]; [P1 V6 B5 B6] # .ႺႴ
-N; \u200D。ႺႴ; [P1 V6 C2 B5 B6]; [P1 V6 C2 B5 B6] # .ႺႴ
-T; \u200D。ⴚⴔ; [P1 V6 C2 B5 B6]; [P1 V6 B5 B6] # .ⴚⴔ
-N; \u200D。ⴚⴔ; [P1 V6 C2 B5 B6]; [P1 V6 C2 B5 B6] # .ⴚⴔ
-T; \u200D。Ⴚⴔ; [P1 V6 C2 B5 B6]; [P1 V6 B5 B6] # .Ⴚⴔ
-N; \u200D。Ⴚⴔ; [P1 V6 C2 B5 B6]; [P1 V6 C2 B5 B6] # .Ⴚⴔ
-T; \u200D。ⴚⴔ; [P1 V6 C2 B5 B6]; [P1 V6 B5 B6] # .ⴚⴔ
-N; \u200D。ⴚⴔ; [P1 V6 C2 B5 B6]; [P1 V6 C2 B5 B6] # .ⴚⴔ
-T; \u200D。Ⴚⴔ; [P1 V6 C2 B5 B6]; [P1 V6 B5 B6] # .Ⴚⴔ
-N; \u200D。Ⴚⴔ; [P1 V6 C2 B5 B6]; [P1 V6 C2 B5 B6] # .Ⴚⴔ
-T; -3.\u200Dヌᢕ; [V3 C2]; [V3] # -3.ヌᢕ
-N; -3.\u200Dヌᢕ; [V3 C2]; [V3 C2] # -3.ヌᢕ
-T; 🂃\u0666ß\u200D。-; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1] # 🂃٦ß.-
-N; 🂃\u0666ß\u200D。-; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1 C2] # 🂃٦ß.-
-T; 🂃\u0666SS\u200D。-; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1] # 🂃٦ss.-
-N; 🂃\u0666SS\u200D。-; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1 C2] # 🂃٦ss.-
-T; 🂃\u0666ss\u200D。-; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1] # 🂃٦ss.-
-N; 🂃\u0666ss\u200D。-; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1 C2] # 🂃٦ss.-
-T; 🂃\u0666Ss\u200D。-; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1] # 🂃٦ss.-
-N; 🂃\u0666Ss\u200D。-; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1 C2] # 🂃٦ss.-
-T; ꇟ-𐾺\u069F。\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ꇟ-ڟ.
-N; ꇟ-𐾺\u069F。\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ꇟ-ڟ.
-B; \u0665.\u0484𐨗𝩋; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ٥.҄𐨗𝩋
-B; -.\u0649𐨿; [P1 V3 V6 B5 B6]; [P1 V3 V6 B5 B6] # -.ى𐨿
-B; ς.녫ß; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; ς.녫ß; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; Σ.녫SS; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; Σ.녫SS; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; σ.녫ss; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; σ.녫ss; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; Σ.녫Ss; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; Σ.녫Ss; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-T; Ⅎ\u17D2\u200D。≠\u200D\u200C; [P1 V6 C2 C1]; [P1 V6] # Ⅎ្.≠
-N; Ⅎ\u17D2\u200D。≠\u200D\u200C; [P1 V6 C2 C1]; [P1 V6 C2 C1] # Ⅎ្.≠
-T; Ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [P1 V6 C2 C1]; [P1 V6] # Ⅎ្.≠
-N; Ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [P1 V6 C2 C1]; [P1 V6 C2 C1] # Ⅎ្.≠
-T; Ⅎ\u17D2\u200D。≠\u200D\u200C; [P1 V6 C2 C1]; [P1 V6] # Ⅎ្.≠
-N; Ⅎ\u17D2\u200D。≠\u200D\u200C; [P1 V6 C2 C1]; [P1 V6 C2 C1] # Ⅎ្.≠
-T; Ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [P1 V6 C2 C1]; [P1 V6] # Ⅎ្.≠
-N; Ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [P1 V6 C2 C1]; [P1 V6 C2 C1] # Ⅎ្.≠
-T; ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [P1 V6 C2 C1]; [P1 V6] # ⅎ្.≠
-N; ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [P1 V6 C2 C1]; [P1 V6 C2 C1] # ⅎ្.≠
-T; ⅎ\u17D2\u200D。≠\u200D\u200C; [P1 V6 C2 C1]; [P1 V6] # ⅎ្.≠
-N; ⅎ\u17D2\u200D。≠\u200D\u200C; [P1 V6 C2 C1]; [P1 V6 C2 C1] # ⅎ្.≠
-T; ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [P1 V6 C2 C1]; [P1 V6] # ⅎ្.≠
-N; ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [P1 V6 C2 C1]; [P1 V6 C2 C1] # ⅎ្.≠
-T; ⅎ\u17D2\u200D。≠\u200D\u200C; [P1 V6 C2 C1]; [P1 V6] # ⅎ្.≠
-N; ⅎ\u17D2\u200D。≠\u200D\u200C; [P1 V6 C2 C1]; [P1 V6 C2 C1] # ⅎ្.≠
-T; 𐋺\uAAF6\uA953.\u200C\u1714\u068F; [P1 V6 B1 C1]; [P1 V6 V5 B1] # 𐋺꫶꥓.᜔ڏ
-N; 𐋺\uAAF6\uA953.\u200C\u1714\u068F; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐋺꫶꥓.᜔ڏ
-T; 𐋺\uAAF6\uA953.\u200C\u1714\u068F; [P1 V6 B1 C1]; [P1 V6 V5 B1] # 𐋺꫶꥓.᜔ڏ
-N; 𐋺\uAAF6\uA953.\u200C\u1714\u068F; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐋺꫶꥓.᜔ڏ
-B; \u0FA8.≯; [P1 V6]; [P1 V6] # ྨ.≯
-B; \u0FA8.>\u0338; [P1 V6]; [P1 V6] # ྨ.≯
-B; \u0FA8.≯; [P1 V6]; [P1 V6] # ྨ.≯
-B; \u0FA8.>\u0338; [P1 V6]; [P1 V6] # ྨ.≯
-T; \u200D𞡄Ⴓ.𐇽; [P1 V6 V5 B1 C2]; [P1 V6 V5 B2 B3] # 𞡄Ⴓ.𐇽
-N; \u200D𞡄Ⴓ.𐇽; [P1 V6 V5 B1 C2]; [P1 V6 V5 B1 C2] # 𞡄Ⴓ.𐇽
-T; \u200D𞡄Ⴓ.𐇽; [P1 V6 V5 B1 C2]; [P1 V6 V5 B2 B3] # 𞡄Ⴓ.𐇽
-N; \u200D𞡄Ⴓ.𐇽; [P1 V6 V5 B1 C2]; [P1 V6 V5 B1 C2] # 𞡄Ⴓ.𐇽
-T; \u200D𞡄ⴓ.𐇽; [V5 B1 C2]; [V5 B2 B3] # 𞡄ⴓ.𐇽
-N; \u200D𞡄ⴓ.𐇽; [V5 B1 C2]; [V5 B1 C2] # 𞡄ⴓ.𐇽
-T; \u200D𞡄ⴓ.𐇽; [V5 B1 C2]; [V5 B2 B3] # 𞡄ⴓ.𐇽
-N; \u200D𞡄ⴓ.𐇽; [V5 B1 C2]; [V5 B1 C2] # 𞡄ⴓ.𐇽
-B; 𐪒ß\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ß꣪.ᡤ
-B; 𐪒ß\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ß꣪.ᡤ
-B; 𐪒SS\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
-B; 𐪒ss\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
-B; 𐪒Ss\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
-B; 𐪒SS\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
-B; 𐪒ss\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
-B; 𐪒Ss\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
-B; 𐨿󠆌鸮𑚶.ς; [V5]; [V5]
-B; 𐨿󠆌鸮𑚶.Σ; [V5]; [V5]
-B; 𐨿󠆌鸮𑚶.σ; [V5]; [V5]
-B; ⒗𞤬。-𑚶; [P1 V6 V3 B1]; [P1 V6 V3 B1]
-B; 16.𞤬。-𑚶; [V3]; [V3]
-B; \u08B3𞤿⾫。𐹣\u068F⒈; [P1 V6 B2 B3 B1]; [P1 V6 B2 B3 B1] # ࢳ𞤿隹.𐹣ڏ⒈
-B; \u08B3𞤿隹。𐹣\u068F1.; [B2 B3 B1]; [B2 B3 B1] # ࢳ𞤿隹.𐹣ڏ1.
-B; \u2433𝟧\u0661.ᡢ8\u0F72\u0600; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 5١.ᡢ8ི
-B; \u24335\u0661.ᡢ8\u0F72\u0600; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 5١.ᡢ8ི
-B; 𐹠.🄀⒒-; [P1 V6 B1]; [P1 V6 B1]
-B; 𐹠.0.11.-; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-T; ς-。\u200C𝟭-; [V3 C1]; [V3] # ς-.1-
-N; ς-。\u200C𝟭-; [V3 C1]; [V3 C1] # ς-.1-
-T; ς-。\u200C1-; [V3 C1]; [V3] # ς-.1-
-N; ς-。\u200C1-; [V3 C1]; [V3 C1] # ς-.1-
-T; Σ-。\u200C1-; [V3 C1]; [V3] # σ-.1-
-N; Σ-。\u200C1-; [V3 C1]; [V3 C1] # σ-.1-
-T; σ-。\u200C1-; [V3 C1]; [V3] # σ-.1-
-N; σ-。\u200C1-; [V3 C1]; [V3 C1] # σ-.1-
-T; Σ-。\u200C𝟭-; [V3 C1]; [V3] # σ-.1-
-N; Σ-。\u200C𝟭-; [V3 C1]; [V3 C1] # σ-.1-
-T; σ-。\u200C𝟭-; [V3 C1]; [V3] # σ-.1-
-N; σ-。\u200C𝟭-; [V3 C1]; [V3 C1] # σ-.1-
-B; \u1734-\u0CE2.󠄩Ⴄ; [P1 V5 V6]; [P1 V5 V6] # ᜴-ೢ.Ⴄ
-B; \u1734-\u0CE2.󠄩Ⴄ; [P1 V5 V6]; [P1 V5 V6] # ᜴-ೢ.Ⴄ
-B; \u1734-\u0CE2.󠄩ⴄ; [V5]; [V5] # ᜴-ೢ.ⴄ
-B; \u1734-\u0CE2.󠄩ⴄ; [V5]; [V5] # ᜴-ೢ.ⴄ
-B; ♋\u06BB𐦥。\u0954⒈; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # ♋ڻ𐦥.॔⒈
-B; ♋\u06BB𐦥。\u09541.; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # ♋ڻ𐦥.॔1.
-T; \u05A4.\u06C1\u1AB3\u200C; [V5 B3 C1]; [V5] # ֤.ہ᪳
-N; \u05A4.\u06C1\u1AB3\u200C; [V5 B3 C1]; [V5 B3 C1] # ֤.ہ᪳
-T; \u05A4.\u06C1\u1AB3\u200C; [V5 B3 C1]; [V5] # ֤.ہ᪳
-N; \u05A4.\u06C1\u1AB3\u200C; [V5 B3 C1]; [V5 B3 C1] # ֤.ہ᪳
-B; \u0846≮\u0ACD.; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ࡆ≮્.
-B; \u0846<\u0338\u0ACD.; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ࡆ≮્.
-B; \u0846≮\u0ACD.; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ࡆ≮્.
-B; \u0846<\u0338\u0ACD.; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ࡆ≮્.
-T; \u200D。𞀘⒈ꡍ擉; [P1 V5 V6 C2]; [P1 V5 V6] # .𞀘⒈ꡍ擉
-N; \u200D。𞀘⒈ꡍ擉; [P1 V5 V6 C2]; [P1 V5 V6 C2] # .𞀘⒈ꡍ擉
-T; \u200D。𞀘1.ꡍ擉; [V5 C2]; [V5] # .𞀘1.ꡍ擉
-N; \u200D。𞀘1.ꡍ擉; [V5 C2]; [V5 C2] # .𞀘1.ꡍ擉
-B; ₈\u07CB.\uFB64≠; [P1 V6 B1 B3]; [P1 V6 B1 B3] # 8ߋ.ٿ≠
-B; ₈\u07CB.\uFB64=\u0338; [P1 V6 B1 B3]; [P1 V6 B1 B3] # 8ߋ.ٿ≠
-B; 8\u07CB.\u067F≠; [P1 V6 B1 B3]; [P1 V6 B1 B3] # 8ߋ.ٿ≠
-B; 8\u07CB.\u067F=\u0338; [P1 V6 B1 B3]; [P1 V6 B1 B3] # 8ߋ.ٿ≠
-B; ᢡ\u07DE.⒒\u0642𑍦; [P1 V6 B5 B1]; [P1 V6 B5 B1] # ᢡߞ.⒒ق𑍦
-B; ᢡ\u07DE.11.\u0642𑍦; [P1 V6 B5]; [P1 V6 B5] # ᢡߞ.11.ق𑍦
-B; \u0E48-𐹺𝟜.\u0363\u06E1⒏; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ่-𐹺4.ͣۡ⒏
-B; \u0E48-𐹺4.\u0363\u06E18.; [V5 B1]; [V5 B1] # ่-𐹺4.ͣۡ8.
-B; ⫐。Ⴠ-; [P1 V6]; [P1 V6]
-B; ⫐。Ⴠ-; [P1 V6]; [P1 V6]
-B; ⫐。ⴠ-; [P1 V6]; [P1 V6]
-B; ⫐。ⴠ-; [P1 V6]; [P1 V6]
-B; 𑑂◊.⦟∠; [V5]; [V5]
-B; 𑑂◊.⦟∠; [V5]; [V5]
-B; -\u0662。ꡂ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # -٢.ꡂ
-B; \u0678。\u0741𐹪; [P1 V6 B1]; [P1 V6 B1] # يٴ.݁𐹪
-B; \u064A\u0674。\u0741𐹪; [P1 V6 B1]; [P1 V6 B1] # يٴ.݁𐹪
-T; 𐫆ꌄ。\u200Dᣬ; [B2 B3 C2]; [B2 B3] # 𐫆ꌄ.ᣬ
-N; 𐫆ꌄ。\u200Dᣬ; [B2 B3 C2]; [B2 B3 C2] # 𐫆ꌄ.ᣬ
-T; 𐫆ꌄ。\u200Dᣬ; [B2 B3 C2]; [B2 B3] # 𐫆ꌄ.ᣬ
-N; 𐫆ꌄ。\u200Dᣬ; [B2 B3 C2]; [B2 B3 C2] # 𐫆ꌄ.ᣬ
-B; ₀\u0662。≯-; [P1 V3 V6 B1]; [P1 V3 V6 B1] # 0٢.≯-
-B; ₀\u0662。>\u0338-; [P1 V3 V6 B1]; [P1 V3 V6 B1] # 0٢.≯-
-B; 0\u0662。≯-; [P1 V3 V6 B1]; [P1 V3 V6 B1] # 0٢.≯-
-B; 0\u0662。>\u0338-; [P1 V3 V6 B1]; [P1 V3 V6 B1] # 0٢.≯-
-B; \u031C𐹫-.𐋤\u0845; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ̜𐹫-.𐋤ࡅ
-B; ≠。𝩑𐹩Ⴡ\u0594; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≠.𝩑𐹩Ⴡ֔
-B; =\u0338。𝩑𐹩Ⴡ\u0594; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≠.𝩑𐹩Ⴡ֔
-B; ≠。𝩑𐹩Ⴡ\u0594; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≠.𝩑𐹩Ⴡ֔
-B; =\u0338。𝩑𐹩Ⴡ\u0594; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≠.𝩑𐹩Ⴡ֔
-B; =\u0338。𝩑𐹩ⴡ\u0594; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≠.𝩑𐹩ⴡ֔
-B; ≠。𝩑𐹩ⴡ\u0594; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≠.𝩑𐹩ⴡ֔
-B; =\u0338。𝩑𐹩ⴡ\u0594; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≠.𝩑𐹩ⴡ֔
-B; ≠。𝩑𐹩ⴡ\u0594; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≠.𝩑𐹩ⴡ֔
-B; 𖫳≠.Ⴀ𐮀; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6]
-B; 𖫳=\u0338.Ⴀ𐮀; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6]
-B; 𖫳=\u0338.ⴀ𐮀; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6]
-B; 𖫳≠.ⴀ𐮀; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6]
-B; 󠅾\u0736\u0726.ᢚ閪\u08E2𝩟; [P1 V5 V6 B1 B5 B6]; [P1 V5 V6 B1 B5 B6] # ܶܦ.ᢚ閪𝩟
-B; 󠅾\u0736\u0726.ᢚ閪\u08E2𝩟; [P1 V5 V6 B1 B5 B6]; [P1 V5 V6 B1 B5 B6] # ܶܦ.ᢚ閪𝩟
-T; \u200D󠇜\u06CB\uA8E9。\u20DD\u0FB0-ᛟ; [V5 B1 C2]; [V5] # ۋ꣩.⃝ྰ-ᛟ
-N; \u200D󠇜\u06CB\uA8E9。\u20DD\u0FB0-ᛟ; [V5 B1 C2]; [V5 B1 C2] # ۋ꣩.⃝ྰ-ᛟ
-T; \u200D󠇜\u06CB\uA8E9。\u20DD\u0FB0-ᛟ; [V5 B1 C2]; [V5] # ۋ꣩.⃝ྰ-ᛟ
-N; \u200D󠇜\u06CB\uA8E9。\u20DD\u0FB0-ᛟ; [V5 B1 C2]; [V5 B1 C2] # ۋ꣩.⃝ྰ-ᛟ
-B; 헁\u0E3A。\u06BA𝟜; [P1 V6]; [P1 V6] # 헁ฺ.ں4
-B; 헁\u0E3A。\u06BA𝟜; [P1 V6]; [P1 V6] # 헁ฺ.ں4
-B; 헁\u0E3A。\u06BA4; [P1 V6]; [P1 V6] # 헁ฺ.ں4
-B; 헁\u0E3A。\u06BA4; [P1 V6]; [P1 V6] # 헁ฺ.ں4
-T; 𐹭。\u200CႾ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹭.Ⴞ
-N; 𐹭。\u200CႾ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹭.Ⴞ
-T; 𐹭。\u200CႾ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹭.Ⴞ
-N; 𐹭。\u200CႾ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹭.Ⴞ
-T; 𐹭。\u200Cⴞ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹭.ⴞ
-N; 𐹭。\u200Cⴞ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹭.ⴞ
-T; 𐹭。\u200Cⴞ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹭.ⴞ
-N; 𐹭。\u200Cⴞ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹭.ⴞ
-B; \uA953.\u033D馋; [P1 V5 V6]; [P1 V5 V6] # ꥓.̽馋
-T; \u200D。䜖; [P1 V6 C2]; [P1 V6] # .䜖
-N; \u200D。䜖; [P1 V6 C2]; [P1 V6 C2] # .䜖
-T; \u200D。䜖; [P1 V6 C2]; [P1 V6] # .䜖
-N; \u200D。䜖; [P1 V6 C2]; [P1 V6 C2] # .䜖
-T; ᡯ⚉姶🄉.۷\u200D🎪\u200D; [P1 V6 C2]; [P1 V6] # ᡯ⚉姶🄉.۷🎪
-N; ᡯ⚉姶🄉.۷\u200D🎪\u200D; [P1 V6 C2]; [P1 V6 C2] # ᡯ⚉姶🄉.۷🎪
-T; ᡯ⚉姶8,.۷\u200D🎪\u200D; [P1 V6 C2]; [P1 V6] # ᡯ⚉姶8,.۷🎪
-N; ᡯ⚉姶8,.۷\u200D🎪\u200D; [P1 V6 C2]; [P1 V6 C2] # ᡯ⚉姶8,.۷🎪
-B; .𐹸🚖\u0E3A; [P1 V6 B1]; [P1 V6 B1] # .𐹸🚖ฺ
-B; Ⴔᠵ。𐹧\u0747۹; [P1 V6 B1]; [P1 V6 B1] # Ⴔᠵ.𐹧݇۹
-B; Ⴔᠵ。𐹧\u0747۹; [P1 V6 B1]; [P1 V6 B1] # Ⴔᠵ.𐹧݇۹
-B; ⴔᠵ。𐹧\u0747۹; [B1]; [B1] # ⴔᠵ.𐹧݇۹
-B; ⴔᠵ。𐹧\u0747۹; [B1]; [B1] # ⴔᠵ.𐹧݇۹
-T; \u135Fᡈ\u200C.︒-𖾐-; [P1 V5 V3 V6 C1]; [P1 V5 V3 V6] # ፟ᡈ.︒-𖾐-
-N; \u135Fᡈ\u200C.︒-𖾐-; [P1 V5 V3 V6 C1]; [P1 V5 V3 V6 C1] # ፟ᡈ.︒-𖾐-
-T; \u135Fᡈ\u200C.。-𖾐-; [V5 V3 C1 A4_2]; [V5 V3 A4_2] # ፟ᡈ..-𖾐-
-N; \u135Fᡈ\u200C.。-𖾐-; [V5 V3 C1 A4_2]; [V5 V3 C1 A4_2] # ፟ᡈ..-𖾐-
-T; ⒈\u0601⒖\u200C.\u1DF0\u07DB; [P1 V6 V5 B1 C1]; [P1 V6 V5 B1] # ⒈⒖.ᷰߛ
-N; ⒈\u0601⒖\u200C.\u1DF0\u07DB; [P1 V6 V5 B1 C1]; [P1 V6 V5 B1 C1] # ⒈⒖.ᷰߛ
-T; 1.\u060115.\u200C.\u1DF0\u07DB; [P1 V6 V5 B1 C1]; [P1 V6 V5 B1 A4_2] # 1.15..ᷰߛ
-N; 1.\u060115.\u200C.\u1DF0\u07DB; [P1 V6 V5 B1 C1]; [P1 V6 V5 B1 C1] # 1.15..ᷰߛ
-B; 𝩜。-\u0B4DႫ; [P1 V5 V3 V6]; [P1 V5 V3 V6] # 𝩜.-୍Ⴋ
-B; 𝩜。-\u0B4Dⴋ; [V5 V3]; [V5 V3] # 𝩜.-୍ⴋ
-B; ßჀ.\u0620刯Ⴝ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ßჀ.ؠ刯Ⴝ
-B; ßⴠ.\u0620刯ⴝ; [B2 B3]; [B2 B3] # ßⴠ.ؠ刯ⴝ
-B; SSჀ.\u0620刯Ⴝ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ssჀ.ؠ刯Ⴝ
-B; ssⴠ.\u0620刯ⴝ; [B2 B3]; [B2 B3] # ssⴠ.ؠ刯ⴝ
-B; Ssⴠ.\u0620刯Ⴝ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ssⴠ.ؠ刯Ⴝ
-B; \u1BAAႣℲ。ᠳ툻\u0673; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ᮪ႣℲ.ᠳ툻ٳ
-B; \u1BAAႣℲ。ᠳ툻\u0673; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ᮪ႣℲ.ᠳ툻ٳ
-B; \u1BAAႣℲ。ᠳ툻\u0673; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ᮪ႣℲ.ᠳ툻ٳ
-B; \u1BAAႣℲ。ᠳ툻\u0673; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ᮪ႣℲ.ᠳ툻ٳ
-B; \u1BAAⴃⅎ。ᠳ툻\u0673; [V5 B5 B6]; [V5 B5 B6] # ᮪ⴃⅎ.ᠳ툻ٳ
-B; \u1BAAⴃⅎ。ᠳ툻\u0673; [V5 B5 B6]; [V5 B5 B6] # ᮪ⴃⅎ.ᠳ툻ٳ
-B; \u1BAAႣⅎ。ᠳ툻\u0673; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ᮪Ⴃⅎ.ᠳ툻ٳ
-B; \u1BAAႣⅎ。ᠳ툻\u0673; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ᮪Ⴃⅎ.ᠳ툻ٳ
-B; \u1BAAⴃⅎ。ᠳ툻\u0673; [V5 B5 B6]; [V5 B5 B6] # ᮪ⴃⅎ.ᠳ툻ٳ
-B; \u1BAAⴃⅎ。ᠳ툻\u0673; [V5 B5 B6]; [V5 B5 B6] # ᮪ⴃⅎ.ᠳ툻ٳ
-B; \u1BAAႣⅎ。ᠳ툻\u0673; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ᮪Ⴃⅎ.ᠳ툻ٳ
-B; \u1BAAႣⅎ。ᠳ툻\u0673; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ᮪Ⴃⅎ.ᠳ툻ٳ
-B; \u06EC.\u08A2𐹫\u067C; [V5]; [V5] # ۬.ࢢ𐹫ټ
-B; \u06B6\u06DF。₇\uA806; \u06B6\u06DF.7\uA806; xn--pkb6f.xn--7-x93e # ڶ۟.7꠆
-B; \u06B6\u06DF。7\uA806; \u06B6\u06DF.7\uA806; xn--pkb6f.xn--7-x93e # ڶ۟.7꠆
-B; xn--pkb6f.xn--7-x93e; \u06B6\u06DF.7\uA806; xn--pkb6f.xn--7-x93e # ڶ۟.7꠆
-B; \u06B6\u06DF.7\uA806; ; xn--pkb6f.xn--7-x93e # ڶ۟.7꠆
-T; Ⴣ𐹻.\u200C𝪣≮; [P1 V6 B5 B6 C1]; [P1 V6 V5 B5 B6] # Ⴣ𐹻.𝪣≮
-N; Ⴣ𐹻.\u200C𝪣≮; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # Ⴣ𐹻.𝪣≮
-T; Ⴣ𐹻.\u200C𝪣<\u0338; [P1 V6 B5 B6 C1]; [P1 V6 V5 B5 B6] # Ⴣ𐹻.𝪣≮
-N; Ⴣ𐹻.\u200C𝪣<\u0338; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # Ⴣ𐹻.𝪣≮
-T; ⴣ𐹻.\u200C𝪣<\u0338; [P1 V6 B5 B6 C1]; [P1 V5 V6 B5 B6] # ⴣ𐹻.𝪣≮
-N; ⴣ𐹻.\u200C𝪣<\u0338; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ⴣ𐹻.𝪣≮
-T; ⴣ𐹻.\u200C𝪣≮; [P1 V6 B5 B6 C1]; [P1 V5 V6 B5 B6] # ⴣ𐹻.𝪣≮
-N; ⴣ𐹻.\u200C𝪣≮; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ⴣ𐹻.𝪣≮
-T; 𝟵隁⯮.\u180D\u200C; [C1]; xn--9-mfs8024b. # 9隁⯮.
-N; 𝟵隁⯮.\u180D\u200C; [C1]; [C1] # 9隁⯮.
-T; 9隁⯮.\u180D\u200C; [C1]; xn--9-mfs8024b. # 9隁⯮.
-N; 9隁⯮.\u180D\u200C; [C1]; [C1] # 9隁⯮.
-B; xn--9-mfs8024b.; 9隁⯮.; xn--9-mfs8024b.; NV8
-B; 9隁⯮.; ; xn--9-mfs8024b.; NV8
-B; ⒏𐹧。Ⴣ\u0F84彦; [P1 V6 B1]; [P1 V6 B1] # ⒏𐹧.Ⴣ྄彦
-B; 8.𐹧。Ⴣ\u0F84彦; [P1 V6 B1]; [P1 V6 B1] # 8.𐹧.Ⴣ྄彦
-B; 8.𐹧。ⴣ\u0F84彦; [B1]; [B1] # 8.𐹧.ⴣ྄彦
-B; ⒏𐹧。ⴣ\u0F84彦; [P1 V6 B1]; [P1 V6 B1] # ⒏𐹧.ⴣ྄彦
-B; -问⒛。\u0604-橬; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -问⒛.-橬
-B; -问20.。\u0604-橬; [P1 V3 V6 A4_2 B1]; [P1 V3 V6 A4_2 B1] # -问20..-橬
-T; \u1BACႬ\u200C\u0325。𝟸; [P1 V5 V6 C1]; [P1 V5 V6] # ᮬႬ̥.2
-N; \u1BACႬ\u200C\u0325。𝟸; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ᮬႬ̥.2
-T; \u1BACႬ\u200C\u0325。2; [P1 V5 V6 C1]; [P1 V5 V6] # ᮬႬ̥.2
-N; \u1BACႬ\u200C\u0325。2; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ᮬႬ̥.2
-T; \u1BACⴌ\u200C\u0325。2; [V5 C1]; [V5] # ᮬⴌ̥.2
-N; \u1BACⴌ\u200C\u0325。2; [V5 C1]; [V5 C1] # ᮬⴌ̥.2
-T; \u1BACⴌ\u200C\u0325。𝟸; [V5 C1]; [V5] # ᮬⴌ̥.2
-N; \u1BACⴌ\u200C\u0325。𝟸; [V5 C1]; [V5 C1] # ᮬⴌ̥.2
-B; \uDC5F。\uA806\u0669; [P1 V6 V5 B1]; [P1 V6 V5 B1 A3] # .꠆٩
-B; 󠄁\u035F⾶。₇︒눇≮; [P1 V5 V6]; [P1 V5 V6] # ͟飛.7︒눇≮
-B; 󠄁\u035F⾶。₇︒눇<\u0338; [P1 V5 V6]; [P1 V5 V6] # ͟飛.7︒눇≮
-B; 󠄁\u035F飛。7。눇≮; [P1 V5 V6]; [P1 V5 V6] # ͟飛.7.눇≮
-B; 󠄁\u035F飛。7。눇<\u0338; [P1 V5 V6]; [P1 V5 V6] # ͟飛.7.눇≮
-T; \u200C\uFE09𐹴\u200D.\u200C⿃; [B1 C1 C2]; [B1] # 𐹴.鳥
-N; \u200C\uFE09𐹴\u200D.\u200C⿃; [B1 C1 C2]; [B1 C1 C2] # 𐹴.鳥
-T; \u200C\uFE09𐹴\u200D.\u200C鳥; [B1 C1 C2]; [B1] # 𐹴.鳥
-N; \u200C\uFE09𐹴\u200D.\u200C鳥; [B1 C1 C2]; [B1 C1 C2] # 𐹴.鳥
-T; 🍮.\u200D𐦁𝨝; [P1 V6 B1 C2]; [P1 V6 B1] # 🍮.𐦁𝨝
-N; 🍮.\u200D𐦁𝨝; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 🍮.𐦁𝨝
-T; 🍮.\u200D𐦁𝨝; [P1 V6 B1 C2]; [P1 V6 B1] # 🍮.𐦁𝨝
-N; 🍮.\u200D𐦁𝨝; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 🍮.𐦁𝨝
-T; \u067D\u0943.𞤓\u200D; [B3 C2]; xn--2ib43l.xn--te6h # ٽृ.𞤵
-N; \u067D\u0943.𞤓\u200D; [B3 C2]; [B3 C2] # ٽृ.𞤵
-B; xn--2ib43l.xn--te6h; \u067D\u0943.𞤵; xn--2ib43l.xn--te6h # ٽृ.𞤵
-B; \u067D\u0943.𞤵; ; xn--2ib43l.xn--te6h # ٽृ.𞤵
-B; \u0664\u0A4D-.\u1039; [P1 V3 V6 B1]; [P1 V3 V6 B1] # ٤੍-.္
-B; \u0664\u0A4D-.\u1039; [P1 V3 V6 B1]; [P1 V3 V6 B1] # ٤੍-.္
-T; 4\u103A-𐹸。\uAA29\u200C𐹴≮; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 4်-𐹸.ꨩ𐹴≮
-N; 4\u103A-𐹸。\uAA29\u200C𐹴≮; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 4်-𐹸.ꨩ𐹴≮
-T; 4\u103A-𐹸。\uAA29\u200C𐹴<\u0338; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 4်-𐹸.ꨩ𐹴≮
-N; 4\u103A-𐹸。\uAA29\u200C𐹴<\u0338; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 4်-𐹸.ꨩ𐹴≮
-T; 4\u103A-𐹸。\uAA29\u200C𐹴≮; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 4်-𐹸.ꨩ𐹴≮
-N; 4\u103A-𐹸。\uAA29\u200C𐹴≮; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 4်-𐹸.ꨩ𐹴≮
-T; 4\u103A-𐹸。\uAA29\u200C𐹴<\u0338; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 4်-𐹸.ꨩ𐹴≮
-N; 4\u103A-𐹸。\uAA29\u200C𐹴<\u0338; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 4်-𐹸.ꨩ𐹴≮
-T; \u200C。\uFFA0\u0F84\u0F96; [P1 V6 C1]; [P1 V6] # .྄ྖ
-N; \u200C。\uFFA0\u0F84\u0F96; [P1 V6 C1]; [P1 V6 C1] # .྄ྖ
-T; \u200C。\u1160\u0F84\u0F96; [P1 V6 C1]; [P1 V6] # .྄ྖ
-N; \u200C。\u1160\u0F84\u0F96; [P1 V6 C1]; [P1 V6 C1] # .྄ྖ
-T; ≯.\u200D𐅼; [P1 V6 C2]; [P1 V6] # ≯.𐅼
-N; ≯.\u200D𐅼; [P1 V6 C2]; [P1 V6 C2] # ≯.𐅼
-T; >\u0338.\u200D𐅼; [P1 V6 C2]; [P1 V6] # ≯.𐅼
-N; >\u0338.\u200D𐅼; [P1 V6 C2]; [P1 V6 C2] # ≯.𐅼
-T; ≯.\u200D𐅼; [P1 V6 C2]; [P1 V6] # ≯.𐅼
-N; ≯.\u200D𐅼; [P1 V6 C2]; [P1 V6 C2] # ≯.𐅼
-T; >\u0338.\u200D𐅼; [P1 V6 C2]; [P1 V6] # ≯.𐅼
-N; >\u0338.\u200D𐅼; [P1 V6 C2]; [P1 V6 C2] # ≯.𐅼
-B; \u0641ß𐰯。𝟕𐫫; [B2 B1]; [B2 B1] # فß𐰯.7𐫫
-B; \u0641ß𐰯。7𐫫; [B2 B1]; [B2 B1] # فß𐰯.7𐫫
-B; \u0641SS𐰯。7𐫫; [B2 B1]; [B2 B1] # فss𐰯.7𐫫
-B; \u0641ss𐰯。7𐫫; [B2 B1]; [B2 B1] # فss𐰯.7𐫫
-B; \u0641Ss𐰯。7𐫫; [B2 B1]; [B2 B1] # فss𐰯.7𐫫
-B; \u0641SS𐰯。𝟕𐫫; [B2 B1]; [B2 B1] # فss𐰯.7𐫫
-B; \u0641ss𐰯。𝟕𐫫; [B2 B1]; [B2 B1] # فss𐰯.7𐫫
-B; \u0641Ss𐰯。𝟕𐫫; [B2 B1]; [B2 B1] # فss𐰯.7𐫫
-B; ß\u07AC\u07A7\u08B1。𐭁𐹲; [P1 V6 B5 B6 B2]; [P1 V6 B5 B6 B2] # ßެާࢱ.𐭁𐹲
-B; SS\u07AC\u07A7\u08B1。𐭁𐹲; [P1 V6 B5 B6 B2]; [P1 V6 B5 B6 B2] # ssެާࢱ.𐭁𐹲
-B; ss\u07AC\u07A7\u08B1。𐭁𐹲; [P1 V6 B5 B6 B2]; [P1 V6 B5 B6 B2] # ssެާࢱ.𐭁𐹲
-B; Ss\u07AC\u07A7\u08B1。𐭁𐹲; [P1 V6 B5 B6 B2]; [P1 V6 B5 B6 B2] # ssެާࢱ.𐭁𐹲
-B; -。⒌; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-B; -。5.; [P1 V3 V6]; [P1 V3 V6]
-B; ς.-≮\uFCAB; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ς.-≮خج
-B; ς.-<\u0338\uFCAB; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ς.-≮خج
-B; ς.-≮\u062E\u062C; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ς.-≮خج
-B; ς.-<\u0338\u062E\u062C; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ς.-≮خج
-B; Σ.-<\u0338\u062E\u062C; [P1 V6 V3 B1]; [P1 V6 V3 B1] # σ.-≮خج
-B; Σ.-≮\u062E\u062C; [P1 V6 V3 B1]; [P1 V6 V3 B1] # σ.-≮خج
-B; σ.-≮\u062E\u062C; [P1 V6 V3 B1]; [P1 V6 V3 B1] # σ.-≮خج
-B; σ.-<\u0338\u062E\u062C; [P1 V6 V3 B1]; [P1 V6 V3 B1] # σ.-≮خج
-B; Σ.-<\u0338\uFCAB; [P1 V6 V3 B1]; [P1 V6 V3 B1] # σ.-≮خج
-B; Σ.-≮\uFCAB; [P1 V6 V3 B1]; [P1 V6 V3 B1] # σ.-≮خج
-B; σ.-≮\uFCAB; [P1 V6 V3 B1]; [P1 V6 V3 B1] # σ.-≮خج
-B; σ.-<\u0338\uFCAB; [P1 V6 V3 B1]; [P1 V6 V3 B1] # σ.-≮خج
-B; ꡗ\u08B8\u0719.\u0C4D\uFC3E; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ꡗࢸܙ.్كي
-B; ꡗ\u08B8\u0719.\u0C4D\u0643\u064A; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ꡗࢸܙ.్كي
-B; 𐠰\u08B7𞤌𐫭。𐋦\u17CD𝩃; 𐠰\u08B7𞤮𐫭.𐋦\u17CD𝩃; xn--dzb5191kezbrw47a.xn--p4e3841jz9tf; NV8 # 𐠰ࢷ𞤮𐫭.𐋦៍𝩃
-B; xn--dzb5191kezbrw47a.xn--p4e3841jz9tf; 𐠰\u08B7𞤮𐫭.𐋦\u17CD𝩃; xn--dzb5191kezbrw47a.xn--p4e3841jz9tf; NV8 # 𐠰ࢷ𞤮𐫭.𐋦៍𝩃
-B; 𐠰\u08B7𞤮𐫭.𐋦\u17CD𝩃; ; xn--dzb5191kezbrw47a.xn--p4e3841jz9tf; NV8 # 𐠰ࢷ𞤮𐫭.𐋦៍𝩃
-T; ₂㘷--。\u06D3\u200C𐫆𑖿; [V2 V3 C1]; [V2 V3] # 2㘷--.ۓ𐫆𑖿
-N; ₂㘷--。\u06D3\u200C𐫆𑖿; [V2 V3 C1]; [V2 V3 C1] # 2㘷--.ۓ𐫆𑖿
-T; ₂㘷--。\u06D2\u0654\u200C𐫆𑖿; [V2 V3 C1]; [V2 V3] # 2㘷--.ۓ𐫆𑖿
-N; ₂㘷--。\u06D2\u0654\u200C𐫆𑖿; [V2 V3 C1]; [V2 V3 C1] # 2㘷--.ۓ𐫆𑖿
-T; 2㘷--。\u06D3\u200C𐫆𑖿; [V2 V3 C1]; [V2 V3] # 2㘷--.ۓ𐫆𑖿
-N; 2㘷--。\u06D3\u200C𐫆𑖿; [V2 V3 C1]; [V2 V3 C1] # 2㘷--.ۓ𐫆𑖿
-T; 2㘷--。\u06D2\u0654\u200C𐫆𑖿; [V2 V3 C1]; [V2 V3] # 2㘷--.ۓ𐫆𑖿
-N; 2㘷--。\u06D2\u0654\u200C𐫆𑖿; [V2 V3 C1]; [V2 V3 C1] # 2㘷--.ۓ𐫆𑖿
-B; -𘊻.ᡮ\u062D-; [V3 B5 B6]; [V3 B5 B6] # -𘊻.ᡮح-
-B; -𘊻.ᡮ\u062D-; [V3 B5 B6]; [V3 B5 B6] # -𘊻.ᡮح-
-T; \u200C-ß。ᢣ𐹭\u063F; [C1 B5 B6]; [V3 B5 B6] # -ß.ᢣ𐹭ؿ
-N; \u200C-ß。ᢣ𐹭\u063F; [C1 B5 B6]; [C1 B5 B6] # -ß.ᢣ𐹭ؿ
-T; \u200C-ß。ᢣ𐹭\u063F; [C1 B5 B6]; [V3 B5 B6] # -ß.ᢣ𐹭ؿ
-N; \u200C-ß。ᢣ𐹭\u063F; [C1 B5 B6]; [C1 B5 B6] # -ß.ᢣ𐹭ؿ
-T; \u200C-SS。ᢣ𐹭\u063F; [C1 B5 B6]; [V3 B5 B6] # -ss.ᢣ𐹭ؿ
-N; \u200C-SS。ᢣ𐹭\u063F; [C1 B5 B6]; [C1 B5 B6] # -ss.ᢣ𐹭ؿ
-T; \u200C-ss。ᢣ𐹭\u063F; [C1 B5 B6]; [V3 B5 B6] # -ss.ᢣ𐹭ؿ
-N; \u200C-ss。ᢣ𐹭\u063F; [C1 B5 B6]; [C1 B5 B6] # -ss.ᢣ𐹭ؿ
-T; \u200C-Ss。ᢣ𐹭\u063F; [C1 B5 B6]; [V3 B5 B6] # -ss.ᢣ𐹭ؿ
-N; \u200C-Ss。ᢣ𐹭\u063F; [C1 B5 B6]; [C1 B5 B6] # -ss.ᢣ𐹭ؿ
-T; \u200C-SS。ᢣ𐹭\u063F; [C1 B5 B6]; [V3 B5 B6] # -ss.ᢣ𐹭ؿ
-N; \u200C-SS。ᢣ𐹭\u063F; [C1 B5 B6]; [C1 B5 B6] # -ss.ᢣ𐹭ؿ
-T; \u200C-ss。ᢣ𐹭\u063F; [C1 B5 B6]; [V3 B5 B6] # -ss.ᢣ𐹭ؿ
-N; \u200C-ss。ᢣ𐹭\u063F; [C1 B5 B6]; [C1 B5 B6] # -ss.ᢣ𐹭ؿ
-T; \u200C-Ss。ᢣ𐹭\u063F; [C1 B5 B6]; [V3 B5 B6] # -ss.ᢣ𐹭ؿ
-N; \u200C-Ss。ᢣ𐹭\u063F; [C1 B5 B6]; [C1 B5 B6] # -ss.ᢣ𐹭ؿ
-B; ꧐Ӏ\u1BAA\u08F6.눵; [P1 V6]; [P1 V6] # ꧐Ӏ᮪ࣶ.눵
-B; ꧐Ӏ\u1BAA\u08F6.눵; [P1 V6]; [P1 V6] # ꧐Ӏ᮪ࣶ.눵
-B; ꧐Ӏ\u1BAA\u08F6.눵; [P1 V6]; [P1 V6] # ꧐Ӏ᮪ࣶ.눵
-B; ꧐Ӏ\u1BAA\u08F6.눵; [P1 V6]; [P1 V6] # ꧐Ӏ᮪ࣶ.눵
-B; ꧐ӏ\u1BAA\u08F6.눵; ꧐ӏ\u1BAA\u08F6.눵; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
-B; ꧐ӏ\u1BAA\u08F6.눵; ; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
-B; xn--s5a04sn4u297k.xn--2e1b; ꧐ӏ\u1BAA\u08F6.눵; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
-B; ꧐ӏ\u1BAA\u08F6.눵; ꧐ӏ\u1BAA\u08F6.눵; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
-B; ꧐ӏ\u1BAA\u08F6.눵; ꧐ӏ\u1BAA\u08F6.눵; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
-B; \uA8EA。𑆾󠇗; [P1 V5 V6]; [P1 V5 V6] # ꣪.𑆾
-B; \uA8EA。𑆾󠇗; [P1 V5 V6]; [P1 V5 V6] # ꣪.𑆾
-B; 𑚳。≯⾇; [P1 V6]; [P1 V6]
-B; 𑚳。>\u0338⾇; [P1 V6]; [P1 V6]
-B; 𑚳。≯舛; [P1 V6]; [P1 V6]
-B; 𑚳。>\u0338舛; [P1 V6]; [P1 V6]
-T; 𐫇\u0661\u200C.\u200D\u200C; [B3 C1 C2]; xn--9hb7344k. # 𐫇١.
-N; 𐫇\u0661\u200C.\u200D\u200C; [B3 C1 C2]; [B3 C1 C2] # 𐫇١.
-T; 𐫇\u0661\u200C.\u200D\u200C; [B3 C1 C2]; xn--9hb7344k. # 𐫇١.
-N; 𐫇\u0661\u200C.\u200D\u200C; [B3 C1 C2]; [B3 C1 C2] # 𐫇١.
-B; xn--9hb7344k.; 𐫇\u0661.; xn--9hb7344k. # 𐫇١.
-B; 𐫇\u0661.; ; xn--9hb7344k. # 𐫇١.
-T; 砪≯ᢑ。≯𝩚\u200C; [P1 V6 C1]; [P1 V6] # 砪≯ᢑ.≯𝩚
-N; 砪≯ᢑ。≯𝩚\u200C; [P1 V6 C1]; [P1 V6 C1] # 砪≯ᢑ.≯𝩚
-T; 砪>\u0338ᢑ。>\u0338𝩚\u200C; [P1 V6 C1]; [P1 V6] # 砪≯ᢑ.≯𝩚
-N; 砪>\u0338ᢑ。>\u0338𝩚\u200C; [P1 V6 C1]; [P1 V6 C1] # 砪≯ᢑ.≯𝩚
-T; 砪≯ᢑ。≯𝩚\u200C; [P1 V6 C1]; [P1 V6] # 砪≯ᢑ.≯𝩚
-N; 砪≯ᢑ。≯𝩚\u200C; [P1 V6 C1]; [P1 V6 C1] # 砪≯ᢑ.≯𝩚
-T; 砪>\u0338ᢑ。>\u0338𝩚\u200C; [P1 V6 C1]; [P1 V6] # 砪≯ᢑ.≯𝩚
-N; 砪>\u0338ᢑ。>\u0338𝩚\u200C; [P1 V6 C1]; [P1 V6 C1] # 砪≯ᢑ.≯𝩚
-B; Ⴥ.𑄳㊸; [P1 V6 V5]; [P1 V6 V5]
-B; Ⴥ.𑄳43; [P1 V6 V5]; [P1 V6 V5]
-B; ⴥ.𑄳43; [V5]; [V5]
-B; ⴥ.𑄳㊸; [V5]; [V5]
-B; 𝟎\u0663。Ⴒᡇ\u08F2𐹠; [P1 V6 B1 B5 B6]; [P1 V6 B1 B5 B6] # 0٣.Ⴒᡇࣲ𐹠
-B; 0\u0663。Ⴒᡇ\u08F2𐹠; [P1 V6 B1 B5 B6]; [P1 V6 B1 B5 B6] # 0٣.Ⴒᡇࣲ𐹠
-B; 0\u0663。ⴒᡇ\u08F2𐹠; [B1 B5 B6]; [B1 B5 B6] # 0٣.ⴒᡇࣲ𐹠
-B; 𝟎\u0663。ⴒᡇ\u08F2𐹠; [B1 B5 B6]; [B1 B5 B6] # 0٣.ⴒᡇࣲ𐹠
-B; 󠄉\uFFA0\u0FB7.\uA953; [P1 V6]; [P1 V6] # ྷ.꥓
-B; 󠄉\u1160\u0FB7.\uA953; [P1 V6]; [P1 V6] # ྷ.꥓
-T; \u0618.۳\u200C\uA953; [V5 C1]; [V5] # ؘ.۳꥓
-N; \u0618.۳\u200C\uA953; [V5 C1]; [V5 C1] # ؘ.۳꥓
-B; ᡌ.︒ᢑ; [P1 V6]; [P1 V6]
-B; ᡌ.。ᢑ; [A4_2]; [A4_2]
-B; 𑋪\u1073。; [P1 V5 V6]; [P1 V5 V6] # 𑋪ၳ.
-B; 𑋪\u1073。; [P1 V5 V6]; [P1 V5 V6] # 𑋪ၳ.
-B; 。ᠢ; [P1 V6]; [P1 V6]
-T; 𑄳㴼.\u200C𐹡\u20EB; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑄳㴼.𐹡⃫
-N; 𑄳㴼.\u200C𐹡\u20EB; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑄳㴼.𐹡⃫
-T; 𑄳㴼.\u200C𐹡\u20EB; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑄳㴼.𐹡⃫
-N; 𑄳㴼.\u200C𐹡\u20EB; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑄳㴼.𐹡⃫
-B; 𐹳𑈯。\u031D; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # 𐹳𑈯.̝
-B; 𐹳𑈯。\u031D; [P1 V6 V5 B5 B6]; [P1 V6 V5 B5 B6] # 𐹳𑈯.̝
-B; ᢊ뾜𑚶。\u089D𐹥; [P1 V6]; [P1 V6] # ᢊ뾜𑚶.𐹥
-B; ᢊ뾜𑚶。\u089D𐹥; [P1 V6]; [P1 V6] # ᢊ뾜𑚶.𐹥
-T; 𐹥≠。𐋲\u200C; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹥≠.𐋲
-N; 𐹥≠。𐋲\u200C; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹥≠.𐋲
-T; 𐹥=\u0338。𐋲\u200C; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹥≠.𐋲
-N; 𐹥=\u0338。𐋲\u200C; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹥≠.𐋲
-T; 𐹥≠。𐋲\u200C; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹥≠.𐋲
-N; 𐹥≠。𐋲\u200C; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹥≠.𐋲
-T; 𐹥=\u0338。𐋲\u200C; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹥≠.𐋲
-N; 𐹥=\u0338。𐋲\u200C; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹥≠.𐋲
-T; \u115F\u094D.\u200D\uA953; [P1 V6 B1 C2]; [P1 V6 V5 B5 B6] # ्.꥓
-N; \u115F\u094D.\u200D\uA953; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ्.꥓
-T; \u115F\u094D.\u200D\uA953; [P1 V6 B1 C2]; [P1 V6 V5 B5 B6] # ्.꥓
-N; \u115F\u094D.\u200D\uA953; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ्.꥓
-B; 󠆎󠆗𑲕。≮; [P1 V6]; [P1 V6]
-B; 󠆎󠆗𑲕。<\u0338; [P1 V6]; [P1 V6]
-B; 󠆦.\u08E3暀≠; [P1 V5 V6]; [P1 V5 V6] # ࣣ暀≠
-B; 󠆦.\u08E3暀=\u0338; [P1 V5 V6]; [P1 V5 V6] # ࣣ暀≠
-B; 𐡤\uABED。\uFD30\u1DF0; [P1 V6 B2 B3]; [P1 V6 B2 B3] # 𐡤꯭.شمᷰ
-B; 𐡤\uABED。\u0634\u0645\u1DF0; [P1 V6 B2 B3]; [P1 V6 B2 B3] # 𐡤꯭.شمᷰ
-T; 𝉃\u200D⒈。Ⴌ; [P1 V5 V6 C2 B5 B6]; [P1 V5 V6 B5 B6] # 𝉃⒈.Ⴌ
-N; 𝉃\u200D⒈。Ⴌ; [P1 V5 V6 C2 B5 B6]; [P1 V5 V6 C2 B5 B6] # 𝉃⒈.Ⴌ
-T; 𝉃\u200D1.。Ⴌ; [P1 V5 V6 C2 A4_2 B5 B6]; [P1 V5 V6 A4_2 B5 B6] # 𝉃1..Ⴌ
-N; 𝉃\u200D1.。Ⴌ; [P1 V5 V6 C2 A4_2 B5 B6]; [P1 V5 V6 C2 A4_2 B5 B6] # 𝉃1..Ⴌ
-T; 𝉃\u200D1.。ⴌ; [P1 V5 V6 C2 A4_2 B5 B6]; [P1 V5 V6 A4_2 B5 B6] # 𝉃1..ⴌ
-N; 𝉃\u200D1.。ⴌ; [P1 V5 V6 C2 A4_2 B5 B6]; [P1 V5 V6 C2 A4_2 B5 B6] # 𝉃1..ⴌ
-T; 𝉃\u200D⒈。ⴌ; [P1 V5 V6 C2 B5 B6]; [P1 V5 V6 B5 B6] # 𝉃⒈.ⴌ
-N; 𝉃\u200D⒈。ⴌ; [P1 V5 V6 C2 B5 B6]; [P1 V5 V6 C2 B5 B6] # 𝉃⒈.ⴌ
-B; \u0A4D𱫘𞤸.ς; [P1 V6 B1]; [P1 V6 B1] # ੍𞤸.ς
-B; \u0A4D𱫘𞤸.Σ; [P1 V6 B1]; [P1 V6 B1] # ੍𞤸.σ
-B; \u0A4D𱫘𞤸.σ; [P1 V6 B1]; [P1 V6 B1] # ੍𞤸.σ
-T; \u07D3。\u200C𐫀; [P1 V6 B1 C1]; [P1 V6 B2 B3] # ߓ.𐫀
-N; \u07D3。\u200C𐫀; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ߓ.𐫀
-B; \u1C2E𞀝.\u05A6ꡟ𞤕󠆖; [V5 B1]; [V5 B1] # ᰮ𞀝.֦ꡟ𞤷
-T; 䂹𐋦.\u200D; [P1 V6 C2]; [P1 V6] # 䂹𐋦.
-N; 䂹𐋦.\u200D; [P1 V6 C2]; [P1 V6 C2] # 䂹𐋦.
-T; 䂹𐋦.\u200D; [P1 V6 C2]; [P1 V6] # 䂹𐋦.
-N; 䂹𐋦.\u200D; [P1 V6 C2]; [P1 V6 C2] # 䂹𐋦.
-T; \uA9C0\u200C𐹲\u200C。\u0767🄉; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6] # ꧀𐹲.ݧ🄉
-N; \uA9C0\u200C𐹲\u200C。\u0767🄉; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6 C1] # ꧀𐹲.ݧ🄉
-T; \uA9C0\u200C𐹲\u200C。\u07678,; [P1 V5 V6 B5 B6 C1 B3]; [P1 V5 V6 B5 B6 B3] # ꧀𐹲.ݧ8,
-N; \uA9C0\u200C𐹲\u200C。\u07678,; [P1 V5 V6 B5 B6 C1 B3]; [P1 V5 V6 B5 B6 C1 B3] # ꧀𐹲.ݧ8,
-B; ︒。Ⴃ≯; [P1 V6]; [P1 V6]
-B; ︒。Ⴃ>\u0338; [P1 V6]; [P1 V6]
-B; 。。Ⴃ≯; [P1 V6]; [P1 V6]
-B; 。。Ⴃ>\u0338; [P1 V6]; [P1 V6]
-B; 。。ⴃ>\u0338; [P1 V6]; [P1 V6]
-B; 。。ⴃ≯; [P1 V6]; [P1 V6]
-B; ︒。ⴃ>\u0338; [P1 V6]; [P1 V6]
-B; ︒。ⴃ≯; [P1 V6]; [P1 V6]
-T; 𐹮。\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹮.
-N; 𐹮。\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹮.
-T; 𐹮。\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹮.
-N; 𐹮。\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹮.
-T; Ⴞ𐹨。︒\u077D\u200DႯ; [P1 V6 B5 B6 B1 C2]; [P1 V6 B5 B6 B1] # Ⴞ𐹨.︒ݽႯ
-N; Ⴞ𐹨。︒\u077D\u200DႯ; [P1 V6 B5 B6 B1 C2]; [P1 V6 B5 B6 B1 C2] # Ⴞ𐹨.︒ݽႯ
-T; Ⴞ𐹨。。\u077D\u200DႯ; [P1 V6 B5 B6 A4_2 B2 B3 C2]; [P1 V6 B5 B6 A4_2 B2 B3] # Ⴞ𐹨..ݽႯ
-N; Ⴞ𐹨。。\u077D\u200DႯ; [P1 V6 B5 B6 A4_2 B2 B3 C2]; [P1 V6 B5 B6 A4_2 B2 B3 C2] # Ⴞ𐹨..ݽႯ
-T; ⴞ𐹨。。\u077D\u200Dⴏ; [B5 B6 A4_2 B2 B3 C2]; [B5 B6 A4_2 B2 B3] # ⴞ𐹨..ݽⴏ
-N; ⴞ𐹨。。\u077D\u200Dⴏ; [B5 B6 A4_2 B2 B3 C2]; [B5 B6 A4_2 B2 B3 C2] # ⴞ𐹨..ݽⴏ
-T; ⴞ𐹨。︒\u077D\u200Dⴏ; [P1 V6 B5 B6 B1 C2]; [P1 V6 B5 B6 B1] # ⴞ𐹨.︒ݽⴏ
-N; ⴞ𐹨。︒\u077D\u200Dⴏ; [P1 V6 B5 B6 B1 C2]; [P1 V6 B5 B6 B1 C2] # ⴞ𐹨.︒ݽⴏ
-T; \u200CႦ𝟹。-\u20D2-\u07D1; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # Ⴆ3.-⃒-ߑ
-N; \u200CႦ𝟹。-\u20D2-\u07D1; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # Ⴆ3.-⃒-ߑ
-T; \u200CႦ3。-\u20D2-\u07D1; [P1 V6 V3 C1 B1]; [P1 V6 V3 B1] # Ⴆ3.-⃒-ߑ
-N; \u200CႦ3。-\u20D2-\u07D1; [P1 V6 V3 C1 B1]; [P1 V6 V3 C1 B1] # Ⴆ3.-⃒-ߑ
-T; \u200Cⴆ3。-\u20D2-\u07D1; [V3 C1 B1]; [V3 B1] # ⴆ3.-⃒-ߑ
-N; \u200Cⴆ3。-\u20D2-\u07D1; [V3 C1 B1]; [V3 C1 B1] # ⴆ3.-⃒-ߑ
-T; \u200Cⴆ𝟹。-\u20D2-\u07D1; [V3 C1 B1]; [V3 B1] # ⴆ3.-⃒-ߑ
-N; \u200Cⴆ𝟹。-\u20D2-\u07D1; [V3 C1 B1]; [V3 C1 B1] # ⴆ3.-⃒-ߑ
-B; 箃Ⴡ-。≠-🤖; [P1 V6]; [P1 V6]
-B; 箃Ⴡ-。=\u0338-🤖; [P1 V6]; [P1 V6]
-B; 箃Ⴡ-。≠-🤖; [P1 V6]; [P1 V6]
-B; 箃Ⴡ-。=\u0338-🤖; [P1 V6]; [P1 V6]
-B; 箃ⴡ-。=\u0338-🤖; [P1 V6]; [P1 V6]
-B; 箃ⴡ-。≠-🤖; [P1 V6]; [P1 V6]
-B; 箃ⴡ-。=\u0338-🤖; [P1 V6]; [P1 V6]
-B; 箃ⴡ-。≠-🤖; [P1 V6]; [P1 V6]
-B; \u07E5.\u06B5; ; xn--dtb.xn--okb # ߥ.ڵ
-B; xn--dtb.xn--okb; \u07E5.\u06B5; xn--dtb.xn--okb # ߥ.ڵ
-T; \u200C\u200D.𞤿; [C1 C2]; xn--3e6h # .𞤿
-N; \u200C\u200D.𞤿; [C1 C2]; [C1 C2] # .𞤿
-B; xn--3e6h; 𞤿; xn--3e6h
-B; 𞤿; ; xn--3e6h
-B; 🜑𐹧\u0639.ς𑍍蜹; [B1]; [B1] # 🜑𐹧ع.ς𑍍蜹
-B; 🜑𐹧\u0639.Σ𑍍蜹; [B1]; [B1] # 🜑𐹧ع.σ𑍍蜹
-B; 🜑𐹧\u0639.σ𑍍蜹; [B1]; [B1] # 🜑𐹧ع.σ𑍍蜹
-B; ス\u0669.; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ス٩.
-B; ス\u0669.; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ス٩.
-B; 𝪣.\u059A\uD850\u06C2; [P1 V5 V6 B1]; [P1 V5 V6 B1 A3] # 𝪣.֚ۂ
-B; 𝪣.\u059A\uD850\u06C1\u0654; [P1 V5 V6 B1]; [P1 V5 V6 B1 A3] # 𝪣.֚ۂ
-B; 𝪣.\u059A\uD850\u06C2; [P1 V5 V6 B1]; [P1 V5 V6 B1 A3] # 𝪣.֚ۂ
-B; 𝪣.\u059A\uD850\u06C1\u0654; [P1 V5 V6 B1]; [P1 V5 V6 B1 A3] # 𝪣.֚ۂ
-T; \u0660\u200C。\u0757; [P1 V6 B1 C1]; [P1 V6 B1] # ٠.ݗ
-N; \u0660\u200C。\u0757; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ٠.ݗ
-T; \u103A\u200D\u200C。-\u200C; [V5 V3 C1]; [V5 V3] # ်.-
-N; \u103A\u200D\u200C。-\u200C; [V5 V3 C1]; [V5 V3 C1] # ်.-
-B; ︒。\u1B44ᡉ; [P1 V6 V5]; [P1 V6 V5] # ︒.᭄ᡉ
-B; 。。\u1B44ᡉ; [V5]; [V5] # ᭄ᡉ
-B; \u0758ß。ጫᢊ\u0768𝟐; [B2 B3 B5]; [B2 B3 B5] # ݘß.ጫᢊݨ2
-B; \u0758ß。ጫᢊ\u07682; [B2 B3 B5]; [B2 B3 B5] # ݘß.ጫᢊݨ2
-B; \u0758SS。ጫᢊ\u07682; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
-B; \u0758ss。ጫᢊ\u07682; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
-B; \u0758Ss。ጫᢊ\u07682; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
-B; \u0758SS。ጫᢊ\u0768𝟐; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
-B; \u0758ss。ጫᢊ\u0768𝟐; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
-B; \u0758Ss。ጫᢊ\u0768𝟐; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
-B; \u07C3ᚲ.\u0902\u0353𝟚\u09CD; [P1 V6 V5 B2 B3]; [P1 V6 V5 B2 B3] # ߃ᚲ.ं͓2্
-B; \u07C3ᚲ.\u0902\u03532\u09CD; [P1 V6 V5 B2 B3]; [P1 V6 V5 B2 B3] # ߃ᚲ.ं͓2্
-T; -\u1BAB︒\u200D.; [P1 V3 V6 C2]; [P1 V3 V6] # -᮫︒.
-N; -\u1BAB︒\u200D.; [P1 V3 V6 C2]; [P1 V3 V6 C2] # -᮫︒.
-T; -\u1BAB。\u200D.; [P1 V3 V6 C2]; [P1 V3 V6 A4_2] # -᮫..
-N; -\u1BAB。\u200D.; [P1 V3 V6 C2]; [P1 V3 V6 C2] # -᮫..
-B; .≯𞀆; [P1 V6]; [P1 V6]
-B; .>\u0338𞀆; [P1 V6]; [P1 V6]
-B; -𑄳𐹩。; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-B; \u06B9.ᡳ\u115F; [P1 V6]; [P1 V6] # ڹ.ᡳ
-B; \u06B9.ᡳ\u115F; [P1 V6]; [P1 V6] # ڹ.ᡳ
-B; 㨛𘱎.︒𝟕\u0D01; [P1 V6]; [P1 V6] # 㨛.︒7ഁ
-B; 㨛𘱎.。7\u0D01; [P1 V6 A4_2]; [P1 V6 A4_2] # 㨛..7ഁ
-B; \u06DD-。\u2064𞤣≮; [P1 V3 V6 B1 B3]; [P1 V3 V6 B1 B3] # -.𞤣≮
-B; \u06DD-。\u2064𞤣<\u0338; [P1 V3 V6 B1 B3]; [P1 V3 V6 B1 B3] # -.𞤣≮
-B; \u06DD-。\u2064𞤣≮; [P1 V3 V6 B1 B3]; [P1 V3 V6 B1 B3] # -.𞤣≮
-B; \u06DD-。\u2064𞤣<\u0338; [P1 V3 V6 B1 B3]; [P1 V3 V6 B1 B3] # -.𞤣≮
-T; ß\u200C\uAAF6ᢥ.⊶ჁႶ; [P1 V6 C1]; [P1 V6] # ß꫶ᢥ.⊶ჁႶ
-N; ß\u200C\uAAF6ᢥ.⊶ჁႶ; [P1 V6 C1]; [P1 V6 C1] # ß꫶ᢥ.⊶ჁႶ
-T; ß\u200C\uAAF6ᢥ.⊶ჁႶ; [P1 V6 C1]; [P1 V6] # ß꫶ᢥ.⊶ჁႶ
-N; ß\u200C\uAAF6ᢥ.⊶ჁႶ; [P1 V6 C1]; [P1 V6 C1] # ß꫶ᢥ.⊶ჁႶ
-T; ß\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; xn--ss-4epx629f.xn--ifh802b6a # ß꫶ᢥ.⊶ⴡⴖ
-N; ß\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; [C1] # ß꫶ᢥ.⊶ⴡⴖ
-T; SS\u200C\uAAF6ᢥ.⊶ჁႶ; [P1 V6 C1]; [P1 V6] # ss꫶ᢥ.⊶ჁႶ
-N; SS\u200C\uAAF6ᢥ.⊶ჁႶ; [P1 V6 C1]; [P1 V6 C1] # ss꫶ᢥ.⊶ჁႶ
-T; ss\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; xn--ss-4epx629f.xn--ifh802b6a # ss꫶ᢥ.⊶ⴡⴖ
-N; ss\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; [C1] # ss꫶ᢥ.⊶ⴡⴖ
-T; Ss\u200C\uAAF6ᢥ.⊶Ⴡⴖ; [P1 V6 C1]; [P1 V6] # ss꫶ᢥ.⊶Ⴡⴖ
-N; Ss\u200C\uAAF6ᢥ.⊶Ⴡⴖ; [P1 V6 C1]; [P1 V6 C1] # ss꫶ᢥ.⊶Ⴡⴖ
-B; xn--ss-4epx629f.xn--ifh802b6a; ss\uAAF6ᢥ.⊶ⴡⴖ; xn--ss-4epx629f.xn--ifh802b6a; NV8 # ss꫶ᢥ.⊶ⴡⴖ
-B; ss\uAAF6ᢥ.⊶ⴡⴖ; ; xn--ss-4epx629f.xn--ifh802b6a; NV8 # ss꫶ᢥ.⊶ⴡⴖ
-B; SS\uAAF6ᢥ.⊶ჁႶ; [P1 V6]; [P1 V6] # ss꫶ᢥ.⊶ჁႶ
-B; Ss\uAAF6ᢥ.⊶Ⴡⴖ; [P1 V6]; [P1 V6] # ss꫶ᢥ.⊶Ⴡⴖ
-T; ß\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; xn--ss-4epx629f.xn--ifh802b6a # ß꫶ᢥ.⊶ⴡⴖ
-N; ß\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; [C1] # ß꫶ᢥ.⊶ⴡⴖ
-T; SS\u200C\uAAF6ᢥ.⊶ჁႶ; [P1 V6 C1]; [P1 V6] # ss꫶ᢥ.⊶ჁႶ
-N; SS\u200C\uAAF6ᢥ.⊶ჁႶ; [P1 V6 C1]; [P1 V6 C1] # ss꫶ᢥ.⊶ჁႶ
-T; ss\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; xn--ss-4epx629f.xn--ifh802b6a # ss꫶ᢥ.⊶ⴡⴖ
-N; ss\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; [C1] # ss꫶ᢥ.⊶ⴡⴖ
-T; Ss\u200C\uAAF6ᢥ.⊶Ⴡⴖ; [P1 V6 C1]; [P1 V6] # ss꫶ᢥ.⊶Ⴡⴖ
-N; Ss\u200C\uAAF6ᢥ.⊶Ⴡⴖ; [P1 V6 C1]; [P1 V6 C1] # ss꫶ᢥ.⊶Ⴡⴖ
-T; \u200D。ς; [P1 V6 C2]; [P1 V6] # .ς
-N; \u200D。ς; [P1 V6 C2]; [P1 V6 C2] # .ς
-T; \u200D。Σ; [P1 V6 C2]; [P1 V6] # .σ
-N; \u200D。Σ; [P1 V6 C2]; [P1 V6 C2] # .σ
-T; \u200D。σ; [P1 V6 C2]; [P1 V6] # .σ
-N; \u200D。σ; [P1 V6 C2]; [P1 V6 C2] # .σ
-T; ß.\u0751\u200D𞤛-; [P1 V6 V3 B2 B3 C2]; [P1 V6 V3 B2 B3] # ß.ݑ𞤽-
-N; ß.\u0751\u200D𞤛-; [P1 V6 V3 B2 B3 C2]; [P1 V6 V3 B2 B3 C2] # ß.ݑ𞤽-
-T; SS.\u0751\u200D𞤛-; [P1 V6 V3 B2 B3 C2]; [P1 V6 V3 B2 B3] # ss.ݑ𞤽-
-N; SS.\u0751\u200D𞤛-; [P1 V6 V3 B2 B3 C2]; [P1 V6 V3 B2 B3 C2] # ss.ݑ𞤽-
-T; ss.\u0751\u200D𞤛-; [P1 V6 V3 B2 B3 C2]; [P1 V6 V3 B2 B3] # ss.ݑ𞤽-
-N; ss.\u0751\u200D𞤛-; [P1 V6 V3 B2 B3 C2]; [P1 V6 V3 B2 B3 C2] # ss.ݑ𞤽-
-T; Ss.\u0751\u200D𞤛-; [P1 V6 V3 B2 B3 C2]; [P1 V6 V3 B2 B3] # ss.ݑ𞤽-
-N; Ss.\u0751\u200D𞤛-; [P1 V6 V3 B2 B3 C2]; [P1 V6 V3 B2 B3 C2] # ss.ݑ𞤽-
-T; 𑘽\u200D𞤧.𐹧-; [P1 V5 V3 V6 B1 C2]; [P1 V5 V3 V6 B1] # 𑘽𞤧.𐹧-
-N; 𑘽\u200D𞤧.𐹧-; [P1 V5 V3 V6 B1 C2]; [P1 V5 V3 V6 B1 C2] # 𑘽𞤧.𐹧-
-T; 𑘽\u200D𞤧.𐹧-; [P1 V5 V3 V6 B1 C2]; [P1 V5 V3 V6 B1] # 𑘽𞤧.𐹧-
-N; 𑘽\u200D𞤧.𐹧-; [P1 V5 V3 V6 B1 C2]; [P1 V5 V3 V6 B1 C2] # 𑘽𞤧.𐹧-
-B; ⒒𑓀.-; [P1 V6 V3]; [P1 V6 V3]
-B; 11.𑓀.-; [P1 V6 V3]; [P1 V6 V3]
-T; -。\u200D; [V3 C2]; [V3] # -.
-N; -。\u200D; [V3 C2]; [V3 C2] # -.
-T; -。\u200D; [V3 C2]; [V3] # -.
-N; -。\u200D; [V3 C2]; [V3 C2] # -.
-B; ≮ᡬ.ς¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
-B; <\u0338ᡬ.ς¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
-B; ≮ᡬ.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
-B; <\u0338ᡬ.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
-B; <\u0338ᡬ.Σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
-B; ≮ᡬ.Σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
-B; ≮ᡬ.σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
-B; <\u0338ᡬ.σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
-B; <\u0338ᡬ.Σ¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
-B; ≮ᡬ.Σ¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
-B; ≮ᡬ.σ¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
-B; <\u0338ᡬ.σ¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
-B; ቬ。𐨬𝟠; [P1 V6]; [P1 V6]
-B; ቬ。𐨬8; [P1 V6]; [P1 V6]
-B; 。蔫\u0766; [P1 V6 B5 B6]; [P1 V6 B5 B6] # .蔫ݦ
-B; ₃。ꡚ𛇑󠄳\u0647; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 3.ꡚه
-B; 3。ꡚ𛇑󠄳\u0647; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 3.ꡚه
-B; 蓸\u0642≠.ß; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 蓸ق≠.ß
-B; 蓸\u0642=\u0338.ß; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 蓸ق≠.ß
-B; 蓸\u0642=\u0338.SS; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 蓸ق≠.ss
-B; 蓸\u0642≠.SS; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 蓸ق≠.ss
-T; \u084E\u067A\u0DD3⒊.𐹹\u200C; [P1 V6 B1 C1]; [P1 V6 B1] # ࡎٺී⒊.𐹹
-N; \u084E\u067A\u0DD3⒊.𐹹\u200C; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ࡎٺී⒊.𐹹
-T; \u084E\u067A\u0DD33..𐹹\u200C; [P1 V6 A4_2 B1 C1]; [P1 V6 A4_2 B1] # ࡎٺී3..𐹹
-N; \u084E\u067A\u0DD33..𐹹\u200C; [P1 V6 A4_2 B1 C1]; [P1 V6 A4_2 B1 C1] # ࡎٺී3..𐹹
-T; ς\u200D-.Ⴣ𦟙; [P1 V3 V6 C2]; [P1 V3 V6] # ς-.Ⴣ𦟙
-N; ς\u200D-.Ⴣ𦟙; [P1 V3 V6 C2]; [P1 V3 V6 C2] # ς-.Ⴣ𦟙
-T; ς\u200D-.ⴣ𦟙; [V3 C2]; [V3] # ς-.ⴣ𦟙
-N; ς\u200D-.ⴣ𦟙; [V3 C2]; [V3 C2] # ς-.ⴣ𦟙
-T; Σ\u200D-.Ⴣ𦟙; [P1 V3 V6 C2]; [P1 V3 V6] # σ-.Ⴣ𦟙
-N; Σ\u200D-.Ⴣ𦟙; [P1 V3 V6 C2]; [P1 V3 V6 C2] # σ-.Ⴣ𦟙
-T; σ\u200D-.ⴣ𦟙; [V3 C2]; [V3] # σ-.ⴣ𦟙
-N; σ\u200D-.ⴣ𦟙; [V3 C2]; [V3 C2] # σ-.ⴣ𦟙
-B; ≠。🞳𝟲; [P1 V6]; [P1 V6]
-B; =\u0338。🞳𝟲; [P1 V6]; [P1 V6]
-B; ≠。🞳6; [P1 V6]; [P1 V6]
-B; =\u0338。🞳6; [P1 V6]; [P1 V6]
-B; .蠔; [P1 V6]; [P1 V6]
-T; \u08E6\u200D.뼽; [V5 C2]; [V5] # ࣦ.뼽
-N; \u08E6\u200D.뼽; [V5 C2]; [V5 C2] # ࣦ.뼽
-T; \u08E6\u200D.뼽; [V5 C2]; [V5] # ࣦ.뼽
-N; \u08E6\u200D.뼽; [V5 C2]; [V5 C2] # ࣦ.뼽
-T; \u08E6\u200D.뼽; [V5 C2]; [V5] # ࣦ.뼽
-N; \u08E6\u200D.뼽; [V5 C2]; [V5 C2] # ࣦ.뼽
-T; \u08E6\u200D.뼽; [V5 C2]; [V5] # ࣦ.뼽
-N; \u08E6\u200D.뼽; [V5 C2]; [V5 C2] # ࣦ.뼽
-B; ₇\u0BCD\u06D2。👖\u0675-; [P1 V6 B1]; [P1 V6 B1] # 7்ے.👖اٴ-
-B; 7\u0BCD\u06D2。👖\u0627\u0674-; [P1 V6 B1]; [P1 V6 B1] # 7்ے.👖اٴ-
-B; -。\u077B; [V3]; [V3] # -.ݻ
-B; -。\u077B; [V3]; [V3] # -.ݻ
-B; 𑇌。-⒈ꡏ\u072B; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # 𑇌.-⒈ꡏܫ
-B; 𑇌。-1.ꡏ\u072B; [P1 V5 V6 V3 B5 B6]; [P1 V5 V6 V3 B5 B6] # 𑇌.-1.ꡏܫ
-B; 璛\u1734\u06AF.-; [V3 B5 B6]; [V3 B5 B6] # 璛᜴گ.-
-B; 󠆰\u08A1\u0A4D샕.𐹲휁; [B2 B3 B1]; [B2 B3 B1] # ࢡ੍샕.𐹲휁
-B; 󠆰\u08A1\u0A4D샕.𐹲휁; [B2 B3 B1]; [B2 B3 B1] # ࢡ੍샕.𐹲휁
-B; 󠆰\u08A1\u0A4D샕.𐹲휁; [B2 B3 B1]; [B2 B3 B1] # ࢡ੍샕.𐹲휁
-B; 󠆰\u08A1\u0A4D샕.𐹲휁; [B2 B3 B1]; [B2 B3 B1] # ࢡ੍샕.𐹲휁
-B; .; [P1 V6]; [P1 V6]
-B; .; [P1 V6]; [P1 V6]
-B; \u067D𞥕。𑑂𞤶Ⴍ-; [P1 V3 V5 V6 B1]; [P1 V3 V5 V6 B1] # ٽ𞥕.𑑂𞤶Ⴍ-
-B; \u067D𞥕。𑑂𞤶Ⴍ-; [P1 V3 V5 V6 B1]; [P1 V3 V5 V6 B1] # ٽ𞥕.𑑂𞤶Ⴍ-
-B; \u067D𞥕。𑑂𞤶ⴍ-; [V3 V5 B1]; [V3 V5 B1] # ٽ𞥕.𑑂𞤶ⴍ-
-B; \u067D𞥕。𑑂𞤶ⴍ-; [V3 V5 B1]; [V3 V5 B1] # ٽ𞥕.𑑂𞤶ⴍ-
-B; 。₄Ⴋ; [P1 V6]; [P1 V6]
-B; 。4Ⴋ; [P1 V6]; [P1 V6]
-B; 。4ⴋ; [P1 V6]; [P1 V6]
-B; 。₄ⴋ; [P1 V6]; [P1 V6]
-B; 4\u06BD︒.≠; [P1 V6 B1]; [P1 V6 B1] # 4ڽ︒.≠
-B; 4\u06BD︒.=\u0338; [P1 V6 B1]; [P1 V6 B1] # 4ڽ︒.≠
-B; 4\u06BD。.≠; [P1 V6 B1]; [P1 V6 B1] # 4ڽ..≠
-B; 4\u06BD。.=\u0338; [P1 V6 B1]; [P1 V6 B1] # 4ڽ..≠
-B; 𝟓。\u06D7; [V5]; [V5] # 5.ۗ
-B; 5。\u06D7; [V5]; [V5] # 5.ۗ
-T; \u200C.⾕; [P1 V6 C1]; [P1 V6] # .谷
-N; \u200C.⾕; [P1 V6 C1]; [P1 V6 C1] # .谷
-T; \u200C.谷; [P1 V6 C1]; [P1 V6] # .谷
-N; \u200C.谷; [P1 V6 C1]; [P1 V6 C1] # .谷
-T; ︒\u200D.-\u073C\u200C; [P1 V6 V3 C2 C1]; [P1 V6 V3] # ︒.-ܼ
-N; ︒\u200D.-\u073C\u200C; [P1 V6 V3 C2 C1]; [P1 V6 V3 C2 C1] # ︒.-ܼ
-T; 。\u200D.-\u073C\u200C; [P1 V6 V3 C2 C1]; [P1 V6 V3] # .-ܼ
-N; 。\u200D.-\u073C\u200C; [P1 V6 V3 C2 C1]; [P1 V6 V3 C2 C1] # .-ܼ
-B; ≯𞤟。ᡨ; [P1 V6 B1]; [P1 V6 B1]
-B; >\u0338𞤟。ᡨ; [P1 V6 B1]; [P1 V6 B1]
-B; \u0F74𫫰𝨄。\u0713𐹦; [V5]; [V5] # ུ𫫰𝨄.ܓ𐹦
-B; \u033C\u07DB⁷𝟹。𝟬; [V5 B1]; [V5 B1] # ̼ߛ73.0
-B; \u033C\u07DB73。0; [V5 B1]; [V5 B1] # ̼ߛ73.0
-T; \u200D.𝟗; [C2]; 9 # .9
-N; \u200D.𝟗; [C2]; [C2] # .9
-T; \u200D.9; [C2]; 9 # .9
-N; \u200D.9; [C2]; [C2] # .9
-B; 9; ;
-B; \u0779ᡭ𪕈。\u06B6\u08D9; [B2 B3]; [B2 B3] # ݹᡭ𪕈.ڶࣙ
-B; \u07265\u07E2겙。\u1CF4; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # ܦ5ߢ겙.᳴
-B; \u07265\u07E2겙。\u1CF4; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # ܦ5ߢ겙.᳴
-B; \u07265\u07E2겙。\u1CF4; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # ܦ5ߢ겙.᳴
-B; \u07265\u07E2겙。\u1CF4; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # ܦ5ߢ겙.᳴
-T; Ⴍꡨ\u05AE。Ⴞ\u200C\u200C; [P1 V6 C1]; [P1 V6] # Ⴍꡨ֮.Ⴞ
-N; Ⴍꡨ\u05AE。Ⴞ\u200C\u200C; [P1 V6 C1]; [P1 V6 C1] # Ⴍꡨ֮.Ⴞ
-T; ⴍꡨ\u05AE。ⴞ\u200C\u200C; [P1 V6 C1]; [P1 V6] # ⴍꡨ֮.ⴞ
-N; ⴍꡨ\u05AE。ⴞ\u200C\u200C; [P1 V6 C1]; [P1 V6 C1] # ⴍꡨ֮.ⴞ
-B; 𐋰。; [P1 V6]; [P1 V6]
-B; \u17B4\u0B4D.𐹾; [P1 V6 B1]; [P1 V6 B1] # ୍.𐹾
-B; \u08DFႫ귤.𝟢휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟႫ귤.0휪ૣ
-B; \u08DFႫ귤.𝟢휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟႫ귤.0휪ૣ
-B; \u08DFႫ귤.0휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟႫ귤.0휪ૣ
-B; \u08DFႫ귤.0휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟႫ귤.0휪ૣ
-B; \u08DFⴋ귤.0휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟⴋ귤.0휪ૣ
-B; \u08DFⴋ귤.0휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟⴋ귤.0휪ૣ
-B; \u08DFⴋ귤.𝟢휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟⴋ귤.0휪ૣ
-B; \u08DFⴋ귤.𝟢휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟⴋ귤.0휪ૣ
-B; \u0784.𞡝\u0601; [P1 V6]; [P1 V6] # ބ.𞡝
-B; \u0784.𞡝\u0601; [P1 V6]; [P1 V6] # ބ.𞡝
-B; \u0ACD₃.8\uA8C4\u200D🃤; [V5]; [V5] # ્3.8꣄🃤
-B; \u0ACD3.8\uA8C4\u200D🃤; [V5]; [V5] # ્3.8꣄🃤
-B; ℻⩷𝆆。𞤠󠆁\u180C; fax⩷𝆆.𞥂; xn--fax-4c9a1676t.xn--6e6h; NV8
-B; FAX⩷𝆆。𞤠󠆁\u180C; fax⩷𝆆.𞥂; xn--fax-4c9a1676t.xn--6e6h; NV8
-B; fax⩷𝆆。𞤠󠆁\u180C; fax⩷𝆆.𞥂; xn--fax-4c9a1676t.xn--6e6h; NV8
-B; Fax⩷𝆆。𞤠󠆁\u180C; fax⩷𝆆.𞥂; xn--fax-4c9a1676t.xn--6e6h; NV8
-B; xn--fax-4c9a1676t.xn--6e6h; fax⩷𝆆.𞥂; xn--fax-4c9a1676t.xn--6e6h; NV8
-B; fax⩷𝆆.𞥂; ; xn--fax-4c9a1676t.xn--6e6h; NV8
-B; FAX⩷𝆆.𞥂; fax⩷𝆆.𞥂; xn--fax-4c9a1676t.xn--6e6h; NV8
-B; Fax⩷𝆆.𞥂; fax⩷𝆆.𞥂; xn--fax-4c9a1676t.xn--6e6h; NV8
-B; ꡕ≠\u105E。󠄫\uFFA0; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ꡕ≠ၞ.
-B; ꡕ=\u0338\u105E。󠄫\uFFA0; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ꡕ≠ၞ.
-B; ꡕ≠\u105E。󠄫\u1160; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ꡕ≠ၞ.
-B; ꡕ=\u0338\u105E。󠄫\u1160; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ꡕ≠ၞ.
-T; 鱊。\u200C; [C1]; xn--rt6a. # 鱊.
-N; 鱊。\u200C; [C1]; [C1] # 鱊.
-B; xn--rt6a.; 鱊.; xn--rt6a.
-B; 鱊.; ; xn--rt6a.
-B; 8𐹣.𑍨; [V5 B1]; [V5 B1]
-B; 8𐹣.𑍨; [V5 B1]; [V5 B1]
-B; ⏹𐧀.𐫯; [B1]; [B1]
-B; ⏹𐧀.𐫯; [B1]; [B1]
-T; 𞤺\u07CC4.\u200D; [C2]; xn--4-0bd15808a. # 𞤺ߌ4.
-N; 𞤺\u07CC4.\u200D; [C2]; [C2] # 𞤺ߌ4.
-T; 𞤺\u07CC4.\u200D; [C2]; xn--4-0bd15808a. # 𞤺ߌ4.
-N; 𞤺\u07CC4.\u200D; [C2]; [C2] # 𞤺ߌ4.
-B; xn--4-0bd15808a.; 𞤺\u07CC4.; xn--4-0bd15808a. # 𞤺ߌ4.
-B; 𞤺\u07CC4.; ; xn--4-0bd15808a. # 𞤺ߌ4.
-B; ⒗\u0981\u20EF-.\u08E2•; [P1 V3 V6 B1]; [P1 V3 V6 B1] # ⒗ঁ⃯-.•
-B; 16.\u0981\u20EF-.\u08E2•; [P1 V3 V5 V6 B1]; [P1 V3 V5 V6 B1] # 16.ঁ⃯-.•
-B; -。䏛; [V3]; [V3]
-B; -。䏛; [V3]; [V3]
-T; \u200C.\u200D; [P1 V6 C1 C2]; [P1 V6] # .
-N; \u200C.\u200D; [P1 V6 C1 C2]; [P1 V6 C1 C2] # .
-T; \u200C.\u200D; [P1 V6 C1 C2]; [P1 V6] # .
-N; \u200C.\u200D; [P1 V6 C1 C2]; [P1 V6 C1 C2] # .
-T; ⒈⓰。𐹠\u200DႵ; [P1 V6 B1 C2]; [P1 V6 B1] # ⒈⓰.𐹠Ⴕ
-N; ⒈⓰。𐹠\u200DႵ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ⒈⓰.𐹠Ⴕ
-T; 1.⓰。𐹠\u200DႵ; [P1 V6 B1 C2]; [P1 V6 B1] # 1.⓰.𐹠Ⴕ
-N; 1.⓰。𐹠\u200DႵ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 1.⓰.𐹠Ⴕ
-T; 1.⓰。𐹠\u200Dⴕ; [P1 V6 B1 C2]; [P1 V6 B1] # 1.⓰.𐹠ⴕ
-N; 1.⓰。𐹠\u200Dⴕ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 1.⓰.𐹠ⴕ
-T; ⒈⓰。𐹠\u200Dⴕ; [P1 V6 B1 C2]; [P1 V6 B1] # ⒈⓰.𐹠ⴕ
-N; ⒈⓰。𐹠\u200Dⴕ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ⒈⓰.𐹠ⴕ
-B; 𞠊ᠮ-ß。\u1CD0効\u0601; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # 𞠊ᠮ-ß.᳐効
-B; 𞠊ᠮ-ß。\u1CD0効\u0601; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # 𞠊ᠮ-ß.᳐効
-B; 𞠊ᠮ-SS。\u1CD0効\u0601; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # 𞠊ᠮ-ss.᳐効
-B; 𞠊ᠮ-ss。\u1CD0効\u0601; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # 𞠊ᠮ-ss.᳐効
-B; 𞠊ᠮ-Ss。\u1CD0効\u0601; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # 𞠊ᠮ-ss.᳐効
-B; 𞠊ᠮ-SS。\u1CD0効\u0601; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # 𞠊ᠮ-ss.᳐効
-B; 𞠊ᠮ-ss。\u1CD0効\u0601; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # 𞠊ᠮ-ss.᳐効
-B; 𞠊ᠮ-Ss。\u1CD0効\u0601; [P1 V5 V6 B2 B3 B1]; [P1 V5 V6 B2 B3 B1] # 𞠊ᠮ-ss.᳐効
-B; 𑇀.; [P1 V5 V6]; [P1 V5 V6]
-B; ␒3\uFB88。𝟘𐨿; [P1 V6 B1]; [P1 V6 B1] # ␒3ڈ.0𐨿
-B; ␒3\u0688。0𐨿; [P1 V6 B1]; [P1 V6 B1] # ␒3ڈ.0𐨿
-B; \u076B6\u0A81\u08A6。\u1DE3; [V5]; [V5] # ݫ6ઁࢦ.ᷣ
-B; \u076B6\u0A81\u08A6。\u1DE3; [V5]; [V5] # ݫ6ઁࢦ.ᷣ
-T; \u0605-Ⴂ。\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # -Ⴂ.
-N; \u0605-Ⴂ。\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # -Ⴂ.
-T; \u0605-ⴂ。\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # -ⴂ.
-N; \u0605-ⴂ。\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # -ⴂ.
-B; ⾆.ꡈ5≯ß; [P1 V6]; [P1 V6]
-B; ⾆.ꡈ5>\u0338ß; [P1 V6]; [P1 V6]
-B; 舌.ꡈ5≯ß; [P1 V6]; [P1 V6]
-B; 舌.ꡈ5>\u0338ß; [P1 V6]; [P1 V6]
-B; 舌.ꡈ5>\u0338SS; [P1 V6]; [P1 V6]
-B; 舌.ꡈ5≯SS; [P1 V6]; [P1 V6]
-B; 舌.ꡈ5≯ss; [P1 V6]; [P1 V6]
-B; 舌.ꡈ5>\u0338ss; [P1 V6]; [P1 V6]
-B; 舌.ꡈ5>\u0338Ss; [P1 V6]; [P1 V6]
-B; 舌.ꡈ5≯Ss; [P1 V6]; [P1 V6]
-B; ⾆.ꡈ5>\u0338SS; [P1 V6]; [P1 V6]
-B; ⾆.ꡈ5≯SS; [P1 V6]; [P1 V6]
-B; ⾆.ꡈ5≯ss; [P1 V6]; [P1 V6]
-B; ⾆.ꡈ5>\u0338ss; [P1 V6]; [P1 V6]
-B; ⾆.ꡈ5>\u0338Ss; [P1 V6]; [P1 V6]
-B; ⾆.ꡈ5≯Ss; [P1 V6]; [P1 V6]
-T; \u0ACD8\u200D.\u075C; [P1 V5 V6 C2 B5 B6]; [P1 V5 V6 B5 B6] # ્8.ݜ
-N; \u0ACD8\u200D.\u075C; [P1 V5 V6 C2 B5 B6]; [P1 V5 V6 C2 B5 B6] # ્8.ݜ
-T; \u0ACD8\u200D.\u075C; [P1 V5 V6 C2 B5 B6]; [P1 V5 V6 B5 B6] # ્8.ݜ
-N; \u0ACD8\u200D.\u075C; [P1 V5 V6 C2 B5 B6]; [P1 V5 V6 C2 B5 B6] # ્8.ݜ
-B; \u0A70≮.⁷\u06B6; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ੰ≮.7ڶ
-B; \u0A70<\u0338.⁷\u06B6; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ੰ≮.7ڶ
-B; \u0A70≮.7\u06B6; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ੰ≮.7ڶ
-B; \u0A70<\u0338.7\u06B6; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ੰ≮.7ڶ
-T; 𞤪.ς; ; xn--ie6h.xn--4xa
-N; 𞤪.ς; ; xn--ie6h.xn--3xa
-B; 𞤪.Σ; 𞤪.σ; xn--ie6h.xn--4xa
-B; 𞤪.σ; ; xn--ie6h.xn--4xa
-B; xn--ie6h.xn--4xa; 𞤪.σ; xn--ie6h.xn--4xa
-B; xn--ie6h.xn--3xa; 𞤪.ς; xn--ie6h.xn--3xa
-T; \u200CႺ。ς; [P1 V6 C1]; [P1 V6] # Ⴚ.ς
-N; \u200CႺ。ς; [P1 V6 C1]; [P1 V6 C1] # Ⴚ.ς
-T; \u200CႺ。ς; [P1 V6 C1]; [P1 V6] # Ⴚ.ς
-N; \u200CႺ。ς; [P1 V6 C1]; [P1 V6 C1] # Ⴚ.ς
-T; \u200Cⴚ。ς; [C1]; xn--ilj.xn--4xa # ⴚ.ς
-N; \u200Cⴚ。ς; [C1]; [C1] # ⴚ.ς
-T; \u200CႺ。Σ; [P1 V6 C1]; [P1 V6] # Ⴚ.σ
-N; \u200CႺ。Σ; [P1 V6 C1]; [P1 V6 C1] # Ⴚ.σ
-T; \u200Cⴚ。σ; [C1]; xn--ilj.xn--4xa # ⴚ.σ
-N; \u200Cⴚ。σ; [C1]; [C1] # ⴚ.σ
-B; xn--ilj.xn--4xa; ⴚ.σ; xn--ilj.xn--4xa
-B; ⴚ.σ; ; xn--ilj.xn--4xa
-B; Ⴚ.Σ; [P1 V6]; [P1 V6]
-T; ⴚ.ς; ; xn--ilj.xn--4xa
-N; ⴚ.ς; ; xn--ilj.xn--3xa
-B; Ⴚ.ς; [P1 V6]; [P1 V6]
-B; xn--ilj.xn--3xa; ⴚ.ς; xn--ilj.xn--3xa
-B; Ⴚ.σ; [P1 V6]; [P1 V6]
-T; \u200Cⴚ。ς; [C1]; xn--ilj.xn--4xa # ⴚ.ς
-N; \u200Cⴚ。ς; [C1]; [C1] # ⴚ.ς
-T; \u200CႺ。Σ; [P1 V6 C1]; [P1 V6] # Ⴚ.σ
-N; \u200CႺ。Σ; [P1 V6 C1]; [P1 V6 C1] # Ⴚ.σ
-T; \u200Cⴚ。σ; [C1]; xn--ilj.xn--4xa # ⴚ.σ
-N; \u200Cⴚ。σ; [C1]; [C1] # ⴚ.σ
-B; 𞤃.𐹦; [B1]; [B1]
-B; 𞤃.𐹦; [B1]; [B1]
-T; \u200D⾕。\u200C\u0310\uA953ꡎ; [C2 C1]; [V5] # 谷.꥓̐ꡎ
-N; \u200D⾕。\u200C\u0310\uA953ꡎ; [C2 C1]; [C2 C1] # 谷.꥓̐ꡎ
-T; \u200D⾕。\u200C\uA953\u0310ꡎ; [C2 C1]; [V5] # 谷.꥓̐ꡎ
-N; \u200D⾕。\u200C\uA953\u0310ꡎ; [C2 C1]; [C2 C1] # 谷.꥓̐ꡎ
-T; \u200D谷。\u200C\uA953\u0310ꡎ; [C2 C1]; [V5] # 谷.꥓̐ꡎ
-N; \u200D谷。\u200C\uA953\u0310ꡎ; [C2 C1]; [C2 C1] # 谷.꥓̐ꡎ
-T; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
-N; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
-T; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
-N; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
-T; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
-N; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
-T; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
-N; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
-B; 5ᦛς.\uA8C4\u077B\u1CD2\u0738; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 5ᦛς.꣄ݻܸ᳒
-B; 5ᦛς.\uA8C4\u077B\u0738\u1CD2; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 5ᦛς.꣄ݻܸ᳒
-B; 5ᦛς.\uA8C4\u077B\u0738\u1CD2; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 5ᦛς.꣄ݻܸ᳒
-B; 5ᦛΣ.\uA8C4\u077B\u0738\u1CD2; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 5ᦛσ.꣄ݻܸ᳒
-B; 5ᦛσ.\uA8C4\u077B\u0738\u1CD2; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 5ᦛσ.꣄ݻܸ᳒
-B; 5ᦛΣ.\uA8C4\u077B\u0738\u1CD2; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 5ᦛσ.꣄ݻܸ᳒
-B; 5ᦛσ.\uA8C4\u077B\u0738\u1CD2; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 5ᦛσ.꣄ݻܸ᳒
-B; 5ᦛΣ.\uA8C4\u077B\u1CD2\u0738; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 5ᦛσ.꣄ݻܸ᳒
-B; 5ᦛσ.\uA8C4\u077B\u1CD2\u0738; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 5ᦛσ.꣄ݻܸ᳒
-B; 淽。ᠾ; 淽.ᠾ; xn--34w.xn--x7e
-B; xn--34w.xn--x7e; 淽.ᠾ; xn--34w.xn--x7e
-B; 淽.ᠾ; ; xn--34w.xn--x7e
-B; 𐹴𑘷。-; [V3 B1]; [V3 B1]
-B; Ⴓ❓。𑄨; [P1 V6 V5]; [P1 V6 V5]
-B; Ⴓ❓。𑄨; [P1 V6 V5]; [P1 V6 V5]
-B; ⴓ❓。𑄨; [P1 V6 V5]; [P1 V6 V5]
-B; ⴓ❓。𑄨; [P1 V6 V5]; [P1 V6 V5]
-T; \u200C𐹡𞤌Ⴇ。ßႣ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹡𞤮Ⴇ.ßႣ
-N; \u200C𐹡𞤌Ⴇ。ßႣ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹡𞤮Ⴇ.ßႣ
-T; \u200C𐹡𞤌Ⴇ。ßႣ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹡𞤮Ⴇ.ßႣ
-N; \u200C𐹡𞤌Ⴇ。ßႣ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹡𞤮Ⴇ.ßႣ
-T; \u200C𐹡𞤌ⴇ。ßⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ßⴃ
-N; \u200C𐹡𞤌ⴇ。ßⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ßⴃ
-T; \u200C𐹡𞤌Ⴇ。SSႣ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹡𞤮Ⴇ.ssႣ
-N; \u200C𐹡𞤌Ⴇ。SSႣ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹡𞤮Ⴇ.ssႣ
-T; \u200C𐹡𞤌ⴇ。ssⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ssⴃ
-N; \u200C𐹡𞤌ⴇ。ssⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ssⴃ
-T; \u200C𐹡𞤌Ⴇ。Ssⴃ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹡𞤮Ⴇ.ssⴃ
-N; \u200C𐹡𞤌Ⴇ。Ssⴃ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹡𞤮Ⴇ.ssⴃ
-T; \u200C𐹡𞤌ⴇ。ßⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ßⴃ
-N; \u200C𐹡𞤌ⴇ。ßⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ßⴃ
-T; \u200C𐹡𞤌Ⴇ。SSႣ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹡𞤮Ⴇ.ssႣ
-N; \u200C𐹡𞤌Ⴇ。SSႣ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹡𞤮Ⴇ.ssႣ
-T; \u200C𐹡𞤌ⴇ。ssⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ssⴃ
-N; \u200C𐹡𞤌ⴇ。ssⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ssⴃ
-T; \u200C𐹡𞤌Ⴇ。Ssⴃ; [P1 V6 B1 C1]; [P1 V6 B1] # 𐹡𞤮Ⴇ.ssⴃ
-N; \u200C𐹡𞤌Ⴇ。Ssⴃ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹡𞤮Ⴇ.ssⴃ
-B; \u17FF。; [P1 V6]; [P1 V6] # .
-B; \u17FF。; [P1 V6]; [P1 V6] # .
-T; \u0652\u200D。\u0CCD𑚳; [V5 C2]; [V5] # ْ.್𑚳
-N; \u0652\u200D。\u0CCD𑚳; [V5 C2]; [V5 C2] # ْ.್𑚳
-T; \u0652\u200D。\u0CCD𑚳; [V5 C2]; [V5] # ْ.್𑚳
-N; \u0652\u200D。\u0CCD𑚳; [V5 C2]; [V5 C2] # ْ.್𑚳
-B; -≠ᠻ.\u076D𞥃≮; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # -≠ᠻ.ݭ𞥃≮
-B; -=\u0338ᠻ.\u076D𞥃<\u0338; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # -≠ᠻ.ݭ𞥃≮
-B; -≠ᠻ.\u076D𞥃≮; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # -≠ᠻ.ݭ𞥃≮
-B; -=\u0338ᠻ.\u076D𞥃<\u0338; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # -≠ᠻ.ݭ𞥃≮
-B; ≯\u07B5.≮𑁆\u084C; [P1 V6 B1 B5 B6]; [P1 V6 B1 B5 B6] # ≯.≮𑁆ࡌ
-B; >\u0338\u07B5.<\u0338𑁆\u084C; [P1 V6 B1 B5 B6]; [P1 V6 B1 B5 B6] # ≯.≮𑁆ࡌ
-B; ≯\u07B5.≮𑁆\u084C; [P1 V6 B1 B5 B6]; [P1 V6 B1 B5 B6] # ≯.≮𑁆ࡌ
-B; >\u0338\u07B5.<\u0338𑁆\u084C; [P1 V6 B1 B5 B6]; [P1 V6 B1 B5 B6] # ≯.≮𑁆ࡌ
-B; ≠.\u0600\u0BCD-\u06B9; [P1 V6 B1]; [P1 V6 B1] # ≠.்-ڹ
-B; =\u0338.\u0600\u0BCD-\u06B9; [P1 V6 B1]; [P1 V6 B1] # ≠.்-ڹ
-B; \u17DD≠。𐹼𐋤; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ៝≠.𐹼𐋤
-B; \u17DD=\u0338。𐹼𐋤; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ៝≠.𐹼𐋤
-B; \u17DD≠。𐹼𐋤; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ៝≠.𐹼𐋤
-B; \u17DD=\u0338。𐹼𐋤; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ៝≠.𐹼𐋤
-B; ß𰀻。𝩨🕮ß; [P1 V6 V5]; [P1 V6 V5]
-B; ß𰀻。𝩨🕮ß; [P1 V6 V5]; [P1 V6 V5]
-B; SS𰀻。𝩨🕮SS; [P1 V6 V5]; [P1 V6 V5]
-B; ss𰀻。𝩨🕮ss; [P1 V6 V5]; [P1 V6 V5]
-B; Ss𰀻。𝩨🕮Ss; [P1 V6 V5]; [P1 V6 V5]
-B; SS𰀻。𝩨🕮SS; [P1 V6 V5]; [P1 V6 V5]
-B; ss𰀻。𝩨🕮ss; [P1 V6 V5]; [P1 V6 V5]
-B; Ss𰀻。𝩨🕮Ss; [P1 V6 V5]; [P1 V6 V5]
-T; \u200D。\u200C; [C2 C1]; [A4_2] # .
-N; \u200D。\u200C; [C2 C1]; [C2 C1] # .
-T; \u0483𐭞\u200D.\u17B9; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # ҃𐭞.ឹ
-N; \u0483𐭞\u200D.\u17B9; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ҃𐭞.ឹ
-T; \u200C𐠨\u200C临。ꡢⶏ𐹣; [P1 V6 B1 C1 B5 B6]; [P1 V6 B2 B3 B5 B6] # 𐠨临.ꡢⶏ𐹣
-N; \u200C𐠨\u200C临。ꡢⶏ𐹣; [P1 V6 B1 C1 B5 B6]; [P1 V6 B1 C1 B5 B6] # 𐠨临.ꡢⶏ𐹣
-B; .󠄮; [P1 V6]; [P1 V6]
-B; .󠄮; [P1 V6]; [P1 V6]
-B; 𐫄\u0D4D.\uAAF6; [V5]; [V5] # 𐫄്.꫶
-B; 𐫄\u0D4D.\uAAF6; [V5]; [V5] # 𐫄്.꫶
-B; \uA9B7멹。⒛; [P1 V5 V6]; [P1 V5 V6] # ꦷ멹.⒛
-B; \uA9B7멹。⒛; [P1 V5 V6]; [P1 V5 V6] # ꦷ멹.⒛
-B; \uA9B7멹。20.; [P1 V5 V6]; [P1 V5 V6] # ꦷ멹.20.
-B; \uA9B7멹。20.; [P1 V5 V6]; [P1 V5 V6] # ꦷ멹.20.
-B; Ⴅ릖.\u0777𐹳⒊; [P1 V6 B4]; [P1 V6 B4] # Ⴅ릖.ݷ𐹳⒊
-B; Ⴅ릖.\u0777𐹳⒊; [P1 V6 B4]; [P1 V6 B4] # Ⴅ릖.ݷ𐹳⒊
-B; Ⴅ릖.\u0777𐹳3.; [P1 V6 B4]; [P1 V6 B4] # Ⴅ릖.ݷ𐹳3.
-B; Ⴅ릖.\u0777𐹳3.; [P1 V6 B4]; [P1 V6 B4] # Ⴅ릖.ݷ𐹳3.
-B; ⴅ릖.\u0777𐹳3.; [P1 V6 B4]; [P1 V6 B4] # ⴅ릖.ݷ𐹳3.
-B; ⴅ릖.\u0777𐹳3.; [P1 V6 B4]; [P1 V6 B4] # ⴅ릖.ݷ𐹳3.
-B; ⴅ릖.\u0777𐹳⒊; [P1 V6 B4]; [P1 V6 B4] # ⴅ릖.ݷ𐹳⒊
-B; ⴅ릖.\u0777𐹳⒊; [P1 V6 B4]; [P1 V6 B4] # ⴅ릖.ݷ𐹳⒊
-T; \u200C。︒; [P1 V6 C1]; [P1 V6] # .︒
-N; \u200C。︒; [P1 V6 C1]; [P1 V6 C1] # .︒
-T; \u200C。。; [C1 A4_2]; [A4_2] # ..
-N; \u200C。。; [C1 A4_2]; [C1 A4_2] # ..
-B; ≯\u076D.₄; [P1 V6 B1]; [P1 V6 B1] # ≯ݭ.4
-B; >\u0338\u076D.₄; [P1 V6 B1]; [P1 V6 B1] # ≯ݭ.4
-B; ≯\u076D.4; [P1 V6 B1]; [P1 V6 B1] # ≯ݭ.4
-B; >\u0338\u076D.4; [P1 V6 B1]; [P1 V6 B1] # ≯ݭ.4
-T; ᡲ-𝟹.ß-\u200C-; [V3 C1]; [V2 V3] # ᡲ-3.ß--
-N; ᡲ-𝟹.ß-\u200C-; [V3 C1]; [V3 C1] # ᡲ-3.ß--
-T; ᡲ-3.ß-\u200C-; [V3 C1]; [V2 V3] # ᡲ-3.ß--
-N; ᡲ-3.ß-\u200C-; [V3 C1]; [V3 C1] # ᡲ-3.ß--
-T; ᡲ-3.SS-\u200C-; [V3 C1]; [V2 V3] # ᡲ-3.ss--
-N; ᡲ-3.SS-\u200C-; [V3 C1]; [V3 C1] # ᡲ-3.ss--
-T; ᡲ-3.ss-\u200C-; [V3 C1]; [V2 V3] # ᡲ-3.ss--
-N; ᡲ-3.ss-\u200C-; [V3 C1]; [V3 C1] # ᡲ-3.ss--
-T; ᡲ-3.Ss-\u200C-; [V3 C1]; [V2 V3] # ᡲ-3.ss--
-N; ᡲ-3.Ss-\u200C-; [V3 C1]; [V3 C1] # ᡲ-3.ss--
-T; ᡲ-𝟹.SS-\u200C-; [V3 C1]; [V2 V3] # ᡲ-3.ss--
-N; ᡲ-𝟹.SS-\u200C-; [V3 C1]; [V3 C1] # ᡲ-3.ss--
-T; ᡲ-𝟹.ss-\u200C-; [V3 C1]; [V2 V3] # ᡲ-3.ss--
-N; ᡲ-𝟹.ss-\u200C-; [V3 C1]; [V3 C1] # ᡲ-3.ss--
-T; ᡲ-𝟹.Ss-\u200C-; [V3 C1]; [V2 V3] # ᡲ-3.ss--
-N; ᡲ-𝟹.Ss-\u200C-; [V3 C1]; [V3 C1] # ᡲ-3.ss--
-B; \uFD08𝟦\u0647。Ӏ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ضي4ه.Ӏ
-B; \u0636\u064A4\u0647。Ӏ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ضي4ه.Ӏ
-B; \u0636\u064A4\u0647。ӏ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ضي4ه.ӏ
-B; \uFD08𝟦\u0647。ӏ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ضي4ه.ӏ
-B; -.\u0602\u0622𑆾🐹; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.آ𑆾🐹
-B; -.\u0602\u0627\u0653𑆾🐹; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.آ𑆾🐹
-B; ᢘ。\u1A7F⺢; [P1 V6 V5]; [P1 V6 V5] # ᢘ.᩿⺢
-B; ≠ႷᠤႫ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠ႷᠤႫ.͌س觴
-B; =\u0338ႷᠤႫ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠ႷᠤႫ.͌س觴
-B; ≠ႷᠤႫ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠ႷᠤႫ.͌س觴
-B; =\u0338ႷᠤႫ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠ႷᠤႫ.͌س觴
-B; =\u0338ⴗᠤⴋ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠ⴗᠤⴋ.͌س觴
-B; ≠ⴗᠤⴋ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠ⴗᠤⴋ.͌س觴
-B; ≠Ⴗᠤⴋ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠Ⴗᠤⴋ.͌س觴
-B; =\u0338Ⴗᠤⴋ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠Ⴗᠤⴋ.͌س觴
-B; =\u0338ⴗᠤⴋ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠ⴗᠤⴋ.͌س觴
-B; ≠ⴗᠤⴋ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠ⴗᠤⴋ.͌س觴
-B; ≠Ⴗᠤⴋ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠Ⴗᠤⴋ.͌س觴
-B; =\u0338Ⴗᠤⴋ。\uD907\u034C\u0633觴; [P1 V6 B5]; [P1 V6 B5 A3] # ≠Ⴗᠤⴋ.͌س觴
-B; \u0667.; [P1 V6 B1]; [P1 V6 B1] # ٧.
-T; \uA9C0𝟯。\u200D𐹪\u1BF3; [P1 V5 V6 B1 C2]; [P1 V5 V6 B5] # ꧀3.𐹪᯳
-N; \uA9C0𝟯。\u200D𐹪\u1BF3; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ꧀3.𐹪᯳
-T; \uA9C03。\u200D𐹪\u1BF3; [P1 V5 V6 B1 C2]; [P1 V5 V6 B5] # ꧀3.𐹪᯳
-N; \uA9C03。\u200D𐹪\u1BF3; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ꧀3.𐹪᯳
-B; 4.≯\u0664𑀾; [P1 V6 B1]; [P1 V6 B1] # 4.≯٤𑀾
-B; 4.>\u0338\u0664𑀾; [P1 V6 B1]; [P1 V6 B1] # 4.≯٤𑀾
-B; 𝟯。⒈\u1A76𝟚; [P1 V6]; [P1 V6] # 3.⒈᩶2
-B; 3。1.\u1A762; [P1 V6 V5]; [P1 V6 V5] # 3.1.᩶2
-T; \u200D₅⒈。≯𝟴\u200D; [P1 V6 C2]; [P1 V6] # 5⒈.≯8
-N; \u200D₅⒈。≯𝟴\u200D; [P1 V6 C2]; [P1 V6 C2] # 5⒈.≯8
-T; \u200D₅⒈。>\u0338𝟴\u200D; [P1 V6 C2]; [P1 V6] # 5⒈.≯8
-N; \u200D₅⒈。>\u0338𝟴\u200D; [P1 V6 C2]; [P1 V6 C2] # 5⒈.≯8
-T; \u200D51.。≯8\u200D; [P1 V6 C2 A4_2]; [P1 V6 A4_2] # 51..≯8
-N; \u200D51.。≯8\u200D; [P1 V6 C2 A4_2]; [P1 V6 C2 A4_2] # 51..≯8
-T; \u200D51.。>\u03388\u200D; [P1 V6 C2 A4_2]; [P1 V6 A4_2] # 51..≯8
-N; \u200D51.。>\u03388\u200D; [P1 V6 C2 A4_2]; [P1 V6 C2 A4_2] # 51..≯8
-T; ꡰ\u0697\u1086.\u072F≠\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ꡰڗႆ.ܯ≠
-N; ꡰ\u0697\u1086.\u072F≠\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ꡰڗႆ.ܯ≠
-T; ꡰ\u0697\u1086.\u072F=\u0338\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ꡰڗႆ.ܯ≠
-N; ꡰ\u0697\u1086.\u072F=\u0338\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ꡰڗႆ.ܯ≠
-T; ꡰ\u0697\u1086.\u072F≠\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ꡰڗႆ.ܯ≠
-N; ꡰ\u0697\u1086.\u072F≠\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ꡰڗႆ.ܯ≠
-T; ꡰ\u0697\u1086.\u072F=\u0338\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ꡰڗႆ.ܯ≠
-N; ꡰ\u0697\u1086.\u072F=\u0338\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ꡰڗႆ.ܯ≠
-B; 𑄱。𐹵; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6]
-B; 𑄱。𐹵; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6]
-B; 𝟥\u0600。\u073D; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 3.ܽ
-B; 3\u0600。\u073D; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 3.ܽ
-B; \u0637𐹣\u0666.\u076D긷; [B2 B3]; [B2 B3] # ط𐹣٦.ݭ긷
-B; \u0637𐹣\u0666.\u076D긷; [B2 B3]; [B2 B3] # ط𐹣٦.ݭ긷
-B; ︒Ↄ\u2DE7.Ⴗ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ︒Ↄⷧ.Ⴗ
-B; 。Ↄ\u2DE7.Ⴗ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ↄⷧ.Ⴗ
-B; 。ↄ\u2DE7.ⴗ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ↄⷧ.ⴗ
-B; ︒ↄ\u2DE7.ⴗ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ︒ↄⷧ.ⴗ
-B; \u0600.\u05B1; [P1 V6 V5 B1]; [P1 V6 V5 B1] # .ֱ
-B; ς≯。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; ς>\u0338。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; ς≯。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; ς>\u0338。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; Σ>\u0338。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; Σ≯。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; σ≯。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; σ>\u0338。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; Σ>\u0338。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; Σ≯。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; σ≯。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; σ>\u0338。𐹽; [P1 V6 B1]; [P1 V6 B1]
-B; \u17D2\u200D\u075F。𐹶; [V5 B1]; [V5 B1] # ្ݟ.𐹶
-B; \u0A42Ⴊ.≮; [P1 V6]; [P1 V6] # ੂႪ.≮
-B; \u0A42Ⴊ.<\u0338; [P1 V6]; [P1 V6] # ੂႪ.≮
-B; \u0A42ⴊ.<\u0338; [P1 V6]; [P1 V6] # ੂⴊ.≮
-B; \u0A42ⴊ.≮; [P1 V6]; [P1 V6] # ੂⴊ.≮
-B; ꡠ.۲; ꡠ.۲; xn--5c9a.xn--fmb
-B; ꡠ.۲; ; xn--5c9a.xn--fmb
-B; xn--5c9a.xn--fmb; ꡠ.۲; xn--5c9a.xn--fmb
-B; 𐹣。ꡬ🄄; [P1 V6 B1]; [P1 V6 B1]
-B; 𐹣。ꡬ3,; [P1 V6 B1]; [P1 V6 B1]
-T; -\u0C4D𑲓。\u200D\u0D4D; [P1 V3 V6 B1 C2]; [P1 V3 V6 V5 B1] # -్𑲓.്
-N; -\u0C4D𑲓。\u200D\u0D4D; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1 C2] # -్𑲓.്
-T; -\u0C4D𑲓。\u200D\u0D4D; [P1 V3 V6 B1 C2]; [P1 V3 V6 V5 B1] # -్𑲓.്
-N; -\u0C4D𑲓。\u200D\u0D4D; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1 C2] # -్𑲓.്
-T; \uA67D\u200C霣🄆。\u200C𑁂\u1B01; [P1 V5 V6 C1]; [P1 V5 V6] # ꙽霣🄆.𑁂ᬁ
-N; \uA67D\u200C霣🄆。\u200C𑁂\u1B01; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ꙽霣🄆.𑁂ᬁ
-T; \uA67D\u200C霣🄆。\u200C𑁂\u1B01; [P1 V5 V6 C1]; [P1 V5 V6] # ꙽霣🄆.𑁂ᬁ
-N; \uA67D\u200C霣🄆。\u200C𑁂\u1B01; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ꙽霣🄆.𑁂ᬁ
-T; \uA67D\u200C霣5,。\u200C𑁂\u1B01; [P1 V5 V6 C1]; [P1 V5 V6] # ꙽霣5,.𑁂ᬁ
-N; \uA67D\u200C霣5,。\u200C𑁂\u1B01; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ꙽霣5,.𑁂ᬁ
-B; 兎。ᠼ𑚶𑰿; [P1 V6]; [P1 V6]
-B; 兎。ᠼ𑚶𑰿; [P1 V6]; [P1 V6]
-T; 𝟙。\u200D𝟸\u200D⁷; [C2]; 1.27 # 1.27
-N; 𝟙。\u200D𝟸\u200D⁷; [C2]; [C2] # 1.27
-T; 1。\u200D2\u200D7; [C2]; 1.27 # 1.27
-N; 1。\u200D2\u200D7; [C2]; [C2] # 1.27
-B; 1.27; ;
-B; ᡨ-。𝟷; [P1 V3 V6]; [P1 V3 V6]
-B; ᡨ-。1; [P1 V3 V6]; [P1 V3 V6]
-B; 𑰻𐫚.\u0668⁹; [P1 V5 V6 B1]; [P1 V5 V6 B1] # 𑰻𐫚.٨9
-B; 𑰻𐫚.\u06689; [P1 V5 V6 B1]; [P1 V5 V6 B1] # 𑰻𐫚.٨9
-T; Ⴜ\u0F80⾇。Ⴏ♀\u200C\u200C; [P1 V6 C1]; [P1 V6] # Ⴜྀ舛.Ⴏ♀
-N; Ⴜ\u0F80⾇。Ⴏ♀\u200C\u200C; [P1 V6 C1]; [P1 V6 C1] # Ⴜྀ舛.Ⴏ♀
-T; Ⴜ\u0F80舛。Ⴏ♀\u200C\u200C; [P1 V6 C1]; [P1 V6] # Ⴜྀ舛.Ⴏ♀
-N; Ⴜ\u0F80舛。Ⴏ♀\u200C\u200C; [P1 V6 C1]; [P1 V6 C1] # Ⴜྀ舛.Ⴏ♀
-T; ⴜ\u0F80舛。ⴏ♀\u200C\u200C; [P1 V6 C1]; [P1 V6] # ⴜྀ舛.ⴏ♀
-N; ⴜ\u0F80舛。ⴏ♀\u200C\u200C; [P1 V6 C1]; [P1 V6 C1] # ⴜྀ舛.ⴏ♀
-T; ⴜ\u0F80⾇。ⴏ♀\u200C\u200C; [P1 V6 C1]; [P1 V6] # ⴜྀ舛.ⴏ♀
-N; ⴜ\u0F80⾇。ⴏ♀\u200C\u200C; [P1 V6 C1]; [P1 V6 C1] # ⴜྀ舛.ⴏ♀
-T; 𑁆𝟰.\u200D; [V5 C2]; [V5] # 𑁆4.
-N; 𑁆𝟰.\u200D; [V5 C2]; [V5 C2] # 𑁆4.
-T; 𑁆4.\u200D; [V5 C2]; [V5] # 𑁆4.
-N; 𑁆4.\u200D; [V5 C2]; [V5 C2] # 𑁆4.
-T; Ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5] # Ⴞ癀.𑘿붼
-N; Ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5 C1] # Ⴞ癀.𑘿붼
-T; Ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5] # Ⴞ癀.𑘿붼
-N; Ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5 C1] # Ⴞ癀.𑘿붼
-T; Ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5] # Ⴞ癀.𑘿붼
-N; Ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5 C1] # Ⴞ癀.𑘿붼
-T; Ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5] # Ⴞ癀.𑘿붼
-N; Ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5 C1] # Ⴞ癀.𑘿붼
-T; ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5] # ⴞ癀.𑘿붼
-N; ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5 C1] # ⴞ癀.𑘿붼
-T; ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5] # ⴞ癀.𑘿붼
-N; ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5 C1] # ⴞ癀.𑘿붼
-T; ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5] # ⴞ癀.𑘿붼
-N; ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5 C1] # ⴞ癀.𑘿붼
-T; ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5] # ⴞ癀.𑘿붼
-N; ⴞ癀。𑘿\u200D\u200C붼; [P1 V6 V5 C1]; [P1 V6 V5 C1] # ⴞ癀.𑘿붼
-B; -\u0BCD。\u06B9; [P1 V6]; [P1 V6] # -்.ڹ
-B; ᡃ𝟧≯ᠣ.氁ꁫ; [P1 V6]; [P1 V6]
-B; ᡃ𝟧>\u0338ᠣ.氁ꁫ; [P1 V6]; [P1 V6]
-B; ᡃ5≯ᠣ.氁ꁫ; [P1 V6]; [P1 V6]
-B; ᡃ5>\u0338ᠣ.氁ꁫ; [P1 V6]; [P1 V6]
-B; 𐹬𝩇.\u0F76; [V5 B1]; [V5 B1] # 𐹬𝩇.ྲྀ
-B; 𐹬𝩇.\u0FB2\u0F80; [V5 B1]; [V5 B1] # 𐹬𝩇.ྲྀ
-B; 𐹬𝩇.\u0FB2\u0F80; [V5 B1]; [V5 B1] # 𐹬𝩇.ྲྀ
-B; -𑈶⒏.⒎𰛢; [P1 V3 V6]; [P1 V3 V6]
-B; -𑈶8..7.𰛢; [P1 V3 V6 A4_2]; [P1 V3 V6 A4_2]
-T; \u200CႡ畝\u200D.≮; [P1 V6 C1 C2]; [P1 V6] # Ⴁ畝.≮
-N; \u200CႡ畝\u200D.≮; [P1 V6 C1 C2]; [P1 V6 C1 C2] # Ⴁ畝.≮
-T; \u200CႡ畝\u200D.<\u0338; [P1 V6 C1 C2]; [P1 V6] # Ⴁ畝.≮
-N; \u200CႡ畝\u200D.<\u0338; [P1 V6 C1 C2]; [P1 V6 C1 C2] # Ⴁ畝.≮
-T; \u200CႡ畝\u200D.≮; [P1 V6 C1 C2]; [P1 V6] # Ⴁ畝.≮
-N; \u200CႡ畝\u200D.≮; [P1 V6 C1 C2]; [P1 V6 C1 C2] # Ⴁ畝.≮
-T; \u200CႡ畝\u200D.<\u0338; [P1 V6 C1 C2]; [P1 V6] # Ⴁ畝.≮
-N; \u200CႡ畝\u200D.<\u0338; [P1 V6 C1 C2]; [P1 V6 C1 C2] # Ⴁ畝.≮
-T; \u200Cⴁ畝\u200D.<\u0338; [P1 V6 C1 C2]; [P1 V6] # ⴁ畝.≮
-N; \u200Cⴁ畝\u200D.<\u0338; [P1 V6 C1 C2]; [P1 V6 C1 C2] # ⴁ畝.≮
-T; \u200Cⴁ畝\u200D.≮; [P1 V6 C1 C2]; [P1 V6] # ⴁ畝.≮
-N; \u200Cⴁ畝\u200D.≮; [P1 V6 C1 C2]; [P1 V6 C1 C2] # ⴁ畝.≮
-T; \u200Cⴁ畝\u200D.<\u0338; [P1 V6 C1 C2]; [P1 V6] # ⴁ畝.≮
-N; \u200Cⴁ畝\u200D.<\u0338; [P1 V6 C1 C2]; [P1 V6 C1 C2] # ⴁ畝.≮
-T; \u200Cⴁ畝\u200D.≮; [P1 V6 C1 C2]; [P1 V6] # ⴁ畝.≮
-N; \u200Cⴁ畝\u200D.≮; [P1 V6 C1 C2]; [P1 V6 C1 C2] # ⴁ畝.≮
-T; 歷。𐹻≯\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 歷.𐹻≯
-N; 歷。𐹻≯\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 歷.𐹻≯
-T; 歷。𐹻>\u0338\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 歷.𐹻≯
-N; 歷。𐹻>\u0338\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 歷.𐹻≯
-T; 歷。𐹻≯\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 歷.𐹻≯
-N; 歷。𐹻≯\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 歷.𐹻≯
-T; 歷。𐹻>\u0338\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 歷.𐹻≯
-N; 歷。𐹻>\u0338\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 歷.𐹻≯
-T; \u0ECB\u200D.鎁; [P1 V5 V6 C2]; [P1 V5 V6] # ໋.鎁
-N; \u0ECB\u200D.鎁; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ໋.鎁
-T; \u0ECB\u200D.鎁; [P1 V5 V6 C2]; [P1 V5 V6] # ໋.鎁
-N; \u0ECB\u200D.鎁; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ໋.鎁
-T; \u200D\u200C𞤀。𱘅; [P1 V6 B1 C2 C1 B5 B6]; [P1 V6 B5 B6] # 𞤢.
-N; \u200D\u200C𞤀。𱘅; [P1 V6 B1 C2 C1 B5 B6]; [P1 V6 B1 C2 C1 B5 B6] # 𞤢.
-T; \u200D\u200C𞤀。𱘅; [P1 V6 B1 C2 C1 B5 B6]; [P1 V6 B5 B6] # 𞤢.
-N; \u200D\u200C𞤀。𱘅; [P1 V6 B1 C2 C1 B5 B6]; [P1 V6 B1 C2 C1 B5 B6] # 𞤢.
-B; \u0628≠𝟫-.ς⒍𐹦≠; [P1 V3 V6 B3 B5 B6]; [P1 V3 V6 B3 B5 B6] # ب≠9-.ς⒍𐹦≠
-B; \u0628=\u0338𝟫-.ς⒍𐹦=\u0338; [P1 V3 V6 B3 B5 B6]; [P1 V3 V6 B3 B5 B6] # ب≠9-.ς⒍𐹦≠
-B; \u0628≠9-.ς6.𐹦≠; [P1 V3 V6 B3 B1]; [P1 V3 V6 B3 B1] # ب≠9-.ς6.𐹦≠
-B; \u0628=\u03389-.ς6.𐹦=\u0338; [P1 V3 V6 B3 B1]; [P1 V3 V6 B3 B1] # ب≠9-.ς6.𐹦≠
-B; \u0628=\u03389-.Σ6.𐹦=\u0338; [P1 V3 V6 B3 B1]; [P1 V3 V6 B3 B1] # ب≠9-.σ6.𐹦≠
-B; \u0628≠9-.Σ6.𐹦≠; [P1 V3 V6 B3 B1]; [P1 V3 V6 B3 B1] # ب≠9-.σ6.𐹦≠
-B; \u0628≠9-.σ6.𐹦≠; [P1 V3 V6 B3 B1]; [P1 V3 V6 B3 B1] # ب≠9-.σ6.𐹦≠
-B; \u0628=\u03389-.σ6.𐹦=\u0338; [P1 V3 V6 B3 B1]; [P1 V3 V6 B3 B1] # ب≠9-.σ6.𐹦≠
-B; \u0628=\u0338𝟫-.Σ⒍𐹦=\u0338; [P1 V3 V6 B3 B5 B6]; [P1 V3 V6 B3 B5 B6] # ب≠9-.σ⒍𐹦≠
-B; \u0628≠𝟫-.Σ⒍𐹦≠; [P1 V3 V6 B3 B5 B6]; [P1 V3 V6 B3 B5 B6] # ب≠9-.σ⒍𐹦≠
-B; \u0628≠𝟫-.σ⒍𐹦≠; [P1 V3 V6 B3 B5 B6]; [P1 V3 V6 B3 B5 B6] # ب≠9-.σ⒍𐹦≠
-B; \u0628=\u0338𝟫-.σ⒍𐹦=\u0338; [P1 V3 V6 B3 B5 B6]; [P1 V3 V6 B3 B5 B6] # ب≠9-.σ⒍𐹦≠
-B; .-ᡢ\u0592𝨠; [P1 V6 V3]; [P1 V6 V3] # .-ᡢ֒𝨠
-B; \u06CB⒈ß󠄽。-; [P1 V6 V3 B2 B3]; [P1 V6 V3 B2 B3] # ۋ⒈ß.-
-B; \u06CB1.ß󠄽。-; [P1 V3 V6]; [P1 V3 V6] # ۋ1.ß.-
-B; \u06CB1.SS󠄽。-; [P1 V3 V6]; [P1 V3 V6] # ۋ1.ss.-
-B; \u06CB1.ss󠄽。-; [P1 V3 V6]; [P1 V3 V6] # ۋ1.ss.-
-B; \u06CB1.Ss󠄽。-; [P1 V3 V6]; [P1 V3 V6] # ۋ1.ss.-
-B; \u06CB⒈SS󠄽。-; [P1 V6 V3 B2 B3]; [P1 V6 V3 B2 B3] # ۋ⒈ss.-
-B; \u06CB⒈ss󠄽。-; [P1 V6 V3 B2 B3]; [P1 V6 V3 B2 B3] # ۋ⒈ss.-
-B; \u06CB⒈Ss󠄽。-; [P1 V6 V3 B2 B3]; [P1 V6 V3 B2 B3] # ۋ⒈ss.-
-T; .\u1BAAςႦ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪ςႦ
-N; .\u1BAAςႦ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪ςႦ
-T; .\u1BAAςႦ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪ςႦ
-N; .\u1BAAςႦ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪ςႦ
-T; .\u1BAAςⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪ςⴆ
-N; .\u1BAAςⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪ςⴆ
-T; .\u1BAAΣႦ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪σႦ
-N; .\u1BAAΣႦ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪σႦ
-T; .\u1BAAσⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪σⴆ
-N; .\u1BAAσⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪σⴆ
-T; .\u1BAAΣⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪σⴆ
-N; .\u1BAAΣⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪σⴆ
-T; .\u1BAAςⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪ςⴆ
-N; .\u1BAAςⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪ςⴆ
-T; .\u1BAAΣႦ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪σႦ
-N; .\u1BAAΣႦ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪σႦ
-T; .\u1BAAσⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪σⴆ
-N; .\u1BAAσⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪σⴆ
-T; .\u1BAAΣⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5] # .᮪σⴆ
-N; .\u1BAAΣⴆ\u200D; [P1 V6 V5 C2]; [P1 V6 V5 C2] # .᮪σⴆ
-B; ⾆\u08E2.𝈴; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 舌.𝈴
-B; 舌\u08E2.𝈴; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 舌.𝈴
-B; ⫞𐹶𖫴。⭠⒈; [P1 V6 B1]; [P1 V6 B1]
-B; ⫞𐹶𖫴。⭠1.; [B1]; [B1]
-T; ⒈\u200C\uAAEC︒.\u0ACD; [P1 V6 V5 C1]; [P1 V6 V5] # ⒈ꫬ︒.્
-N; ⒈\u200C\uAAEC︒.\u0ACD; [P1 V6 V5 C1]; [P1 V6 V5 C1] # ⒈ꫬ︒.્
-T; 1.\u200C\uAAEC。.\u0ACD; [V5 C1 A4_2]; [V5 A4_2] # 1.ꫬ..્
-N; 1.\u200C\uAAEC。.\u0ACD; [V5 C1 A4_2]; [V5 C1 A4_2] # 1.ꫬ..્
-B; \u0C46。䰀\u0668󠅼; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # ె.䰀٨
-T; ß\u200D.\u1BF2; [P1 V5 V6 C2]; [P1 V5 V6] # ß.᯲
-N; ß\u200D.\u1BF2; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ß.᯲
-T; SS\u200D.\u1BF2; [P1 V5 V6 C2]; [P1 V5 V6] # ss.᯲
-N; SS\u200D.\u1BF2; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ss.᯲
-T; ss\u200D.\u1BF2; [P1 V5 V6 C2]; [P1 V5 V6] # ss.᯲
-N; ss\u200D.\u1BF2; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ss.᯲
-T; Ss\u200D.\u1BF2; [P1 V5 V6 C2]; [P1 V5 V6] # ss.᯲
-N; Ss\u200D.\u1BF2; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ss.᯲
-B; 𑓂\u200C≮.≮; [P1 V5 V6]; [P1 V5 V6] # 𑓂≮.≮
-B; 𑓂\u200C<\u0338.<\u0338; [P1 V5 V6]; [P1 V5 V6] # 𑓂≮.≮
-B; 🕼.\uFFA0; [P1 V6]; [P1 V6] # 🕼.
-B; 🕼.\u1160; [P1 V6]; [P1 V6] # 🕼.
-B; ᡔ\uFD82。; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ᡔلحى.
-B; ᡔ\u0644\u062D\u0649。; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ᡔلحى.
-B; 爕.𝟰気; [P1 V6]; [P1 V6]
-B; 爕.4気; [P1 V6]; [P1 V6]
-B; ⒋𑍍Ⴝ-.\u0DCA\u05B5; [P1 V3 V6]; [P1 V3 V6] # ⒋𑍍Ⴝ-.්ֵ
-B; 4.𑍍Ⴝ-.\u0DCA\u05B5; [P1 V3 V5 V6]; [P1 V3 V5 V6] # 4.𑍍Ⴝ-.්ֵ
-B; 4.𑍍ⴝ-.\u0DCA\u05B5; [P1 V3 V5 V6]; [P1 V3 V5 V6] # 4.𑍍ⴝ-.්ֵ
-B; ⒋𑍍ⴝ-.\u0DCA\u05B5; [P1 V3 V6]; [P1 V3 V6] # ⒋𑍍ⴝ-.්ֵ
-B; 。--; [P1 V6 V2 V3]; [P1 V6 V2 V3]
-T; \u200D\u07DF。\u200C\uABED; [B1 C2 C1]; [V5] # ߟ.꯭
-N; \u200D\u07DF。\u200C\uABED; [B1 C2 C1]; [B1 C2 C1] # ߟ.꯭
-T; \u200D\u07DF。\u200C\uABED; [B1 C2 C1]; [V5] # ߟ.꯭
-N; \u200D\u07DF。\u200C\uABED; [B1 C2 C1]; [B1 C2 C1] # ߟ.꯭
-B; \u07FF\u084E。ᢍ𐫘; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ࡎ.ᢍ𐫘
-B; \u07FF\u084E。ᢍ𐫘; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ࡎ.ᢍ𐫘
-B; \u06ED𞺌𑄚\u1714.ꡞ\u08B7; [V5 B1 B5 B6]; [V5 B1 B5 B6] # ۭم𑄚᜔.ꡞࢷ
-B; \u06ED\u0645𑄚\u1714.ꡞ\u08B7; [V5 B1 B5 B6]; [V5 B1 B5 B6] # ۭم𑄚᜔.ꡞࢷ
-B; 킃𑘶\u07DC。ς\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.ςؼς
-B; 킃𑘶\u07DC。ς\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.ςؼς
-B; 킃𑘶\u07DC。ς\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.ςؼς
-B; 킃𑘶\u07DC。ς\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.ςؼς
-B; 킃𑘶\u07DC。Σ\u063CΣ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。Σ\u063CΣ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。σ\u063Cσ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。σ\u063Cσ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。Σ\u063Cσ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。Σ\u063Cσ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。Σ\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼς
-B; 킃𑘶\u07DC。Σ\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼς
-B; 킃𑘶\u07DC。σ\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼς
-B; 킃𑘶\u07DC。σ\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼς
-B; 킃𑘶\u07DC。Σ\u063CΣ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。Σ\u063CΣ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。σ\u063Cσ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。σ\u063Cσ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。Σ\u063Cσ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。Σ\u063Cσ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼσ
-B; 킃𑘶\u07DC。Σ\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼς
-B; 킃𑘶\u07DC。Σ\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼς
-B; 킃𑘶\u07DC。σ\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼς
-B; 킃𑘶\u07DC。σ\u063Cς; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 킃𑘶ߜ.σؼς
-B; 蔰。\u08DD-𑈵; [P1 V6]; [P1 V6] # 蔰.ࣝ-𑈵
-B; ςჅ。\u075A; [P1 V6]; [P1 V6] # ςჅ.ݚ
-T; ςⴥ。\u075A; ςⴥ.\u075A; xn--4xa203s.xn--epb # ςⴥ.ݚ
-N; ςⴥ。\u075A; ςⴥ.\u075A; xn--3xa403s.xn--epb # ςⴥ.ݚ
-B; ΣჅ。\u075A; [P1 V6]; [P1 V6] # σჅ.ݚ
-B; σⴥ。\u075A; σⴥ.\u075A; xn--4xa203s.xn--epb # σⴥ.ݚ
-B; Σⴥ。\u075A; σⴥ.\u075A; xn--4xa203s.xn--epb # σⴥ.ݚ
-B; xn--4xa203s.xn--epb; σⴥ.\u075A; xn--4xa203s.xn--epb # σⴥ.ݚ
-B; σⴥ.\u075A; ; xn--4xa203s.xn--epb # σⴥ.ݚ
-B; ΣჅ.\u075A; [P1 V6]; [P1 V6] # σჅ.ݚ
-B; Σⴥ.\u075A; σⴥ.\u075A; xn--4xa203s.xn--epb # σⴥ.ݚ
-B; xn--3xa403s.xn--epb; ςⴥ.\u075A; xn--3xa403s.xn--epb # ςⴥ.ݚ
-T; ςⴥ.\u075A; ; xn--4xa203s.xn--epb # ςⴥ.ݚ
-N; ςⴥ.\u075A; ; xn--3xa403s.xn--epb # ςⴥ.ݚ
-B; \u0C4DႩ.\u1B72; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ్Ⴉ.᭲
-B; \u0C4DႩ.\u1B72; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ్Ⴉ.᭲
-B; \u0C4Dⴉ.\u1B72; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ్ⴉ.᭲
-B; \u0C4Dⴉ.\u1B72; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ్ⴉ.᭲
-B; ⮷≮󠄟。𐠄; [P1 V6]; [P1 V6]
-B; ⮷<\u0338󠄟。𐠄; [P1 V6]; [P1 V6]
-T; \u06BC。\u200Dẏ\u200Cᡤ; [C2 C1]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-N; \u06BC。\u200Dẏ\u200Cᡤ; [C2 C1]; [C2 C1] # ڼ.ẏᡤ
-T; \u06BC。\u200Dy\u0307\u200Cᡤ; [C2 C1]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-N; \u06BC。\u200Dy\u0307\u200Cᡤ; [C2 C1]; [C2 C1] # ڼ.ẏᡤ
-T; \u06BC。\u200Dẏ\u200Cᡤ; [C2 C1]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-N; \u06BC。\u200Dẏ\u200Cᡤ; [C2 C1]; [C2 C1] # ڼ.ẏᡤ
-T; \u06BC。\u200Dy\u0307\u200Cᡤ; [C2 C1]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-N; \u06BC。\u200Dy\u0307\u200Cᡤ; [C2 C1]; [C2 C1] # ڼ.ẏᡤ
-T; \u06BC。\u200DY\u0307\u200Cᡤ; [C2 C1]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-N; \u06BC。\u200DY\u0307\u200Cᡤ; [C2 C1]; [C2 C1] # ڼ.ẏᡤ
-T; \u06BC。\u200DẎ\u200Cᡤ; [C2 C1]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-N; \u06BC。\u200DẎ\u200Cᡤ; [C2 C1]; [C2 C1] # ڼ.ẏᡤ
-B; xn--vkb.xn--08e172a; \u06BC.ẏᡤ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-B; \u06BC.ẏᡤ; ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-B; \u06BC.y\u0307ᡤ; \u06BC.ẏᡤ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-B; \u06BC.Y\u0307ᡤ; \u06BC.ẏᡤ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-B; \u06BC.Ẏᡤ; \u06BC.ẏᡤ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-T; \u06BC。\u200DY\u0307\u200Cᡤ; [C2 C1]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-N; \u06BC。\u200DY\u0307\u200Cᡤ; [C2 C1]; [C2 C1] # ڼ.ẏᡤ
-T; \u06BC。\u200DẎ\u200Cᡤ; [C2 C1]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
-N; \u06BC。\u200DẎ\u200Cᡤ; [C2 C1]; [C2 C1] # ڼ.ẏᡤ
-B; 𐹹𑲛。\u0DCA; [P1 V6 B1]; [P1 V6 B1] # 𐹹𑲛.්
-B; -≠𑈵。嵕\uFEF1۴\uA953; [P1 V3 V6 B5]; [P1 V3 V6 B5] # -≠𑈵.嵕ي۴꥓
-B; -=\u0338𑈵。嵕\uFEF1۴\uA953; [P1 V3 V6 B5]; [P1 V3 V6 B5] # -≠𑈵.嵕ي۴꥓
-B; -≠𑈵。嵕\u064A۴\uA953; [P1 V3 V6 B5]; [P1 V3 V6 B5] # -≠𑈵.嵕ي۴꥓
-B; -=\u0338𑈵。嵕\u064A۴\uA953; [P1 V3 V6 B5]; [P1 V3 V6 B5] # -≠𑈵.嵕ي۴꥓
-T; \u200C𐹶\u076E.\u06C1\u200D≯\u200D; [P1 V6 B1 C1 B3 C2]; [P1 V6 B5 B6 B3] # 𐹶ݮ.ہ≯
-N; \u200C𐹶\u076E.\u06C1\u200D≯\u200D; [P1 V6 B1 C1 B3 C2]; [P1 V6 B1 C1 B3 C2] # 𐹶ݮ.ہ≯
-T; \u200C𐹶\u076E.\u06C1\u200D>\u0338\u200D; [P1 V6 B1 C1 B3 C2]; [P1 V6 B5 B6 B3] # 𐹶ݮ.ہ≯
-N; \u200C𐹶\u076E.\u06C1\u200D>\u0338\u200D; [P1 V6 B1 C1 B3 C2]; [P1 V6 B1 C1 B3 C2] # 𐹶ݮ.ہ≯
-T; \u200C𐹶\u076E.\u06C1\u200D≯\u200D; [P1 V6 B1 C1 B3 C2]; [P1 V6 B5 B6 B3] # 𐹶ݮ.ہ≯
-N; \u200C𐹶\u076E.\u06C1\u200D≯\u200D; [P1 V6 B1 C1 B3 C2]; [P1 V6 B1 C1 B3 C2] # 𐹶ݮ.ہ≯
-T; \u200C𐹶\u076E.\u06C1\u200D>\u0338\u200D; [P1 V6 B1 C1 B3 C2]; [P1 V6 B5 B6 B3] # 𐹶ݮ.ہ≯
-N; \u200C𐹶\u076E.\u06C1\u200D>\u0338\u200D; [P1 V6 B1 C1 B3 C2]; [P1 V6 B1 C1 B3 C2] # 𐹶ݮ.ہ≯
-B; ≮.\u17B5\u0855𐫔; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≮.ࡕ𐫔
-B; <\u0338.\u17B5\u0855𐫔; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≮.ࡕ𐫔
-B; ≮.\u17B5\u0855𐫔; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≮.ࡕ𐫔
-B; <\u0338.\u17B5\u0855𐫔; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≮.ࡕ𐫔
-T; 𐩗\u200D。ႩႵ; [P1 V6 B3 C2]; [P1 V6] # 𐩗.ႩႵ
-N; 𐩗\u200D。ႩႵ; [P1 V6 B3 C2]; [P1 V6 B3 C2] # 𐩗.ႩႵ
-T; 𐩗\u200D。ႩႵ; [P1 V6 B3 C2]; [P1 V6] # 𐩗.ႩႵ
-N; 𐩗\u200D。ႩႵ; [P1 V6 B3 C2]; [P1 V6 B3 C2] # 𐩗.ႩႵ
-T; 𐩗\u200D。ⴉⴕ; [B3 C2]; xn--pt9c.xn--0kjya # 𐩗.ⴉⴕ
-N; 𐩗\u200D。ⴉⴕ; [B3 C2]; [B3 C2] # 𐩗.ⴉⴕ
-T; 𐩗\u200D。Ⴉⴕ; [P1 V6 B3 C2]; [P1 V6] # 𐩗.Ⴉⴕ
-N; 𐩗\u200D。Ⴉⴕ; [P1 V6 B3 C2]; [P1 V6 B3 C2] # 𐩗.Ⴉⴕ
-B; xn--pt9c.xn--0kjya; 𐩗.ⴉⴕ; xn--pt9c.xn--0kjya; NV8
-B; 𐩗.ⴉⴕ; ; xn--pt9c.xn--0kjya; NV8
-B; 𐩗.ႩႵ; [P1 V6]; [P1 V6]
-B; 𐩗.Ⴉⴕ; [P1 V6]; [P1 V6]
-T; 𐩗\u200D。ⴉⴕ; [B3 C2]; xn--pt9c.xn--0kjya # 𐩗.ⴉⴕ
-N; 𐩗\u200D。ⴉⴕ; [B3 C2]; [B3 C2] # 𐩗.ⴉⴕ
-T; 𐩗\u200D。Ⴉⴕ; [P1 V6 B3 C2]; [P1 V6] # 𐩗.Ⴉⴕ
-N; 𐩗\u200D。Ⴉⴕ; [P1 V6 B3 C2]; [P1 V6 B3 C2] # 𐩗.Ⴉⴕ
-T; \u200C\u200Cㄤ.\u032E\u09C2; [P1 V5 V6 C1]; [P1 V5 V6] # ㄤ.̮ূ
-N; \u200C\u200Cㄤ.\u032E\u09C2; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ㄤ.̮ূ
-T; \u200C\u200Cㄤ.\u032E\u09C2; [P1 V5 V6 C1]; [P1 V5 V6] # ㄤ.̮ূ
-N; \u200C\u200Cㄤ.\u032E\u09C2; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ㄤ.̮ূ
-T; 𐋻。-\u200C𐫄Ⴗ; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # 𐋻.-𐫄Ⴗ
-N; 𐋻。-\u200C𐫄Ⴗ; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # 𐋻.-𐫄Ⴗ
-T; 𐋻。-\u200C𐫄Ⴗ; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1] # 𐋻.-𐫄Ⴗ
-N; 𐋻。-\u200C𐫄Ⴗ; [P1 V3 V6 B1 C1]; [P1 V3 V6 B1 C1] # 𐋻.-𐫄Ⴗ
-T; 𐋻。-\u200C𐫄ⴗ; [V3 B1 C1]; [V3 B1] # 𐋻.-𐫄ⴗ
-N; 𐋻。-\u200C𐫄ⴗ; [V3 B1 C1]; [V3 B1 C1] # 𐋻.-𐫄ⴗ
-T; 𐋻。-\u200C𐫄ⴗ; [V3 B1 C1]; [V3 B1] # 𐋻.-𐫄ⴗ
-N; 𐋻。-\u200C𐫄ⴗ; [V3 B1 C1]; [V3 B1 C1] # 𐋻.-𐫄ⴗ
-T; 🙑.≠\u200C; [P1 V6 B1 C1]; [P1 V6 B1] # 🙑.≠
-N; 🙑.≠\u200C; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 🙑.≠
-T; 🙑.=\u0338\u200C; [P1 V6 B1 C1]; [P1 V6 B1] # 🙑.≠
-N; 🙑.=\u0338\u200C; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 🙑.≠
-T; 🙑.≠\u200C; [P1 V6 B1 C1]; [P1 V6 B1] # 🙑.≠
-N; 🙑.≠\u200C; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 🙑.≠
-T; 🙑.=\u0338\u200C; [P1 V6 B1 C1]; [P1 V6 B1] # 🙑.≠
-N; 🙑.=\u0338\u200C; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 🙑.≠
-B; \u064C\u1CD2。\u2D7F⧎; [P1 V5 V6 B3]; [P1 V5 V6 B3] # ٌ᳒.⵿⧎
-B; \u064C\u1CD2。\u2D7F⧎; [P1 V5 V6 B3]; [P1 V5 V6 B3] # ٌ᳒.⵿⧎
-B; Ⴔ𝨨₃.𝟳𑂹\u0B82; [P1 V6]; [P1 V6] # Ⴔ𝨨3.7𑂹ஂ
-B; Ⴔ𝨨3.7𑂹\u0B82; [P1 V6]; [P1 V6] # Ⴔ𝨨3.7𑂹ஂ
-B; ⴔ𝨨3.7𑂹\u0B82; [P1 V6]; [P1 V6] # ⴔ𝨨3.7𑂹ஂ
-B; ⴔ𝨨₃.𝟳𑂹\u0B82; [P1 V6]; [P1 V6] # ⴔ𝨨3.7𑂹ஂ
-T; 䏈\u200C。\u200C⒈; [P1 V6 C1]; [P1 V6] # 䏈.⒈
-N; 䏈\u200C。\u200C⒈; [P1 V6 C1]; [P1 V6 C1] # 䏈.⒈
-T; 䏈\u200C。\u200C1.; [P1 V6 C1]; [P1 V6] # 䏈.1.
-N; 䏈\u200C。\u200C1.; [P1 V6 C1]; [P1 V6 C1] # 䏈.1.
-B; 1\uAAF6ß𑲥。\u1DD8; [V5]; [V5] # 1꫶ß𑲥.ᷘ
-B; 1\uAAF6ß𑲥。\u1DD8; [V5]; [V5] # 1꫶ß𑲥.ᷘ
-B; 1\uAAF6SS𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
-B; 1\uAAF6ss𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
-B; 1\uAAF6Ss𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
-B; 1\uAAF6SS𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
-B; 1\uAAF6ss𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
-B; 1\uAAF6Ss𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
-T; \u200D\u0CCD。\u077C⒈; [P1 V6 B1 C2]; [P1 V6 B5 B6] # ್.ݼ⒈
-N; \u200D\u0CCD。\u077C⒈; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ್.ݼ⒈
-T; \u200D\u0CCD。\u077C1.; [P1 V6 B1 C2]; [P1 V6 B5 B6] # ್.ݼ1.
-N; \u200D\u0CCD。\u077C1.; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ್.ݼ1.
-B; \u1AB6.𞤳\u07D7; [P1 V5 V6 B2]; [P1 V5 V6 B2] # ᪶.𞤳ߗ
-B; \u1AB6.𞤳\u07D7; [P1 V5 V6 B2]; [P1 V5 V6 B2] # ᪶.𞤳ߗ
-B; \u0842⒈.8\u0770; [P1 V6 B1]; [P1 V6 B1] # ࡂ⒈.8ݰ
-B; \u08421..8\u0770; [P1 V6 A4_2 B1]; [P1 V6 A4_2 B1] # ࡂ1..8ݰ
-B; \u0361𐫫\u0369ᡷ。-鞰; [P1 V5 V3 V6 B1]; [P1 V5 V3 V6 B1] # ͡𐫫ͩᡷ.-鞰
-B; -.\u0ACD剘ß𐫃; [V3 V5 B1]; [V3 V5 B1] # -.્剘ß𐫃
-B; -.\u0ACD剘SS𐫃; [V3 V5 B1]; [V3 V5 B1] # -.્剘ss𐫃
-B; -.\u0ACD剘ss𐫃; [V3 V5 B1]; [V3 V5 B1] # -.્剘ss𐫃
-B; -.\u0ACD剘Ss𐫃; [V3 V5 B1]; [V3 V5 B1] # -.્剘ss𐫃
-B; \u08FB。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ࣻ.-
-B; \u08FB。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ࣻ.-
-B; ⒈𐹲。≠\u0603𐹽; [P1 V6 B1]; [P1 V6 B1] # ⒈𐹲.≠𐹽
-B; ⒈𐹲。=\u0338\u0603𐹽; [P1 V6 B1]; [P1 V6 B1] # ⒈𐹲.≠𐹽
-B; 1.𐹲。≠\u0603𐹽; [P1 V6 B1]; [P1 V6 B1] # 1.𐹲.≠𐹽
-B; 1.𐹲。=\u0338\u0603𐹽; [P1 V6 B1]; [P1 V6 B1] # 1.𐹲.≠𐹽
-T; 𐹢Ⴎ\u200C.㖾𐹡; [P1 V6 B1 C1 B5 B6]; [P1 V6 B1 B5 B6] # 𐹢Ⴎ.㖾𐹡
-N; 𐹢Ⴎ\u200C.㖾𐹡; [P1 V6 B1 C1 B5 B6]; [P1 V6 B1 C1 B5 B6] # 𐹢Ⴎ.㖾𐹡
-T; 𐹢ⴎ\u200C.㖾𐹡; [P1 V6 B1 C1 B5 B6]; [P1 V6 B1 B5 B6] # 𐹢ⴎ.㖾𐹡
-N; 𐹢ⴎ\u200C.㖾𐹡; [P1 V6 B1 C1 B5 B6]; [P1 V6 B1 C1 B5 B6] # 𐹢ⴎ.㖾𐹡
-B; .\u07C7ᡖႳႧ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # .߇ᡖႳႧ
-B; .\u07C7ᡖႳႧ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # .߇ᡖႳႧ
-B; .\u07C7ᡖⴓⴇ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # .߇ᡖⴓⴇ
-B; .\u07C7ᡖႳⴇ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # .߇ᡖႳⴇ
-B; .\u07C7ᡖⴓⴇ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # .߇ᡖⴓⴇ
-B; .\u07C7ᡖႳⴇ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # .߇ᡖႳⴇ
-T; \u200D.\u06B3\u0775; [P1 V6 C2]; [P1 V6] # .ڳݵ
-N; \u200D.\u06B3\u0775; [P1 V6 C2]; [P1 V6 C2] # .ڳݵ
-B; ⒛⾳.ꡦ⒈; [P1 V6]; [P1 V6]
-B; 20.音.ꡦ1.; [P1 V6]; [P1 V6]
-B; \u07DC8-。𑁿𐩥\u09CD; [P1 V3 V6 B2 B3 B5 B6]; [P1 V3 V6 B2 B3 B5 B6] # ߜ8-.𑁿𐩥্
-B; \u07DC8-。𑁿𐩥\u09CD; [P1 V3 V6 B2 B3 B5 B6]; [P1 V3 V6 B2 B3 B5 B6] # ߜ8-.𑁿𐩥্
-B; Ⴕ。۰≮ß\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ß݅
-B; Ⴕ。۰<\u0338ß\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ß݅
-B; ⴕ。۰<\u0338ß\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ß݅
-B; ⴕ。۰≮ß\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ß݅
-B; Ⴕ。۰≮SS\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ss݅
-B; Ⴕ。۰<\u0338SS\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ss݅
-B; ⴕ。۰<\u0338ss\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ss݅
-B; ⴕ。۰≮ss\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ss݅
-B; Ⴕ。۰≮Ss\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ss݅
-B; Ⴕ。۰<\u0338Ss\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ss݅
-B; \u07E9-.𝨗꒱\u1B72; [V3 V5 B3]; [V3 V5 B3] # ߩ-.𝨗꒱᭲
-T; \u200C.≯䕵⫧; [P1 V6 B3 C1]; [P1 V6] # .≯䕵⫧
-N; \u200C.≯䕵⫧; [P1 V6 B3 C1]; [P1 V6 B3 C1] # .≯䕵⫧
-T; \u200C.>\u0338䕵⫧; [P1 V6 B3 C1]; [P1 V6] # .≯䕵⫧
-N; \u200C.>\u0338䕵⫧; [P1 V6 B3 C1]; [P1 V6 B3 C1] # .≯䕵⫧
-B; 𐨅ß\uFC57.\u06AC۳︒; [P1 V5 V6 B1 B3]; [P1 V5 V6 B1 B3] # 𐨅ßيخ.ڬ۳︒
-B; 𐨅ß\u064A\u062E.\u06AC۳。; [V5 B1]; [V5 B1] # 𐨅ßيخ.ڬ۳.
-B; 𐨅SS\u064A\u062E.\u06AC۳。; [V5 B1]; [V5 B1] # 𐨅ssيخ.ڬ۳.
-B; 𐨅ss\u064A\u062E.\u06AC۳。; [V5 B1]; [V5 B1] # 𐨅ssيخ.ڬ۳.
-B; 𐨅Ss\u064A\u062E.\u06AC۳。; [V5 B1]; [V5 B1] # 𐨅ssيخ.ڬ۳.
-B; 𐨅SS\uFC57.\u06AC۳︒; [P1 V5 V6 B1 B3]; [P1 V5 V6 B1 B3] # 𐨅ssيخ.ڬ۳︒
-B; 𐨅ss\uFC57.\u06AC۳︒; [P1 V5 V6 B1 B3]; [P1 V5 V6 B1 B3] # 𐨅ssيخ.ڬ۳︒
-B; 𐨅Ss\uFC57.\u06AC۳︒; [P1 V5 V6 B1 B3]; [P1 V5 V6 B1 B3] # 𐨅ssيخ.ڬ۳︒
-B; -≮🡒\u1CED.Ⴁ\u0714; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -≮🡒᳭.Ⴁܔ
-B; -<\u0338🡒\u1CED.Ⴁ\u0714; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -≮🡒᳭.Ⴁܔ
-B; -<\u0338🡒\u1CED.ⴁ\u0714; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -≮🡒᳭.ⴁܔ
-B; -≮🡒\u1CED.ⴁ\u0714; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -≮🡒᳭.ⴁܔ
-T; 𞤨。ꡏ\u200D\u200C; [C2 C1]; xn--ge6h.xn--oc9a # 𞤨.ꡏ
-N; 𞤨。ꡏ\u200D\u200C; [C2 C1]; [C2 C1] # 𞤨.ꡏ
-T; 𞤨。ꡏ\u200D\u200C; [C2 C1]; xn--ge6h.xn--oc9a # 𞤨.ꡏ
-N; 𞤨。ꡏ\u200D\u200C; [C2 C1]; [C2 C1] # 𞤨.ꡏ
-B; xn--ge6h.xn--oc9a; 𞤨.ꡏ; xn--ge6h.xn--oc9a
-B; 𞤨.ꡏ; ; xn--ge6h.xn--oc9a
-B; 󠅹𑂶.ᢌ𑂹\u0669; [V5 B5 B6]; [V5 B5 B6] # 𑂶.ᢌ𑂹٩
-B; 󠅹𑂶.ᢌ𑂹\u0669; [V5 B5 B6]; [V5 B5 B6] # 𑂶.ᢌ𑂹٩
-B; Ⅎ󠅺。≯⾑; [P1 V6]; [P1 V6]
-B; Ⅎ󠅺。>\u0338⾑; [P1 V6]; [P1 V6]
-B; Ⅎ󠅺。≯襾; [P1 V6]; [P1 V6]
-B; Ⅎ󠅺。>\u0338襾; [P1 V6]; [P1 V6]
-B; ⅎ󠅺。>\u0338襾; [P1 V6]; [P1 V6]
-B; ⅎ󠅺。≯襾; [P1 V6]; [P1 V6]
-B; ⅎ󠅺。>\u0338⾑; [P1 V6]; [P1 V6]
-B; ⅎ󠅺。≯⾑; [P1 V6]; [P1 V6]
-T; ς\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6] # ςු٠.-
-N; ς\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6 C2] # ςු٠.-
-T; ς\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6] # ςු٠.-
-N; ς\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6 C2] # ςු٠.-
-T; Σ\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6] # σු٠.-
-N; Σ\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6 C2] # σු٠.-
-T; σ\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6] # σු٠.-
-N; σ\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6 C2] # σු٠.-
-T; Σ\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6] # σු٠.-
-N; Σ\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6 C2] # σු٠.-
-T; σ\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6] # σු٠.-
-N; σ\u200D\u0DD4\u0660。-; [V3 B5 B6 C2]; [V3 B5 B6 C2] # σු٠.-
-T; \u200C.ßႩ-; [P1 V3 V6 C1]; [P1 V3 V6] # .ßႩ-
-N; \u200C.ßႩ-; [P1 V3 V6 C1]; [P1 V3 V6 C1] # .ßႩ-
-T; \u200C.ßⴉ-; [V3 C1]; [V3] # .ßⴉ-
-N; \u200C.ßⴉ-; [V3 C1]; [V3 C1] # .ßⴉ-
-T; \u200C.SSႩ-; [P1 V3 V6 C1]; [P1 V3 V6] # .ssႩ-
-N; \u200C.SSႩ-; [P1 V3 V6 C1]; [P1 V3 V6 C1] # .ssႩ-
-T; \u200C.ssⴉ-; [V3 C1]; [V3] # .ssⴉ-
-N; \u200C.ssⴉ-; [V3 C1]; [V3 C1] # .ssⴉ-
-T; \u200C.Ssⴉ-; [V3 C1]; [V3] # .ssⴉ-
-N; \u200C.Ssⴉ-; [V3 C1]; [V3 C1] # .ssⴉ-
-B; 𐫍㓱。⾑; [P1 V6 B5]; [P1 V6 B5]
-B; 𐫍㓱。襾; [P1 V6 B5]; [P1 V6 B5]
-T; \u06A0𐮋𐹰≮。≯\u200D; [P1 V6 B3 C2]; [P1 V6 B3] # ڠ𐮋𐹰≮.≯
-N; \u06A0𐮋𐹰≮。≯\u200D; [P1 V6 B3 C2]; [P1 V6 B3 C2] # ڠ𐮋𐹰≮.≯
-T; \u06A0𐮋𐹰<\u0338。>\u0338\u200D; [P1 V6 B3 C2]; [P1 V6 B3] # ڠ𐮋𐹰≮.≯
-N; \u06A0𐮋𐹰<\u0338。>\u0338\u200D; [P1 V6 B3 C2]; [P1 V6 B3 C2] # ڠ𐮋𐹰≮.≯
-B; 𝟞。\u0777\u08B0⩋; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 6.ݷࢰ⩋
-B; 6。\u0777\u08B0⩋; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 6.ݷࢰ⩋
-B; -\uFCFD。𑇀𑍴; [V3 V5 B1]; [V3 V5 B1] # -شى.𑇀𑍴
-B; -\uFCFD。𑇀𑍴; [V3 V5 B1]; [V3 V5 B1] # -شى.𑇀𑍴
-B; -\u0634\u0649。𑇀𑍴; [V3 V5 B1]; [V3 V5 B1] # -شى.𑇀𑍴
-T; \u200C𝟏.\u0D43𐹬; [P1 V6 V5 C1 B1]; [P1 V6 V5 B1] # 1.ൃ𐹬
-N; \u200C𝟏.\u0D43𐹬; [P1 V6 V5 C1 B1]; [P1 V6 V5 C1 B1] # 1.ൃ𐹬
-T; \u200C1.\u0D43𐹬; [P1 V6 V5 C1 B1]; [P1 V6 V5 B1] # 1.ൃ𐹬
-N; \u200C1.\u0D43𐹬; [P1 V6 V5 C1 B1]; [P1 V6 V5 C1 B1] # 1.ൃ𐹬
-T; 齙--𝟰.ß; 齙--4.ß; xn----4-p16k.ss
-N; 齙--𝟰.ß; 齙--4.ß; xn----4-p16k.xn--zca
-T; 齙--4.ß; ; xn----4-p16k.ss
-N; 齙--4.ß; ; xn----4-p16k.xn--zca
-B; 齙--4.SS; 齙--4.ss; xn----4-p16k.ss
-B; xn----4-p16k.ss; 齙--4.ss; xn----4-p16k.ss
-B; xn----4-p16k.xn--zca; 齙--4.ß; xn----4-p16k.xn--zca
-B; 齙--𝟰.SS; 齙--4.ss; xn----4-p16k.ss
-T; \u1BF2.𐹢𞀖\u200C; [V5 B1 C1]; [V5 B1] # ᯲.𐹢𞀖
-N; \u1BF2.𐹢𞀖\u200C; [V5 B1 C1]; [V5 B1 C1] # ᯲.𐹢𞀖
-T; 。\uDEDE-\u200D; [P1 V6 C2]; [P1 V6 V3 A3] # .-
-N; 。\uDEDE-\u200D; [P1 V6 C2]; [P1 V6 C2 A3] # .-
-T; 。\uDEDE-\u200D; [P1 V6 C2]; [P1 V6 V3 A3] # .-
-N; 。\uDEDE-\u200D; [P1 V6 C2]; [P1 V6 C2 A3] # .-
-B; \u1A60.-𝪩悎; [P1 V5 V6 B2 B3]; [P1 V5 V6 B2 B3] # ᩠.-𝪩悎
-B; \u1A60.-𝪩悎; [P1 V5 V6 B2 B3]; [P1 V5 V6 B2 B3] # ᩠.-𝪩悎
-B; .𞤳; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; .𞤳; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; \u071C𐫒\u062E.𐋲; ; xn--tgb98b8643d.xn--m97c; NV8 # ܜ𐫒خ.𐋲
-B; xn--tgb98b8643d.xn--m97c; \u071C𐫒\u062E.𐋲; xn--tgb98b8643d.xn--m97c; NV8 # ܜ𐫒خ.𐋲
-B; 𐼑𞤓\u0637\u08E2.\uDF56; [P1 V6]; [P1 V6 A3] # 𞤵ط.
-B; Ↄ。\u0A4D\u1CD4; [P1 V6 V5 B1]; [P1 V6 V5 B1] # Ↄ.᳔੍
-B; Ↄ。\u1CD4\u0A4D; [P1 V6 V5 B1]; [P1 V6 V5 B1] # Ↄ.᳔੍
-B; ↄ。\u1CD4\u0A4D; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ↄ.᳔੍
-B; ↄ。\u0A4D\u1CD4; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ↄ.᳔੍
-B; -。≮𑜫; [P1 V3 V6]; [P1 V3 V6]
-B; -。<\u0338𑜫; [P1 V3 V6]; [P1 V3 V6]
-T; \u200C\u200D。≮Ⴉ; [P1 V6 C1 C2]; [P1 V6] # .≮Ⴉ
-N; \u200C\u200D。≮Ⴉ; [P1 V6 C1 C2]; [P1 V6 C1 C2] # .≮Ⴉ
-T; \u200C\u200D。<\u0338Ⴉ; [P1 V6 C1 C2]; [P1 V6] # .≮Ⴉ
-N; \u200C\u200D。<\u0338Ⴉ; [P1 V6 C1 C2]; [P1 V6 C1 C2] # .≮Ⴉ
-T; \u200C\u200D。<\u0338ⴉ; [P1 V6 C1 C2]; [P1 V6] # .≮ⴉ
-N; \u200C\u200D。<\u0338ⴉ; [P1 V6 C1 C2]; [P1 V6 C1 C2] # .≮ⴉ
-T; \u200C\u200D。≮ⴉ; [P1 V6 C1 C2]; [P1 V6] # .≮ⴉ
-N; \u200C\u200D。≮ⴉ; [P1 V6 C1 C2]; [P1 V6 C1 C2] # .≮ⴉ
-B; 𐹯-𑄴\u08BC。︒䖐⾆; [P1 V6 B1]; [P1 V6 B1] # 𐹯-𑄴ࢼ.︒䖐舌
-B; 𐹯-𑄴\u08BC。。䖐舌; [B1 A4_2]; [B1 A4_2] # 𐹯-𑄴ࢼ..䖐舌
-B; 𝪞Ⴐ。쪡; [P1 V5 V6]; [P1 V5 V6]
-B; 𝪞Ⴐ。쪡; [P1 V5 V6]; [P1 V5 V6]
-B; 𝪞Ⴐ。쪡; [P1 V5 V6]; [P1 V5 V6]
-B; 𝪞Ⴐ。쪡; [P1 V5 V6]; [P1 V5 V6]
-B; 𝪞ⴐ。쪡; [V5]; [V5]
-B; 𝪞ⴐ。쪡; [V5]; [V5]
-B; 𝪞ⴐ。쪡; [V5]; [V5]
-B; 𝪞ⴐ。쪡; [V5]; [V5]
-B; \u0E3A쩁𐹬.; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ฺ쩁𐹬.
-B; \u0E3A쩁𐹬.; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ฺ쩁𐹬.
-T; ᡅ0\u200C。⎢; [P1 V6 C1]; [P1 V6] # ᡅ0.⎢
-N; ᡅ0\u200C。⎢; [P1 V6 C1]; [P1 V6 C1] # ᡅ0.⎢
-T; ᡅ0\u200C。⎢; [P1 V6 C1]; [P1 V6] # ᡅ0.⎢
-N; ᡅ0\u200C。⎢; [P1 V6 C1]; [P1 V6 C1] # ᡅ0.⎢
-T; 9ꍩ\u17D3.\u200Dß; [P1 V6 C2]; [P1 V6] # 9ꍩ៓.ß
-N; 9ꍩ\u17D3.\u200Dß; [P1 V6 C2]; [P1 V6 C2] # 9ꍩ៓.ß
-T; 9ꍩ\u17D3.\u200Dß; [P1 V6 C2]; [P1 V6] # 9ꍩ៓.ß
-N; 9ꍩ\u17D3.\u200Dß; [P1 V6 C2]; [P1 V6 C2] # 9ꍩ៓.ß
-T; 9ꍩ\u17D3.\u200DSS; [P1 V6 C2]; [P1 V6] # 9ꍩ៓.ss
-N; 9ꍩ\u17D3.\u200DSS; [P1 V6 C2]; [P1 V6 C2] # 9ꍩ៓.ss
-T; 9ꍩ\u17D3.\u200Dss; [P1 V6 C2]; [P1 V6] # 9ꍩ៓.ss
-N; 9ꍩ\u17D3.\u200Dss; [P1 V6 C2]; [P1 V6 C2] # 9ꍩ៓.ss
-T; 9ꍩ\u17D3.\u200DSs; [P1 V6 C2]; [P1 V6] # 9ꍩ៓.ss
-N; 9ꍩ\u17D3.\u200DSs; [P1 V6 C2]; [P1 V6 C2] # 9ꍩ៓.ss
-T; 9ꍩ\u17D3.\u200DSS; [P1 V6 C2]; [P1 V6] # 9ꍩ៓.ss
-N; 9ꍩ\u17D3.\u200DSS; [P1 V6 C2]; [P1 V6 C2] # 9ꍩ៓.ss
-T; 9ꍩ\u17D3.\u200Dss; [P1 V6 C2]; [P1 V6] # 9ꍩ៓.ss
-N; 9ꍩ\u17D3.\u200Dss; [P1 V6 C2]; [P1 V6 C2] # 9ꍩ៓.ss
-T; 9ꍩ\u17D3.\u200DSs; [P1 V6 C2]; [P1 V6] # 9ꍩ៓.ss
-N; 9ꍩ\u17D3.\u200DSs; [P1 V6 C2]; [P1 V6 C2] # 9ꍩ៓.ss
-B; ꗷ𑆀.\u075D𐩒; ; xn--ju8a625r.xn--hpb0073k; NV8 # ꗷ𑆀.ݝ𐩒
-B; xn--ju8a625r.xn--hpb0073k; ꗷ𑆀.\u075D𐩒; xn--ju8a625r.xn--hpb0073k; NV8 # ꗷ𑆀.ݝ𐩒
-B; ⒐≯-。︒-; [P1 V3 V6]; [P1 V3 V6]
-B; ⒐>\u0338-。︒-; [P1 V3 V6]; [P1 V3 V6]
-B; 9.≯-。。-; [P1 V3 V6 A4_2]; [P1 V3 V6 A4_2]
-B; 9.>\u0338-。。-; [P1 V3 V6 A4_2]; [P1 V3 V6 A4_2]
-B; \u0CE3Ⴡ.\u061D; [P1 V6]; [P1 V6] # ೣჁ.
-B; \u0CE3Ⴡ.\u061D; [P1 V6]; [P1 V6] # ೣჁ.
-B; \u0CE3ⴡ.\u061D; [P1 V6]; [P1 V6] # ೣⴡ.
-B; \u0CE3ⴡ.\u061D; [P1 V6]; [P1 V6] # ೣⴡ.
-B; \u1DEB。𐋩\u0638-𐫮; [V5 B1]; [V5 B1] # ᷫ.𐋩ظ-𐫮
-B; 싇。⾇𐳋Ⴝ; [P1 V6 B5]; [P1 V6 B5]
-B; 싇。⾇𐳋Ⴝ; [P1 V6 B5]; [P1 V6 B5]
-B; 싇。舛𐳋Ⴝ; [P1 V6 B5]; [P1 V6 B5]
-B; 싇。舛𐳋Ⴝ; [P1 V6 B5]; [P1 V6 B5]
-B; 싇。舛𐳋ⴝ; [B5]; [B5]
-B; 싇。舛𐳋ⴝ; [B5]; [B5]
-B; 싇。舛𐲋Ⴝ; [P1 V6 B5]; [P1 V6 B5]
-B; 싇。舛𐲋Ⴝ; [P1 V6 B5]; [P1 V6 B5]
-B; 싇。舛𐲋ⴝ; [B5]; [B5]
-B; 싇。舛𐲋ⴝ; [B5]; [B5]
-B; 싇。⾇𐳋ⴝ; [B5]; [B5]
-B; 싇。⾇𐳋ⴝ; [B5]; [B5]
-B; 싇。⾇𐲋Ⴝ; [P1 V6 B5]; [P1 V6 B5]
-B; 싇。⾇𐲋Ⴝ; [P1 V6 B5]; [P1 V6 B5]
-B; 싇。⾇𐲋ⴝ; [B5]; [B5]
-B; 싇。⾇𐲋ⴝ; [B5]; [B5]
-T; 𐹠ς。\u200C\u06BFჀ; [P1 V6 B1 C1]; [P1 V6 B1 B2 B3] # 𐹠ς.ڿჀ
-N; 𐹠ς。\u200C\u06BFჀ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹠ς.ڿჀ
-T; 𐹠ς。\u200C\u06BFⴠ; [B1 C1]; [B1 B2 B3] # 𐹠ς.ڿⴠ
-N; 𐹠ς。\u200C\u06BFⴠ; [B1 C1]; [B1 C1] # 𐹠ς.ڿⴠ
-T; 𐹠Σ。\u200C\u06BFჀ; [P1 V6 B1 C1]; [P1 V6 B1 B2 B3] # 𐹠σ.ڿჀ
-N; 𐹠Σ。\u200C\u06BFჀ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 𐹠σ.ڿჀ
-T; 𐹠σ。\u200C\u06BFⴠ; [B1 C1]; [B1 B2 B3] # 𐹠σ.ڿⴠ
-N; 𐹠σ。\u200C\u06BFⴠ; [B1 C1]; [B1 C1] # 𐹠σ.ڿⴠ
-T; \u200C\u0604.\u069A-ß; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 B2 B3] # .ښ-ß
-N; \u200C\u0604.\u069A-ß; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 C1 B2 B3] # .ښ-ß
-T; \u200C\u0604.\u069A-SS; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 B2 B3] # .ښ-ss
-N; \u200C\u0604.\u069A-SS; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 C1 B2 B3] # .ښ-ss
-T; \u200C\u0604.\u069A-ss; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 B2 B3] # .ښ-ss
-N; \u200C\u0604.\u069A-ss; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 C1 B2 B3] # .ښ-ss
-T; \u200C\u0604.\u069A-Ss; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 B2 B3] # .ښ-ss
-N; \u200C\u0604.\u069A-Ss; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 C1 B2 B3] # .ښ-ss
-T; \u200C\u200D\u17B5\u067A.-\uFBB0; [P1 V6 V3 B1 C1 C2]; [P1 V5 V6 V3 B1] # ٺ.-ۓ
-N; \u200C\u200D\u17B5\u067A.-\uFBB0; [P1 V6 V3 B1 C1 C2]; [P1 V6 V3 B1 C1 C2] # ٺ.-ۓ
-T; \u200C\u200D\u17B5\u067A.-\u06D3; [P1 V6 V3 B1 C1 C2]; [P1 V5 V6 V3 B1] # ٺ.-ۓ
-N; \u200C\u200D\u17B5\u067A.-\u06D3; [P1 V6 V3 B1 C1 C2]; [P1 V6 V3 B1 C1 C2] # ٺ.-ۓ
-T; \u200C\u200D\u17B5\u067A.-\u06D2\u0654; [P1 V6 V3 B1 C1 C2]; [P1 V5 V6 V3 B1] # ٺ.-ۓ
-N; \u200C\u200D\u17B5\u067A.-\u06D2\u0654; [P1 V6 V3 B1 C1 C2]; [P1 V6 V3 B1 C1 C2] # ٺ.-ۓ
-B; 。𐮬≠; [P1 V6 B3]; [P1 V6 B3]
-B; 。𐮬=\u0338; [P1 V6 B3]; [P1 V6 B3]
-B; 。𐮬≠; [P1 V6 B3]; [P1 V6 B3]
-B; 。𐮬=\u0338; [P1 V6 B3]; [P1 V6 B3]
-B; \u0FB2。𐹮𐹷덝۵; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ྲ.𐹮𐹷덝۵
-B; \u0FB2。𐹮𐹷덝۵; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ྲ.𐹮𐹷덝۵
-B; \u0FB2。𐹮𐹷덝۵; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ྲ.𐹮𐹷덝۵
-B; \u0FB2。𐹮𐹷덝۵; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ྲ.𐹮𐹷덝۵
-T; Ⴏ󠅋-.\u200DႩ; [P1 V3 V6 C2]; [P1 V3 V6] # Ⴏ-.Ⴉ
-N; Ⴏ󠅋-.\u200DႩ; [P1 V3 V6 C2]; [P1 V3 V6 C2] # Ⴏ-.Ⴉ
-T; Ⴏ󠅋-.\u200DႩ; [P1 V3 V6 C2]; [P1 V3 V6] # Ⴏ-.Ⴉ
-N; Ⴏ󠅋-.\u200DႩ; [P1 V3 V6 C2]; [P1 V3 V6 C2] # Ⴏ-.Ⴉ
-T; ⴏ󠅋-.\u200Dⴉ; [V3 C2]; [V3] # ⴏ-.ⴉ
-N; ⴏ󠅋-.\u200Dⴉ; [V3 C2]; [V3 C2] # ⴏ-.ⴉ
-T; ⴏ󠅋-.\u200Dⴉ; [V3 C2]; [V3] # ⴏ-.ⴉ
-N; ⴏ󠅋-.\u200Dⴉ; [V3 C2]; [V3 C2] # ⴏ-.ⴉ
-B; ⇧𐨏。\u0600󠆉; [P1 V6 B1]; [P1 V6 B1] # ⇧𐨏.
-B; ≠𐮂.↑🄇⒈; [P1 V6 B1]; [P1 V6 B1]
-B; =\u0338𐮂.↑🄇⒈; [P1 V6 B1]; [P1 V6 B1]
-B; ≠𐮂.↑6,1.; [P1 V6 B1]; [P1 V6 B1]
-B; =\u0338𐮂.↑6,1.; [P1 V6 B1]; [P1 V6 B1]
-T; 𝩏ß.ᢤ\u200C𐹫; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6] # 𝩏ß.ᢤ𐹫
-N; 𝩏ß.ᢤ\u200C𐹫; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6 C1] # 𝩏ß.ᢤ𐹫
-T; 𝩏SS.ᢤ\u200C𐹫; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6] # 𝩏ss.ᢤ𐹫
-N; 𝩏SS.ᢤ\u200C𐹫; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6 C1] # 𝩏ss.ᢤ𐹫
-T; 𝩏ss.ᢤ\u200C𐹫; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6] # 𝩏ss.ᢤ𐹫
-N; 𝩏ss.ᢤ\u200C𐹫; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6 C1] # 𝩏ss.ᢤ𐹫
-T; 𝩏Ss.ᢤ\u200C𐹫; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6] # 𝩏ss.ᢤ𐹫
-N; 𝩏Ss.ᢤ\u200C𐹫; [P1 V5 V6 B5 B6 C1]; [P1 V5 V6 B5 B6 C1] # 𝩏ss.ᢤ𐹫
-B; ßႧ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ßႧ.ꙺ
-B; ßႧ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ßႧ.ꙺ
-B; ßⴇ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ßⴇ.ꙺ
-B; SSႧ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ssႧ.ꙺ
-B; ssⴇ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ssⴇ.ꙺ
-B; SsႧ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ssႧ.ꙺ
-B; ßⴇ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ßⴇ.ꙺ
-B; SSႧ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ssႧ.ꙺ
-B; ssⴇ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ssⴇ.ꙺ
-B; SsႧ。\uA67A; [P1 V6 V5 B5]; [P1 V6 V5 B5] # ssႧ.ꙺ
-B; \u1714。󠆣-𑋪; [V5 V3]; [V5 V3] # ᜔.-𑋪
-B; \uABE8-.\u05BDß; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽß
-B; \uABE8-.\u05BDß; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽß
-B; \uABE8-.\u05BDSS; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
-B; \uABE8-.\u05BDss; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
-B; \uABE8-.\u05BDSs; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
-B; \uABE8-.\u05BDSS; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
-B; \uABE8-.\u05BDss; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
-B; \uABE8-.\u05BDSs; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
-B; ᡓ-≮。\u066B󠅱ᡄ; [P1 V6 B1]; [P1 V6 B1] # ᡓ-≮.٫ᡄ
-B; ᡓ-<\u0338。\u066B󠅱ᡄ; [P1 V6 B1]; [P1 V6 B1] # ᡓ-≮.٫ᡄ
-B; 𝟥♮𑜫\u08ED.\u17D2𑜫8󠆏; [V5]; [V5] # 3♮𑜫࣭.្𑜫8
-B; 3♮𑜫\u08ED.\u17D2𑜫8󠆏; [V5]; [V5] # 3♮𑜫࣭.្𑜫8
-T; -。\u200D❡; [P1 V3 V6 C2]; [P1 V3 V6] # -.❡
-N; -。\u200D❡; [P1 V3 V6 C2]; [P1 V3 V6 C2] # -.❡
-T; -。\u200D❡; [P1 V3 V6 C2]; [P1 V3 V6] # -.❡
-N; -。\u200D❡; [P1 V3 V6 C2]; [P1 V3 V6 C2] # -.❡
-B; 𝟓☱𝟐。𝪮; [P1 V6 V5]; [P1 V6 V5]
-B; 5☱2。𝪮; [P1 V6 V5]; [P1 V6 V5]
-B; -.-├; [P1 V3 V6]; [P1 V3 V6]
-T; \u05A5\u076D。\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # ֥ݭ.
-N; \u05A5\u076D。\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ֥ݭ.
-T; \u05A5\u076D。\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # ֥ݭ.
-N; \u05A5\u076D。\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ֥ݭ.
-T; 쥥Ⴎ.\u200C⒈⒈𐫒; [P1 V6 B1 C1]; [P1 V6 B1] # 쥥Ⴎ.⒈⒈𐫒
-N; 쥥Ⴎ.\u200C⒈⒈𐫒; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 쥥Ⴎ.⒈⒈𐫒
-T; 쥥Ⴎ.\u200C⒈⒈𐫒; [P1 V6 B1 C1]; [P1 V6 B1] # 쥥Ⴎ.⒈⒈𐫒
-N; 쥥Ⴎ.\u200C⒈⒈𐫒; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 쥥Ⴎ.⒈⒈𐫒
-T; 쥥Ⴎ.\u200C1.1.𐫒; [P1 V6 C1]; [P1 V6] # 쥥Ⴎ.1.1.𐫒
-N; 쥥Ⴎ.\u200C1.1.𐫒; [P1 V6 C1]; [P1 V6 C1] # 쥥Ⴎ.1.1.𐫒
-T; 쥥Ⴎ.\u200C1.1.𐫒; [P1 V6 C1]; [P1 V6] # 쥥Ⴎ.1.1.𐫒
-N; 쥥Ⴎ.\u200C1.1.𐫒; [P1 V6 C1]; [P1 V6 C1] # 쥥Ⴎ.1.1.𐫒
-T; 쥥ⴎ.\u200C1.1.𐫒; [P1 V6 C1]; [P1 V6] # 쥥ⴎ.1.1.𐫒
-N; 쥥ⴎ.\u200C1.1.𐫒; [P1 V6 C1]; [P1 V6 C1] # 쥥ⴎ.1.1.𐫒
-T; 쥥ⴎ.\u200C1.1.𐫒; [P1 V6 C1]; [P1 V6] # 쥥ⴎ.1.1.𐫒
-N; 쥥ⴎ.\u200C1.1.𐫒; [P1 V6 C1]; [P1 V6 C1] # 쥥ⴎ.1.1.𐫒
-T; 쥥ⴎ.\u200C⒈⒈𐫒; [P1 V6 B1 C1]; [P1 V6 B1] # 쥥ⴎ.⒈⒈𐫒
-N; 쥥ⴎ.\u200C⒈⒈𐫒; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 쥥ⴎ.⒈⒈𐫒
-T; 쥥ⴎ.\u200C⒈⒈𐫒; [P1 V6 B1 C1]; [P1 V6 B1] # 쥥ⴎ.⒈⒈𐫒
-N; 쥥ⴎ.\u200C⒈⒈𐫒; [P1 V6 B1 C1]; [P1 V6 B1 C1] # 쥥ⴎ.⒈⒈𐫒
-B; \u0827𝟶\u06A0-。𑄳; [V3 V5 B1]; [V3 V5 B1] # ࠧ0ڠ-.𑄳
-B; \u08270\u06A0-。𑄳; [V3 V5 B1]; [V3 V5 B1] # ࠧ0ڠ-.𑄳
-B; ς.\uFDC1🞛⒈; [P1 V6]; [P1 V6] # ς.فمي🞛⒈
-T; ς.\u0641\u0645\u064A🞛1.; ; xn--4xa.xn--1-gocmu97674d.; NV8 # ς.فمي🞛1.
-N; ς.\u0641\u0645\u064A🞛1.; ; xn--3xa.xn--1-gocmu97674d.; NV8 # ς.فمي🞛1.
-B; Σ.\u0641\u0645\u064A🞛1.; σ.\u0641\u0645\u064A🞛1.; xn--4xa.xn--1-gocmu97674d.; NV8 # σ.فمي🞛1.
-B; σ.\u0641\u0645\u064A🞛1.; ; xn--4xa.xn--1-gocmu97674d.; NV8 # σ.فمي🞛1.
-B; xn--4xa.xn--1-gocmu97674d.; σ.\u0641\u0645\u064A🞛1.; xn--4xa.xn--1-gocmu97674d.; NV8 # σ.فمي🞛1.
-B; xn--3xa.xn--1-gocmu97674d.; ς.\u0641\u0645\u064A🞛1.; xn--3xa.xn--1-gocmu97674d.; NV8 # ς.فمي🞛1.
-B; Σ.\uFDC1🞛⒈; [P1 V6]; [P1 V6] # σ.فمي🞛⒈
-B; σ.\uFDC1🞛⒈; [P1 V6]; [P1 V6] # σ.فمي🞛⒈
-B; 🗩-。𐹻; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-B; 🗩-。𐹻; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-T; 𐡜-🔪。𝟻\u200C𐿀; [P1 V6 B3 B1 C1]; [P1 V6 B3 B1] # 𐡜-🔪.5
-N; 𐡜-🔪。𝟻\u200C𐿀; [P1 V6 B3 B1 C1]; [P1 V6 B3 B1 C1] # 𐡜-🔪.5
-T; 𐡜-🔪。5\u200C𐿀; [P1 V6 B3 B1 C1]; [P1 V6 B3 B1] # 𐡜-🔪.5
-N; 𐡜-🔪。5\u200C𐿀; [P1 V6 B3 B1 C1]; [P1 V6 B3 B1 C1] # 𐡜-🔪.5
-T; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ß.ߏ0ּ
-N; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ß.ߏ0ּ
-T; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ß.ߏ0ּ
-N; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ß.ߏ0ּ
-T; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ß.ߏ0ּ
-N; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ß.ߏ0ּ
-T; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ß.ߏ0ּ
-N; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ß.ߏ0ּ
-T; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-T; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
-N; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
-B; 9󠇥.ᢓ; [P1 V6]; [P1 V6]
-B; 9󠇥.ᢓ; [P1 V6]; [P1 V6]
-T; \u200C\uFFA0.𐫭🠗ß⽟; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .𐫭🠗ß玉
-N; \u200C\uFFA0.𐫭🠗ß⽟; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .𐫭🠗ß玉
-T; \u200C\u1160.𐫭🠗ß玉; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .𐫭🠗ß玉
-N; \u200C\u1160.𐫭🠗ß玉; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .𐫭🠗ß玉
-T; \u200C\u1160.𐫭🠗SS玉; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .𐫭🠗ss玉
-N; \u200C\u1160.𐫭🠗SS玉; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .𐫭🠗ss玉
-T; \u200C\u1160.𐫭🠗ss玉; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .𐫭🠗ss玉
-N; \u200C\u1160.𐫭🠗ss玉; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .𐫭🠗ss玉
-T; \u200C\u1160.𐫭🠗Ss玉; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .𐫭🠗ss玉
-N; \u200C\u1160.𐫭🠗Ss玉; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .𐫭🠗ss玉
-T; \u200C\uFFA0.𐫭🠗SS⽟; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .𐫭🠗ss玉
-N; \u200C\uFFA0.𐫭🠗SS⽟; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .𐫭🠗ss玉
-T; \u200C\uFFA0.𐫭🠗ss⽟; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .𐫭🠗ss玉
-N; \u200C\uFFA0.𐫭🠗ss⽟; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .𐫭🠗ss玉
-T; \u200C\uFFA0.𐫭🠗Ss⽟; [P1 V6 C1 B2 B3]; [P1 V6 B2 B3] # .𐫭🠗ss玉
-N; \u200C\uFFA0.𐫭🠗Ss⽟; [P1 V6 C1 B2 B3]; [P1 V6 C1 B2 B3] # .𐫭🠗ss玉
-T; ︒Ⴖ\u0366.\u200C; [P1 V6 C1]; [P1 V6] # ︒Ⴖͦ.
-N; ︒Ⴖ\u0366.\u200C; [P1 V6 C1]; [P1 V6 C1] # ︒Ⴖͦ.
-T; 。Ⴖ\u0366.\u200C; [P1 V6 C1]; [P1 V6] # Ⴖͦ.
-N; 。Ⴖ\u0366.\u200C; [P1 V6 C1]; [P1 V6 C1] # Ⴖͦ.
-T; 。ⴖ\u0366.\u200C; [C1]; xn--hva754s. # ⴖͦ.
-N; 。ⴖ\u0366.\u200C; [C1]; [C1] # ⴖͦ.
-B; xn--hva754s.; ⴖ\u0366.; xn--hva754s. # ⴖͦ.
-B; ⴖ\u0366.; ; xn--hva754s. # ⴖͦ.
-B; Ⴖ\u0366.; [P1 V6]; [P1 V6] # Ⴖͦ.
-T; ︒ⴖ\u0366.\u200C; [P1 V6 C1]; [P1 V6] # ︒ⴖͦ.
-N; ︒ⴖ\u0366.\u200C; [P1 V6 C1]; [P1 V6 C1] # ︒ⴖͦ.
-T; \u08BB.\u200CႣ𞀒; [P1 V6 C1]; [P1 V6] # ࢻ.Ⴃ𞀒
-N; \u08BB.\u200CႣ𞀒; [P1 V6 C1]; [P1 V6 C1] # ࢻ.Ⴃ𞀒
-T; \u08BB.\u200CႣ𞀒; [P1 V6 C1]; [P1 V6] # ࢻ.Ⴃ𞀒
-N; \u08BB.\u200CႣ𞀒; [P1 V6 C1]; [P1 V6 C1] # ࢻ.Ⴃ𞀒
-T; \u08BB.\u200Cⴃ𞀒; [C1]; xn--hzb.xn--ukj4430l # ࢻ.ⴃ𞀒
-N; \u08BB.\u200Cⴃ𞀒; [C1]; [C1] # ࢻ.ⴃ𞀒
-B; xn--hzb.xn--ukj4430l; \u08BB.ⴃ𞀒; xn--hzb.xn--ukj4430l # ࢻ.ⴃ𞀒
-B; \u08BB.ⴃ𞀒; ; xn--hzb.xn--ukj4430l # ࢻ.ⴃ𞀒
-B; \u08BB.Ⴃ𞀒; [P1 V6]; [P1 V6] # ࢻ.Ⴃ𞀒
-T; \u08BB.\u200Cⴃ𞀒; [C1]; xn--hzb.xn--ukj4430l # ࢻ.ⴃ𞀒
-N; \u08BB.\u200Cⴃ𞀒; [C1]; [C1] # ࢻ.ⴃ𞀒
-T; \u200D\u200C。2䫷; [P1 V6 C2 C1]; [P1 V6] # .2䫷
-N; \u200D\u200C。2䫷; [P1 V6 C2 C1]; [P1 V6 C2 C1] # .2䫷
-T; \u200D\u200C。2䫷; [P1 V6 C2 C1]; [P1 V6] # .2䫷
-N; \u200D\u200C。2䫷; [P1 V6 C2 C1]; [P1 V6 C2 C1] # .2䫷
-B; -𞀤。; [P1 V3 V6]; [P1 V3 V6]
-T; ︒\u200C㟀.\u0624⒈; [P1 V6 C1]; [P1 V6] # ︒㟀.ؤ⒈
-N; ︒\u200C㟀.\u0624⒈; [P1 V6 C1]; [P1 V6 C1] # ︒㟀.ؤ⒈
-T; ︒\u200C㟀.\u0648\u0654⒈; [P1 V6 C1]; [P1 V6] # ︒㟀.ؤ⒈
-N; ︒\u200C㟀.\u0648\u0654⒈; [P1 V6 C1]; [P1 V6 C1] # ︒㟀.ؤ⒈
-T; 。\u200C㟀.\u06241.; [P1 V6 C1]; [P1 V6] # .㟀.ؤ1.
-N; 。\u200C㟀.\u06241.; [P1 V6 C1]; [P1 V6 C1] # .㟀.ؤ1.
-T; 。\u200C㟀.\u0648\u06541.; [P1 V6 C1]; [P1 V6] # .㟀.ؤ1.
-N; 。\u200C㟀.\u0648\u06541.; [P1 V6 C1]; [P1 V6 C1] # .㟀.ؤ1.
-T; 𑲜\u07CA𝅼。-\u200D; [V5 V3 B1 C2]; [V5 V3 B1] # 𑲜ߊ𝅼.-
-N; 𑲜\u07CA𝅼。-\u200D; [V5 V3 B1 C2]; [V5 V3 B1 C2] # 𑲜ߊ𝅼.-
-T; \u200C.Ⴉ≠𐫶; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .Ⴉ≠𐫶
-N; \u200C.Ⴉ≠𐫶; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .Ⴉ≠𐫶
-T; \u200C.Ⴉ=\u0338𐫶; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .Ⴉ≠𐫶
-N; \u200C.Ⴉ=\u0338𐫶; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .Ⴉ≠𐫶
-T; \u200C.Ⴉ≠𐫶; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .Ⴉ≠𐫶
-N; \u200C.Ⴉ≠𐫶; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .Ⴉ≠𐫶
-T; \u200C.Ⴉ=\u0338𐫶; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .Ⴉ≠𐫶
-N; \u200C.Ⴉ=\u0338𐫶; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .Ⴉ≠𐫶
-T; \u200C.ⴉ=\u0338𐫶; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ⴉ≠𐫶
-N; \u200C.ⴉ=\u0338𐫶; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ⴉ≠𐫶
-T; \u200C.ⴉ≠𐫶; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ⴉ≠𐫶
-N; \u200C.ⴉ≠𐫶; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ⴉ≠𐫶
-T; \u200C.ⴉ=\u0338𐫶; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ⴉ≠𐫶
-N; \u200C.ⴉ=\u0338𐫶; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ⴉ≠𐫶
-T; \u200C.ⴉ≠𐫶; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ⴉ≠𐫶
-N; \u200C.ⴉ≠𐫶; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ⴉ≠𐫶
-B; \u0750。≯ς; [P1 V6]; [P1 V6] # ݐ.≯ς
-B; \u0750。>\u0338ς; [P1 V6]; [P1 V6] # ݐ.≯ς
-B; \u0750。>\u0338Σ; [P1 V6]; [P1 V6] # ݐ.≯σ
-B; \u0750。≯Σ; [P1 V6]; [P1 V6] # ݐ.≯σ
-B; \u0750。≯σ; [P1 V6]; [P1 V6] # ݐ.≯σ
-B; \u0750。>\u0338σ; [P1 V6]; [P1 V6] # ݐ.≯σ
-B; \u07FC.︒Ⴐ; [P1 V6]; [P1 V6] # .︒Ⴐ
-B; \u07FC.。Ⴐ; [P1 V6]; [P1 V6] # ..Ⴐ
-B; \u07FC.。ⴐ; [P1 V6]; [P1 V6] # ..ⴐ
-B; \u07FC.︒ⴐ; [P1 V6]; [P1 V6] # .︒ⴐ
-B; Ⴥ⚭⋃。𑌼; [P1 V6 V5]; [P1 V6 V5]
-B; Ⴥ⚭⋃。𑌼; [P1 V6 V5]; [P1 V6 V5]
-B; ⴥ⚭⋃。𑌼; [P1 V6 V5]; [P1 V6 V5]
-B; ⴥ⚭⋃。𑌼; [P1 V6 V5]; [P1 V6 V5]
-B; 🄈。\u0844; [P1 V6 B1]; [P1 V6 B1] # 🄈.ࡄ
-B; 7,。\u0844; [P1 V6 B1]; [P1 V6 B1] # 7,.ࡄ
-B; ≮\u0846。섖쮖ß; [P1 V6 B1]; [P1 V6 B1] # ≮ࡆ.섖쮖ß
-B; <\u0338\u0846。섖쮖ß; [P1 V6 B1]; [P1 V6 B1] # ≮ࡆ.섖쮖ß
-B; <\u0338\u0846。섖쮖SS; [P1 V6 B1]; [P1 V6 B1] # ≮ࡆ.섖쮖ss
-B; ≮\u0846。섖쮖SS; [P1 V6 B1]; [P1 V6 B1] # ≮ࡆ.섖쮖ss
-B; ≮\u0846。섖쮖ss; [P1 V6 B1]; [P1 V6 B1] # ≮ࡆ.섖쮖ss
-B; <\u0338\u0846。섖쮖ss; [P1 V6 B1]; [P1 V6 B1] # ≮ࡆ.섖쮖ss
-B; <\u0338\u0846。섖쮖Ss; [P1 V6 B1]; [P1 V6 B1] # ≮ࡆ.섖쮖ss
-B; ≮\u0846。섖쮖Ss; [P1 V6 B1]; [P1 V6 B1] # ≮ࡆ.섖쮖ss
-B; 󠆓⛏-。ꡒ; [V3]; [V3]
-B; \u07BB𐹳\u0626𑁆。\u08A7\u06B0\u200Cᢒ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # 𐹳ئ𑁆.ࢧڰᢒ
-B; \u07BB𐹳\u064A𑁆\u0654。\u08A7\u06B0\u200Cᢒ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # 𐹳ئ𑁆.ࢧڰᢒ
-B; \u0816.𐨕; [P1 V5 V6 B2 B3]; [P1 V5 V6 B2 B3] # ࠖ.𐨕
-B; --。\u0767𐽋𞠬; [P1 V3 V6 B5 B6]; [P1 V3 V6 B5 B6] # --.ݧ𞠬
-B; 𐋥.≯\u08B0\u08A6; [P1 V6 B1]; [P1 V6 B1] # 𐋥.≯ࢰࢦ
-B; 𐋥.>\u0338\u08B0\u08A6; [P1 V6 B1]; [P1 V6 B1] # 𐋥.≯ࢰࢦ
-B; 䔛󠇒𐹧.-䤷; [P1 V6 V3 B5 B6]; [P1 V6 V3 B5 B6]
-B; 䔛󠇒𐹧.-䤷; [P1 V6 V3 B5 B6]; [P1 V6 V3 B5 B6]
-T; 𐹩.\u200D-; [V3 B1 C2]; [V3 B1] # 𐹩.-
-N; 𐹩.\u200D-; [V3 B1 C2]; [V3 B1 C2] # 𐹩.-
-T; 𐹩.\u200D-; [V3 B1 C2]; [V3 B1] # 𐹩.-
-N; 𐹩.\u200D-; [V3 B1 C2]; [V3 B1 C2] # 𐹩.-
-B; 帷。≯萺\u1DC8-; [P1 V6 V3]; [P1 V6 V3] # 帷.≯萺᷈-
-B; 帷。>\u0338萺\u1DC8-; [P1 V6 V3]; [P1 V6 V3] # 帷.≯萺᷈-
-B; 帷。≯萺\u1DC8-; [P1 V6 V3]; [P1 V6 V3] # 帷.≯萺᷈-
-B; 帷。>\u0338萺\u1DC8-; [P1 V6 V3]; [P1 V6 V3] # 帷.≯萺᷈-
-T; \u200D攌\uABED。ᢖ-Ⴘ; [P1 V6 C2]; [P1 V6] # 攌꯭.ᢖ-Ⴘ
-N; \u200D攌\uABED。ᢖ-Ⴘ; [P1 V6 C2]; [P1 V6 C2] # 攌꯭.ᢖ-Ⴘ
-T; \u200D攌\uABED。ᢖ-ⴘ; [C2]; xn--p9ut19m.xn----mck373i # 攌꯭.ᢖ-ⴘ
-N; \u200D攌\uABED。ᢖ-ⴘ; [C2]; [C2] # 攌꯭.ᢖ-ⴘ
-B; xn--p9ut19m.xn----mck373i; 攌\uABED.ᢖ-ⴘ; xn--p9ut19m.xn----mck373i # 攌꯭.ᢖ-ⴘ
-B; 攌\uABED.ᢖ-ⴘ; ; xn--p9ut19m.xn----mck373i # 攌꯭.ᢖ-ⴘ
-B; 攌\uABED.ᢖ-Ⴘ; [P1 V6]; [P1 V6] # 攌꯭.ᢖ-Ⴘ
-T; \u200Cꖨ.⒗3툒۳; [P1 V6 C1]; [P1 V6] # ꖨ.⒗3툒۳
-N; \u200Cꖨ.⒗3툒۳; [P1 V6 C1]; [P1 V6 C1] # ꖨ.⒗3툒۳
-T; \u200Cꖨ.⒗3툒۳; [P1 V6 C1]; [P1 V6] # ꖨ.⒗3툒۳
-N; \u200Cꖨ.⒗3툒۳; [P1 V6 C1]; [P1 V6 C1] # ꖨ.⒗3툒۳
-T; \u200Cꖨ.16.3툒۳; [C1]; xn--9r8a.16.xn--3-nyc0117m # ꖨ.16.3툒۳
-N; \u200Cꖨ.16.3툒۳; [C1]; [C1] # ꖨ.16.3툒۳
-T; \u200Cꖨ.16.3툒۳; [C1]; xn--9r8a.16.xn--3-nyc0117m # ꖨ.16.3툒۳
-N; \u200Cꖨ.16.3툒۳; [C1]; [C1] # ꖨ.16.3툒۳
-B; xn--9r8a.16.xn--3-nyc0117m; ꖨ.16.3툒۳; xn--9r8a.16.xn--3-nyc0117m
-B; ꖨ.16.3툒۳; ; xn--9r8a.16.xn--3-nyc0117m
-B; ꖨ.16.3툒۳; ꖨ.16.3툒۳; xn--9r8a.16.xn--3-nyc0117m
-B; ⒈걾6.𐱁\u06D0; [P1 V6]; [P1 V6] # ⒈걾6.𐱁ې
-B; ⒈걾6.𐱁\u06D0; [P1 V6]; [P1 V6] # ⒈걾6.𐱁ې
-B; 1.걾6.𐱁\u06D0; ; 1.xn--6-945e.xn--glb1794k # 1.걾6.𐱁ې
-B; 1.걾6.𐱁\u06D0; 1.걾6.𐱁\u06D0; 1.xn--6-945e.xn--glb1794k # 1.걾6.𐱁ې
-B; 1.xn--6-945e.xn--glb1794k; 1.걾6.𐱁\u06D0; 1.xn--6-945e.xn--glb1794k # 1.걾6.𐱁ې
-B; 𐲞𝟶≮≮.\u0639; [P1 V6 B3 B1]; [P1 V6 B3 B1] # 𐳞0≮≮.ع
-B; 𐲞𝟶<\u0338<\u0338.\u0639; [P1 V6 B3 B1]; [P1 V6 B3 B1] # 𐳞0≮≮.ع
-B; 𐲞0≮≮.\u0639; [P1 V6 B3 B1]; [P1 V6 B3 B1] # 𐳞0≮≮.ع
-B; 𐲞0<\u0338<\u0338.\u0639; [P1 V6 B3 B1]; [P1 V6 B3 B1] # 𐳞0≮≮.ع
-B; 𐳞0<\u0338<\u0338.\u0639; [P1 V6 B3 B1]; [P1 V6 B3 B1] # 𐳞0≮≮.ع
-B; 𐳞0≮≮.\u0639; [P1 V6 B3 B1]; [P1 V6 B3 B1] # 𐳞0≮≮.ع
-B; 𐳞𝟶<\u0338<\u0338.\u0639; [P1 V6 B3 B1]; [P1 V6 B3 B1] # 𐳞0≮≮.ع
-B; 𐳞𝟶≮≮.\u0639; [P1 V6 B3 B1]; [P1 V6 B3 B1] # 𐳞0≮≮.ع
-B; \u0AE3.𐹺\u115F; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ૣ.𐹺
-T; 𝟏𝨙⸖.\u200D; [C2]; xn--1-5bt6845n. # 1𝨙⸖.
-N; 𝟏𝨙⸖.\u200D; [C2]; [C2] # 1𝨙⸖.
-T; 1𝨙⸖.\u200D; [C2]; xn--1-5bt6845n. # 1𝨙⸖.
-N; 1𝨙⸖.\u200D; [C2]; [C2] # 1𝨙⸖.
-B; xn--1-5bt6845n.; 1𝨙⸖.; xn--1-5bt6845n.; NV8
-B; 1𝨙⸖.; ; xn--1-5bt6845n.; NV8
-T; 𞤐≠\u0726\u1A60。-\u200C\u07D5; [P1 V6 V3 B1 C1]; [P1 V6 V3 B1] # 𞤲≠ܦ᩠.-ߕ
-N; 𞤐≠\u0726\u1A60。-\u200C\u07D5; [P1 V6 V3 B1 C1]; [P1 V6 V3 B1 C1] # 𞤲≠ܦ᩠.-ߕ
-T; 𞤐=\u0338\u0726\u1A60。-\u200C\u07D5; [P1 V6 V3 B1 C1]; [P1 V6 V3 B1] # 𞤲≠ܦ᩠.-ߕ
-N; 𞤐=\u0338\u0726\u1A60。-\u200C\u07D5; [P1 V6 V3 B1 C1]; [P1 V6 V3 B1 C1] # 𞤲≠ܦ᩠.-ߕ
-T; 𞤐≠\u0726\u1A60。-\u200C\u07D5; [P1 V6 V3 B1 C1]; [P1 V6 V3 B1] # 𞤲≠ܦ᩠.-ߕ
-N; 𞤐≠\u0726\u1A60。-\u200C\u07D5; [P1 V6 V3 B1 C1]; [P1 V6 V3 B1 C1] # 𞤲≠ܦ᩠.-ߕ
-T; 𞤐=\u0338\u0726\u1A60。-\u200C\u07D5; [P1 V6 V3 B1 C1]; [P1 V6 V3 B1] # 𞤲≠ܦ᩠.-ߕ
-N; 𞤐=\u0338\u0726\u1A60。-\u200C\u07D5; [P1 V6 V3 B1 C1]; [P1 V6 V3 B1 C1] # 𞤲≠ܦ᩠.-ߕ
-B; 𐹰\u0368-ꡧ。\u0675; [B1]; [B1] # 𐹰ͨ-ꡧ.اٴ
-B; 𐹰\u0368-ꡧ。\u0627\u0674; [B1]; [B1] # 𐹰ͨ-ꡧ.اٴ
-B; F󠅟。♚; [P1 V6]; [P1 V6]
-B; F󠅟。♚; [P1 V6]; [P1 V6]
-B; f󠅟。♚; [P1 V6]; [P1 V6]
-B; f󠅟。♚; [P1 V6]; [P1 V6]
-B; \u0B4D𑄴\u1DE9。𝟮Ⴘ𞀨; [P1 V5 V6]; [P1 V5 V6] # ୍𑄴ᷩ.2Ⴘ𞀨
-B; \u0B4D𑄴\u1DE9。2Ⴘ𞀨; [P1 V5 V6]; [P1 V5 V6] # ୍𑄴ᷩ.2Ⴘ𞀨
-B; \u0B4D𑄴\u1DE9。2ⴘ𞀨; [P1 V5 V6]; [P1 V5 V6] # ୍𑄴ᷩ.2ⴘ𞀨
-B; \u0B4D𑄴\u1DE9。𝟮ⴘ𞀨; [P1 V5 V6]; [P1 V5 V6] # ୍𑄴ᷩ.2ⴘ𞀨
-T; \u200C\u200C⒈。勉𑁅; [P1 V6 C1]; [P1 V6] # ⒈.勉𑁅
-N; \u200C\u200C⒈。勉𑁅; [P1 V6 C1]; [P1 V6 C1] # ⒈.勉𑁅
-T; \u200C\u200C1.。勉𑁅; [P1 V6 C1 A4_2]; [P1 V6 A4_2] # 1..勉𑁅
-N; \u200C\u200C1.。勉𑁅; [P1 V6 C1 A4_2]; [P1 V6 C1 A4_2] # 1..勉𑁅
-B; ᡃ.玿; [P1 V6]; [P1 V6]
-T; \u200C\u200C。⒈≯𝟵; [P1 V6 C1]; [P1 V6] # .⒈≯9
-N; \u200C\u200C。⒈≯𝟵; [P1 V6 C1]; [P1 V6 C1] # .⒈≯9
-T; \u200C\u200C。⒈>\u0338𝟵; [P1 V6 C1]; [P1 V6] # .⒈≯9
-N; \u200C\u200C。⒈>\u0338𝟵; [P1 V6 C1]; [P1 V6 C1] # .⒈≯9
-T; \u200C\u200C。1.≯9; [P1 V6 C1]; [P1 V6] # .1.≯9
-N; \u200C\u200C。1.≯9; [P1 V6 C1]; [P1 V6 C1] # .1.≯9
-T; \u200C\u200C。1.>\u03389; [P1 V6 C1]; [P1 V6] # .1.≯9
-N; \u200C\u200C。1.>\u03389; [P1 V6 C1]; [P1 V6 C1] # .1.≯9
-B; \u115F\u1DE0.≯𐮁; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ᷠ.≯𐮁
-B; \u115F\u1DE0.>\u0338𐮁; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ᷠ.≯𐮁
-T; 󠄫𝩤\u200D\u063E.𝩩-\u081E; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # 𝩤ؾ.𝩩-ࠞ
-N; 󠄫𝩤\u200D\u063E.𝩩-\u081E; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # 𝩤ؾ.𝩩-ࠞ
-B; \u20DA.𑘿-; [V5 V3]; [V5 V3] # ⃚.𑘿-
-B; \u20DA.𑘿-; [V5 V3]; [V5 V3] # ⃚.𑘿-
-B; 䮸ß.紙\u08A8; [P1 V6 B1]; [P1 V6 B1] # 䮸ß.紙ࢨ
-B; 䮸SS.紙\u08A8; [P1 V6 B1]; [P1 V6 B1] # 䮸ss.紙ࢨ
-B; 䮸ss.紙\u08A8; [P1 V6 B1]; [P1 V6 B1] # 䮸ss.紙ࢨ
-B; 䮸Ss.紙\u08A8; [P1 V6 B1]; [P1 V6 B1] # 䮸ss.紙ࢨ
-B; -Ⴞ.-𝩨⅔𐦕; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-B; -Ⴞ.-𝩨2⁄3𐦕; [P1 V3 V6 B1]; [P1 V3 V6 B1]
-B; -ⴞ.-𝩨2⁄3𐦕; [V3 B1]; [V3 B1]
-B; -ⴞ.-𝩨⅔𐦕; [V3 B1]; [V3 B1]
-B; 𐹯\u0AC2。𐮁ᡂ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 𐹯ૂ.𐮁ᡂ
-B; 𐹯\u0AC2。𐮁ᡂ; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 𐹯ૂ.𐮁ᡂ
-T; \u1082-\u200D\uA8EA.ꡊ\u200D; [P1 V5 V6 C2]; [P1 V5 V6] # ႂ-꣪.ꡊ
-N; \u1082-\u200D\uA8EA.ꡊ\u200D; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ႂ-꣪.ꡊ
-T; \u1082-\u200D\uA8EA.ꡊ\u200D; [P1 V5 V6 C2]; [P1 V5 V6] # ႂ-꣪.ꡊ
-N; \u1082-\u200D\uA8EA.ꡊ\u200D; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ႂ-꣪.ꡊ
-B; ۱。≠\u0668; [P1 V6 B1]; [P1 V6 B1] # ۱.≠٨
-B; ۱。=\u0338\u0668; [P1 V6 B1]; [P1 V6 B1] # ۱.≠٨
-B; 𑈵廊.𐠍; [V5]; [V5]
-T; \u200D\u0356-.-Ⴐ\u0661; [P1 V3 V6 C2 B1]; [P1 V3 V5 V6 B1] # ͖-.-Ⴐ١
-N; \u200D\u0356-.-Ⴐ\u0661; [P1 V3 V6 C2 B1]; [P1 V3 V6 C2 B1] # ͖-.-Ⴐ١
-T; \u200D\u0356-.-Ⴐ\u0661; [P1 V3 V6 C2 B1]; [P1 V3 V5 V6 B1] # ͖-.-Ⴐ١
-N; \u200D\u0356-.-Ⴐ\u0661; [P1 V3 V6 C2 B1]; [P1 V3 V6 C2 B1] # ͖-.-Ⴐ١
-T; \u200D\u0356-.-ⴐ\u0661; [V3 C2 B1]; [V3 V5 B1] # ͖-.-ⴐ١
-N; \u200D\u0356-.-ⴐ\u0661; [V3 C2 B1]; [V3 C2 B1] # ͖-.-ⴐ١
-T; \u200D\u0356-.-ⴐ\u0661; [V3 C2 B1]; [V3 V5 B1] # ͖-.-ⴐ١
-N; \u200D\u0356-.-ⴐ\u0661; [V3 C2 B1]; [V3 C2 B1] # ͖-.-ⴐ١
-B; \u063A\u0661挏.-; [P1 V6 V3 B2 B3]; [P1 V6 V3 B2 B3] # غ١挏.-
-B; \u06EF。𐹧𞤽; [B1]; [B1] # ۯ.𐹧𞤽
-B; \u06EF。𐹧𞤽; [B1]; [B1] # ۯ.𐹧𞤽
-B; Ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
-B; Ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
-B; Ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
-B; Ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
-B; ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
-B; ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
-B; ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
-B; ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
-T; \u06B7𐹷。≯\u200C\u1DFE; [P1 V6 B1 C1]; [P1 V6 B1] # ڷ𐹷.≯᷾
-N; \u06B7𐹷。≯\u200C\u1DFE; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ڷ𐹷.≯᷾
-T; \u06B7𐹷。>\u0338\u200C\u1DFE; [P1 V6 B1 C1]; [P1 V6 B1] # ڷ𐹷.≯᷾
-N; \u06B7𐹷。>\u0338\u200C\u1DFE; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ڷ𐹷.≯᷾
-T; \u06B7𐹷。≯\u200C\u1DFE; [P1 V6 B1 C1]; [P1 V6 B1] # ڷ𐹷.≯᷾
-N; \u06B7𐹷。≯\u200C\u1DFE; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ڷ𐹷.≯᷾
-T; \u06B7𐹷。>\u0338\u200C\u1DFE; [P1 V6 B1 C1]; [P1 V6 B1] # ڷ𐹷.≯᷾
-N; \u06B7𐹷。>\u0338\u200C\u1DFE; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ڷ𐹷.≯᷾
-T; ᛎ󠅍\u200D。𐹾𐹪-; [P1 V6 V3 C2 B1]; [P1 V6 V3 B1] # ᛎ.𐹾𐹪-
-N; ᛎ󠅍\u200D。𐹾𐹪-; [P1 V6 V3 C2 B1]; [P1 V6 V3 C2 B1] # ᛎ.𐹾𐹪-
-T; ᛎ󠅍\u200D。𐹾𐹪-; [P1 V6 V3 C2 B1]; [P1 V6 V3 B1] # ᛎ.𐹾𐹪-
-N; ᛎ󠅍\u200D。𐹾𐹪-; [P1 V6 V3 C2 B1]; [P1 V6 V3 C2 B1] # ᛎ.𐹾𐹪-
-B; 𐹶.𐫂; [B1]; [B1]
-T; ß\u200D\u103A。⒈; [P1 V6 C2]; [P1 V6] # ß်.⒈
-N; ß\u200D\u103A。⒈; [P1 V6 C2]; [P1 V6 C2] # ß်.⒈
-T; ß\u200D\u103A。1.; [C2]; xn--ss-f4j.1. # ß်.1.
-N; ß\u200D\u103A。1.; [C2]; [C2] # ß်.1.
-T; SS\u200D\u103A。1.; [C2]; xn--ss-f4j.1. # ss်.1.
-N; SS\u200D\u103A。1.; [C2]; [C2] # ss်.1.
-T; ss\u200D\u103A。1.; [C2]; xn--ss-f4j.1. # ss်.1.
-N; ss\u200D\u103A。1.; [C2]; [C2] # ss်.1.
-T; Ss\u200D\u103A。1.; [C2]; xn--ss-f4j.1. # ss်.1.
-N; Ss\u200D\u103A。1.; [C2]; [C2] # ss်.1.
-B; xn--ss-f4j.1.; ss\u103A.1.; xn--ss-f4j.1. # ss်.1.
-B; ss\u103A.1.; ; xn--ss-f4j.1. # ss်.1.
-B; SS\u103A.1.; ss\u103A.1.; xn--ss-f4j.1. # ss်.1.
-B; Ss\u103A.1.; ss\u103A.1.; xn--ss-f4j.1. # ss်.1.
-T; SS\u200D\u103A。⒈; [P1 V6 C2]; [P1 V6] # ss်.⒈
-N; SS\u200D\u103A。⒈; [P1 V6 C2]; [P1 V6 C2] # ss်.⒈
-T; ss\u200D\u103A。⒈; [P1 V6 C2]; [P1 V6] # ss်.⒈
-N; ss\u200D\u103A。⒈; [P1 V6 C2]; [P1 V6 C2] # ss်.⒈
-T; Ss\u200D\u103A。⒈; [P1 V6 C2]; [P1 V6] # ss်.⒈
-N; Ss\u200D\u103A。⒈; [P1 V6 C2]; [P1 V6 C2] # ss်.⒈
-T; \u0B4D\u200C。\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # ୍.
-N; \u0B4D\u200C。\u200D; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ୍.
-B; 𐮅。\u06BC🁕; [B3]; [B3] # 𐮅.ڼ🁕
-B; 𐮅。\u06BC🁕; [B3]; [B3] # 𐮅.ڼ🁕
-T; \u0620\u17D2。𐫔\u200C𑈵; [P1 V6 B2 B3 C1]; [P1 V6 B2 B3] # ؠ្.𐫔𑈵
-N; \u0620\u17D2。𐫔\u200C𑈵; [P1 V6 B2 B3 C1]; [P1 V6 B2 B3 C1] # ؠ្.𐫔𑈵
-B; .𞣕𞤊; [P1 V6 V5 B1]; [P1 V6 V5 B1]
-T; \u06CC𐨿.ß\u0F84𑍬; \u06CC𐨿.ß\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ß྄𑍬
-N; \u06CC𐨿.ß\u0F84𑍬; \u06CC𐨿.ß\u0F84𑍬; xn--clb2593k.xn--zca216edt0r # ی𐨿.ß྄𑍬
-T; \u06CC𐨿.ß\u0F84𑍬; ; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ß྄𑍬
-N; \u06CC𐨿.ß\u0F84𑍬; ; xn--clb2593k.xn--zca216edt0r # ی𐨿.ß྄𑍬
-B; \u06CC𐨿.SS\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
-B; \u06CC𐨿.ss\u0F84𑍬; ; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
-B; \u06CC𐨿.Ss\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
-B; xn--clb2593k.xn--ss-toj6092t; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
-B; xn--clb2593k.xn--zca216edt0r; \u06CC𐨿.ß\u0F84𑍬; xn--clb2593k.xn--zca216edt0r # ی𐨿.ß྄𑍬
-B; \u06CC𐨿.SS\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
-B; \u06CC𐨿.ss\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
-B; \u06CC𐨿.Ss\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
-T; 𝟠≮\u200C。󠅱\u17B4; [P1 V6 V5 C1]; [P1 V6 V5] # 8≮.
-N; 𝟠≮\u200C。󠅱\u17B4; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 8≮.
-T; 𝟠<\u0338\u200C。󠅱\u17B4; [P1 V6 V5 C1]; [P1 V6 V5] # 8≮.
-N; 𝟠<\u0338\u200C。󠅱\u17B4; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 8≮.
-T; 8≮\u200C。󠅱\u17B4; [P1 V6 V5 C1]; [P1 V6 V5] # 8≮.
-N; 8≮\u200C。󠅱\u17B4; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 8≮.
-T; 8<\u0338\u200C。󠅱\u17B4; [P1 V6 V5 C1]; [P1 V6 V5] # 8≮.
-N; 8<\u0338\u200C。󠅱\u17B4; [P1 V6 V5 C1]; [P1 V6 V5 C1] # 8≮.
-B; ᢕ≯︒.Ⴀ; [P1 V6]; [P1 V6]
-B; ᢕ>\u0338︒.Ⴀ; [P1 V6]; [P1 V6]
-B; ᢕ≯。.Ⴀ; [P1 V6]; [P1 V6]
-B; ᢕ>\u0338。.Ⴀ; [P1 V6]; [P1 V6]
-B; ᢕ>\u0338。.ⴀ; [P1 V6]; [P1 V6]
-B; ᢕ≯。.ⴀ; [P1 V6]; [P1 V6]
-B; ᢕ>\u0338︒.ⴀ; [P1 V6]; [P1 V6]
-B; ᢕ≯︒.ⴀ; [P1 V6]; [P1 V6]
-B; \u0F9F.-\u082A; [V5 V3]; [V5 V3] # ྟ.-ࠪ
-B; \u0F9F.-\u082A; [V5 V3]; [V5 V3] # ྟ.-ࠪ
-B; ᵬ󠆠.핒⒒⒈; [P1 V6]; [P1 V6]
-B; ᵬ󠆠.핒⒒⒈; [P1 V6]; [P1 V6]
-B; ᵬ󠆠.핒11.1.; [P1 V6]; [P1 V6]
-B; ᵬ󠆠.핒11.1.; [P1 V6]; [P1 V6]
-B; ς𑓂𐋢.\u0668; [B1]; [B1] # ς𑓂𐋢.٨
-B; ς𑓂𐋢.\u0668; [B1]; [B1] # ς𑓂𐋢.٨
-B; Σ𑓂𐋢.\u0668; [B1]; [B1] # σ𑓂𐋢.٨
-B; σ𑓂𐋢.\u0668; [B1]; [B1] # σ𑓂𐋢.٨
-B; Σ𑓂𐋢.\u0668; [B1]; [B1] # σ𑓂𐋢.٨
-B; σ𑓂𐋢.\u0668; [B1]; [B1] # σ𑓂𐋢.٨
-T; \uA953\u200C𐋻\u200D.\u2DF8𐹲; [P1 V5 V6 C2 B1]; [P1 V5 V6 B1] # ꥓𐋻.ⷸ𐹲
-N; \uA953\u200C𐋻\u200D.\u2DF8𐹲; [P1 V5 V6 C2 B1]; [P1 V5 V6 C2 B1] # ꥓𐋻.ⷸ𐹲
-B; ⊼。\u0695; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ⊼.ڕ
-B; 。; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; \u0601𑍧\u07DD。ς🀞\u17B5; [P1 V6 B1]; [P1 V6 B1] # 𑍧ߝ.ς🀞
-B; \u0601𑍧\u07DD。Σ🀞\u17B5; [P1 V6 B1]; [P1 V6 B1] # 𑍧ߝ.σ🀞
-B; \u0601𑍧\u07DD。σ🀞\u17B5; [P1 V6 B1]; [P1 V6 B1] # 𑍧ߝ.σ🀞
-B; -𐳲\u0646。\uABED𝟥; [P1 V3 V6 V5 B1]; [P1 V3 V6 V5 B1] # -𐳲ن.꯭3
-B; -𐳲\u0646。\uABED3; [P1 V3 V6 V5 B1]; [P1 V3 V6 V5 B1] # -𐳲ن.꯭3
-B; -𐲲\u0646。\uABED3; [P1 V3 V6 V5 B1]; [P1 V3 V6 V5 B1] # -𐳲ن.꯭3
-B; -𐲲\u0646。\uABED𝟥; [P1 V3 V6 V5 B1]; [P1 V3 V6 V5 B1] # -𐳲ن.꯭3
-T; \u200C。≮𐦜; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .≮𐦜
-N; \u200C。≮𐦜; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .≮𐦜
-T; \u200C。<\u0338𐦜; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .≮𐦜
-N; \u200C。<\u0338𐦜; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .≮𐦜
-T; \u200C。≮𐦜; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .≮𐦜
-N; \u200C。≮𐦜; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .≮𐦜
-T; \u200C。<\u0338𐦜; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .≮𐦜
-N; \u200C。<\u0338𐦜; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .≮𐦜
-B; ⒈✌.𝟡; [P1 V6]; [P1 V6]
-B; 1.✌.9; [P1 V6]; [P1 V6]
-B; 𑆾𞤬𐮆.\u0666\u1DD4; [V5 B1]; [V5 B1] # 𑆾𞤬𐮆.٦ᷔ
-B; ς.\uA9C0\uA8C4; [V5]; [V5] # ς.꧀꣄
-B; ς.\uA9C0\uA8C4; [V5]; [V5] # ς.꧀꣄
-B; Σ.\uA9C0\uA8C4; [V5]; [V5] # σ.꧀꣄
-B; σ.\uA9C0\uA8C4; [V5]; [V5] # σ.꧀꣄
-B; Σ.\uA9C0\uA8C4; [V5]; [V5] # σ.꧀꣄
-B; σ.\uA9C0\uA8C4; [V5]; [V5] # σ.꧀꣄
-T; 𑰶\u200C≯𐳐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑰶≯𐳐.࡛
-N; 𑰶\u200C≯𐳐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑰶≯𐳐.࡛
-T; 𑰶\u200C>\u0338𐳐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑰶≯𐳐.࡛
-N; 𑰶\u200C>\u0338𐳐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑰶≯𐳐.࡛
-T; 𑰶\u200C≯𐳐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑰶≯𐳐.࡛
-N; 𑰶\u200C≯𐳐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑰶≯𐳐.࡛
-T; 𑰶\u200C>\u0338𐳐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑰶≯𐳐.࡛
-N; 𑰶\u200C>\u0338𐳐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑰶≯𐳐.࡛
-T; 𑰶\u200C>\u0338𐲐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑰶≯𐳐.࡛
-N; 𑰶\u200C>\u0338𐲐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑰶≯𐳐.࡛
-T; 𑰶\u200C≯𐲐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑰶≯𐳐.࡛
-N; 𑰶\u200C≯𐲐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑰶≯𐳐.࡛
-T; 𑰶\u200C>\u0338𐲐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑰶≯𐳐.࡛
-N; 𑰶\u200C>\u0338𐲐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑰶≯𐳐.࡛
-T; 𑰶\u200C≯𐲐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑰶≯𐳐.࡛
-N; 𑰶\u200C≯𐲐.\u085B; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑰶≯𐳐.࡛
-B; 羚。≯; [P1 V6]; [P1 V6]
-B; 羚。>\u0338; [P1 V6]; [P1 V6]
-B; 羚。≯; [P1 V6]; [P1 V6]
-B; 羚。>\u0338; [P1 V6]; [P1 V6]
-B; 𑓂\u1759.\u08A8; [P1 V5 V6]; [P1 V5 V6] # 𑓂.ࢨ
-B; 𑓂\u1759.\u08A8; [P1 V5 V6]; [P1 V5 V6] # 𑓂.ࢨ
-T; 󠇀\u200D。\u0663ҠჀ𝟑; [P1 V6 C2 B1]; [P1 V6 B1] # .٣ҡჀ3
-N; 󠇀\u200D。\u0663ҠჀ𝟑; [P1 V6 C2 B1]; [P1 V6 C2 B1] # .٣ҡჀ3
-T; 󠇀\u200D。\u0663ҠჀ3; [P1 V6 C2 B1]; [P1 V6 B1] # .٣ҡჀ3
-N; 󠇀\u200D。\u0663ҠჀ3; [P1 V6 C2 B1]; [P1 V6 C2 B1] # .٣ҡჀ3
-T; 󠇀\u200D。\u0663ҡⴠ3; [P1 V6 C2 B1]; [P1 V6 B1] # .٣ҡⴠ3
-N; 󠇀\u200D。\u0663ҡⴠ3; [P1 V6 C2 B1]; [P1 V6 C2 B1] # .٣ҡⴠ3
-T; 󠇀\u200D。\u0663Ҡⴠ3; [P1 V6 C2 B1]; [P1 V6 B1] # .٣ҡⴠ3
-N; 󠇀\u200D。\u0663Ҡⴠ3; [P1 V6 C2 B1]; [P1 V6 C2 B1] # .٣ҡⴠ3
-T; 󠇀\u200D。\u0663ҡⴠ𝟑; [P1 V6 C2 B1]; [P1 V6 B1] # .٣ҡⴠ3
-N; 󠇀\u200D。\u0663ҡⴠ𝟑; [P1 V6 C2 B1]; [P1 V6 C2 B1] # .٣ҡⴠ3
-T; 󠇀\u200D。\u0663Ҡⴠ𝟑; [P1 V6 C2 B1]; [P1 V6 B1] # .٣ҡⴠ3
-N; 󠇀\u200D。\u0663Ҡⴠ𝟑; [P1 V6 C2 B1]; [P1 V6 C2 B1] # .٣ҡⴠ3
-B; ᡷ。𐹢\u08E0; [B1]; [B1] # ᡷ.𐹢࣠
-B; \u1BF3。\u0666\u17D2ß; [P1 V6 B1]; [P1 V6 B1] # ᯳.٦្ß
-B; \u1BF3。\u0666\u17D2ß; [P1 V6 B1]; [P1 V6 B1] # ᯳.٦្ß
-B; \u1BF3。\u0666\u17D2SS; [P1 V6 B1]; [P1 V6 B1] # ᯳.٦្ss
-B; \u1BF3。\u0666\u17D2ss; [P1 V6 B1]; [P1 V6 B1] # ᯳.٦្ss
-B; \u1BF3。\u0666\u17D2Ss; [P1 V6 B1]; [P1 V6 B1] # ᯳.٦្ss
-B; \u1BF3。\u0666\u17D2SS; [P1 V6 B1]; [P1 V6 B1] # ᯳.٦្ss
-B; \u1BF3。\u0666\u17D2ss; [P1 V6 B1]; [P1 V6 B1] # ᯳.٦្ss
-B; \u1BF3。\u0666\u17D2Ss; [P1 V6 B1]; [P1 V6 B1] # ᯳.٦្ss
-B; \u0664𑲛.︒≠; [P1 V6 B1]; [P1 V6 B1] # ٤𑲛.︒≠
-B; \u0664𑲛.︒=\u0338; [P1 V6 B1]; [P1 V6 B1] # ٤𑲛.︒≠
-B; \u0664𑲛.。≠; [P1 V6 B1]; [P1 V6 B1] # ٤𑲛..≠
-B; \u0664𑲛.。=\u0338; [P1 V6 B1]; [P1 V6 B1] # ٤𑲛..≠
-B; ➆ỗ⒈.\u085B𝟫; [P1 V6]; [P1 V6] # ➆ỗ⒈.࡛9
-B; ➆o\u0302\u0303⒈.\u085B𝟫; [P1 V6]; [P1 V6] # ➆ỗ⒈.࡛9
-B; ➆ỗ1..\u085B9; [P1 V6 A4_2]; [P1 V6 A4_2] # ➆ỗ1..࡛9
-B; ➆o\u0302\u03031..\u085B9; [P1 V6 A4_2]; [P1 V6 A4_2] # ➆ỗ1..࡛9
-B; ➆O\u0302\u03031..\u085B9; [P1 V6 A4_2]; [P1 V6 A4_2] # ➆ỗ1..࡛9
-B; ➆Ỗ1..\u085B9; [P1 V6 A4_2]; [P1 V6 A4_2] # ➆ỗ1..࡛9
-B; ➆O\u0302\u0303⒈.\u085B𝟫; [P1 V6]; [P1 V6] # ➆ỗ⒈.࡛9
-B; ➆Ỗ⒈.\u085B𝟫; [P1 V6]; [P1 V6] # ➆ỗ⒈.࡛9
-T; \u200D。𞤘; [C2]; xn--ye6h # .𞤺
-N; \u200D。𞤘; [C2]; [C2] # .𞤺
-T; \u200D。𞤘; [C2]; xn--ye6h # .𞤺
-N; \u200D。𞤘; [C2]; [C2] # .𞤺
-B; xn--ye6h; 𞤺; xn--ye6h
-B; 𞤺; ; xn--ye6h
-B; \u0829\u0724.ᢣ; [V5 B1]; [V5 B1] # ࠩܤ.ᢣ
-T; \u073C\u200C-。ß; [P1 V3 V5 V6 C1]; [P1 V3 V5 V6] # ܼ-.ß
-N; \u073C\u200C-。ß; [P1 V3 V5 V6 C1]; [P1 V3 V5 V6 C1] # ܼ-.ß
-T; \u073C\u200C-。SS; [P1 V3 V5 V6 C1]; [P1 V3 V5 V6] # ܼ-.ss
-N; \u073C\u200C-。SS; [P1 V3 V5 V6 C1]; [P1 V3 V5 V6 C1] # ܼ-.ss
-T; \u073C\u200C-。ss; [P1 V3 V5 V6 C1]; [P1 V3 V5 V6] # ܼ-.ss
-N; \u073C\u200C-。ss; [P1 V3 V5 V6 C1]; [P1 V3 V5 V6 C1] # ܼ-.ss
-T; \u073C\u200C-。Ss; [P1 V3 V5 V6 C1]; [P1 V3 V5 V6] # ܼ-.ss
-N; \u073C\u200C-。Ss; [P1 V3 V5 V6 C1]; [P1 V3 V5 V6 C1] # ܼ-.ss
-T; \u200Cς🃡⒗.\u0CC6仧\u0756; [P1 V6 V5 C1 B5 B6]; [P1 V6 V5 B5 B6] # ς🃡⒗.ೆ仧ݖ
-N; \u200Cς🃡⒗.\u0CC6仧\u0756; [P1 V6 V5 C1 B5 B6]; [P1 V6 V5 C1 B5 B6] # ς🃡⒗.ೆ仧ݖ
-T; \u200Cς🃡16..\u0CC6仧\u0756; [V5 C1 A4_2 B5 B6]; [V5 A4_2 B5 B6] # ς🃡16..ೆ仧ݖ
-N; \u200Cς🃡16..\u0CC6仧\u0756; [V5 C1 A4_2 B5 B6]; [V5 C1 A4_2 B5 B6] # ς🃡16..ೆ仧ݖ
-T; \u200CΣ🃡16..\u0CC6仧\u0756; [V5 C1 A4_2 B5 B6]; [V5 A4_2 B5 B6] # σ🃡16..ೆ仧ݖ
-N; \u200CΣ🃡16..\u0CC6仧\u0756; [V5 C1 A4_2 B5 B6]; [V5 C1 A4_2 B5 B6] # σ🃡16..ೆ仧ݖ
-T; \u200Cσ🃡16..\u0CC6仧\u0756; [V5 C1 A4_2 B5 B6]; [V5 A4_2 B5 B6] # σ🃡16..ೆ仧ݖ
-N; \u200Cσ🃡16..\u0CC6仧\u0756; [V5 C1 A4_2 B5 B6]; [V5 C1 A4_2 B5 B6] # σ🃡16..ೆ仧ݖ
-T; \u200CΣ🃡⒗.\u0CC6仧\u0756; [P1 V6 V5 C1 B5 B6]; [P1 V6 V5 B5 B6] # σ🃡⒗.ೆ仧ݖ
-N; \u200CΣ🃡⒗.\u0CC6仧\u0756; [P1 V6 V5 C1 B5 B6]; [P1 V6 V5 C1 B5 B6] # σ🃡⒗.ೆ仧ݖ
-T; \u200Cσ🃡⒗.\u0CC6仧\u0756; [P1 V6 V5 C1 B5 B6]; [P1 V6 V5 B5 B6] # σ🃡⒗.ೆ仧ݖ
-N; \u200Cσ🃡⒗.\u0CC6仧\u0756; [P1 V6 V5 C1 B5 B6]; [P1 V6 V5 C1 B5 B6] # σ🃡⒗.ೆ仧ݖ
-B; -.𞸚; [V3]; [V3] # -.ظ
-B; -.\u0638; [V3]; [V3] # -.ظ
-B; \u0683.\u0F7E\u0634; [P1 V6 V5 B5 B6 B1]; [P1 V6 V5 B5 B6 B1] # ڃ.ཾش
-B; \u0FE6\u0843.𐮏; [P1 V6 B5]; [P1 V6 B5] # ࡃ.𐮏
-B; 2\u07CBß。ᠽ; [P1 V6 B1]; [P1 V6 B1] # 2ߋß.ᠽ
-B; 2\u07CBSS。ᠽ; [P1 V6 B1]; [P1 V6 B1] # 2ߋss.ᠽ
-B; 2\u07CBss。ᠽ; [P1 V6 B1]; [P1 V6 B1] # 2ߋss.ᠽ
-B; 2\u07CBSs。ᠽ; [P1 V6 B1]; [P1 V6 B1] # 2ߋss.ᠽ
-T; 㸳\u07CA≮.\u06CEß-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێß-
-N; 㸳\u07CA≮.\u06CEß-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێß-
-T; 㸳\u07CA<\u0338.\u06CEß-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێß-
-N; 㸳\u07CA<\u0338.\u06CEß-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێß-
-T; 㸳\u07CA≮.\u06CEß-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێß-
-N; 㸳\u07CA≮.\u06CEß-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێß-
-T; 㸳\u07CA<\u0338.\u06CEß-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێß-
-N; 㸳\u07CA<\u0338.\u06CEß-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێß-
-T; 㸳\u07CA<\u0338.\u06CESS-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA<\u0338.\u06CESS-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA≮.\u06CESS-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA≮.\u06CESS-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA≮.\u06CEss-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA≮.\u06CEss-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA<\u0338.\u06CEss-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA<\u0338.\u06CEss-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA<\u0338.\u06CESs-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA<\u0338.\u06CESs-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA≮.\u06CESs-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA≮.\u06CESs-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA<\u0338.\u06CESS-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA<\u0338.\u06CESS-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA≮.\u06CESS-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA≮.\u06CESS-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA≮.\u06CEss-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA≮.\u06CEss-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA<\u0338.\u06CEss-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA<\u0338.\u06CEss-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA<\u0338.\u06CESs-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA<\u0338.\u06CESs-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-T; 㸳\u07CA≮.\u06CESs-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 V3 B5 B6 B2 B3] # 㸳ߊ≮.ێss-
-N; 㸳\u07CA≮.\u06CESs-\u200D; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # 㸳ߊ≮.ێss-
-B; -\u135E𑜧.\u1DEB-︒; [P1 V3 V6 V5]; [P1 V3 V6 V5] # -፞𑜧.ᷫ-︒
-B; -\u135E𑜧.\u1DEB-。; [P1 V3 V6 V5]; [P1 V3 V6 V5] # -፞𑜧.ᷫ-.
-B; ︒.\u1A59; [P1 V6]; [P1 V6] # ︒.ᩙ
-B; 。.\u1A59; [P1 V6]; [P1 V6] # ᩙ
-T; \u0323\u2DE1。\u200C⓾\u200C\u06B9; [V5 B1 C1]; [V5 B1] # ̣ⷡ.⓾ڹ
-N; \u0323\u2DE1。\u200C⓾\u200C\u06B9; [V5 B1 C1]; [V5 B1 C1] # ̣ⷡ.⓾ڹ
-B; 𞠶ᠴ\u06DD。\u1074𞤵󠅦; [P1 V6 V5 B2 B1]; [P1 V6 V5 B2 B1] # 𞠶ᠴ.ၴ𞤵
-B; 𞠶ᠴ\u06DD。\u1074𞤵󠅦; [P1 V6 V5 B2 B1]; [P1 V6 V5 B2 B1] # 𞠶ᠴ.ၴ𞤵
-B; 𑰺.-; [P1 V5 V3 V6]; [P1 V5 V3 V6]
-B; .赏; [P1 V6]; [P1 V6]
-B; .赏; [P1 V6]; [P1 V6]
-B; \u06B0ᠡ。Ⴁ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ڰᠡ.Ⴁ
-B; \u06B0ᠡ。Ⴁ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ڰᠡ.Ⴁ
-B; \u06B0ᠡ。ⴁ; [B2 B3]; [B2 B3] # ڰᠡ.ⴁ
-B; \u06B0ᠡ。ⴁ; [B2 B3]; [B2 B3] # ڰᠡ.ⴁ
-B; \u20DEႪ\u06BBς。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ⃞Ⴊڻς.-
-B; \u20DEႪ\u06BBς。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ⃞Ⴊڻς.-
-B; \u20DEⴊ\u06BBς。-; [V5 V3 B1]; [V5 V3 B1] # ⃞ⴊڻς.-
-B; \u20DEႪ\u06BBΣ。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ⃞Ⴊڻσ.-
-B; \u20DEⴊ\u06BBσ。-; [V5 V3 B1]; [V5 V3 B1] # ⃞ⴊڻσ.-
-B; \u20DEႪ\u06BBσ。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ⃞Ⴊڻσ.-
-B; \u20DEⴊ\u06BBς。-; [V5 V3 B1]; [V5 V3 B1] # ⃞ⴊڻς.-
-B; \u20DEႪ\u06BBΣ。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ⃞Ⴊڻσ.-
-B; \u20DEⴊ\u06BBσ。-; [V5 V3 B1]; [V5 V3 B1] # ⃞ⴊڻσ.-
-B; \u20DEႪ\u06BBσ。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ⃞Ⴊڻσ.-
-T; Ⴍ.\u200C; [P1 V6 C1]; [P1 V6] # Ⴍ.
-N; Ⴍ.\u200C; [P1 V6 C1]; [P1 V6 C1] # Ⴍ.
-T; Ⴍ.\u200C; [P1 V6 C1]; [P1 V6] # Ⴍ.
-N; Ⴍ.\u200C; [P1 V6 C1]; [P1 V6 C1] # Ⴍ.
-T; ⴍ.\u200C; [P1 V6 C1]; [P1 V6] # ⴍ.
-N; ⴍ.\u200C; [P1 V6 C1]; [P1 V6 C1] # ⴍ.
-T; ⴍ.\u200C; [P1 V6 C1]; [P1 V6] # ⴍ.
-N; ⴍ.\u200C; [P1 V6 C1]; [P1 V6 C1] # ⴍ.
-B; .𐫫\u1A60\u1B44; [P1 V6 B2 B3]; [P1 V6 B2 B3] # .𐫫᩠᭄
-B; ≯❊ᠯ。𐹱⺨; [P1 V6 B1]; [P1 V6 B1]
-B; >\u0338❊ᠯ。𐹱⺨; [P1 V6 B1]; [P1 V6 B1]
-B; ≯❊ᠯ。𐹱⺨; [P1 V6 B1]; [P1 V6 B1]
-B; >\u0338❊ᠯ。𐹱⺨; [P1 V6 B1]; [P1 V6 B1]
-B; 𐹧𐹩。Ⴈ𐫮Ⴏ; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; 𐹧𐹩。ⴈ𐫮ⴏ; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; 𞠂。\uA926; [V5]; [V5] # 𞠂.ꤦ
-B; 𝟔𐹫.\u0733\u10379ꡇ; [V5 B1]; [V5 B1] # 6𐹫.့ܳ9ꡇ
-B; 𝟔𐹫.\u1037\u07339ꡇ; [V5 B1]; [V5 B1] # 6𐹫.့ܳ9ꡇ
-B; 6𐹫.\u1037\u07339ꡇ; [V5 B1]; [V5 B1] # 6𐹫.့ܳ9ꡇ
-B; \u0724\u0603.\u06D8; [P1 V6 V5]; [P1 V6 V5] # ܤ.ۘ
-B; \u0724\u0603.\u06D8; [P1 V6 V5]; [P1 V6 V5] # ܤ.ۘ
-T; ✆ꡋ.\u0632\u200D; [P1 V6 C2]; [P1 V6] # ✆ꡋ.ز
-N; ✆ꡋ.\u0632\u200D; [P1 V6 C2]; [P1 V6 C2] # ✆ꡋ.ز
-T; ✆ꡋ.\u0632\u200D; [P1 V6 C2]; [P1 V6] # ✆ꡋ.ز
-N; ✆ꡋ.\u0632\u200D; [P1 V6 C2]; [P1 V6 C2] # ✆ꡋ.ز
-B; \u0845𞸍-.≠𑋪; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # ࡅن-.≠𑋪
-B; \u0845𞸍-.=\u0338𑋪; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # ࡅن-.≠𑋪
-B; \u0845\u0646-.≠𑋪; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # ࡅن-.≠𑋪
-B; \u0845\u0646-.=\u0338𑋪; [P1 V3 V6 B2 B3]; [P1 V3 V6 B2 B3] # ࡅن-.≠𑋪
-B; 𝟛.笠; 3.笠; 3.xn--6vz
-B; 𝟛.笠; 3.笠; 3.xn--6vz
-B; 3.笠; ; 3.xn--6vz
-B; 3.xn--6vz; 3.笠; 3.xn--6vz
-T; -\u200D.Ⴞ𐋷; [P1 V3 V6 C2]; [P1 V3 V6] # -.Ⴞ𐋷
-N; -\u200D.Ⴞ𐋷; [P1 V3 V6 C2]; [P1 V3 V6 C2] # -.Ⴞ𐋷
-T; -\u200D.ⴞ𐋷; [V3 C2]; [V3] # -.ⴞ𐋷
-N; -\u200D.ⴞ𐋷; [V3 C2]; [V3 C2] # -.ⴞ𐋷
-T; \u200Dςß\u0731.\u0BCD; [V5 C2]; [V5] # ςßܱ.்
-N; \u200Dςß\u0731.\u0BCD; [V5 C2]; [V5 C2] # ςßܱ.்
-T; \u200Dςß\u0731.\u0BCD; [V5 C2]; [V5] # ςßܱ.்
-N; \u200Dςß\u0731.\u0BCD; [V5 C2]; [V5 C2] # ςßܱ.்
-T; \u200DΣSS\u0731.\u0BCD; [V5 C2]; [V5] # σssܱ.்
-N; \u200DΣSS\u0731.\u0BCD; [V5 C2]; [V5 C2] # σssܱ.்
-T; \u200Dσss\u0731.\u0BCD; [V5 C2]; [V5] # σssܱ.்
-N; \u200Dσss\u0731.\u0BCD; [V5 C2]; [V5 C2] # σssܱ.்
-T; \u200DΣss\u0731.\u0BCD; [V5 C2]; [V5] # σssܱ.்
-N; \u200DΣss\u0731.\u0BCD; [V5 C2]; [V5 C2] # σssܱ.்
-T; \u200DΣß\u0731.\u0BCD; [V5 C2]; [V5] # σßܱ.்
-N; \u200DΣß\u0731.\u0BCD; [V5 C2]; [V5 C2] # σßܱ.்
-T; \u200Dσß\u0731.\u0BCD; [V5 C2]; [V5] # σßܱ.்
-N; \u200Dσß\u0731.\u0BCD; [V5 C2]; [V5 C2] # σßܱ.்
-T; \u200DΣSS\u0731.\u0BCD; [V5 C2]; [V5] # σssܱ.்
-N; \u200DΣSS\u0731.\u0BCD; [V5 C2]; [V5 C2] # σssܱ.்
-T; \u200Dσss\u0731.\u0BCD; [V5 C2]; [V5] # σssܱ.்
-N; \u200Dσss\u0731.\u0BCD; [V5 C2]; [V5 C2] # σssܱ.்
-T; \u200DΣss\u0731.\u0BCD; [V5 C2]; [V5] # σssܱ.்
-N; \u200DΣss\u0731.\u0BCD; [V5 C2]; [V5 C2] # σssܱ.்
-T; \u200DΣß\u0731.\u0BCD; [V5 C2]; [V5] # σßܱ.்
-N; \u200DΣß\u0731.\u0BCD; [V5 C2]; [V5 C2] # σßܱ.்
-T; \u200Dσß\u0731.\u0BCD; [V5 C2]; [V5] # σßܱ.்
-N; \u200Dσß\u0731.\u0BCD; [V5 C2]; [V5 C2] # σßܱ.்
-T; ≠.\u200D; [P1 V6 C2]; [P1 V6] # ≠.
-N; ≠.\u200D; [P1 V6 C2]; [P1 V6 C2] # ≠.
-T; =\u0338.\u200D; [P1 V6 C2]; [P1 V6] # ≠.
-N; =\u0338.\u200D; [P1 V6 C2]; [P1 V6 C2] # ≠.
-T; ≠.\u200D; [P1 V6 C2]; [P1 V6] # ≠.
-N; ≠.\u200D; [P1 V6 C2]; [P1 V6 C2] # ≠.
-T; =\u0338.\u200D; [P1 V6 C2]; [P1 V6] # ≠.
-N; =\u0338.\u200D; [P1 V6 C2]; [P1 V6 C2] # ≠.
-B; \uFC01。\u0C81ᠼ▗; [P1 V5 V6]; [P1 V5 V6] # ئح.ಁᠼ▗
-B; \u0626\u062D。\u0C81ᠼ▗; [P1 V5 V6]; [P1 V5 V6] # ئح.ಁᠼ▗
-B; \u064A\u0654\u062D。\u0C81ᠼ▗; [P1 V5 V6]; [P1 V5 V6] # ئح.ಁᠼ▗
-B; \u09CDς.ς𐨿; [P1 V6]; [P1 V6] # ্ς.ς𐨿
-B; \u09CDς.ς𐨿; [P1 V6]; [P1 V6] # ্ς.ς𐨿
-B; \u09CDΣ.Σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
-B; \u09CDσ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
-B; \u09CDσ.σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
-B; \u09CDΣ.σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
-B; \u09CDΣ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
-B; \u09CDΣ.Σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
-B; \u09CDσ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
-B; \u09CDσ.σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
-B; \u09CDΣ.σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
-B; \u09CDΣ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
-B; 𐫓\u07D8牅\u08F8。\u1A17Ⴙ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # 𐫓ߘ牅ࣸ.ᨗႹ
-B; 𐫓\u07D8牅\u08F8。\u1A17Ⴙ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # 𐫓ߘ牅ࣸ.ᨗႹ
-B; 𐫓\u07D8牅\u08F8。\u1A17ⴙ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # 𐫓ߘ牅ࣸ.ᨗⴙ
-B; 𐫓\u07D8牅\u08F8。\u1A17ⴙ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # 𐫓ߘ牅ࣸ.ᨗⴙ
-B; 。륧; [P1 V6]; [P1 V6]
-B; 。륧; [P1 V6]; [P1 V6]
-B; 。륧; [P1 V6]; [P1 V6]
-B; 。륧; [P1 V6]; [P1 V6]
-T; 𐹷\u200D。; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹷.
-N; 𐹷\u200D。; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹷.
-B; Ⴘ\u06C2𑲭。-; [P1 V6 V3 B5 B6]; [P1 V6 V3 B5 B6] # Ⴘۂ𑲭.-
-B; Ⴘ\u06C1\u0654𑲭。-; [P1 V6 V3 B5 B6]; [P1 V6 V3 B5 B6] # Ⴘۂ𑲭.-
-B; Ⴘ\u06C2𑲭。-; [P1 V6 V3 B5 B6]; [P1 V6 V3 B5 B6] # Ⴘۂ𑲭.-
-B; Ⴘ\u06C1\u0654𑲭。-; [P1 V6 V3 B5 B6]; [P1 V6 V3 B5 B6] # Ⴘۂ𑲭.-
-B; ⴘ\u06C1\u0654𑲭。-; [V3 B5 B6]; [V3 B5 B6] # ⴘۂ𑲭.-
-B; ⴘ\u06C2𑲭。-; [V3 B5 B6]; [V3 B5 B6] # ⴘۂ𑲭.-
-B; ⴘ\u06C1\u0654𑲭。-; [V3 B5 B6]; [V3 B5 B6] # ⴘۂ𑲭.-
-B; ⴘ\u06C2𑲭。-; [V3 B5 B6]; [V3 B5 B6] # ⴘۂ𑲭.-
-B; \uA806\u067B₆ᡐ。🛇\uFCDD; [V5 B1]; [V5 B1] # ꠆ٻ6ᡐ.🛇يم
-B; \uA806\u067B6ᡐ。🛇\u064A\u0645; [V5 B1]; [V5 B1] # ꠆ٻ6ᡐ.🛇يم
-B; .㇄ᡟ𐫂\u0622; [P1 V6 B1]; [P1 V6 B1] # .㇄ᡟ𐫂آ
-B; .㇄ᡟ𐫂\u0627\u0653; [P1 V6 B1]; [P1 V6 B1] # .㇄ᡟ𐫂آ
-B; \u07DF。-\u07E9; [P1 V6 V3 B2 B3 B1]; [P1 V6 V3 B2 B3 B1] # ߟ.-ߩ
-T; ς\u0643⾑.\u200Cᢟ\u200C⒈; [P1 V6 B5 C1]; [P1 V6 B5] # ςك襾.ᢟ⒈
-N; ς\u0643⾑.\u200Cᢟ\u200C⒈; [P1 V6 B5 C1]; [P1 V6 B5 C1] # ςك襾.ᢟ⒈
-T; ς\u0643襾.\u200Cᢟ\u200C1.; [B5 C1]; [B5] # ςك襾.ᢟ1.
-N; ς\u0643襾.\u200Cᢟ\u200C1.; [B5 C1]; [B5 C1] # ςك襾.ᢟ1.
-T; Σ\u0643襾.\u200Cᢟ\u200C1.; [B5 C1]; [B5] # σك襾.ᢟ1.
-N; Σ\u0643襾.\u200Cᢟ\u200C1.; [B5 C1]; [B5 C1] # σك襾.ᢟ1.
-T; σ\u0643襾.\u200Cᢟ\u200C1.; [B5 C1]; [B5] # σك襾.ᢟ1.
-N; σ\u0643襾.\u200Cᢟ\u200C1.; [B5 C1]; [B5 C1] # σك襾.ᢟ1.
-T; Σ\u0643⾑.\u200Cᢟ\u200C⒈; [P1 V6 B5 C1]; [P1 V6 B5] # σك襾.ᢟ⒈
-N; Σ\u0643⾑.\u200Cᢟ\u200C⒈; [P1 V6 B5 C1]; [P1 V6 B5 C1] # σك襾.ᢟ⒈
-T; σ\u0643⾑.\u200Cᢟ\u200C⒈; [P1 V6 B5 C1]; [P1 V6 B5] # σك襾.ᢟ⒈
-N; σ\u0643⾑.\u200Cᢟ\u200C⒈; [P1 V6 B5 C1]; [P1 V6 B5 C1] # σك襾.ᢟ⒈
-B; ᡆ.; [P1 V6]; [P1 V6]
-B; ᡆ.; [P1 V6]; [P1 V6]
-T; \u0A4D𦍓\u1DEE。\u200C\u08BD; [P1 V5 V6 B1 C1]; [P1 V5 V6 B2 B3] # ੍𦍓ᷮ.ࢽ
-N; \u0A4D𦍓\u1DEE。\u200C\u08BD; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # ੍𦍓ᷮ.ࢽ
-T; \u0A4D𦍓\u1DEE。\u200C\u08BD; [P1 V5 V6 B1 C1]; [P1 V5 V6 B2 B3] # ੍𦍓ᷮ.ࢽ
-N; \u0A4D𦍓\u1DEE。\u200C\u08BD; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # ੍𦍓ᷮ.ࢽ
-T; \u062E\u0748-.\u200C먿; [P1 V3 V6 B2 B3 C1]; [P1 V3 V6 B2 B3] # خ݈-.먿
-N; \u062E\u0748-.\u200C먿; [P1 V3 V6 B2 B3 C1]; [P1 V3 V6 B2 B3 C1] # خ݈-.먿
-T; \u062E\u0748-.\u200C먿; [P1 V3 V6 B2 B3 C1]; [P1 V3 V6 B2 B3] # خ݈-.먿
-N; \u062E\u0748-.\u200C먿; [P1 V3 V6 B2 B3 C1]; [P1 V3 V6 B2 B3 C1] # خ݈-.먿
-T; \u062E\u0748-.\u200C먿; [P1 V3 V6 B2 B3 C1]; [P1 V3 V6 B2 B3] # خ݈-.먿
-N; \u062E\u0748-.\u200C먿; [P1 V3 V6 B2 B3 C1]; [P1 V3 V6 B2 B3 C1] # خ݈-.먿
-T; \u062E\u0748-.\u200C먿; [P1 V3 V6 B2 B3 C1]; [P1 V3 V6 B2 B3] # خ݈-.먿
-N; \u062E\u0748-.\u200C먿; [P1 V3 V6 B2 B3 C1]; [P1 V3 V6 B2 B3 C1] # خ݈-.먿
-B; 。ᠽ; [P1 V6]; [P1 V6]
-B; 。ᠽ; [P1 V6]; [P1 V6]
-T; 嬃𝍌.\u200D\u0B44; [C2]; [V5] # 嬃𝍌.ୄ
-N; 嬃𝍌.\u200D\u0B44; [C2]; [C2] # 嬃𝍌.ୄ
-T; 嬃𝍌.\u200D\u0B44; [C2]; [V5] # 嬃𝍌.ୄ
-N; 嬃𝍌.\u200D\u0B44; [C2]; [C2] # 嬃𝍌.ୄ
-B; \u0602𝌪≯.; [P1 V6 B1]; [P1 V6 B1] # 𝌪≯.
-B; \u0602𝌪>\u0338.; [P1 V6 B1]; [P1 V6 B1] # 𝌪≯.
-B; \u0602𝌪≯.; [P1 V6 B1]; [P1 V6 B1] # 𝌪≯.
-B; \u0602𝌪>\u0338.; [P1 V6 B1]; [P1 V6 B1] # 𝌪≯.
-B; \u08B7\u17CC\uA9C0.; [P1 V6 B5]; [P1 V6 B5] # ࢷ៌꧀.
-T; \u200C.; [P1 V6 C1]; [P1 V6] # .
-N; \u200C.; [P1 V6 C1]; [P1 V6 C1] # .
-B; Ⴃ䠅.; [P1 V6]; [P1 V6]
-B; Ⴃ䠅.; [P1 V6]; [P1 V6]
-B; ⴃ䠅.; [P1 V6]; [P1 V6]
-B; ⴃ䠅.; [P1 V6]; [P1 V6]
-B; \u1BF1𐹳𐹵𞤚。𝟨Ⴅ; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ᯱ𐹳𐹵𞤼.6Ⴅ
-B; \u1BF1𐹳𐹵𞤚。6Ⴅ; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ᯱ𐹳𐹵𞤼.6Ⴅ
-B; \u1BF1𐹳𐹵𞤚。6ⴅ; [V5 B1]; [V5 B1] # ᯱ𐹳𐹵𞤼.6ⴅ
-B; \u1BF1𐹳𐹵𞤚。𝟨ⴅ; [V5 B1]; [V5 B1] # ᯱ𐹳𐹵𞤼.6ⴅ
-B; -。︒; [P1 V3 V6]; [P1 V3 V6]
-B; -。。; [V3 A4_2]; [V3 A4_2]
-B; \u07DBჀ。-⁵--; [P1 V6 V2 V3 B2 B3]; [P1 V6 V2 V3 B2 B3] # ߛჀ.-5--
-B; \u07DBჀ。-5--; [P1 V6 V2 V3 B2 B3]; [P1 V6 V2 V3 B2 B3] # ߛჀ.-5--
-B; \u07DBⴠ。-5--; [V2 V3 B2 B3]; [V2 V3 B2 B3] # ߛⴠ.-5--
-B; \u07DBⴠ。-⁵--; [V2 V3 B2 B3]; [V2 V3 B2 B3] # ߛⴠ.-5--
-B; ≯\uD8DD。𐹷𐹻≯; [P1 V6 B1]; [P1 V6 B1 A3] # ≯.𐹷𐹻≯
-B; >\u0338\uD8DD。𐹷𐹻>\u0338; [P1 V6 B1]; [P1 V6 B1 A3] # ≯.𐹷𐹻≯
-B; ≯\uD8DD。𐹷𐹻≯; [P1 V6 B1]; [P1 V6 B1 A3] # ≯.𐹷𐹻≯
-B; >\u0338\uD8DD。𐹷𐹻>\u0338; [P1 V6 B1]; [P1 V6 B1 A3] # ≯.𐹷𐹻≯
-T; ㍔\u08E6\u077C\u200D。\u0346\u0604; [P1 V5 V6 B5 B6 C2 B1]; [P1 V5 V6 B5 B6 B1] # ルーブルࣦݼ.͆
-N; ㍔\u08E6\u077C\u200D。\u0346\u0604; [P1 V5 V6 B5 B6 C2 B1]; [P1 V5 V6 B5 B6 C2 B1] # ルーブルࣦݼ.͆
-T; ルーブル\u08E6\u077C\u200D。\u0346\u0604; [P1 V5 V6 B5 B6 C2 B1]; [P1 V5 V6 B5 B6 B1] # ルーブルࣦݼ.͆
-N; ルーブル\u08E6\u077C\u200D。\u0346\u0604; [P1 V5 V6 B5 B6 C2 B1]; [P1 V5 V6 B5 B6 C2 B1] # ルーブルࣦݼ.͆
-T; ルーフ\u3099ル\u08E6\u077C\u200D。\u0346\u0604; [P1 V5 V6 B5 B6 C2 B1]; [P1 V5 V6 B5 B6 B1] # ルーブルࣦݼ.͆
-N; ルーフ\u3099ル\u08E6\u077C\u200D。\u0346\u0604; [P1 V5 V6 B5 B6 C2 B1]; [P1 V5 V6 B5 B6 C2 B1] # ルーブルࣦݼ.͆
-T; \u200D.F; [C2]; f # .f
-N; \u200D.F; [C2]; [C2] # .f
-B; f; ;
-T; \u200D㨲。ß; [C2]; xn--9bm.ss # 㨲.ß
-N; \u200D㨲。ß; [C2]; [C2] # 㨲.ß
-T; \u200D㨲。ß; [C2]; xn--9bm.ss # 㨲.ß
-N; \u200D㨲。ß; [C2]; [C2] # 㨲.ß
-T; \u200D㨲。SS; [C2]; xn--9bm.ss # 㨲.ss
-N; \u200D㨲。SS; [C2]; [C2] # 㨲.ss
-B; xn--9bm.ss; 㨲.ss; xn--9bm.ss
-B; 㨲.ss; ; xn--9bm.ss
-T; \u200D㨲。SS; [C2]; xn--9bm.ss # 㨲.ss
-N; \u200D㨲。SS; [C2]; [C2] # 㨲.ss
-B; \u0605\u067E。\u08A8; [P1 V6 B1]; [P1 V6 B1] # پ.ࢨ
-B; \u0605\u067E。\u08A8; [P1 V6 B1]; [P1 V6 B1] # پ.ࢨ
-B; ⾑\u0753𞤁。𐹵\u0682; [B5 B6 B1]; [B5 B6 B1] # 襾ݓ𞤣.𐹵ڂ
-B; 襾\u0753𞤁。𐹵\u0682; [B5 B6 B1]; [B5 B6 B1] # 襾ݓ𞤣.𐹵ڂ
-B; ς-\u20EB。\u0754-ꡛ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ς-⃫.ݔ-ꡛ
-B; ς-\u20EB。\u0754-ꡛ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ς-⃫.ݔ-ꡛ
-B; Σ-\u20EB。\u0754-ꡛ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # σ-⃫.ݔ-ꡛ
-B; σ-\u20EB。\u0754-ꡛ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # σ-⃫.ݔ-ꡛ
-B; Σ-\u20EB。\u0754-ꡛ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # σ-⃫.ݔ-ꡛ
-B; σ-\u20EB。\u0754-ꡛ; [P1 V6 B2 B3]; [P1 V6 B2 B3] # σ-⃫.ݔ-ꡛ
-T; \u200D.; [P1 V6 C2]; [P1 V6] # .
-N; \u200D.; [P1 V6 C2]; [P1 V6 C2] # .
-T; \u200D.; [P1 V6 C2]; [P1 V6] # .
-N; \u200D.; [P1 V6 C2]; [P1 V6 C2] # .
-B; 。≠𝟲; [P1 V6]; [P1 V6]
-B; 。=\u0338𝟲; [P1 V6]; [P1 V6]
-B; 。≠6; [P1 V6]; [P1 V6]
-B; 。=\u03386; [P1 V6]; [P1 V6]
-T; 󠅊ᡭ\u200D.; [P1 V6 C2]; [P1 V6] # ᡭ.
-N; 󠅊ᡭ\u200D.; [P1 V6 C2]; [P1 V6 C2] # ᡭ.
-B; \u0C40\u0855𑄴.; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ీࡕ𑄴.
-B; \u0C40\u0855𑄴.; [P1 V5 V6 B1]; [P1 V5 V6 B1] # ీࡕ𑄴.
-T; 𞤮。𑇊\u200C≯\u1CE6; [P1 V5 V6 C1]; [P1 V5 V6] # 𞤮.𑇊≯᳦
-N; 𞤮。𑇊\u200C≯\u1CE6; [P1 V5 V6 C1]; [P1 V5 V6 C1] # 𞤮.𑇊≯᳦
-T; 𞤮。𑇊\u200C>\u0338\u1CE6; [P1 V5 V6 C1]; [P1 V5 V6] # 𞤮.𑇊≯᳦
-N; 𞤮。𑇊\u200C>\u0338\u1CE6; [P1 V5 V6 C1]; [P1 V5 V6 C1] # 𞤮.𑇊≯᳦
-B; 󠄀𝟕.𞤌Ⴉ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; 󠄀7.𞤌Ⴉ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; 󠄀7.𞤌ⴉ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; 󠄀𝟕.𞤌ⴉ; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; 閃9𝩍。Ↄ\u0669\u08B1\u0B4D; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 閃9𝩍.Ↄ٩ࢱ୍
-B; 閃9𝩍。ↄ\u0669\u08B1\u0B4D; [B5 B6]; [B5 B6] # 閃9𝩍.ↄ٩ࢱ୍
-B; \uAAF6ᢏ\u0E3A2.𐋢\u0745\u0F9F︒; [P1 V5 V6]; [P1 V5 V6] # ꫶ᢏฺ2.𐋢݅ྟ︒
-B; \uAAF6ᢏ\u0E3A2.𐋢\u0745\u0F9F。; [V5]; [V5] # ꫶ᢏฺ2.𐋢݅ྟ.
-B; 。≠-⾛; [P1 V6]; [P1 V6]
-B; 。=\u0338-⾛; [P1 V6]; [P1 V6]
-B; 。≠-走; [P1 V6]; [P1 V6]
-B; 。=\u0338-走; [P1 V6]; [P1 V6]
-B; \u076E\u0604Ⴊ。-≠\u1160; [P1 V6 V3 B2 B3]; [P1 V6 V3 B2 B3] # ݮႪ.-≠
-B; \u076E\u0604Ⴊ。-=\u0338\u1160; [P1 V6 V3 B2 B3]; [P1 V6 V3 B2 B3] # ݮႪ.-≠
-B; \u076E\u0604ⴊ。-=\u0338\u1160; [P1 V6 V3 B2 B3]; [P1 V6 V3 B2 B3] # ݮⴊ.-≠
-B; \u076E\u0604ⴊ。-≠\u1160; [P1 V6 V3 B2 B3]; [P1 V6 V3 B2 B3] # ݮⴊ.-≠
-T; \uFB4F𐹧𝟒≯。\u200C; [P1 V6 B3 B4 C1]; [P1 V6 B3 B4] # אל𐹧4≯.
-N; \uFB4F𐹧𝟒≯。\u200C; [P1 V6 B3 B4 C1]; [P1 V6 B3 B4 C1] # אל𐹧4≯.
-T; \uFB4F𐹧𝟒>\u0338。\u200C; [P1 V6 B3 B4 C1]; [P1 V6 B3 B4] # אל𐹧4≯.
-N; \uFB4F𐹧𝟒>\u0338。\u200C; [P1 V6 B3 B4 C1]; [P1 V6 B3 B4 C1] # אל𐹧4≯.
-T; \u05D0\u05DC𐹧4≯。\u200C; [P1 V6 B3 B4 C1]; [P1 V6 B3 B4] # אל𐹧4≯.
-N; \u05D0\u05DC𐹧4≯。\u200C; [P1 V6 B3 B4 C1]; [P1 V6 B3 B4 C1] # אל𐹧4≯.
-T; \u05D0\u05DC𐹧4>\u0338。\u200C; [P1 V6 B3 B4 C1]; [P1 V6 B3 B4] # אל𐹧4≯.
-N; \u05D0\u05DC𐹧4>\u0338。\u200C; [P1 V6 B3 B4 C1]; [P1 V6 B3 B4 C1] # אל𐹧4≯.
-B; 𝟎。甯; 0.甯; 0.xn--qny
-B; 0。甯; 0.甯; 0.xn--qny
-B; 0.xn--qny; 0.甯; 0.xn--qny
-B; 0.甯; ; 0.xn--qny
-B; -⾆.\uAAF6; [V3 V5]; [V3 V5] # -舌.꫶
-B; -舌.\uAAF6; [V3 V5]; [V3 V5] # -舌.꫶
-B; -。ᢘ; [V3]; [V3]
-B; -。ᢘ; [V3]; [V3]
-B; 🂴Ⴋ.≮; [P1 V6]; [P1 V6]
-B; 🂴Ⴋ.<\u0338; [P1 V6]; [P1 V6]
-B; 🂴ⴋ.<\u0338; [P1 V6]; [P1 V6]
-B; 🂴ⴋ.≮; [P1 V6]; [P1 V6]
-T; 璼𝨭。\u200C󠇟; [C1]; xn--gky8837e. # 璼𝨭.
-N; 璼𝨭。\u200C󠇟; [C1]; [C1] # 璼𝨭.
-T; 璼𝨭。\u200C󠇟; [C1]; xn--gky8837e. # 璼𝨭.
-N; 璼𝨭。\u200C󠇟; [C1]; [C1] # 璼𝨭.
-B; xn--gky8837e.; 璼𝨭.; xn--gky8837e.
-B; 璼𝨭.; ; xn--gky8837e.
-B; \u06698。-5🞥; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ٩8.-5🞥
-B; \u06698。-5🞥; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ٩8.-5🞥
-T; \u200C.\u200C; [C1]; [A4_2] # .
-N; \u200C.\u200C; [C1]; [C1] # .
-T; \u200D튛.\u0716; [C2]; xn--157b.xn--gnb # 튛.ܖ
-N; \u200D튛.\u0716; [C2]; [C2] # 튛.ܖ
-T; \u200D튛.\u0716; [C2]; xn--157b.xn--gnb # 튛.ܖ
-N; \u200D튛.\u0716; [C2]; [C2] # 튛.ܖ
-B; xn--157b.xn--gnb; 튛.\u0716; xn--157b.xn--gnb # 튛.ܖ
-B; 튛.\u0716; ; xn--157b.xn--gnb # 튛.ܖ
-B; 튛.\u0716; 튛.\u0716; xn--157b.xn--gnb # 튛.ܖ
-B; ᡋ𐹰.\u0779ⴞ; [P1 V6 B5 B6 B2 B3]; [P1 V6 B5 B6 B2 B3] # ᡋ𐹰.ݹⴞ
-B; ᡋ𐹰.\u0779Ⴞ; [P1 V6 B5 B6 B2 B3]; [P1 V6 B5 B6 B2 B3] # ᡋ𐹰.ݹႾ
-B; \u0662𝅻𝟧.𐹮𐹬Ⴇ; [P1 V6 B4 B1]; [P1 V6 B4 B1] # ٢𝅻5.𐹮𐹬Ⴇ
-B; \u0662𝅻5.𐹮𐹬Ⴇ; [P1 V6 B4 B1]; [P1 V6 B4 B1] # ٢𝅻5.𐹮𐹬Ⴇ
-B; \u0662𝅻5.𐹮𐹬ⴇ; [P1 V6 B4 B1]; [P1 V6 B4 B1] # ٢𝅻5.𐹮𐹬ⴇ
-B; \u0662𝅻𝟧.𐹮𐹬ⴇ; [P1 V6 B4 B1]; [P1 V6 B4 B1] # ٢𝅻5.𐹮𐹬ⴇ
-B; Ⴗ.\u05C2𑄴\uA9B7; [P1 V6 V5]; [P1 V6 V5] # Ⴗ.𑄴ׂꦷ
-B; Ⴗ.𑄴\u05C2\uA9B7; [P1 V6 V5]; [P1 V6 V5] # Ⴗ.𑄴ׂꦷ
-B; Ⴗ.𑄴\u05C2\uA9B7; [P1 V6 V5]; [P1 V6 V5] # Ⴗ.𑄴ׂꦷ
-B; ⴗ.𑄴\u05C2\uA9B7; [P1 V5 V6]; [P1 V5 V6] # ⴗ.𑄴ׂꦷ
-B; ⴗ.𑄴\u05C2\uA9B7; [P1 V5 V6]; [P1 V5 V6] # ⴗ.𑄴ׂꦷ
-B; ⴗ.\u05C2𑄴\uA9B7; [P1 V5 V6]; [P1 V5 V6] # ⴗ.𑄴ׂꦷ
-B; 𝟾.\u066C; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 8.٬
-B; 8.\u066C; [P1 V6 B5 B6]; [P1 V6 B5 B6] # 8.٬
-B; ⒈酫︒。\u08D6; [P1 V6 V5]; [P1 V6 V5] # ⒈酫︒.ࣖ
-B; 1.酫。。\u08D6; [V5 A4_2]; [V5 A4_2] # 1.酫..ࣖ
-T; \u2DE3\u200C≮\u1A6B.\u200C\u0E3A; [P1 V5 V6 C1]; [P1 V5 V6] # ⷣ≮ᩫ.ฺ
-N; \u2DE3\u200C≮\u1A6B.\u200C\u0E3A; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ⷣ≮ᩫ.ฺ
-T; \u2DE3\u200C<\u0338\u1A6B.\u200C\u0E3A; [P1 V5 V6 C1]; [P1 V5 V6] # ⷣ≮ᩫ.ฺ
-N; \u2DE3\u200C<\u0338\u1A6B.\u200C\u0E3A; [P1 V5 V6 C1]; [P1 V5 V6 C1] # ⷣ≮ᩫ.ฺ
-T; 。ႷႽ¹\u200D; [P1 V6 C2]; [P1 V6] # .ႷႽ1
-N; 。ႷႽ¹\u200D; [P1 V6 C2]; [P1 V6 C2] # .ႷႽ1
-T; 。ႷႽ1\u200D; [P1 V6 C2]; [P1 V6] # .ႷႽ1
-N; 。ႷႽ1\u200D; [P1 V6 C2]; [P1 V6 C2] # .ႷႽ1
-T; 。ⴗⴝ1\u200D; [P1 V6 C2]; [P1 V6] # .ⴗⴝ1
-N; 。ⴗⴝ1\u200D; [P1 V6 C2]; [P1 V6 C2] # .ⴗⴝ1
-T; 。Ⴗⴝ1\u200D; [P1 V6 C2]; [P1 V6] # .Ⴗⴝ1
-N; 。Ⴗⴝ1\u200D; [P1 V6 C2]; [P1 V6 C2] # .Ⴗⴝ1
-T; 。ⴗⴝ¹\u200D; [P1 V6 C2]; [P1 V6] # .ⴗⴝ1
-N; 。ⴗⴝ¹\u200D; [P1 V6 C2]; [P1 V6 C2] # .ⴗⴝ1
-T; 。Ⴗⴝ¹\u200D; [P1 V6 C2]; [P1 V6] # .Ⴗⴝ1
-N; 。Ⴗⴝ¹\u200D; [P1 V6 C2]; [P1 V6 C2] # .Ⴗⴝ1
-B; 𑄴𑄳2.-; [P1 V5 V3 V6 B3]; [P1 V5 V3 V6 B3]
-B; \u0665。𑄳𞤃\u0710; [P1 V6 B1 B5 B6]; [P1 V6 B1 B5 B6] # ٥.𑄳𞤥ܐ
-B; \u0665。𑄳𞤃\u0710; [P1 V6 B1 B5 B6]; [P1 V6 B1 B5 B6] # ٥.𑄳𞤥ܐ
-T; \u0720𐹢\u17BB。ςᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2] # ܠ𐹢ុ.ςᢈ🝭
-N; \u0720𐹢\u17BB。ςᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2 C1] # ܠ𐹢ុ.ςᢈ🝭
-T; \u0720𐹢\u17BB。ςᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2] # ܠ𐹢ុ.ςᢈ🝭
-N; \u0720𐹢\u17BB。ςᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2 C1] # ܠ𐹢ុ.ςᢈ🝭
-T; \u0720𐹢\u17BB。Σᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2] # ܠ𐹢ុ.σᢈ🝭
-N; \u0720𐹢\u17BB。Σᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2 C1] # ܠ𐹢ុ.σᢈ🝭
-T; \u0720𐹢\u17BB。σᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2] # ܠ𐹢ុ.σᢈ🝭
-N; \u0720𐹢\u17BB。σᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2 C1] # ܠ𐹢ុ.σᢈ🝭
-T; \u0720𐹢\u17BB。Σᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2] # ܠ𐹢ុ.σᢈ🝭
-N; \u0720𐹢\u17BB。Σᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2 C1] # ܠ𐹢ុ.σᢈ🝭
-T; \u0720𐹢\u17BB。σᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2] # ܠ𐹢ុ.σᢈ🝭
-N; \u0720𐹢\u17BB。σᢈ🝭\u200C; [P1 V6 B2 C1]; [P1 V6 B2 C1] # ܠ𐹢ុ.σᢈ🝭
-T; \u200D--≮。𐹧; [P1 V6 C2 B1]; [P1 V3 V6 B1] # --≮.𐹧
-N; \u200D--≮。𐹧; [P1 V6 C2 B1]; [P1 V6 C2 B1] # --≮.𐹧
-T; \u200D--<\u0338。𐹧; [P1 V6 C2 B1]; [P1 V3 V6 B1] # --≮.𐹧
-N; \u200D--<\u0338。𐹧; [P1 V6 C2 B1]; [P1 V6 C2 B1] # --≮.𐹧
-B; \uA806。\u0FB0⒕; [P1 V5 V6]; [P1 V5 V6] # ꠆.ྰ⒕
-B; \uA806。\u0FB014.; [P1 V5 V6]; [P1 V5 V6] # ꠆.ྰ14.
-B; \u06BC.𑆺\u0669; [P1 V6 V5 B5 B6 B1]; [P1 V6 V5 B5 B6 B1] # ڼ.𑆺٩
-B; \u06BC.𑆺\u0669; [P1 V6 V5 B5 B6 B1]; [P1 V6 V5 B5 B6 B1] # ڼ.𑆺٩
-B; \u06D0-。𞤴; [P1 V3 V6 B1]; [P1 V3 V6 B1] # ې-.𞤴
-T; 𝟠4󠇗𝈻.\u200D𐋵⛧\u200D; [C2]; xn--84-s850a.xn--59h6326e # 84𝈻.𐋵⛧
-N; 𝟠4󠇗𝈻.\u200D𐋵⛧\u200D; [C2]; [C2] # 84𝈻.𐋵⛧
-T; 84󠇗𝈻.\u200D𐋵⛧\u200D; [C2]; xn--84-s850a.xn--59h6326e # 84𝈻.𐋵⛧
-N; 84󠇗𝈻.\u200D𐋵⛧\u200D; [C2]; [C2] # 84𝈻.𐋵⛧
-B; xn--84-s850a.xn--59h6326e; 84𝈻.𐋵⛧; xn--84-s850a.xn--59h6326e; NV8
-B; 84𝈻.𐋵⛧; ; xn--84-s850a.xn--59h6326e; NV8
-B; -\u0601。ᡪ; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.ᡪ
-B; -\u0601。ᡪ; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.ᡪ
-B; ≮𝟕.謖ß≯; [P1 V6]; [P1 V6]
-B; <\u0338𝟕.謖ß>\u0338; [P1 V6]; [P1 V6]
-B; ≮7.謖ß≯; [P1 V6]; [P1 V6]
-B; <\u03387.謖ß>\u0338; [P1 V6]; [P1 V6]
-B; <\u03387.謖SS>\u0338; [P1 V6]; [P1 V6]
-B; ≮7.謖SS≯; [P1 V6]; [P1 V6]
-B; ≮7.謖ss≯; [P1 V6]; [P1 V6]
-B; <\u03387.謖ss>\u0338; [P1 V6]; [P1 V6]
-B; <\u03387.謖Ss>\u0338; [P1 V6]; [P1 V6]
-B; ≮7.謖Ss≯; [P1 V6]; [P1 V6]
-B; <\u0338𝟕.謖SS>\u0338; [P1 V6]; [P1 V6]
-B; ≮𝟕.謖SS≯; [P1 V6]; [P1 V6]
-B; ≮𝟕.謖ss≯; [P1 V6]; [P1 V6]
-B; <\u0338𝟕.謖ss>\u0338; [P1 V6]; [P1 V6]
-B; <\u0338𝟕.謖Ss>\u0338; [P1 V6]; [P1 V6]
-B; ≮𝟕.謖Ss≯; [P1 V6]; [P1 V6]
-B; 朶Ⴉ.𝨽\u0825📻-; [P1 V6 V3 V5 B5 B6]; [P1 V6 V3 V5 B5 B6] # 朶Ⴉ.𝨽ࠥ📻-
-B; 朶ⴉ.𝨽\u0825📻-; [P1 V6 V3 V5 B5 B6]; [P1 V6 V3 V5 B5 B6] # 朶ⴉ.𝨽ࠥ📻-
-T; 𐤎。\u200C≮\u200D; [P1 V6 C1 C2]; [P1 V6] # 𐤎.≮
-N; 𐤎。\u200C≮\u200D; [P1 V6 C1 C2]; [P1 V6 C1 C2] # 𐤎.≮
-T; 𐤎。\u200C<\u0338\u200D; [P1 V6 C1 C2]; [P1 V6] # 𐤎.≮
-N; 𐤎。\u200C<\u0338\u200D; [P1 V6 C1 C2]; [P1 V6 C1 C2] # 𐤎.≮
-T; ⒈。\u200C𝟤; [P1 V6 C1]; [P1 V6] # ⒈.2
-N; ⒈。\u200C𝟤; [P1 V6 C1]; [P1 V6 C1] # ⒈.2
-T; 1.。\u200C2; [P1 V6 A4_2 C1]; [P1 V6 A4_2] # 1..2
-N; 1.。\u200C2; [P1 V6 A4_2 C1]; [P1 V6 A4_2 C1] # 1..2
-T; 𐹤\u200D.𐹳𐹶; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹤.𐹳𐹶
-N; 𐹤\u200D.𐹳𐹶; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹤.𐹳𐹶
-T; 𐹤\u200D.𐹳𐹶; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹤.𐹳𐹶
-N; 𐹤\u200D.𐹳𐹶; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹤.𐹳𐹶
-B; 𞤴𐹻𑓂𐭝.\u094D\uFE07; [P1 V5 V6]; [P1 V5 V6] # 𞤴𐹻𑓂𐭝.्
-B; 𞤴𐹻𑓂𐭝.\u094D\uFE07; [P1 V5 V6]; [P1 V5 V6] # 𞤴𐹻𑓂𐭝.्
-B; \u0668。𐹠𐹽; [P1 V6 B1]; [P1 V6 B1] # ٨.𐹠𐹽
-B; \u0668。𐹠𐹽; [P1 V6 B1]; [P1 V6 B1] # ٨.𐹠𐹽
-B; \u1160.8\u069C; [P1 V6 B1]; [P1 V6 B1] # .8ڜ
-T; \u200D\u200C󠆪。ß𑓃; [C2 C1]; xn--ss-bh7o # .ß𑓃
-N; \u200D\u200C󠆪。ß𑓃; [C2 C1]; [C2 C1] # .ß𑓃
-T; \u200D\u200C󠆪。ß𑓃; [C2 C1]; xn--ss-bh7o # .ß𑓃
-N; \u200D\u200C󠆪。ß𑓃; [C2 C1]; [C2 C1] # .ß𑓃
-T; \u200D\u200C󠆪。SS𑓃; [C2 C1]; xn--ss-bh7o # .ss𑓃
-N; \u200D\u200C󠆪。SS𑓃; [C2 C1]; [C2 C1] # .ss𑓃
-T; \u200D\u200C󠆪。ss𑓃; [C2 C1]; xn--ss-bh7o # .ss𑓃
-N; \u200D\u200C󠆪。ss𑓃; [C2 C1]; [C2 C1] # .ss𑓃
-T; \u200D\u200C󠆪。Ss𑓃; [C2 C1]; xn--ss-bh7o # .ss𑓃
-N; \u200D\u200C󠆪。Ss𑓃; [C2 C1]; [C2 C1] # .ss𑓃
-B; xn--ss-bh7o; ss𑓃; xn--ss-bh7o
-B; ss𑓃; ; xn--ss-bh7o
-B; SS𑓃; ss𑓃; xn--ss-bh7o
-B; Ss𑓃; ss𑓃; xn--ss-bh7o
-T; \u200D\u200C󠆪。SS𑓃; [C2 C1]; xn--ss-bh7o # .ss𑓃
-N; \u200D\u200C󠆪。SS𑓃; [C2 C1]; [C2 C1] # .ss𑓃
-T; \u200D\u200C󠆪。ss𑓃; [C2 C1]; xn--ss-bh7o # .ss𑓃
-N; \u200D\u200C󠆪。ss𑓃; [C2 C1]; [C2 C1] # .ss𑓃
-T; \u200D\u200C󠆪。Ss𑓃; [C2 C1]; xn--ss-bh7o # .ss𑓃
-N; \u200D\u200C󠆪。Ss𑓃; [C2 C1]; [C2 C1] # .ss𑓃
-T; ︒\u200Cヶ䒩.ꡪ; [P1 V6 C1]; [P1 V6] # ︒ヶ䒩.ꡪ
-N; ︒\u200Cヶ䒩.ꡪ; [P1 V6 C1]; [P1 V6 C1] # ︒ヶ䒩.ꡪ
-T; 。\u200Cヶ䒩.ꡪ; [C1]; xn--qekw60d.xn--gd9a # ヶ䒩.ꡪ
-N; 。\u200Cヶ䒩.ꡪ; [C1]; [C1] # ヶ䒩.ꡪ
-B; xn--qekw60d.xn--gd9a; ヶ䒩.ꡪ; xn--qekw60d.xn--gd9a
-B; ヶ䒩.ꡪ; ; xn--qekw60d.xn--gd9a
-T; \u200C⒈𤮍.\u1A60; [P1 V6 C1]; [P1 V6] # ⒈𤮍.᩠
-N; \u200C⒈𤮍.\u1A60; [P1 V6 C1]; [P1 V6 C1] # ⒈𤮍.᩠
-T; \u200C1.𤮍.\u1A60; [P1 V6 C1]; [P1 V6] # 1.𤮍.᩠
-N; \u200C1.𤮍.\u1A60; [P1 V6 C1]; [P1 V6 C1] # 1.𤮍.᩠
-T; ⒈\u200C𐫓。\u1A60\u200D; [P1 V6 V5 B1 C1 C2]; [P1 V6 V5 B1] # ⒈𐫓.᩠
-N; ⒈\u200C𐫓。\u1A60\u200D; [P1 V6 V5 B1 C1 C2]; [P1 V6 V5 B1 C1 C2] # ⒈𐫓.᩠
-T; 1.\u200C𐫓。\u1A60\u200D; [P1 V6 V5 B1 C1 C2]; [P1 V6 V5 B3] # 1.𐫓.᩠
-N; 1.\u200C𐫓。\u1A60\u200D; [P1 V6 V5 B1 C1 C2]; [P1 V6 V5 B1 C1 C2] # 1.𐫓.᩠
-B; 。𝟫𞀈䬺⒈; [P1 V6]; [P1 V6]
-B; 。9𞀈䬺1.; [P1 V6]; [P1 V6]
-B; ≯。盚\u0635; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ≯.盚ص
-B; >\u0338。盚\u0635; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ≯.盚ص
-B; -\u05B4。-≯; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ִ.-≯
-B; -\u05B4。->\u0338; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ִ.-≯
-B; \u1B44\u200C\u0A4D.𐭛; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ᭄੍.𐭛
-B; \u1B44\u200C\u0A4D.𐭛; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ᭄੍.𐭛
-T; ⾇.\u067D𞤴\u06BB\u200D; [B3 C2]; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
-N; ⾇.\u067D𞤴\u06BB\u200D; [B3 C2]; [B3 C2] # 舛.ٽ𞤴ڻ
-T; 舛.\u067D𞤴\u06BB\u200D; [B3 C2]; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
-N; 舛.\u067D𞤴\u06BB\u200D; [B3 C2]; [B3 C2] # 舛.ٽ𞤴ڻ
-B; xn--8c1a.xn--2ib8jn539l; 舛.\u067D𞤴\u06BB; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
-B; 舛.\u067D𞤴\u06BB; ; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
-B; 4。\u0767≯; [P1 V6 B3]; [P1 V6 B3] # 4.ݧ≯
-B; 4。\u0767>\u0338; [P1 V6 B3]; [P1 V6 B3] # 4.ݧ≯
-B; 硲.\u06AD; [P1 V6 B5]; [P1 V6 B5] # 硲.ڭ
-B; 硲.\u06AD; [P1 V6 B5]; [P1 V6 B5] # 硲.ڭ
-T; \u200C.\uFE08\u0666Ⴆ℮; [P1 V6 C1 B1]; [P1 V6 B1] # .٦Ⴆ℮
-N; \u200C.\uFE08\u0666Ⴆ℮; [P1 V6 C1 B1]; [P1 V6 C1 B1] # .٦Ⴆ℮
-T; \u200C.\uFE08\u0666ⴆ℮; [C1 B1]; [B1] # .٦ⴆ℮
-N; \u200C.\uFE08\u0666ⴆ℮; [C1 B1]; [C1 B1] # .٦ⴆ℮
-B; \u06A3.\u0D4D\u200DϞ; [V5]; [V5] # ڣ.്ϟ
-B; \u06A3.\u0D4D\u200DϞ; [V5]; [V5] # ڣ.്ϟ
-B; \u06A3.\u0D4D\u200Dϟ; [V5]; [V5] # ڣ.്ϟ
-B; \u06A3.\u0D4D\u200Dϟ; [V5]; [V5] # ڣ.്ϟ
-T; \u200C𞸇𑘿。\u0623𐮂-腍; [B1 C1 B2 B3]; [B2 B3] # ح𑘿.أ𐮂-腍
-N; \u200C𞸇𑘿。\u0623𐮂-腍; [B1 C1 B2 B3]; [B1 C1 B2 B3] # ح𑘿.أ𐮂-腍
-T; \u200C𞸇𑘿。\u0627\u0654𐮂-腍; [B1 C1 B2 B3]; [B2 B3] # ح𑘿.أ𐮂-腍
-N; \u200C𞸇𑘿。\u0627\u0654𐮂-腍; [B1 C1 B2 B3]; [B1 C1 B2 B3] # ح𑘿.أ𐮂-腍
-T; \u200C\u062D𑘿。\u0623𐮂-腍; [B1 C1 B2 B3]; [B2 B3] # ح𑘿.أ𐮂-腍
-N; \u200C\u062D𑘿。\u0623𐮂-腍; [B1 C1 B2 B3]; [B1 C1 B2 B3] # ح𑘿.أ𐮂-腍
-T; \u200C\u062D𑘿。\u0627\u0654𐮂-腍; [B1 C1 B2 B3]; [B2 B3] # ح𑘿.أ𐮂-腍
-N; \u200C\u062D𑘿。\u0627\u0654𐮂-腍; [B1 C1 B2 B3]; [B1 C1 B2 B3] # ح𑘿.أ𐮂-腍
-B; -\u066B纛。𝟛🄅; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -٫纛.3🄅
-B; -\u066B纛。34,; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -٫纛.34,
-B; 🔔.Ⴂ\u07CC\u0BCD𐋮; [P1 V6 B5]; [P1 V6 B5] # 🔔.Ⴂߌ்𐋮
-B; 🔔.Ⴂ\u07CC\u0BCD𐋮; [P1 V6 B5]; [P1 V6 B5] # 🔔.Ⴂߌ்𐋮
-B; 🔔.ⴂ\u07CC\u0BCD𐋮; [B5]; [B5] # 🔔.ⴂߌ்𐋮
-B; 🔔.ⴂ\u07CC\u0BCD𐋮; [B5]; [B5] # 🔔.ⴂߌ்𐋮
-B; 軥\u06B3.-𖬵; [V3 B5 B6]; [V3 B5 B6] # 軥ڳ.-𖬵
-B; 𐹤\u07CA\u06B6.𐨂-; [V3 V5 B1]; [V3 V5 B1] # 𐹤ߊڶ.𐨂-
-B; -󠅱0。\u17CF\u1DFD톇십; [V3 V5]; [V3 V5] # -0.៏᷽톇십
-B; -󠅱0。\u17CF\u1DFD톇십; [V3 V5]; [V3 V5] # -0.៏᷽톇십
-B; -󠅱0。\u17CF\u1DFD톇십; [V3 V5]; [V3 V5] # -0.៏᷽톇십
-B; -󠅱0。\u17CF\u1DFD톇십; [V3 V5]; [V3 V5] # -0.៏᷽톇십
-B; ꡰ︒--。\u17CC靈𐹢; [P1 V2 V3 V6 V5 B1]; [P1 V2 V3 V6 V5 B1] # ꡰ︒--.៌靈𐹢
-B; ꡰ。--。\u17CC靈𐹢; [P1 V3 V5 V6 B1]; [P1 V3 V5 V6 B1] # ꡰ.--.៌靈𐹢
-B; \u115FႿႵრ。\u0B4D; [P1 V6 V5]; [P1 V6 V5] # ႿႵრ.୍
-B; \u115FႿႵრ。\u0B4D; [P1 V6 V5]; [P1 V6 V5] # ႿႵრ.୍
-B; \u115Fⴟⴕრ。\u0B4D; [P1 V6 V5]; [P1 V6 V5] # ⴟⴕრ.୍
-B; \u115FႿⴕრ。\u0B4D; [P1 V6 V5]; [P1 V6 V5] # Ⴟⴕრ.୍
-B; \u115Fⴟⴕრ。\u0B4D; [P1 V6 V5]; [P1 V6 V5] # ⴟⴕრ.୍
-B; \u115FႿⴕრ。\u0B4D; [P1 V6 V5]; [P1 V6 V5] # Ⴟⴕრ.୍
-B; 🄃𐹠.\u0664󠅇; [P1 V6 B1]; [P1 V6 B1] # 🄃𐹠.٤
-B; 2,𐹠.\u0664󠅇; [P1 V6 B1]; [P1 V6 B1] # 2,𐹠.٤
-T; \u200C\uFC5B.\u07D2\u0848\u1BF3; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 B2 B3] # ذٰ.ߒࡈ᯳
-N; \u200C\uFC5B.\u07D2\u0848\u1BF3; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 C1 B2 B3] # ذٰ.ߒࡈ᯳
-T; \u200C\u0630\u0670.\u07D2\u0848\u1BF3; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 B2 B3] # ذٰ.ߒࡈ᯳
-N; \u200C\u0630\u0670.\u07D2\u0848\u1BF3; [P1 V6 B5 B6 C1 B2 B3]; [P1 V6 B5 B6 C1 B2 B3] # ذٰ.ߒࡈ᯳
-T; \u200D\u200D\u200C。ᡘ𑲭\u17B5; [P1 V6 B1 C2 C1]; [P1 V6] # .ᡘ𑲭
-N; \u200D\u200D\u200C。ᡘ𑲭\u17B5; [P1 V6 B1 C2 C1]; [P1 V6 B1 C2 C1] # .ᡘ𑲭
-B; 。⚄𑁿; [P1 V6]; [P1 V6]
-B; \uA8C4≠.𞠨\u0667; [P1 V5 V6]; [P1 V5 V6] # ꣄≠.𞠨٧
-B; \uA8C4=\u0338.𞠨\u0667; [P1 V5 V6]; [P1 V5 V6] # ꣄≠.𞠨٧
-B; \uA8C4≠.𞠨\u0667; [P1 V5 V6]; [P1 V5 V6] # ꣄≠.𞠨٧
-B; \uA8C4=\u0338.𞠨\u0667; [P1 V5 V6]; [P1 V5 V6] # ꣄≠.𞠨٧
-B; 𝟛𝆪\uA8C4。\uA8EA-; [V3 V5]; [V3 V5] # 3꣄𝆪.꣪-
-B; 𝟛\uA8C4𝆪。\uA8EA-; [V3 V5]; [V3 V5] # 3꣄𝆪.꣪-
-B; 3\uA8C4𝆪。\uA8EA-; [V3 V5]; [V3 V5] # 3꣄𝆪.꣪-
-B; \u075F\u1BA2\u103AႧ.4; [P1 V6 B2 B3]; [P1 V6 B2 B3] # ݟᮢ်Ⴇ.4
-B; \u075F\u1BA2\u103Aⴇ.4; [B2 B3]; [B2 B3] # ݟᮢ်ⴇ.4
-B; ᄹ。\u0ECA󠄞; [P1 V5 V6]; [P1 V5 V6] # ᄹ.໊
-B; ᄹ。\u0ECA󠄞; [P1 V5 V6]; [P1 V5 V6] # ᄹ.໊
-B; Ⴆ.󠆡\uFE09𞤍; [P1 V6]; [P1 V6]
-B; Ⴆ.󠆡\uFE09𞤍; [P1 V6]; [P1 V6]
-B; ⴆ.󠆡\uFE09𞤍; [P1 V6]; [P1 V6]
-B; ⴆ.󠆡\uFE09𞤍; [P1 V6]; [P1 V6]
-T; ß\u080B︒\u067B.帼F∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ßࠋ︒ٻ.帼f∫∫
-N; ß\u080B︒\u067B.帼F∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ßࠋ︒ٻ.帼f∫∫
-T; ß\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6] # ßࠋ.ٻ.帼f∫∫
-N; ß\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ßࠋ.ٻ.帼f∫∫
-T; ß\u080B。\u067B.帼f∫∫\u200C; [B5 B6 C1]; [B5 B6] # ßࠋ.ٻ.帼f∫∫
-N; ß\u080B。\u067B.帼f∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ßࠋ.ٻ.帼f∫∫
-T; SS\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6] # ssࠋ.ٻ.帼f∫∫
-N; SS\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ssࠋ.ٻ.帼f∫∫
-T; ss\u080B。\u067B.帼f∫∫\u200C; [B5 B6 C1]; [B5 B6] # ssࠋ.ٻ.帼f∫∫
-N; ss\u080B。\u067B.帼f∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ssࠋ.ٻ.帼f∫∫
-T; Ss\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6] # ssࠋ.ٻ.帼f∫∫
-N; Ss\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ssࠋ.ٻ.帼f∫∫
-T; ß\u080B︒\u067B.帼f∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ßࠋ︒ٻ.帼f∫∫
-N; ß\u080B︒\u067B.帼f∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ßࠋ︒ٻ.帼f∫∫
-T; SS\u080B︒\u067B.帼F∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ssࠋ︒ٻ.帼f∫∫
-N; SS\u080B︒\u067B.帼F∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ssࠋ︒ٻ.帼f∫∫
-T; ss\u080B︒\u067B.帼f∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ssࠋ︒ٻ.帼f∫∫
-N; ss\u080B︒\u067B.帼f∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ssࠋ︒ٻ.帼f∫∫
-T; Ss\u080B︒\u067B.帼F∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # ssࠋ︒ٻ.帼f∫∫
-N; Ss\u080B︒\u067B.帼F∬\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # ssࠋ︒ٻ.帼f∫∫
-T; 。𐹴\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # .𐹴
-N; 。𐹴\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # .𐹴
-T; 。𐹴\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # .𐹴
-N; 。𐹴\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # .𐹴
-B; .𝟨\uA8C4; [P1 V6]; [P1 V6] # .6꣄
-B; .6\uA8C4; [P1 V6]; [P1 V6] # .6꣄
-B; \u1AB2\uFD8E。-۹ႱႨ; [P1 V5 V3 V6 B1]; [P1 V5 V3 V6 B1] # ᪲مخج.-۹ႱႨ
-B; \u1AB2\u0645\u062E\u062C。-۹ႱႨ; [P1 V5 V3 V6 B1]; [P1 V5 V3 V6 B1] # ᪲مخج.-۹ႱႨ
-B; \u1AB2\u0645\u062E\u062C。-۹ⴑⴈ; [V5 V3 B1]; [V5 V3 B1] # ᪲مخج.-۹ⴑⴈ
-B; \u1AB2\u0645\u062E\u062C。-۹Ⴑⴈ; [P1 V5 V3 V6 B1]; [P1 V5 V3 V6 B1] # ᪲مخج.-۹Ⴑⴈ
-B; \u1AB2\uFD8E。-۹ⴑⴈ; [V5 V3 B1]; [V5 V3 B1] # ᪲مخج.-۹ⴑⴈ
-B; \u1AB2\uFD8E。-۹Ⴑⴈ; [P1 V5 V3 V6 B1]; [P1 V5 V3 V6 B1] # ᪲مخج.-۹Ⴑⴈ
-B; 𞤤.-\u08A3︒; [P1 V3 V6 B1]; [P1 V3 V6 B1] # 𞤤.-ࢣ︒
-B; 𞤤.-\u08A3。; [V3 B1]; [V3 B1] # 𞤤.-ࢣ.
-T; \u200C𐺨.\u0859--; [P1 V6 V3 V5 B1 C1]; [P1 V6 V3 V5] # .࡙--
-N; \u200C𐺨.\u0859--; [P1 V6 V3 V5 B1 C1]; [P1 V6 V3 V5 B1 C1] # .࡙--
-B; 𐋸Ⴢ.Ⴁ; [P1 V6]; [P1 V6]
-B; 𐋸ⴢ.ⴁ; [P1 V6]; [P1 V6]
-B; 𐋸Ⴢ.ⴁ; [P1 V6]; [P1 V6]
-B; \uA806₄。ς; [P1 V6]; [P1 V6] # ꠆4.ς
-B; \uA8064。ς; [P1 V6]; [P1 V6] # ꠆4.ς
-B; \uA8064。Σ; [P1 V6]; [P1 V6] # ꠆4.σ
-B; \uA8064。σ; [P1 V6]; [P1 V6] # ꠆4.σ
-B; \uA806₄。Σ; [P1 V6]; [P1 V6] # ꠆4.σ
-B; \uA806₄。σ; [P1 V6]; [P1 V6] # ꠆4.σ
-B; 󠆀\u0723。\u1DF4\u0775; [V5 B1]; [V5 B1] # ܣ.ᷴݵ
-T; 𐹱\u0842𝪨。𬼖Ⴑ\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹱ࡂ𝪨.Ⴑ
-N; 𐹱\u0842𝪨。𬼖Ⴑ\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹱ࡂ𝪨.Ⴑ
-T; 𐹱\u0842𝪨。𬼖Ⴑ\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹱ࡂ𝪨.Ⴑ
-N; 𐹱\u0842𝪨。𬼖Ⴑ\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹱ࡂ𝪨.Ⴑ
-T; 𐹱\u0842𝪨。𬼖ⴑ\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹱ࡂ𝪨.ⴑ
-N; 𐹱\u0842𝪨。𬼖ⴑ\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹱ࡂ𝪨.ⴑ
-T; 𐹱\u0842𝪨。𬼖ⴑ\u200D; [P1 V6 B1 C2]; [P1 V6 B1] # 𐹱ࡂ𝪨.ⴑ
-N; 𐹱\u0842𝪨。𬼖ⴑ\u200D; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 𐹱ࡂ𝪨.ⴑ
-T; \u1714𐭪\u200D。-𐹴; [P1 V5 V6 V3 B1 C2]; [P1 V5 V6 V3 B1] # ᜔𐭪.-𐹴
-N; \u1714𐭪\u200D。-𐹴; [P1 V5 V6 V3 B1 C2]; [P1 V5 V6 V3 B1 C2] # ᜔𐭪.-𐹴
-T; \u1714𐭪\u200D。-𐹴; [P1 V5 V6 V3 B1 C2]; [P1 V5 V6 V3 B1] # ᜔𐭪.-𐹴
-N; \u1714𐭪\u200D。-𐹴; [P1 V5 V6 V3 B1 C2]; [P1 V5 V6 V3 B1 C2] # ᜔𐭪.-𐹴
-B; 。\u0729︒쯙𝟧; [P1 V6 B2]; [P1 V6 B2] # .ܩ︒쯙5
-B; 。\u0729︒쯙𝟧; [P1 V6 B2]; [P1 V6 B2] # .ܩ︒쯙5
-B; 。\u0729。쯙5; [P1 V6]; [P1 V6] # .ܩ.쯙5
-B; 。\u0729。쯙5; [P1 V6]; [P1 V6] # .ܩ.쯙5
-B; 𞤟-。\u0762≮뻐; [P1 V3 V6 B3 B2]; [P1 V3 V6 B3 B2] # 𞥁-.ݢ≮뻐
-B; 𞤟-。\u0762<\u0338뻐; [P1 V3 V6 B3 B2]; [P1 V3 V6 B3 B2] # 𞥁-.ݢ≮뻐
-B; -.\u08B4≠; [P1 V6 B2 B3]; [P1 V6 B2 B3] # -.ࢴ≠
-B; -.\u08B4=\u0338; [P1 V6 B2 B3]; [P1 V6 B2 B3] # -.ࢴ≠
-B; -.\u08B4≠; [P1 V6 B2 B3]; [P1 V6 B2 B3] # -.ࢴ≠
-B; -.\u08B4=\u0338; [P1 V6 B2 B3]; [P1 V6 B2 B3] # -.ࢴ≠
-B; -ςႼ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ςႼ.١
-B; -ςႼ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ςႼ.١
-B; -ςⴜ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ςⴜ.١
-B; -ΣႼ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -σႼ.١
-B; -σⴜ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -σⴜ.١
-B; -Σⴜ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -σⴜ.١
-B; -ςⴜ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ςⴜ.١
-B; -ΣႼ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -σႼ.١
-B; -σⴜ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -σⴜ.١
-B; -Σⴜ.\u0661; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -σⴜ.١
-T; \u17CA.\u200D𝟮𑀿; [V5 C2]; [V5] # ៊.2𑀿
-N; \u17CA.\u200D𝟮𑀿; [V5 C2]; [V5 C2] # ៊.2𑀿
-T; \u17CA.\u200D2𑀿; [V5 C2]; [V5] # ៊.2𑀿
-N; \u17CA.\u200D2𑀿; [V5 C2]; [V5 C2] # ៊.2𑀿
-B; ≯𝟖。\u1A60𐫓; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≯8.᩠𐫓
-B; >\u0338𝟖。\u1A60𐫓; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≯8.᩠𐫓
-B; ≯8。\u1A60𐫓; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≯8.᩠𐫓
-B; >\u03388。\u1A60𐫓; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≯8.᩠𐫓
-T; 𑲫Ↄ\u0664。\u200C; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑲫Ↄ٤.
-N; 𑲫Ↄ\u0664。\u200C; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑲫Ↄ٤.
-T; 𑲫Ↄ\u0664。\u200C; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1] # 𑲫Ↄ٤.
-N; 𑲫Ↄ\u0664。\u200C; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # 𑲫Ↄ٤.
-T; 𑲫ↄ\u0664。\u200C; [V5 B1 C1]; [V5 B1] # 𑲫ↄ٤.
-N; 𑲫ↄ\u0664。\u200C; [V5 B1 C1]; [V5 B1 C1] # 𑲫ↄ٤.
-T; 𑲫ↄ\u0664。\u200C; [V5 B1 C1]; [V5 B1] # 𑲫ↄ٤.
-N; 𑲫ↄ\u0664。\u200C; [V5 B1 C1]; [V5 B1 C1] # 𑲫ↄ٤.
-T; \u0C00𝟵\u200D\uFC9D.\u200D\u0750⒈; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # ఀ9بح.ݐ⒈
-N; \u0C00𝟵\u200D\uFC9D.\u200D\u0750⒈; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ఀ9بح.ݐ⒈
-T; \u0C009\u200D\u0628\u062D.\u200D\u07501.; [V5 B1 C2]; [V5 B1] # ఀ9بح.ݐ1.
-N; \u0C009\u200D\u0628\u062D.\u200D\u07501.; [V5 B1 C2]; [V5 B1 C2] # ఀ9بح.ݐ1.
-B; \uAAF6。嬶ß葽; [V5]; [V5] # ꫶.嬶ß葽
-B; \uAAF6。嬶SS葽; [V5]; [V5] # ꫶.嬶ss葽
-B; \uAAF6。嬶ss葽; [V5]; [V5] # ꫶.嬶ss葽
-B; \uAAF6。嬶Ss葽; [V5]; [V5] # ꫶.嬶ss葽
-B; 𑚶⒈。𐹺; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6]
-B; 𑚶1.。𐹺; [P1 V5 V6 A4_2 B5 B6]; [P1 V5 V6 A4_2 B5 B6]
-B; 𑜤︒≮.\u05D8; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # 𑜤︒≮.ט
-B; 𑜤︒<\u0338.\u05D8; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # 𑜤︒≮.ט
-B; 𑜤。≮.\u05D8; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # 𑜤.≮.ט
-B; 𑜤。<\u0338.\u05D8; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # 𑜤.≮.ט
-B; 󠆋\u0603.⇁ς; [P1 V6 B1]; [P1 V6 B1] # .⇁ς
-B; 󠆋\u0603.⇁Σ; [P1 V6 B1]; [P1 V6 B1] # .⇁σ
-B; 󠆋\u0603.⇁σ; [P1 V6 B1]; [P1 V6 B1] # .⇁σ
-T; ς𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6] # ς𑐽𑜫.𐫄
-N; ς𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6 C1] # ς𑐽𑜫.𐫄
-T; ς𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6] # ς𑐽𑜫.𐫄
-N; ς𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6 C1] # ς𑐽𑜫.𐫄
-T; Σ𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6] # σ𑐽𑜫.𐫄
-N; Σ𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6 C1] # σ𑐽𑜫.𐫄
-T; σ𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6] # σ𑐽𑜫.𐫄
-N; σ𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6 C1] # σ𑐽𑜫.𐫄
-T; Σ𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6] # σ𑐽𑜫.𐫄
-N; Σ𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6 C1] # σ𑐽𑜫.𐫄
-T; σ𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6] # σ𑐽𑜫.𐫄
-N; σ𑐽𑜫。\u200C𐫄; [P1 V6 C1]; [P1 V6 C1] # σ𑐽𑜫.𐫄
-B; -。-\uFC4C\u075B; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.-نحݛ
-B; -。-\u0646\u062D\u075B; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -.-نحݛ
-T; ⺢𝟤。\u200D🚷; [P1 V6 C2]; [P1 V6] # ⺢2.🚷
-N; ⺢𝟤。\u200D🚷; [P1 V6 C2]; [P1 V6 C2] # ⺢2.🚷
-T; ⺢2。\u200D🚷; [P1 V6 C2]; [P1 V6] # ⺢2.🚷
-N; ⺢2。\u200D🚷; [P1 V6 C2]; [P1 V6 C2] # ⺢2.🚷
-T; \u0CF8\u200D\u2DFE𐹲。; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # ⷾ𐹲.
-N; \u0CF8\u200D\u2DFE𐹲。; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # ⷾ𐹲.
-T; \u0CF8\u200D\u2DFE𐹲。; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # ⷾ𐹲.
-N; \u0CF8\u200D\u2DFE𐹲。; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # ⷾ𐹲.
-B; 𐹢.Ⴍ₉⁸; [P1 V6 B1]; [P1 V6 B1]
-B; 𐹢.Ⴍ98; [P1 V6 B1]; [P1 V6 B1]
-B; 𐹢.ⴍ98; [B1]; [B1]
-B; 𐹢.ⴍ₉⁸; [B1]; [B1]
-T; \u200C\u034F。ß\u08E2⒚≯; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ß⒚≯
-N; \u200C\u034F。ß\u08E2⒚≯; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ß⒚≯
-T; \u200C\u034F。ß\u08E2⒚>\u0338; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ß⒚≯
-N; \u200C\u034F。ß\u08E2⒚>\u0338; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ß⒚≯
-T; \u200C\u034F。ß\u08E219.≯; [P1 V6 C1 B5]; [P1 V6 B5] # .ß19.≯
-N; \u200C\u034F。ß\u08E219.≯; [P1 V6 C1 B5]; [P1 V6 C1 B5] # .ß19.≯
-T; \u200C\u034F。ß\u08E219.>\u0338; [P1 V6 C1 B5]; [P1 V6 B5] # .ß19.≯
-N; \u200C\u034F。ß\u08E219.>\u0338; [P1 V6 C1 B5]; [P1 V6 C1 B5] # .ß19.≯
-T; \u200C\u034F。SS\u08E219.>\u0338; [P1 V6 C1 B5]; [P1 V6 B5] # .ss19.≯
-N; \u200C\u034F。SS\u08E219.>\u0338; [P1 V6 C1 B5]; [P1 V6 C1 B5] # .ss19.≯
-T; \u200C\u034F。SS\u08E219.≯; [P1 V6 C1 B5]; [P1 V6 B5] # .ss19.≯
-N; \u200C\u034F。SS\u08E219.≯; [P1 V6 C1 B5]; [P1 V6 C1 B5] # .ss19.≯
-T; \u200C\u034F。ss\u08E219.≯; [P1 V6 C1 B5]; [P1 V6 B5] # .ss19.≯
-N; \u200C\u034F。ss\u08E219.≯; [P1 V6 C1 B5]; [P1 V6 C1 B5] # .ss19.≯
-T; \u200C\u034F。ss\u08E219.>\u0338; [P1 V6 C1 B5]; [P1 V6 B5] # .ss19.≯
-N; \u200C\u034F。ss\u08E219.>\u0338; [P1 V6 C1 B5]; [P1 V6 C1 B5] # .ss19.≯
-T; \u200C\u034F。Ss\u08E219.>\u0338; [P1 V6 C1 B5]; [P1 V6 B5] # .ss19.≯
-N; \u200C\u034F。Ss\u08E219.>\u0338; [P1 V6 C1 B5]; [P1 V6 C1 B5] # .ss19.≯
-T; \u200C\u034F。Ss\u08E219.≯; [P1 V6 C1 B5]; [P1 V6 B5] # .ss19.≯
-N; \u200C\u034F。Ss\u08E219.≯; [P1 V6 C1 B5]; [P1 V6 C1 B5] # .ss19.≯
-T; \u200C\u034F。SS\u08E2⒚>\u0338; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ss⒚≯
-N; \u200C\u034F。SS\u08E2⒚>\u0338; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ss⒚≯
-T; \u200C\u034F。SS\u08E2⒚≯; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ss⒚≯
-N; \u200C\u034F。SS\u08E2⒚≯; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ss⒚≯
-T; \u200C\u034F。ss\u08E2⒚≯; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ss⒚≯
-N; \u200C\u034F。ss\u08E2⒚≯; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ss⒚≯
-T; \u200C\u034F。ss\u08E2⒚>\u0338; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ss⒚≯
-N; \u200C\u034F。ss\u08E2⒚>\u0338; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ss⒚≯
-T; \u200C\u034F。Ss\u08E2⒚>\u0338; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ss⒚≯
-N; \u200C\u034F。Ss\u08E2⒚>\u0338; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ss⒚≯
-T; \u200C\u034F。Ss\u08E2⒚≯; [P1 V6 C1 B5 B6]; [P1 V6 B5 B6] # .ss⒚≯
-N; \u200C\u034F。Ss\u08E2⒚≯; [P1 V6 C1 B5 B6]; [P1 V6 C1 B5 B6] # .ss⒚≯
-T; \u200Cᡌ.𣃔; [P1 V6 B1 C1]; [P1 V6 B2 B3] # ᡌ.𣃔
-N; \u200Cᡌ.𣃔; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ᡌ.𣃔
-T; \u200Cᡌ.𣃔; [P1 V6 B1 C1]; [P1 V6 B2 B3] # ᡌ.𣃔
-N; \u200Cᡌ.𣃔; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ᡌ.𣃔
-B; \u07D0-。\u0FA0Ⴛ𝆬; [P1 V6 V5 B2 B3 B1]; [P1 V6 V5 B2 B3 B1] # ߐ-.ྠႻ𝆬
-B; \u07D0-。\u0FA0ⴛ𝆬; [P1 V6 V5 B2 B3 B1]; [P1 V6 V5 B2 B3 B1] # ߐ-.ྠⴛ𝆬
-B; 𝨥。⫟𑈾; [V5]; [V5]
-T; ⾛\u0753.Ⴕ𞠬\u0604\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # 走ݓ.Ⴕ𞠬
-N; ⾛\u0753.Ⴕ𞠬\u0604\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # 走ݓ.Ⴕ𞠬
-T; 走\u0753.Ⴕ𞠬\u0604\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # 走ݓ.Ⴕ𞠬
-N; 走\u0753.Ⴕ𞠬\u0604\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # 走ݓ.Ⴕ𞠬
-T; 走\u0753.ⴕ𞠬\u0604\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # 走ݓ.ⴕ𞠬
-N; 走\u0753.ⴕ𞠬\u0604\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # 走ݓ.ⴕ𞠬
-T; ⾛\u0753.ⴕ𞠬\u0604\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # 走ݓ.ⴕ𞠬
-N; ⾛\u0753.ⴕ𞠬\u0604\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # 走ݓ.ⴕ𞠬
-T; -ᢗ\u200C🄄.𑜢; [P1 V3 V6 V5 C1]; [P1 V3 V6 V5] # -ᢗ🄄.𑜢
-N; -ᢗ\u200C🄄.𑜢; [P1 V3 V6 V5 C1]; [P1 V3 V6 V5 C1] # -ᢗ🄄.𑜢
-T; -ᢗ\u200C3,.𑜢; [P1 V3 V6 V5 C1]; [P1 V3 V6 V5] # -ᢗ3,.𑜢
-N; -ᢗ\u200C3,.𑜢; [P1 V3 V6 V5 C1]; [P1 V3 V6 V5 C1] # -ᢗ3,.𑜢
-T; ≠\u200C.Ⴚ; [P1 V6 B1 C1]; [P1 V6 B1] # ≠.Ⴚ
-N; ≠\u200C.Ⴚ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ≠.Ⴚ
-T; =\u0338\u200C.Ⴚ; [P1 V6 B1 C1]; [P1 V6 B1] # ≠.Ⴚ
-N; =\u0338\u200C.Ⴚ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ≠.Ⴚ
-T; =\u0338\u200C.ⴚ; [P1 V6 B1 C1]; [P1 V6 B1] # ≠.ⴚ
-N; =\u0338\u200C.ⴚ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ≠.ⴚ
-T; ≠\u200C.ⴚ; [P1 V6 B1 C1]; [P1 V6 B1] # ≠.ⴚ
-N; ≠\u200C.ⴚ; [P1 V6 B1 C1]; [P1 V6 B1 C1] # ≠.ⴚ
-B; \u0669。󠇀𑇊; [V5 B1]; [V5 B1] # ٩.𑇊
-B; \u0669。󠇀𑇊; [V5 B1]; [V5 B1] # ٩.𑇊
-B; \u1086≯⒍。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ႆ≯⒍.-
-B; \u1086>\u0338⒍。-; [P1 V5 V6 V3 B1]; [P1 V5 V6 V3 B1] # ႆ≯⒍.-
-B; \u1086≯6.。-; [P1 V5 V6 V3 B1 A4_2]; [P1 V5 V6 V3 B1 A4_2] # ႆ≯6..-
-B; \u1086>\u03386.。-; [P1 V5 V6 V3 B1 A4_2]; [P1 V5 V6 V3 B1 A4_2] # ႆ≯6..-
-B; \u17B4.쮇-; [P1 V5 V6 V3]; [P1 V5 V6 V3] # .쮇-
-B; \u17B4.쮇-; [P1 V5 V6 V3]; [P1 V5 V6 V3] # .쮇-
-T; \u200C𑓂。⒈-; [P1 V6 C1]; [P1 V5 V6] # 𑓂.⒈-
-N; \u200C𑓂。⒈-; [P1 V6 C1]; [P1 V6 C1] # 𑓂.⒈-
-T; \u200C𑓂。1.-; [P1 V3 V6 C1]; [P1 V5 V3 V6] # 𑓂.1.-
-N; \u200C𑓂。1.-; [P1 V3 V6 C1]; [P1 V3 V6 C1] # 𑓂.1.-
-T; ⒈\uFEAE\u200C。\u20E9🖞\u200C𖬴; [P1 V6 V5 B1 C1]; [P1 V6 V5 B1] # ⒈ر.⃩🖞𖬴
-N; ⒈\uFEAE\u200C。\u20E9🖞\u200C𖬴; [P1 V6 V5 B1 C1]; [P1 V6 V5 B1 C1] # ⒈ر.⃩🖞𖬴
-T; 1.\u0631\u200C。\u20E9🖞\u200C𖬴; [V5 B3 C1]; [V5] # 1.ر.⃩🖞𖬴
-N; 1.\u0631\u200C。\u20E9🖞\u200C𖬴; [V5 B3 C1]; [V5 B3 C1] # 1.ر.⃩🖞𖬴
-B; 。𝟐\u1BA8\u07D4; [P1 V6 B1]; [P1 V6 B1] # .2ᮨߔ
-B; 。2\u1BA8\u07D4; [P1 V6 B1]; [P1 V6 B1] # .2ᮨߔ
-T; \uFD8F.ς\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6] # مخم.ς𐹷
-N; \uFD8F.ς\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6 C2] # مخم.ς𐹷
-T; \u0645\u062E\u0645.ς\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6] # مخم.ς𐹷
-N; \u0645\u062E\u0645.ς\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6 C2] # مخم.ς𐹷
-T; \u0645\u062E\u0645.Σ\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6] # مخم.σ𐹷
-N; \u0645\u062E\u0645.Σ\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6 C2] # مخم.σ𐹷
-T; \u0645\u062E\u0645.σ\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6] # مخم.σ𐹷
-N; \u0645\u062E\u0645.σ\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6 C2] # مخم.σ𐹷
-T; \uFD8F.Σ\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6] # مخم.σ𐹷
-N; \uFD8F.Σ\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6 C2] # مخم.σ𐹷
-T; \uFD8F.σ\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6] # مخم.σ𐹷
-N; \uFD8F.σ\u200D𐹷; [P1 V6 B2 B3 B5 B6 C2]; [P1 V6 B2 B3 B5 B6 C2] # مخم.σ𐹷
-B; ⒎\u06C1\u0605。\uAAF6۵𐇽; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ⒎ہ.꫶۵𐇽
-B; 7.\u06C1\u0605。\uAAF6۵𐇽; [P1 V6 V5]; [P1 V6 V5] # 7.ہ.꫶۵𐇽
-B; -ᡥ᠆。\u0605\u1A5D𐹡; [P1 V3 V6 B1]; [P1 V3 V6 B1] # -ᡥ᠆.ᩝ𐹡
-T; \u200D.\u06BD\u0663\u0596; [C2]; xn--hcb32bni # .ڽ٣֖
-N; \u200D.\u06BD\u0663\u0596; [C2]; [C2] # .ڽ٣֖
-B; xn--hcb32bni; \u06BD\u0663\u0596; xn--hcb32bni # ڽ٣֖
-B; \u06BD\u0663\u0596; ; xn--hcb32bni # ڽ٣֖
-T; 㒧۱.Ⴚ\u0678\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # 㒧۱.Ⴚيٴ
-N; 㒧۱.Ⴚ\u0678\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # 㒧۱.Ⴚيٴ
-T; 㒧۱.Ⴚ\u064A\u0674\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # 㒧۱.Ⴚيٴ
-N; 㒧۱.Ⴚ\u064A\u0674\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # 㒧۱.Ⴚيٴ
-T; 㒧۱.ⴚ\u064A\u0674\u200D; [B5 B6 C2]; [B5 B6] # 㒧۱.ⴚيٴ
-N; 㒧۱.ⴚ\u064A\u0674\u200D; [B5 B6 C2]; [B5 B6 C2] # 㒧۱.ⴚيٴ
-T; 㒧۱.ⴚ\u0678\u200D; [B5 B6 C2]; [B5 B6] # 㒧۱.ⴚيٴ
-N; 㒧۱.ⴚ\u0678\u200D; [B5 B6 C2]; [B5 B6 C2] # 㒧۱.ⴚيٴ
-B; \u0F94ꡋ-.-𖬴; [V3 V5]; [V3 V5] # ྔꡋ-.-𖬴
-B; \u0F94ꡋ-.-𖬴; [V3 V5]; [V3 V5] # ྔꡋ-.-𖬴
-T; -⋢\u200C.标-; [P1 V6 V3 C1]; [P1 V6 V3] # -⋢.标-
-N; -⋢\u200C.标-; [P1 V6 V3 C1]; [P1 V6 V3 C1] # -⋢.标-
-T; -⊑\u0338\u200C.标-; [P1 V6 V3 C1]; [P1 V6 V3] # -⋢.标-
-N; -⊑\u0338\u200C.标-; [P1 V6 V3 C1]; [P1 V6 V3 C1] # -⋢.标-
-T; -⋢\u200C.标-; [P1 V6 V3 C1]; [P1 V6 V3] # -⋢.标-
-N; -⋢\u200C.标-; [P1 V6 V3 C1]; [P1 V6 V3 C1] # -⋢.标-
-T; -⊑\u0338\u200C.标-; [P1 V6 V3 C1]; [P1 V6 V3] # -⋢.标-
-N; -⊑\u0338\u200C.标-; [P1 V6 V3 C1]; [P1 V6 V3 C1] # -⋢.标-
-B; \u0671.ς\u07DC; [B5 B6]; [B5 B6] # ٱ.ςߜ
-B; \u0671.ς\u07DC; [B5 B6]; [B5 B6] # ٱ.ςߜ
-B; \u0671.Σ\u07DC; [B5 B6]; [B5 B6] # ٱ.σߜ
-B; \u0671.σ\u07DC; [B5 B6]; [B5 B6] # ٱ.σߜ
-B; \u0671.Σ\u07DC; [B5 B6]; [B5 B6] # ٱ.σߜ
-B; \u0671.σ\u07DC; [B5 B6]; [B5 B6] # ٱ.σߜ
-T; \u0605.\u08C1\u200D𑑂𱼱; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3] # .𑑂
-N; \u0605.\u08C1\u200D𑑂𱼱; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # .𑑂
-T; \u0605.\u08C1\u200D𑑂𱼱; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3] # .𑑂
-N; \u0605.\u08C1\u200D𑑂𱼱; [P1 V6 B5 B6 B2 B3 C2]; [P1 V6 B5 B6 B2 B3 C2] # .𑑂
-B; 𐹾𐋩。\u1BF2; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 𐹾𐋩.᯲
-B; 𐹾𐋩。\u1BF2; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 𐹾𐋩.᯲
-B; 6\u1160\u1C33.锰\u072Cς; [P1 V6 B5]; [P1 V6 B5] # 6ᰳ.锰ܬς
-B; 6\u1160\u1C33.锰\u072CΣ; [P1 V6 B5]; [P1 V6 B5] # 6ᰳ.锰ܬσ
-B; 6\u1160\u1C33.锰\u072Cσ; [P1 V6 B5]; [P1 V6 B5] # 6ᰳ.锰ܬσ
-B; \u06B3\uFE04𝟽。𐹽; [P1 V6 B2 B1]; [P1 V6 B2 B1] # ڳ7.𐹽
-B; \u06B3\uFE047。𐹽; [P1 V6 B2 B1]; [P1 V6 B2 B1] # ڳ7.𐹽
-T; .\u200C⫞; [P1 V6 C1]; [P1 V6] # .⫞
-N; .\u200C⫞; [P1 V6 C1]; [P1 V6 C1] # .⫞
-T; .\u200C⫞; [P1 V6 C1]; [P1 V6] # .⫞
-N; .\u200C⫞; [P1 V6 C1]; [P1 V6 C1] # .⫞
-B; -.\u06E0ᢚ-; [P1 V3 V6 V5]; [P1 V3 V6 V5] # -.۠ᢚ-
-T; ⌁\u200D𑄴.\u200C𝟩\u066C; [C2 B1 C1]; [B1] # ⌁𑄴.7٬
-N; ⌁\u200D𑄴.\u200C𝟩\u066C; [C2 B1 C1]; [C2 B1 C1] # ⌁𑄴.7٬
-T; ⌁\u200D𑄴.\u200C7\u066C; [C2 B1 C1]; [B1] # ⌁𑄴.7٬
-N; ⌁\u200D𑄴.\u200C7\u066C; [C2 B1 C1]; [C2 B1 C1] # ⌁𑄴.7٬
-B; ︒\uFD05\u0E37\uFEFC。岓\u1BF2ᡂ; [P1 V6 B1]; [P1 V6 B1] # ︒صىืلا.岓᯲ᡂ
-B; 。\u0635\u0649\u0E37\u0644\u0627。岓\u1BF2ᡂ; [P1 V6]; [P1 V6] # صىืلا.岓᯲ᡂ
-B; 𐹨。8𑁆; [B1]; [B1]
-B; 𞀕\u0D43.ꡚ\u08FA𐹰\u0D44; [V5 B5 B6]; [V5 B5 B6] # 𞀕ൃ.ꡚࣺ𐹰ൄ
-B; 𞀕\u0D43.ꡚ\u08FA𐹰\u0D44; [V5 B5 B6]; [V5 B5 B6] # 𞀕ൃ.ꡚࣺ𐹰ൄ
-B; \u0303。; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ̃.
-B; \u0303。; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ̃.
-B; ᢌ.-\u085A; [V3]; [V3] # ᢌ.-࡚
-B; ᢌ.-\u085A; [V3]; [V3] # ᢌ.-࡚
-B; 𥛛𑘶。𐹬\u0BCD; [P1 V6 B1]; [P1 V6 B1] # 𥛛𑘶.𐹬்
-B; 𥛛𑘶。𐹬\u0BCD; [P1 V6 B1]; [P1 V6 B1] # 𥛛𑘶.𐹬்
-T; Ⴐ\u077F.\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # Ⴐݿ.
-N; Ⴐ\u077F.\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # Ⴐݿ.
-T; Ⴐ\u077F.\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6] # Ⴐݿ.
-N; Ⴐ\u077F.\u200C; [P1 V6 B5 B6 C1]; [P1 V6 B5 B6 C1] # Ⴐݿ.
-T; ⴐ\u077F.\u200C; [B5 B6 C1]; [B5 B6] # ⴐݿ.
-N; ⴐ\u077F.\u200C; [B5 B6 C1]; [B5 B6 C1] # ⴐݿ.
-T; ⴐ\u077F.\u200C; [B5 B6 C1]; [B5 B6] # ⴐݿ.
-N; ⴐ\u077F.\u200C; [B5 B6 C1]; [B5 B6 C1] # ⴐݿ.
-T; 🄅𑲞-⒈。\u200Dᠩ\u06A5; [P1 V6 B1 C2]; [P1 V6 B5 B6] # 🄅𑲞-⒈.ᠩڥ
-N; 🄅𑲞-⒈。\u200Dᠩ\u06A5; [P1 V6 B1 C2]; [P1 V6 B1 C2] # 🄅𑲞-⒈.ᠩڥ
-T; 4,𑲞-1.。\u200Dᠩ\u06A5; [P1 V6 A4_2 B1 C2]; [P1 V6 A4_2 B5 B6] # 4,𑲞-1..ᠩڥ
-N; 4,𑲞-1.。\u200Dᠩ\u06A5; [P1 V6 A4_2 B1 C2]; [P1 V6 A4_2 B1 C2] # 4,𑲞-1..ᠩڥ
-B; 。𞤪; [P1 V6 B2 B3]; [P1 V6 B2 B3]
-B; \u05C1۲。𐮊\u066C𝨊鄨; [V5 B2 B3]; [V5 B2 B3] # ׁ۲.𐮊٬𝨊鄨
-B; \u05C1۲。𐮊\u066C𝨊鄨; [V5 B2 B3]; [V5 B2 B3] # ׁ۲.𐮊٬𝨊鄨
-B; -ꡁ。\u1A69\u0BCD-; [P1 V6 V3 V5 B2 B3]; [P1 V6 V3 V5 B2 B3] # -ꡁ.ᩩ்-
-B; \u1039-🞢.ß; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ß
-B; \u1039-🞢.ß; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ß
-B; \u1039-🞢.SS; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ss
-B; \u1039-🞢.SS; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ss
-T; \uFCF2-\u200C。Ⴟ\u200C␣; [P1 V6 B3 C1]; [P1 V3 V6 B3] # ـَّ-.Ⴟ␣
-N; \uFCF2-\u200C。Ⴟ\u200C␣; [P1 V6 B3 C1]; [P1 V6 B3 C1] # ـَّ-.Ⴟ␣
-T; \u0640\u064E\u0651-\u200C。Ⴟ\u200C␣; [P1 V6 B3 C1]; [P1 V3 V6 B3] # ـَّ-.Ⴟ␣
-N; \u0640\u064E\u0651-\u200C。Ⴟ\u200C␣; [P1 V6 B3 C1]; [P1 V6 B3 C1] # ـَّ-.Ⴟ␣
-T; \u0640\u064E\u0651-\u200C。ⴟ\u200C␣; [B3 C1]; [V3 B3] # ـَّ-.ⴟ␣
-N; \u0640\u064E\u0651-\u200C。ⴟ\u200C␣; [B3 C1]; [B3 C1] # ـَّ-.ⴟ␣
-T; \uFCF2-\u200C。ⴟ\u200C␣; [B3 C1]; [V3 B3] # ـَّ-.ⴟ␣
-N; \uFCF2-\u200C。ⴟ\u200C␣; [B3 C1]; [B3 C1] # ـَّ-.ⴟ␣
-T; \u0D4D-\u200D\u200C。₅≠; [P1 V5 V6 C2 C1]; [P1 V3 V5 V6] # ്-.5≠
-N; \u0D4D-\u200D\u200C。₅≠; [P1 V5 V6 C2 C1]; [P1 V5 V6 C2 C1] # ്-.5≠
-T; \u0D4D-\u200D\u200C。₅=\u0338; [P1 V5 V6 C2 C1]; [P1 V3 V5 V6] # ്-.5≠
-N; \u0D4D-\u200D\u200C。₅=\u0338; [P1 V5 V6 C2 C1]; [P1 V5 V6 C2 C1] # ്-.5≠
-T; \u0D4D-\u200D\u200C。5≠; [P1 V5 V6 C2 C1]; [P1 V3 V5 V6] # ്-.5≠
-N; \u0D4D-\u200D\u200C。5≠; [P1 V5 V6 C2 C1]; [P1 V5 V6 C2 C1] # ്-.5≠
-T; \u0D4D-\u200D\u200C。5=\u0338; [P1 V5 V6 C2 C1]; [P1 V3 V5 V6] # ്-.5≠
-N; \u0D4D-\u200D\u200C。5=\u0338; [P1 V5 V6 C2 C1]; [P1 V5 V6 C2 C1] # ്-.5≠
-B; 锣。\u0A4D; [P1 V5 V6]; [P1 V5 V6] # 锣.੍
-T; \u063D𑈾.\u0649\u200D\uA92B; [B3 C2]; xn--8gb2338k.xn--lhb0154f # ؽ𑈾.ى꤫
-N; \u063D𑈾.\u0649\u200D\uA92B; [B3 C2]; [B3 C2] # ؽ𑈾.ى꤫
-T; \u063D𑈾.\u0649\u200D\uA92B; [B3 C2]; xn--8gb2338k.xn--lhb0154f # ؽ𑈾.ى꤫
-N; \u063D𑈾.\u0649\u200D\uA92B; [B3 C2]; [B3 C2] # ؽ𑈾.ى꤫
-B; xn--8gb2338k.xn--lhb0154f; \u063D𑈾.\u0649\uA92B; xn--8gb2338k.xn--lhb0154f # ؽ𑈾.ى꤫
-B; \u063D𑈾.\u0649\uA92B; ; xn--8gb2338k.xn--lhb0154f # ؽ𑈾.ى꤫
-T; \u0666⁴Ⴅ.\u08BD\u200C; [P1 V6 B1 B3 C1]; [P1 V6 B1] # ٦4Ⴅ.ࢽ
-N; \u0666⁴Ⴅ.\u08BD\u200C; [P1 V6 B1 B3 C1]; [P1 V6 B1 B3 C1] # ٦4Ⴅ.ࢽ
-T; \u06664Ⴅ.\u08BD\u200C; [P1 V6 B1 B3 C1]; [P1 V6 B1] # ٦4Ⴅ.ࢽ
-N; \u06664Ⴅ.\u08BD\u200C; [P1 V6 B1 B3 C1]; [P1 V6 B1 B3 C1] # ٦4Ⴅ.ࢽ
-T; \u06664ⴅ.\u08BD\u200C; [B1 B3 C1]; [B1] # ٦4ⴅ.ࢽ
-N; \u06664ⴅ.\u08BD\u200C; [B1 B3 C1]; [B1 B3 C1] # ٦4ⴅ.ࢽ
-T; \u0666⁴ⴅ.\u08BD\u200C; [B1 B3 C1]; [B1] # ٦4ⴅ.ࢽ
-N; \u0666⁴ⴅ.\u08BD\u200C; [B1 B3 C1]; [B1 B3 C1] # ٦4ⴅ.ࢽ
-B; ჁႱ6\u0318。ß\u1B03; [P1 V6]; [P1 V6] # ჁႱ6̘.ßᬃ
-T; ⴡⴑ6\u0318。ß\u1B03; ⴡⴑ6\u0318.ß\u1B03; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ßᬃ
-N; ⴡⴑ6\u0318。ß\u1B03; ⴡⴑ6\u0318.ß\u1B03; xn--6-8cb7433a2ba.xn--zca894k # ⴡⴑ6̘.ßᬃ
-B; ჁႱ6\u0318。SS\u1B03; [P1 V6]; [P1 V6] # ჁႱ6̘.ssᬃ
-B; ⴡⴑ6\u0318。ss\u1B03; ⴡⴑ6\u0318.ss\u1B03; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ssᬃ
-B; Ⴡⴑ6\u0318。Ss\u1B03; [P1 V6]; [P1 V6] # Ⴡⴑ6̘.ssᬃ
-B; xn--6-8cb7433a2ba.xn--ss-2vq; ⴡⴑ6\u0318.ss\u1B03; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ssᬃ
-B; ⴡⴑ6\u0318.ss\u1B03; ; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ssᬃ
-B; ჁႱ6\u0318.SS\u1B03; [P1 V6]; [P1 V6] # ჁႱ6̘.ssᬃ
-B; Ⴡⴑ6\u0318.Ss\u1B03; [P1 V6]; [P1 V6] # Ⴡⴑ6̘.ssᬃ
-B; xn--6-8cb7433a2ba.xn--zca894k; ⴡⴑ6\u0318.ß\u1B03; xn--6-8cb7433a2ba.xn--zca894k # ⴡⴑ6̘.ßᬃ
-T; ⴡⴑ6\u0318.ß\u1B03; ; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ßᬃ
-N; ⴡⴑ6\u0318.ß\u1B03; ; xn--6-8cb7433a2ba.xn--zca894k # ⴡⴑ6̘.ßᬃ
-B; 。≯𑋪; [P1 V6]; [P1 V6]
-B; 。>\u0338𑋪; [P1 V6]; [P1 V6]
-B; 。≯𑋪; [P1 V6]; [P1 V6]
-B; 。>\u0338𑋪; [P1 V6]; [P1 V6]
-T; \u065A۲。\u200C-\u1BF3\u08E2; [P1 V5 V6 B1 C1]; [P1 V5 V3 V6 B1] # ٚ۲.-᯳
-N; \u065A۲。\u200C-\u1BF3\u08E2; [P1 V5 V6 B1 C1]; [P1 V5 V6 B1 C1] # ٚ۲.-᯳
-B; 󠄏𖬴。\uFFA0; [P1 V5 V6]; [P1 V5 V6] # 𖬴.
-B; 󠄏𖬴。\u1160; [P1 V5 V6]; [P1 V5 V6] # 𖬴.
-B; ß⒈\u0760\uD7AE.󠅄\u0605; [P1 V6 B5]; [P1 V6 B5] # ß⒈ݠ.
-B; ß1.\u0760\uD7AE.󠅄\u0605; [P1 V6 B2 B3 B5]; [P1 V6 B2 B3 B5] # ß1.ݠ.
-B; SS1.\u0760\uD7AE.󠅄\u0605; [P1 V6 B2 B3 B5]; [P1 V6 B2 B3 B5] # ss1.ݠ.
-B; SS⒈\u0760\uD7AE.󠅄\u0605; [P1 V6 B5]; [P1 V6 B5] # ss⒈ݠ.
-B; ss⒈\u0760\uD7AE.󠅄\u0605; [P1 V6 B5]; [P1 V6 B5] # ss⒈ݠ.
-B; Ss⒈\u0760\uD7AE.󠅄\u0605; [P1 V6 B5]; [P1 V6 B5] # ss⒈ݠ.
-B; .𐋱₂; [P1 V6]; [P1 V6]
-B; .𐋱2; [P1 V6]; [P1 V6]
-T; \u0716\u0947。-ß\u06A5\u200C; [V3 B1 C1]; [V3 B1] # ܖे.-ßڥ
-N; \u0716\u0947。-ß\u06A5\u200C; [V3 B1 C1]; [V3 B1 C1] # ܖे.-ßڥ
-T; \u0716\u0947。-SS\u06A5\u200C; [V3 B1 C1]; [V3 B1] # ܖे.-ssڥ
-N; \u0716\u0947。-SS\u06A5\u200C; [V3 B1 C1]; [V3 B1 C1] # ܖे.-ssڥ
-T; \u0716\u0947。-ss\u06A5\u200C; [V3 B1 C1]; [V3 B1] # ܖे.-ssڥ
-N; \u0716\u0947。-ss\u06A5\u200C; [V3 B1 C1]; [V3 B1 C1] # ܖे.-ssڥ
-T; \u0716\u0947。-Ss\u06A5\u200C; [V3 B1 C1]; [V3 B1] # ܖे.-ssڥ
-N; \u0716\u0947。-Ss\u06A5\u200C; [V3 B1 C1]; [V3 B1 C1] # ܖे.-ssڥ
-T; \u1BA9\u200D\u062A.\u1CD5䷉Ⴡ; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # ᮩت.᳕䷉Ⴡ
-N; \u1BA9\u200D\u062A.\u1CD5䷉Ⴡ; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ᮩت.᳕䷉Ⴡ
-T; \u1BA9\u200D\u062A.\u1CD5䷉Ⴡ; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # ᮩت.᳕䷉Ⴡ
-N; \u1BA9\u200D\u062A.\u1CD5䷉Ⴡ; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ᮩت.᳕䷉Ⴡ
-T; \u1BA9\u200D\u062A.\u1CD5䷉ⴡ; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # ᮩت.᳕䷉ⴡ
-N; \u1BA9\u200D\u062A.\u1CD5䷉ⴡ; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ᮩت.᳕䷉ⴡ
-T; \u1BA9\u200D\u062A.\u1CD5䷉ⴡ; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1] # ᮩت.᳕䷉ⴡ
-N; \u1BA9\u200D\u062A.\u1CD5䷉ⴡ; [P1 V5 V6 B1 C2]; [P1 V5 V6 B1 C2] # ᮩت.᳕䷉ⴡ
-T; \u2DBF.ß\u200D; [P1 V6 C2]; [P1 V6] # .ß
-N; \u2DBF.ß\u200D; [P1 V6 C2]; [P1 V6 C2] # .ß
-T; \u2DBF.SS\u200D; [P1 V6 C2]; [P1 V6] # .ss
-N; \u2DBF.SS\u200D; [P1 V6 C2]; [P1 V6 C2] # .ss
-T; \u2DBF.ss\u200D; [P1 V6 C2]; [P1 V6] # .ss
-N; \u2DBF.ss\u200D; [P1 V6 C2]; [P1 V6 C2] # .ss
-T; \u2DBF.Ss\u200D; [P1 V6 C2]; [P1 V6] # .ss
-N; \u2DBF.Ss\u200D; [P1 V6 C2]; [P1 V6 C2] # .ss
-B; \u1BF3︒.\u062A≯ꡂ; [P1 V5 V6 B2 B3]; [P1 V5 V6 B2 B3] # ᯳︒.ت≯ꡂ
-B; \u1BF3︒.\u062A>\u0338ꡂ; [P1 V5 V6 B2 B3]; [P1 V5 V6 B2 B3] # ᯳︒.ت≯ꡂ
-B; \u1BF3。.\u062A≯ꡂ; [P1 V5 V6 A4_2 B2 B3]; [P1 V5 V6 A4_2 B2 B3] # ᯳..ت≯ꡂ
-B; \u1BF3。.\u062A>\u0338ꡂ; [P1 V5 V6 A4_2 B2 B3]; [P1 V5 V6 A4_2 B2 B3] # ᯳..ت≯ꡂ
-B; ≮≠。-𫠆\u06B7𐹪; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ≮≠.-𫠆ڷ𐹪
-B; <\u0338=\u0338。-𫠆\u06B7𐹪; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ≮≠.-𫠆ڷ𐹪
-B; ≮≠。-𫠆\u06B7𐹪; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ≮≠.-𫠆ڷ𐹪
-B; <\u0338=\u0338。-𫠆\u06B7𐹪; [P1 V6 V3 B1]; [P1 V6 V3 B1] # ≮≠.-𫠆ڷ𐹪
-B; 𐹡\u0777。ꡂ; [B1]; [B1] # 𐹡ݷ.ꡂ
-B; Ⴉ𝆅\u0619.ß𐧦𐹳\u0775; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴉؙ𝆅.ß𐧦𐹳ݵ
-B; ⴉ𝆅\u0619.ß𐧦𐹳\u0775; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ⴉؙ𝆅.ß𐧦𐹳ݵ
-B; Ⴉ𝆅\u0619.SS𐧦𐹳\u0775; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴉؙ𝆅.ss𐧦𐹳ݵ
-B; ⴉ𝆅\u0619.ss𐧦𐹳\u0775; [P1 V6 B5 B6]; [P1 V6 B5 B6] # ⴉؙ𝆅.ss𐧦𐹳ݵ
-B; Ⴉ𝆅\u0619.Ss𐧦𐹳\u0775; [P1 V6 B5 B6]; [P1 V6 B5 B6] # Ⴉؙ𝆅.ss𐧦𐹳ݵ
-T; \u200D\u0643𐧾↙.; [P1 V6 B1 C2]; [P1 V6 B3] # ك𐧾↙.
-N; \u200D\u0643𐧾↙.; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ك𐧾↙.
-T; 梉。\u200C; [C1]; xn--7zv. # 梉.
-N; 梉。\u200C; [C1]; [C1] # 梉.
-B; xn--7zv.; 梉.; xn--7zv.
-B; 梉.; ; xn--7zv.
-T; ꡣ-≠.\u200D𞤗𐅢Ↄ; [P1 V6 B1 C2]; [P1 V6 B2 B3] # ꡣ-≠.𞤹𐅢Ↄ
-N; ꡣ-≠.\u200D𞤗𐅢Ↄ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ꡣ-≠.𞤹𐅢Ↄ
-T; ꡣ-=\u0338.\u200D𞤗𐅢Ↄ; [P1 V6 B1 C2]; [P1 V6 B2 B3] # ꡣ-≠.𞤹𐅢Ↄ
-N; ꡣ-=\u0338.\u200D𞤗𐅢Ↄ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ꡣ-≠.𞤹𐅢Ↄ
-T; ꡣ-=\u0338.\u200D𞤗𐅢ↄ; [P1 V6 B1 C2]; [P1 V6 B2 B3] # ꡣ-≠.𞤹𐅢ↄ
-N; ꡣ-=\u0338.\u200D𞤗𐅢ↄ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ꡣ-≠.𞤹𐅢ↄ
-T; ꡣ-≠.\u200D𞤗𐅢ↄ; [P1 V6 B1 C2]; [P1 V6 B2 B3] # ꡣ-≠.𞤹𐅢ↄ
-N; ꡣ-≠.\u200D𞤗𐅢ↄ; [P1 V6 B1 C2]; [P1 V6 B1 C2] # ꡣ-≠.𞤹𐅢ↄ
-B; ς⒐𝆫⸵。🄊𝟳; [P1 V6]; [P1 V6]
-B; ς9.𝆫⸵。9,7; [P1 V5 V6]; [P1 V5 V6]
-B; Σ9.𝆫⸵。9,7; [P1 V5 V6]; [P1 V5 V6]
-B; σ9.𝆫⸵。9,7; [P1 V5 V6]; [P1 V5 V6]
-B; Σ⒐𝆫⸵。🄊𝟳; [P1 V6]; [P1 V6]
-B; σ⒐𝆫⸵。🄊𝟳; [P1 V6]; [P1 V6]
-T; \u0853.\u200Cß; [C1]; xn--iwb.ss # ࡓ.ß
-N; \u0853.\u200Cß; [C1]; [C1] # ࡓ.ß
-T; \u0853.\u200Cß; [C1]; xn--iwb.ss # ࡓ.ß
-N; \u0853.\u200Cß; [C1]; [C1] # ࡓ.ß
-T; \u0853.\u200CSS; [C1]; xn--iwb.ss # ࡓ.ss
-N; \u0853.\u200CSS; [C1]; [C1] # ࡓ.ss
-T; \u0853.\u200Css; [C1]; xn--iwb.ss # ࡓ.ss
-N; \u0853.\u200Css; [C1]; [C1] # ࡓ.ss
-T; \u0853.\u200CSs; [C1]; xn--iwb.ss # ࡓ.ss
-N; \u0853.\u200CSs; [C1]; [C1] # ࡓ.ss
-B; xn--iwb.ss; \u0853.ss; xn--iwb.ss # ࡓ.ss
-B; \u0853.ss; ; xn--iwb.ss # ࡓ.ss
-T; \u0853.\u200CSS; [C1]; xn--iwb.ss # ࡓ.ss
-N; \u0853.\u200CSS; [C1]; [C1] # ࡓ.ss
-T; \u0853.\u200Css; [C1]; xn--iwb.ss # ࡓ.ss
-N; \u0853.\u200Css; [C1]; [C1] # ࡓ.ss
-T; \u0853.\u200CSs; [C1]; xn--iwb.ss # ࡓ.ss
-N; \u0853.\u200CSs; [C1]; [C1] # ࡓ.ss
-T; -.\u200D\u074E\uA94D; [P1 V3 V6 B1 C2]; [P1 V3 V6 B3] # -.ݎꥍ
-N; -.\u200D\u074E\uA94D; [P1 V3 V6 B1 C2]; [P1 V3 V6 B1 C2] # -.ݎꥍ
-B; 䃚蟥-。-⒈; [P1 V3 V6]; [P1 V3 V6]
-B; 䃚蟥-。-1.; [P1 V3 V6]; [P1 V3 V6]
-B; 𐹸䚵-ꡡ。⺇; [B1]; [B1]
-B; 𑄳。\u1ADC𐹻; [P1 V5 V6 B5 B6]; [P1 V5 V6 B5 B6] # 𑄳.𐹻
-B; ≮𐹻.⒎𑂵\u06BA\u0602; [P1 V6 B1]; [P1 V6 B1] # ≮𐹻.⒎𑂵ں
-B; <\u0338𐹻.⒎𑂵\u06BA\u0602; [P1 V6 B1]; [P1 V6 B1] # ≮𐹻.⒎𑂵ں
-B; ≮𐹻.7.𑂵\u06BA\u0602; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≮𐹻.7.𑂵ں
-B; <\u0338𐹻.7.𑂵\u06BA\u0602; [P1 V6 V5 B1]; [P1 V6 V5 B1] # ≮𐹻.7.𑂵ں
-T; ᢔ≠.\u200D𐋢; [P1 V6 C2]; [P1 V6] # ᢔ≠.𐋢
-N; ᢔ≠.\u200D𐋢; [P1 V6 C2]; [P1 V6 C2] # ᢔ≠.𐋢
-T; ᢔ=\u0338.\u200D𐋢; [P1 V6 C2]; [P1 V6] # ᢔ≠.𐋢
-N; ᢔ=\u0338.\u200D𐋢; [P1 V6 C2]; [P1 V6 C2] # ᢔ≠.𐋢
-B; 𐩁≮≯.\u066C⳿; [P1 V6 B2 B3 B1]; [P1 V6 B2 B3 B1] # 𐩁≮≯.٬⳿
-B; 𐩁<\u0338>\u0338.\u066C⳿; [P1 V6 B2 B3 B1]; [P1 V6 B2 B3 B1] # 𐩁≮≯.٬⳿
-B; 𐩁≮≯.\u066C⳿; [P1 V6 B2 B3 B1]; [P1 V6 B2 B3 B1] # 𐩁≮≯.٬⳿
-B; 𐩁<\u0338>\u0338.\u066C⳿; [P1 V6 B2 B3 B1]; [P1 V6 B2 B3 B1] # 𐩁≮≯.٬⳿
-B; -。⺐; [V3]; [V3]
-B; -。⺐; [V3]; [V3]
-B; 𑲬.\u065C; [P1 V6 V5]; [P1 V6 V5] # 𑲬.ٜ
-B; 𑲬.\u065C; [P1 V6 V5]; [P1 V6 V5] # 𑲬.ٜ
-T; 𐍺.\u200C; [P1 V5 V6 C1]; [P1 V5 V6] # 𐍺.
-N; 𐍺.\u200C; [P1 V5 V6 C1]; [P1 V5 V6 C1] # 𐍺.
-B; \u063D\u06E3.𐨎; [V5]; [V5] # ؽۣ.𐨎
-B; 漦Ⴙς.𐴄; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; 漦ⴙς.𐴄; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; 漦ႹΣ.𐴄; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; 漦ⴙσ.𐴄; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; 漦Ⴙσ.𐴄; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; 𐹫踧\u0CCD.⒈𝨤; [P1 V6 B1]; [P1 V6 B1] # 𐹫踧್.⒈𝨤
-B; 𐹫踧\u0CCD.1.𝨤; [P1 V6 V5 B1]; [P1 V6 V5 B1] # 𐹫踧್.1.𝨤
-T; \u200D≮.-; [P1 V6 V3 C2]; [P1 V6 V3] # ≮.-
-N; \u200D≮.-; [P1 V6 V3 C2]; [P1 V6 V3 C2] # ≮.-
-T; \u200D<\u0338.-; [P1 V6 V3 C2]; [P1 V6 V3] # ≮.-
-N; \u200D<\u0338.-; [P1 V6 V3 C2]; [P1 V6 V3 C2] # ≮.-
-T; \u200D≮.-; [P1 V6 V3 C2]; [P1 V6 V3] # ≮.-
-N; \u200D≮.-; [P1 V6 V3 C2]; [P1 V6 V3 C2] # ≮.-
-T; \u200D<\u0338.-; [P1 V6 V3 C2]; [P1 V6 V3] # ≮.-
-N; \u200D<\u0338.-; [P1 V6 V3 C2]; [P1 V6 V3 C2] # ≮.-
-T; \u200D\u200D襔。Ⴜ5ꡮ; [P1 V6 C2]; [P1 V6] # 襔.Ⴜ5ꡮ
-N; \u200D\u200D襔。Ⴜ5ꡮ; [P1 V6 C2]; [P1 V6 C2] # 襔.Ⴜ5ꡮ
-T; \u200D\u200D襔。ⴜ5ꡮ; [P1 V6 C2]; [P1 V6] # 襔.ⴜ5ꡮ
-N; \u200D\u200D襔。ⴜ5ꡮ; [P1 V6 C2]; [P1 V6 C2] # 襔.ⴜ5ꡮ
-T; 𐫜𑌼\u200D.婀; [B3 C2]; xn--ix9c26l.xn--q0s # 𐫜𑌼.婀
-N; 𐫜𑌼\u200D.婀; [B3 C2]; [B3 C2] # 𐫜𑌼.婀
-T; 𐫜𑌼\u200D.婀; [B3 C2]; xn--ix9c26l.xn--q0s # 𐫜𑌼.婀
-N; 𐫜𑌼\u200D.婀; [B3 C2]; [B3 C2] # 𐫜𑌼.婀
-B; xn--ix9c26l.xn--q0s; 𐫜𑌼.婀; xn--ix9c26l.xn--q0s
-B; 𐫜𑌼.婀; ; xn--ix9c26l.xn--q0s
-B; 󠅽︒︒𐹯。⬳\u1A78; [P1 V6 B1]; [P1 V6 B1] # ︒︒𐹯.⬳᩸
-B; 󠅽。。𐹯。⬳\u1A78; [B1]; [B1] # 𐹯.⬳᩸
-B; 𝟖ß.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-Ⴏ
-B; 8ß.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-Ⴏ
-B; 8ß.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-ⴏ
-B; 8SS.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
-B; 8ss.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-ⴏ
-B; 𝟖ß.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-ⴏ
-B; 𝟖SS.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
-B; 𝟖ss.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-ⴏ
-B; 𝟖Ss.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
-T; -\u200D.\u200C𐹣Ⴅ; [P1 V3 V6 C2 B1 C1]; [P1 V3 V6 B1] # -.𐹣Ⴅ
-N; -\u200D.\u200C𐹣Ⴅ; [P1 V3 V6 C2 B1 C1]; [P1 V3 V6 C2 B1 C1] # -.𐹣Ⴅ
-T; -\u200D.\u200C𐹣ⴅ; [P1 V3 V6 C2 B1 C1]; [P1 V3 V6 B1] # -.𐹣ⴅ
-N; -\u200D.\u200C𐹣ⴅ; [P1 V3 V6 C2 B1 C1]; [P1 V3 V6 C2 B1 C1] # -.𐹣ⴅ
-T; \uA9B9\u200D큷。₂; [P1 V5 V6 C2]; [P1 V5 V6] # ꦹ큷.2
-N; \uA9B9\u200D큷。₂; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ꦹ큷.2
-T; \uA9B9\u200D큷。₂; [P1 V5 V6 C2]; [P1 V5 V6] # ꦹ큷.2
-N; \uA9B9\u200D큷。₂; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ꦹ큷.2
-T; \uA9B9\u200D큷。2; [P1 V5 V6 C2]; [P1 V5 V6] # ꦹ큷.2
-N; \uA9B9\u200D큷。2; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ꦹ큷.2
-T; \uA9B9\u200D큷。2; [P1 V5 V6 C2]; [P1 V5 V6] # ꦹ큷.2
-N; \uA9B9\u200D큷。2; [P1 V5 V6 C2]; [P1 V5 V6 C2] # ꦹ큷.2
-B; \uDF4D.🄄; [P1 V6 B1]; [P1 V6 B1 A3] # .🄄
-B; \uDF4D.3,; [P1 V6 B1]; [P1 V6 B1 A3] # .3,
-B; 𝨖。\u06DD\uA8C5⒈; [P1 V5 V6 B1]; [P1 V5 V6 B1] # 𝨖.ꣅ⒈
-B; 𝨖。\u06DD\uA8C51.; [P1 V5 V6 B1]; [P1 V5 V6 B1] # 𝨖.ꣅ1.
-T; \u05E1\u06B8。Ⴈ\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # סڸ.Ⴈ
-N; \u05E1\u06B8。Ⴈ\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # סڸ.Ⴈ
-T; \u05E1\u06B8。ⴈ\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6] # סڸ.ⴈ
-N; \u05E1\u06B8。ⴈ\u200D; [P1 V6 B5 B6 C2]; [P1 V6 B5 B6 C2] # סڸ.ⴈ
-T; 𝨱\u07E6⒈.𑗝髯\u200C; [P1 V6 V5 B5 C1]; [P1 V6 V5 B5] # 𝨱ߦ⒈.𑗝髯
-N; 𝨱\u07E6⒈.𑗝髯\u200C; [P1 V6 V5 B5 C1]; [P1 V6 V5 B5 C1] # 𝨱ߦ⒈.𑗝髯
-T; 𝨱\u07E61..𑗝髯\u200C; [P1 V6 V5 B5 A4_2 C1]; [P1 V6 V5 B5 A4_2] # 𝨱ߦ1..𑗝髯
-N; 𝨱\u07E61..𑗝髯\u200C; [P1 V6 V5 B5 A4_2 C1]; [P1 V6 V5 B5 A4_2 C1] # 𝨱ߦ1..𑗝髯
-B; 𐫀.\u0689𑌀; 𐫀.\u0689𑌀; xn--pw9c.xn--fjb8658k # 𐫀.ډ𑌀
-B; 𐫀.\u0689𑌀; ; xn--pw9c.xn--fjb8658k # 𐫀.ډ𑌀
-B; xn--pw9c.xn--fjb8658k; 𐫀.\u0689𑌀; xn--pw9c.xn--fjb8658k # 𐫀.ډ𑌀
-B; 𑋪.𐳝; [V5]; [V5]
-B; 𑋪.𐳝; [V5]; [V5]
-B; 𑋪.𐲝; [V5]; [V5]
-B; 𑋪.𐲝; [V5]; [V5]
-B; ≠膣。\u0F83; [P1 V6 V5]; [P1 V6 V5] # ≠膣.ྃ
-B; =\u0338膣。\u0F83; [P1 V6 V5]; [P1 V6 V5] # ≠膣.ྃ
-B; -\u077D。ß; [P1 V6 B5 B6]; [P1 V6 B5 B6] # -ݽ.ß
-B; -\u077D。ß; [P1 V6 B5 B6]; [P1 V6 B5 B6] # -ݽ.ß
-B; -\u077D。SS; [P1 V6 B5 B6]; [P1 V6 B5 B6] # -ݽ.ss
-B; -\u077D。SS; [P1 V6 B5 B6]; [P1 V6 B5 B6] # -ݽ.ss
-B; ς𐹠ᡚ𑄳.⾭𐹽𐫜; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; ς𐹠ᡚ𑄳.靑𐹽𐫜; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; Σ𐹠ᡚ𑄳.靑𐹽𐫜; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; σ𐹠ᡚ𑄳.靑𐹽𐫜; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; Σ𐹠ᡚ𑄳.⾭𐹽𐫜; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-B; σ𐹠ᡚ𑄳.⾭𐹽𐫜; [P1 V6 B5 B6]; [P1 V6 B5 B6]
-T; 𐋷。\u200D; [C2]; xn--r97c. # 𐋷.
-N; 𐋷。\u200D; [C2]; [C2] # 𐋷.
-B; xn--r97c.; 𐋷.; xn--r97c.; NV8
-B; 𐋷.; ; xn--r97c.; NV8
-B; 𑰳𑈯。⥪; [V5]; [V5]
-T; 𑆀䁴.Ⴕ𝟜\u200C\u0348; [P1 V5 V6 C1]; [P1 V5 V6] # 𑆀䁴.Ⴕ4͈
-N; 𑆀䁴.Ⴕ𝟜\u200C\u0348; [P1 V5 V6 C1]; [P1 V5 V6 C1] # 𑆀䁴.Ⴕ4͈
-T; 𑆀䁴.Ⴕ4\u200C\u0348; [P1 V5 V6 C1]; [P1 V5 V6] # 𑆀䁴.Ⴕ4͈
-N; 𑆀䁴.Ⴕ4\u200C\u0348; [P1 V5 V6 C1]; [P1 V5 V6 C1] # 𑆀䁴.Ⴕ4͈
-T; 𑆀䁴.ⴕ4\u200C\u0348; [P1 V5 V6 C1]; [P1 V5 V6] # 𑆀䁴.ⴕ4͈
-N; 𑆀䁴.ⴕ4\u200C\u0348; [P1 V5 V6 C1]; [P1 V5 V6 C1] # 𑆀䁴.ⴕ4͈
-T; 𑆀䁴.ⴕ𝟜\u200C\u0348; [P1 V5 V6 C1]; [P1 V5 V6] # 𑆀䁴.ⴕ4͈
-N; 𑆀䁴.ⴕ𝟜\u200C\u0348; [P1 V5 V6 C1]; [P1 V5 V6 C1] # 𑆀䁴.ⴕ4͈
-T; 憡\uDF1F\u200CႴ.𐋮\u200D≠; [P1 V6 C1 C2]; [P1 V6 A3] # 憡Ⴔ.𐋮≠
-N; 憡\uDF1F\u200CႴ.𐋮\u200D≠; [P1 V6 C1 C2]; [P1 V6 C1 C2 A3] # 憡Ⴔ.𐋮≠
-T; 憡\uDF1F\u200CႴ.𐋮\u200D=\u0338; [P1 V6 C1 C2]; [P1 V6 A3] # 憡Ⴔ.𐋮≠
-N; 憡\uDF1F\u200CႴ.𐋮\u200D=\u0338; [P1 V6 C1 C2]; [P1 V6 C1 C2 A3] # 憡Ⴔ.𐋮≠
-T; 憡\uDF1F\u200Cⴔ.𐋮\u200D=\u0338; [P1 V6 C1 C2]; [P1 V6 A3] # 憡ⴔ.𐋮≠
-N; 憡\uDF1F\u200Cⴔ.𐋮\u200D=\u0338; [P1 V6 C1 C2]; [P1 V6 C1 C2 A3] # 憡ⴔ.𐋮≠
-T; 憡\uDF1F\u200Cⴔ.𐋮\u200D≠; [P1 V6 C1 C2]; [P1 V6 A3] # 憡ⴔ.𐋮≠
-N; 憡\uDF1F\u200Cⴔ.𐋮\u200D≠; [P1 V6 C1 C2]; [P1 V6 C1 C2 A3] # 憡ⴔ.𐋮≠
+# IdnaTest.txt
+# Date: 2017-06-02, 14:19:52 GMT
+# © 2017 Unicode®, Inc.
+# Unicode and the Unicode Logo are registered trademarks of Unicode, Inc. in the U.S. and other countries.
+# For terms of use, see http://www.unicode.org/terms_of_use.html
+#
+# Contains test cases for verifying UTS46 conformance. For more information,
+# see http://www.unicode.org/reports/tr46/
+#
+# FORMAT:
+#
+# This file is in UTF8, with certain characters escaped using the \uXXXX or \x{XXXX}
+# convention where they could otherwise have a confusing display.
+# These characters include:
+#
+# - General Categories C, Z, and M
+# - Default ignorable characters
+# - Bidi categories R, AL, AN
+#
+# Columns (c1, c2,...) are separated by semicolons.
+# Leading and trailing spaces and tabs in each column are ignored.
+# Comments are indicated with hash marks.
+#
+# Column 1: type - T for transitional, N for nontransitional, B for both
+# Column 2: source - The source string to be tested
+# Column 3: toUnicode - The result of applying toUnicode to the source, using nontransitional.
+# A blank value means the same as the source value; a value in [...] is a set of error codes.
+# Column 4: toASCII - The result of applying toASCII to the source, using the specified type: T, N, or B.
+# A blank value means the same as the toUnicode value; a value in [...] is a set of error codes.
+# Column 5: idna2008 - NV8 is only present if the status is valid but the character is excluded by IDNA2008
+# from all domain names for all versions of Unicode.
+# XV8 is present when the character is excluded by IDNA2008 for the current version of Unicode.
+# These are informative values only.
+#
+# If the value of toUnicode is the same as source, the column will be blank.
+# The line comments currently show visible characters that have been escaped
+# (after removing default-ignorables and controls, except for whitespace)
+#
+# The test is performed with the following flag settings:
+#
+# VerifyDnsLength: true
+# CheckHyphens: true
+# CheckBidi: true
+# CheckJoiners: true
+# UseSTD3ASCIIRules: true
+#
+# An error in toUnicode or toASCII is indicated by a value in square brackets, such as "[B5 B6]".
+# In such a case, the contents is a list of error codes based on the step numbers in UTS46 and IDNA2008,
+# with the following formats:
+#
+# Pn for Section 4 Processing step n
+# Vn for 4.1 Validity Criteria step n
+# An for 4.2 ToASCII step n
+# Bn for Bidi (in IDNA2008)
+# Cn for ContextJ (in IDNA2008)
+#
+# However, these particular error codes are only informative;
+# the important feature is whether or not there is an error.
+#
+# CONFORMANCE:
+#
+# To test for conformance to UTS46, an implementation must first perform the toUnicode operation
+# on the source string, then the toASCII operation (with the indicated type) on the source string.
+# Implementations may be more strict than UTS46; thus they may have errors where the file indicates results.
+# In particular, an implementation conformant to IDNA2008 would disallow the input for lines marked with NV8.
+#
+# Moreover, the error codes in the file are informative; implementations need only record that there is an error:
+# they need not reproduce those codes. Thus to then verify conformance for the toASCII and toUnicode columns:
+#
+# - If the file indicates an error, the implementation must also have an error.
+# - If the file does not indicate an error, then the implementation must either have an error,
+# or must have a matching result.
+#
+# ====================================================================================================
+B; fass.de; ;
+T; faß.de; ; fass.de
+N; faß.de; ; xn--fa-hia.de
+T; Faß.de; faß.de; fass.de
+N; Faß.de; faß.de; xn--fa-hia.de
+B; xn--fa-hia.de; faß.de; xn--fa-hia.de
+
+# BIDI TESTS
+
+B; à\u05D0; [B5 B6]; [B5 B6] # àא
+B; a\u0300\u05D0; [B5 B6]; [B5 B6] # àא
+B; A\u0300\u05D0; [B5 B6]; [B5 B6] # àא
+B; À\u05D0; [B5 B6]; [B5 B6] # àא
+B; xn--0ca24w; [B5 B6]; [B5 B6] # àא
+B; 0à.\u05D0; [B1]; [B1] # 0à.א
+B; 0a\u0300.\u05D0; [B1]; [B1] # 0à.א
+B; 0A\u0300.\u05D0; [B1]; [B1] # 0à.א
+B; 0À.\u05D0; [B1]; [B1] # 0à.א
+B; xn--0-sfa.xn--4db; [B1]; [B1] # 0à.א
+B; à.\u05D0\u0308; ; xn--0ca.xn--ssa73l # à.א̈
+B; a\u0300.\u05D0\u0308; à.\u05D0\u0308; xn--0ca.xn--ssa73l # à.א̈
+B; A\u0300.\u05D0\u0308; à.\u05D0\u0308; xn--0ca.xn--ssa73l # à.א̈
+B; À.\u05D0\u0308; à.\u05D0\u0308; xn--0ca.xn--ssa73l # à.א̈
+B; xn--0ca.xn--ssa73l; à.\u05D0\u0308; xn--0ca.xn--ssa73l # à.א̈
+B; à.\u05D00\u0660\u05D0; [B4]; [B4] # à.א0٠א
+B; a\u0300.\u05D00\u0660\u05D0; [B4]; [B4] # à.א0٠א
+B; A\u0300.\u05D00\u0660\u05D0; [B4]; [B4] # à.א0٠א
+B; À.\u05D00\u0660\u05D0; [B4]; [B4] # à.א0٠א
+B; xn--0ca.xn--0-zhcb98c; [B4]; [B4] # à.א0٠א
+B; \u0308.\u05D0; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ̈.א
+B; xn--ssa.xn--4db; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ̈.א
+B; à.\u05D00\u0660; [B4]; [B4] # à.א0٠
+B; a\u0300.\u05D00\u0660; [B4]; [B4] # à.א0٠
+B; A\u0300.\u05D00\u0660; [B4]; [B4] # à.א0٠
+B; À.\u05D00\u0660; [B4]; [B4] # à.א0٠
+B; xn--0ca.xn--0-zhc74b; [B4]; [B4] # à.א0٠
+B; àˇ.\u05D0; [B6]; [B6] # àˇ.א
+B; a\u0300ˇ.\u05D0; [B6]; [B6] # àˇ.א
+B; A\u0300ˇ.\u05D0; [B6]; [B6] # àˇ.א
+B; Àˇ.\u05D0; [B6]; [B6] # àˇ.א
+B; xn--0ca88g.xn--4db; [B6]; [B6] # àˇ.א
+B; à\u0308.\u05D0; ; xn--0ca81i.xn--4db # à̈.א
+B; a\u0300\u0308.\u05D0; à\u0308.\u05D0; xn--0ca81i.xn--4db # à̈.א
+B; A\u0300\u0308.\u05D0; à\u0308.\u05D0; xn--0ca81i.xn--4db # à̈.א
+B; À\u0308.\u05D0; à\u0308.\u05D0; xn--0ca81i.xn--4db # à̈.א
+B; xn--0ca81i.xn--4db; à\u0308.\u05D0; xn--0ca81i.xn--4db # à̈.א
+
+# CONTEXT TESTS
+
+T; a\u200Cb; [C1]; ab # ab
+N; a\u200Cb; [C1]; [C1] # ab
+T; A\u200CB; [C1]; ab # ab
+N; A\u200CB; [C1]; [C1] # ab
+T; A\u200Cb; [C1]; ab # ab
+N; A\u200Cb; [C1]; [C1] # ab
+B; ab; ;
+B; xn--ab-j1t; [C1]; [C1] # ab
+T; a\u094D\u200Cb; ; xn--ab-fsf # a्b
+N; a\u094D\u200Cb; ; xn--ab-fsf604u # a्b
+T; A\u094D\u200CB; a\u094D\u200Cb; xn--ab-fsf # a्b
+N; A\u094D\u200CB; a\u094D\u200Cb; xn--ab-fsf604u # a्b
+T; A\u094D\u200Cb; a\u094D\u200Cb; xn--ab-fsf # a्b
+N; A\u094D\u200Cb; a\u094D\u200Cb; xn--ab-fsf604u # a्b
+B; xn--ab-fsf; a\u094Db; xn--ab-fsf # a्b
+B; a\u094Db; ; xn--ab-fsf # a्b
+B; A\u094DB; a\u094Db; xn--ab-fsf # a्b
+B; A\u094Db; a\u094Db; xn--ab-fsf # a्b
+B; xn--ab-fsf604u; a\u094D\u200Cb; xn--ab-fsf604u # a्b
+T; \u0308\u200C\u0308\u0628b; [B1 C1 V5]; [B1 V5] # ̈̈بb
+N; \u0308\u200C\u0308\u0628b; [B1 C1 V5]; [B1 C1 V5] # ̈̈بb
+T; \u0308\u200C\u0308\u0628B; [B1 C1 V5]; [B1 V5] # ̈̈بb
+N; \u0308\u200C\u0308\u0628B; [B1 C1 V5]; [B1 C1 V5] # ̈̈بb
+B; xn--b-bcba413a; [B1 V5]; [B1 V5] # ̈̈بb
+B; xn--b-bcba413a2w8b; [B1 C1 V5]; [B1 C1 V5] # ̈̈بb
+T; a\u0628\u0308\u200C\u0308; [B5 B6 C1]; [B5 B6] # aب̈̈
+N; a\u0628\u0308\u200C\u0308; [B5 B6 C1]; [B5 B6 C1] # aب̈̈
+T; A\u0628\u0308\u200C\u0308; [B5 B6 C1]; [B5 B6] # aب̈̈
+N; A\u0628\u0308\u200C\u0308; [B5 B6 C1]; [B5 B6 C1] # aب̈̈
+B; xn--a-ccba213a; [B5 B6]; [B5 B6] # aب̈̈
+B; xn--a-ccba213a5w8b; [B5 B6 C1]; [B5 B6 C1] # aب̈̈
+T; a\u0628\u0308\u200C\u0308\u0628b; [B5]; [B5] # aب̈̈بb
+N; a\u0628\u0308\u200C\u0308\u0628b; [B5]; [B5] # aب̈̈بb
+T; A\u0628\u0308\u200C\u0308\u0628B; [B5]; [B5] # aب̈̈بb
+N; A\u0628\u0308\u200C\u0308\u0628B; [B5]; [B5] # aب̈̈بb
+T; A\u0628\u0308\u200C\u0308\u0628b; [B5]; [B5] # aب̈̈بb
+N; A\u0628\u0308\u200C\u0308\u0628b; [B5]; [B5] # aب̈̈بb
+B; xn--ab-uuba211bca; [B5]; [B5] # aب̈̈بb
+B; xn--ab-uuba211bca8057b; [B5]; [B5] # aب̈̈بb
+T; a\u200Db; [C2]; ab # ab
+N; a\u200Db; [C2]; [C2] # ab
+T; A\u200DB; [C2]; ab # ab
+N; A\u200DB; [C2]; [C2] # ab
+T; A\u200Db; [C2]; ab # ab
+N; A\u200Db; [C2]; [C2] # ab
+B; xn--ab-m1t; [C2]; [C2] # ab
+T; a\u094D\u200Db; ; xn--ab-fsf # a्b
+N; a\u094D\u200Db; ; xn--ab-fsf014u # a्b
+T; A\u094D\u200DB; a\u094D\u200Db; xn--ab-fsf # a्b
+N; A\u094D\u200DB; a\u094D\u200Db; xn--ab-fsf014u # a्b
+T; A\u094D\u200Db; a\u094D\u200Db; xn--ab-fsf # a्b
+N; A\u094D\u200Db; a\u094D\u200Db; xn--ab-fsf014u # a्b
+B; xn--ab-fsf014u; a\u094D\u200Db; xn--ab-fsf014u # a्b
+T; \u0308\u200D\u0308\u0628b; [B1 C2 V5]; [B1 V5] # ̈̈بb
+N; \u0308\u200D\u0308\u0628b; [B1 C2 V5]; [B1 C2 V5] # ̈̈بb
+T; \u0308\u200D\u0308\u0628B; [B1 C2 V5]; [B1 V5] # ̈̈بb
+N; \u0308\u200D\u0308\u0628B; [B1 C2 V5]; [B1 C2 V5] # ̈̈بb
+B; xn--b-bcba413a7w8b; [B1 C2 V5]; [B1 C2 V5] # ̈̈بb
+T; a\u0628\u0308\u200D\u0308; [B5 B6 C2]; [B5 B6] # aب̈̈
+N; a\u0628\u0308\u200D\u0308; [B5 B6 C2]; [B5 B6 C2] # aب̈̈
+T; A\u0628\u0308\u200D\u0308; [B5 B6 C2]; [B5 B6] # aب̈̈
+N; A\u0628\u0308\u200D\u0308; [B5 B6 C2]; [B5 B6 C2] # aب̈̈
+B; xn--a-ccba213abx8b; [B5 B6 C2]; [B5 B6 C2] # aب̈̈
+T; a\u0628\u0308\u200D\u0308\u0628b; [B5 C2]; [B5] # aب̈̈بb
+N; a\u0628\u0308\u200D\u0308\u0628b; [B5 C2]; [B5 C2] # aب̈̈بb
+T; A\u0628\u0308\u200D\u0308\u0628B; [B5 C2]; [B5] # aب̈̈بb
+N; A\u0628\u0308\u200D\u0308\u0628B; [B5 C2]; [B5 C2] # aب̈̈بb
+T; A\u0628\u0308\u200D\u0308\u0628b; [B5 C2]; [B5] # aب̈̈بb
+N; A\u0628\u0308\u200D\u0308\u0628b; [B5 C2]; [B5 C2] # aب̈̈بb
+B; xn--ab-uuba211bca5157b; [B5 C2]; [B5 C2] # aب̈̈بb
+
+# SELECTED TESTS
+
+B; ¡; ; xn--7a; NV8
+B; xn--7a; ¡; xn--7a; NV8
+B; ᧚; ; xn--pkf; XV8
+B; xn--pkf; ᧚; xn--pkf; XV8
+B; 。; [A4_2]; [A4_2]
+B; .; [A4_2]; [A4_2]
+B; ꭠ; ; xn--3y9a
+B; xn--3y9a; ꭠ; xn--3y9a
+B; 1234567890ä1234567890123456789012345678901234567890123456; ; [A4_2]
+B; 1234567890a\u03081234567890123456789012345678901234567890123456; 1234567890ä1234567890123456789012345678901234567890123456; [A4_2]
+B; 1234567890A\u03081234567890123456789012345678901234567890123456; 1234567890ä1234567890123456789012345678901234567890123456; [A4_2]
+B; 1234567890Ä1234567890123456789012345678901234567890123456; 1234567890ä1234567890123456789012345678901234567890123456; [A4_2]
+B; xn--12345678901234567890123456789012345678901234567890123456-fxe; 1234567890ä1234567890123456789012345678901234567890123456; [A4_2]
+B; www.eXample.cOm; www.example.com;
+B; Bücher.de; bücher.de; xn--bcher-kva.de
+B; Bu\u0308cher.de; bücher.de; xn--bcher-kva.de
+B; bu\u0308cher.de; bücher.de; xn--bcher-kva.de
+B; bücher.de; ; xn--bcher-kva.de
+B; BÜCHER.DE; bücher.de; xn--bcher-kva.de
+B; BU\u0308CHER.DE; bücher.de; xn--bcher-kva.de
+B; xn--bcher-kva.de; bücher.de; xn--bcher-kva.de
+B; ÖBB; öbb; xn--bb-eka
+B; O\u0308BB; öbb; xn--bb-eka
+B; o\u0308bb; öbb; xn--bb-eka
+B; öbb; ; xn--bb-eka
+B; Öbb; öbb; xn--bb-eka
+B; O\u0308bb; öbb; xn--bb-eka
+B; xn--bb-eka; öbb; xn--bb-eka
+T; βόλος.com; ; xn--nxasmq6b.com
+N; βόλος.com; ; xn--nxasmm1c.com
+T; βο\u0301λος.com; βόλος.com; xn--nxasmq6b.com
+N; βο\u0301λος.com; βόλος.com; xn--nxasmm1c.com
+B; ΒΟ\u0301ΛΟΣ.COM; βόλοσ.com; xn--nxasmq6b.com
+B; ΒΌΛΟΣ.COM; βόλοσ.com; xn--nxasmq6b.com
+B; βόλοσ.com; ; xn--nxasmq6b.com
+B; βο\u0301λοσ.com; βόλοσ.com; xn--nxasmq6b.com
+B; Βο\u0301λοσ.com; βόλοσ.com; xn--nxasmq6b.com
+B; Βόλοσ.com; βόλοσ.com; xn--nxasmq6b.com
+B; xn--nxasmq6b.com; βόλοσ.com; xn--nxasmq6b.com
+T; Βο\u0301λος.com; βόλος.com; xn--nxasmq6b.com
+N; Βο\u0301λος.com; βόλος.com; xn--nxasmm1c.com
+T; Βόλος.com; βόλος.com; xn--nxasmq6b.com
+N; Βόλος.com; βόλος.com; xn--nxasmm1c.com
+B; xn--nxasmm1c.com; βόλος.com; xn--nxasmm1c.com
+B; xn--nxasmm1c; βόλος; xn--nxasmm1c
+T; βόλος; ; xn--nxasmq6b
+N; βόλος; ; xn--nxasmm1c
+T; βο\u0301λος; βόλος; xn--nxasmq6b
+N; βο\u0301λος; βόλος; xn--nxasmm1c
+B; ΒΟ\u0301ΛΟΣ; βόλοσ; xn--nxasmq6b
+B; ΒΌΛΟΣ; βόλοσ; xn--nxasmq6b
+B; βόλοσ; ; xn--nxasmq6b
+B; βο\u0301λοσ; βόλοσ; xn--nxasmq6b
+B; Βο\u0301λοσ; βόλοσ; xn--nxasmq6b
+B; Βόλοσ; βόλοσ; xn--nxasmq6b
+B; xn--nxasmq6b; βόλοσ; xn--nxasmq6b
+T; Βόλος; βόλος; xn--nxasmq6b
+N; Βόλος; βόλος; xn--nxasmm1c
+T; Βο\u0301λος; βόλος; xn--nxasmq6b
+N; Βο\u0301λος; βόλος; xn--nxasmm1c
+T; www.ශ\u0DCA\u200Dර\u0DD3.com; ; www.xn--10cl1a0b.com # www.ශ්රී.com
+N; www.ශ\u0DCA\u200Dර\u0DD3.com; ; www.xn--10cl1a0b660p.com # www.ශ්රී.com
+T; WWW.ශ\u0DCA\u200Dර\u0DD3.COM; www.ශ\u0DCA\u200Dර\u0DD3.com; www.xn--10cl1a0b.com # www.ශ්රී.com
+N; WWW.ශ\u0DCA\u200Dර\u0DD3.COM; www.ශ\u0DCA\u200Dර\u0DD3.com; www.xn--10cl1a0b660p.com # www.ශ්රී.com
+T; Www.ශ\u0DCA\u200Dර\u0DD3.com; www.ශ\u0DCA\u200Dර\u0DD3.com; www.xn--10cl1a0b.com # www.ශ්රී.com
+N; Www.ශ\u0DCA\u200Dර\u0DD3.com; www.ශ\u0DCA\u200Dර\u0DD3.com; www.xn--10cl1a0b660p.com # www.ශ්රී.com
+B; www.xn--10cl1a0b.com; www.ශ\u0DCAර\u0DD3.com; www.xn--10cl1a0b.com # www.ශ්රී.com
+B; www.ශ\u0DCAර\u0DD3.com; ; www.xn--10cl1a0b.com # www.ශ්රී.com
+B; WWW.ශ\u0DCAර\u0DD3.COM; www.ශ\u0DCAර\u0DD3.com; www.xn--10cl1a0b.com # www.ශ්රී.com
+B; Www.ශ\u0DCAර\u0DD3.com; www.ශ\u0DCAර\u0DD3.com; www.xn--10cl1a0b.com # www.ශ්රී.com
+B; www.xn--10cl1a0b660p.com; www.ශ\u0DCA\u200Dර\u0DD3.com; www.xn--10cl1a0b660p.com # www.ශ්රී.com
+T; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC; ; xn--mgba3gch31f # نامهای
+N; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC; ; xn--mgba3gch31f060k # نامهای
+B; xn--mgba3gch31f; \u0646\u0627\u0645\u0647\u0627\u06CC; xn--mgba3gch31f # نامهای
+B; \u0646\u0627\u0645\u0647\u0627\u06CC; ; xn--mgba3gch31f # نامهای
+B; xn--mgba3gch31f060k; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC; xn--mgba3gch31f060k # نامهای
+B; xn--mgba3gch31f060k.com; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; xn--mgba3gch31f060k.com # نامهای.com
+T; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; ; xn--mgba3gch31f.com # نامهای.com
+N; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; ; xn--mgba3gch31f060k.com # نامهای.com
+T; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.COM; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; xn--mgba3gch31f.com # نامهای.com
+N; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.COM; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; xn--mgba3gch31f060k.com # نامهای.com
+T; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.Com; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; xn--mgba3gch31f.com # نامهای.com
+N; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.Com; \u0646\u0627\u0645\u0647\u200C\u0627\u06CC.com; xn--mgba3gch31f060k.com # نامهای.com
+B; xn--mgba3gch31f.com; \u0646\u0627\u0645\u0647\u0627\u06CC.com; xn--mgba3gch31f.com # نامهای.com
+B; \u0646\u0627\u0645\u0647\u0627\u06CC.com; ; xn--mgba3gch31f.com # نامهای.com
+B; \u0646\u0627\u0645\u0647\u0627\u06CC.COM; \u0646\u0627\u0645\u0647\u0627\u06CC.com; xn--mgba3gch31f.com # نامهای.com
+B; \u0646\u0627\u0645\u0647\u0627\u06CC.Com; \u0646\u0627\u0645\u0647\u0627\u06CC.com; xn--mgba3gch31f.com # نامهای.com
+B; a.b.c。d。; a.b.c.d.;
+B; a.b.c。d。; a.b.c.d.;
+B; A.B.C。D。; a.b.c.d.;
+B; A.b.c。D。; a.b.c.d.;
+B; a.b.c.d.; ;
+B; A.B.C。D。; a.b.c.d.;
+B; A.b.c。D。; a.b.c.d.;
+B; U\u0308.xn--tda; ü.ü; xn--tda.xn--tda
+B; Ü.xn--tda; ü.ü; xn--tda.xn--tda
+B; ü.xn--tda; ü.ü; xn--tda.xn--tda
+B; u\u0308.xn--tda; ü.ü; xn--tda.xn--tda
+B; U\u0308.XN--TDA; ü.ü; xn--tda.xn--tda
+B; Ü.XN--TDA; ü.ü; xn--tda.xn--tda
+B; Ü.xn--Tda; ü.ü; xn--tda.xn--tda
+B; U\u0308.xn--Tda; ü.ü; xn--tda.xn--tda
+B; xn--tda.xn--tda; ü.ü; xn--tda.xn--tda
+B; ü.ü; ; xn--tda.xn--tda
+B; u\u0308.u\u0308; ü.ü; xn--tda.xn--tda
+B; U\u0308.U\u0308; ü.ü; xn--tda.xn--tda
+B; Ü.Ü; ü.ü; xn--tda.xn--tda
+B; Ü.ü; ü.ü; xn--tda.xn--tda
+B; U\u0308.u\u0308; ü.ü; xn--tda.xn--tda
+B; xn--u-ccb; [V1]; [V1] # ü
+B; a⒈com; [P1 V6]; [P1 V6]
+B; a1.com; ;
+B; A⒈COM; [P1 V6]; [P1 V6]
+B; A⒈Com; [P1 V6]; [P1 V6]
+B; xn--acom-0w1b; [V6]; [V6]
+B; xn--a-ecp.ru; [V6]; [V6]
+B; xn--0.pt; [A3]; [A3]
+B; xn--a.pt; [V6]; [V6] # .pt
+B; xn--a-Ä.pt; [A3]; [A3]
+B; xn--a-A\u0308.pt; [A3]; [A3]
+B; xn--a-a\u0308.pt; [A3]; [A3]
+B; xn--a-ä.pt; [A3]; [A3]
+B; XN--A-Ä.PT; [A3]; [A3]
+B; XN--A-A\u0308.PT; [A3]; [A3]
+B; Xn--A-A\u0308.pt; [A3]; [A3]
+B; Xn--A-Ä.pt; [A3]; [A3]
+B; xn--xn--a--gua.pt; [V2]; [V2]
+B; 日本語。JP; 日本語.jp; xn--wgv71a119e.jp
+B; 日本語。JP; 日本語.jp; xn--wgv71a119e.jp
+B; 日本語。jp; 日本語.jp; xn--wgv71a119e.jp
+B; 日本語。Jp; 日本語.jp; xn--wgv71a119e.jp
+B; xn--wgv71a119e.jp; 日本語.jp; xn--wgv71a119e.jp
+B; 日本語.jp; ; xn--wgv71a119e.jp
+B; 日本語.JP; 日本語.jp; xn--wgv71a119e.jp
+B; 日本語.Jp; 日本語.jp; xn--wgv71a119e.jp
+B; 日本語。jp; 日本語.jp; xn--wgv71a119e.jp
+B; 日本語。Jp; 日本語.jp; xn--wgv71a119e.jp
+B; ☕; ; xn--53h; NV8
+B; xn--53h; ☕; xn--53h; NV8
+T; 1.aß\u200C\u200Db\u200C\u200Dcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß\u0302ßz; [C1 C2]; [A4_2] # 1.aßbcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß̂ßz
+N; 1.aß\u200C\u200Db\u200C\u200Dcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß\u0302ßz; [C1 C2]; [C1 C2 A4_2] # 1.aßbcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß̂ßz
+T; 1.ASS\u200C\u200DB\u200C\u200DCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSS\u0302SSZ; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+N; 1.ASS\u200C\u200DB\u200C\u200DCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSS\u0302SSZ; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+T; 1.ASS\u200C\u200DB\u200C\u200DCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSŜSSZ; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+N; 1.ASS\u200C\u200DB\u200C\u200DCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSŜSSZ; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+T; 1.ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+N; 1.ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+T; 1.ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+N; 1.ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+T; 1.Ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+N; 1.Ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+T; 1.Ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [C1 C2]; [A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+N; 1.Ass\u200C\u200Db\u200C\u200Dcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+B; 1.xn--assbcssssssssdssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssssz-pxq1419aa; 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [A4_2]
+B; 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; ; [A4_2]
+B; 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [A4_2]
+B; 1.ASSBCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSS\u0302SSZ; 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [A4_2]
+B; 1.ASSBCSSSSSSSSDΣΣSSSSSSSSSSSSSSSSESSSSSSSSSSSSSSSSSSSSXSSSSSSSSSSSSSSSSSSSSYSSSSSSSSSSSSSSSŜSSZ; 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [A4_2]
+B; 1.Assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [A4_2]
+B; 1.Assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssyssssssssssssssss\u0302ssz; 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz; [A4_2]
+B; 1.xn--assbcssssssssdssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssssz-pxq1419aa69989dba9gc; [C1 C2]; [C1 C2 A4_2] # 1.assbcssssssssdσσssssssssssssssssessssssssssssssssssssxssssssssssssssssssssysssssssssssssssŝssz
+T; 1.Aß\u200C\u200Db\u200C\u200Dcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß\u0302ßz; [C1 C2]; [A4_2] # 1.aßbcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß̂ßz
+N; 1.Aß\u200C\u200Db\u200C\u200Dcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß\u0302ßz; [C1 C2]; [C1 C2 A4_2] # 1.aßbcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß̂ßz
+B; 1.xn--abcdexyz-qyacaaabaaaaaaabaaaaaaaaabaaaaaaaaabaaaaaaaa010ze2isb1140zba8cc; [C1 C2]; [C1 C2 A4_2] # 1.aßbcßßßßdςσßßßßßßßßeßßßßßßßßßßxßßßßßßßßßßyßßßßßßßß̂ßz
+T; \u200Cx\u200Dn\u200C-\u200D-bß; [C1 C2]; xn--bss # xn--bß
+N; \u200Cx\u200Dn\u200C-\u200D-bß; [C1 C2]; [C1 C2] # xn--bß
+T; \u200CX\u200DN\u200C-\u200D-BSS; [C1 C2]; xn--bss # xn--bss
+N; \u200CX\u200DN\u200C-\u200D-BSS; [C1 C2]; [C1 C2] # xn--bss
+T; \u200Cx\u200Dn\u200C-\u200D-bss; [C1 C2]; xn--bss # xn--bss
+N; \u200Cx\u200Dn\u200C-\u200D-bss; [C1 C2]; [C1 C2] # xn--bss
+T; \u200CX\u200Dn\u200C-\u200D-Bss; [C1 C2]; xn--bss # xn--bss
+N; \u200CX\u200Dn\u200C-\u200D-Bss; [C1 C2]; [C1 C2] # xn--bss
+B; xn--bss; 夙; xn--bss
+B; 夙; ; xn--bss
+B; xn--xn--bss-7z6ccid; [C1 C2]; [C1 C2] # xn--bss
+T; \u200CX\u200Dn\u200C-\u200D-Bß; [C1 C2]; xn--bss # xn--bß
+N; \u200CX\u200Dn\u200C-\u200D-Bß; [C1 C2]; [C1 C2] # xn--bß
+B; xn--xn--b-pqa5796ccahd; [C1 C2]; [C1 C2] # xn--bß
+B; ˣ\u034Fℕ\u200B﹣\u00AD-\u180Cℬ\uFE00ſ\u2064𝔰󠇯ffl; 夡夞夜夙; xn--bssffl
+B; x\u034FN\u200B-\u00AD-\u180CB\uFE00s\u2064s󠇯ffl; 夡夞夜夙; xn--bssffl
+B; x\u034Fn\u200B-\u00AD-\u180Cb\uFE00s\u2064s󠇯ffl; 夡夞夜夙; xn--bssffl
+B; X\u034FN\u200B-\u00AD-\u180CB\uFE00S\u2064S󠇯FFL; 夡夞夜夙; xn--bssffl
+B; X\u034Fn\u200B-\u00AD-\u180CB\uFE00s\u2064s󠇯ffl; 夡夞夜夙; xn--bssffl
+B; xn--bssffl; 夡夞夜夙; xn--bssffl
+B; 夡夞夜夙; ; xn--bssffl
+B; ˣ\u034Fℕ\u200B﹣\u00AD-\u180Cℬ\uFE00S\u2064𝔰󠇯FFL; 夡夞夜夙; xn--bssffl
+B; x\u034FN\u200B-\u00AD-\u180CB\uFE00S\u2064s󠇯FFL; 夡夞夜夙; xn--bssffl
+B; ˣ\u034Fℕ\u200B﹣\u00AD-\u180Cℬ\uFE00s\u2064𝔰󠇯ffl; 夡夞夜夙; xn--bssffl
+B; 123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; ;
+B; 123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; ;
+B; 123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; ; [A4_1]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901234.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; ; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901234.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; ; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901234.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; ; [A4_1 A4_2]
+B; ä1234567890123456789012345678901234567890123456789012345; ; xn--1234567890123456789012345678901234567890123456789012345-9te
+B; a\u03081234567890123456789012345678901234567890123456789012345; ä1234567890123456789012345678901234567890123456789012345; xn--1234567890123456789012345678901234567890123456789012345-9te
+B; A\u03081234567890123456789012345678901234567890123456789012345; ä1234567890123456789012345678901234567890123456789012345; xn--1234567890123456789012345678901234567890123456789012345-9te
+B; Ä1234567890123456789012345678901234567890123456789012345; ä1234567890123456789012345678901234567890123456789012345; xn--1234567890123456789012345678901234567890123456789012345-9te
+B; xn--1234567890123456789012345678901234567890123456789012345-9te; ä1234567890123456789012345678901234567890123456789012345; xn--1234567890123456789012345678901234567890123456789012345-9te
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; ; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
+B; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; ; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
+B; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901.
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; ; [A4_1]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; [A4_1]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u0308123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; [A4_1]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; [A4_1]
+B; 123456789012345678901234567890123456789012345678901234567890123.xn--1234567890123456789012345678901234567890123456789012345-kue.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä123456789012345678901234567890123456789012345.123456789012345678901234567890123456789012345678901234567890123.12345678901234567890123456789012345678901234567890123456789012; [A4_1]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; ; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.xn--12345678901234567890123456789012345678901234567890123456-fxe.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; ; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.xn--12345678901234567890123456789012345678901234567890123456-fxe.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.123456789012345678901234567890123456789012345678901234567890.; [A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; ; [A4_1 A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890a\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; [A4_1 A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890A\u03081234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; [A4_1 A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.1234567890Ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; [A4_1 A4_2]
+B; 123456789012345678901234567890123456789012345678901234567890123.xn--12345678901234567890123456789012345678901234567890123456-fxe.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; 123456789012345678901234567890123456789012345678901234567890123.1234567890ä1234567890123456789012345678901234567890123456.123456789012345678901234567890123456789012345678901234567890123.1234567890123456789012345678901234567890123456789012345678901; [A4_1 A4_2]
+B; a.b..-q--a-.e; [V2 V3 A4_2]; [V2 V3 A4_2]
+B; a.b..-q--ä-.e; [V2 V3 A4_2]; [V2 V3 A4_2]
+B; a.b..-q--a\u0308-.e; [V2 V3 A4_2]; [V2 V3 A4_2]
+B; A.B..-Q--A\u0308-.E; [V2 V3 A4_2]; [V2 V3 A4_2]
+B; A.B..-Q--Ä-.E; [V2 V3 A4_2]; [V2 V3 A4_2]
+B; A.b..-Q--Ä-.E; [V2 V3 A4_2]; [V2 V3 A4_2]
+B; A.b..-Q--A\u0308-.E; [V2 V3 A4_2]; [V2 V3 A4_2]
+B; a.b..xn---q----jra.e; [V2 V3 A4_2]; [V2 V3 A4_2]
+B; a..c; [A4_2]; [A4_2]
+B; a.-b.; [V3]; [V3]
+B; a.b-.c; [V3]; [V3]
+B; a.-.c; [V3]; [V3]
+B; a.bc--de.f; [V2]; [V2]
+B; ä.\u00AD.c; [A4_2]; [A4_2]
+B; a\u0308.\u00AD.c; [A4_2]; [A4_2]
+B; A\u0308.\u00AD.C; [A4_2]; [A4_2]
+B; Ä.\u00AD.C; [A4_2]; [A4_2]
+B; xn--4ca..c; [A4_2]; [A4_2]
+B; ä.-b.; [V3]; [V3]
+B; a\u0308.-b.; [V3]; [V3]
+B; A\u0308.-B.; [V3]; [V3]
+B; Ä.-B.; [V3]; [V3]
+B; xn--4ca.-b.; [V3]; [V3]
+B; ä.b-.c; [V3]; [V3]
+B; a\u0308.b-.c; [V3]; [V3]
+B; A\u0308.B-.C; [V3]; [V3]
+B; Ä.B-.C; [V3]; [V3]
+B; Ä.b-.C; [V3]; [V3]
+B; A\u0308.b-.C; [V3]; [V3]
+B; xn--4ca.b-.c; [V3]; [V3]
+B; ä.-.c; [V3]; [V3]
+B; a\u0308.-.c; [V3]; [V3]
+B; A\u0308.-.C; [V3]; [V3]
+B; Ä.-.C; [V3]; [V3]
+B; xn--4ca.-.c; [V3]; [V3]
+B; ä.bc--de.f; [V2]; [V2]
+B; a\u0308.bc--de.f; [V2]; [V2]
+B; A\u0308.BC--DE.F; [V2]; [V2]
+B; Ä.BC--DE.F; [V2]; [V2]
+B; Ä.bc--De.f; [V2]; [V2]
+B; A\u0308.bc--De.f; [V2]; [V2]
+B; xn--4ca.bc--de.f; [V2]; [V2]
+B; a.b.\u0308c.d; [V5]; [V5] # a.b.̈c.d
+B; A.B.\u0308C.D; [V5]; [V5] # a.b.̈c.d
+B; A.b.\u0308c.d; [V5]; [V5] # a.b.̈c.d
+B; a.b.xn--c-bcb.d; [V5]; [V5] # a.b.̈c.d
+B; A0; a0;
+B; 0A; 0a;
+B; 0A.\u05D0; [B1]; [B1] # 0a.א
+B; 0a.\u05D0; [B1]; [B1] # 0a.א
+B; 0a.xn--4db; [B1]; [B1] # 0a.א
+B; c.xn--0-eha.xn--4db; [B1]; [B1] # c.0ü.א
+B; b-.\u05D0; [B6 V3]; [B6 V3] # b-.א
+B; B-.\u05D0; [B6 V3]; [B6 V3] # b-.א
+B; b-.xn--4db; [B6 V3]; [B6 V3] # b-.א
+B; d.xn----dha.xn--4db; [B6 V3]; [B6 V3] # d.ü-.א
+B; a\u05D0; [B5 B6]; [B5 B6] # aא
+B; A\u05D0; [B5 B6]; [B5 B6] # aא
+B; xn--a-0hc; [B5 B6]; [B5 B6] # aא
+B; \u05D0\u05C7; ; xn--vdbr # אׇ
+B; xn--vdbr; \u05D0\u05C7; xn--vdbr # אׇ
+B; \u05D09\u05C7; ; xn--9-ihcz # א9ׇ
+B; xn--9-ihcz; \u05D09\u05C7; xn--9-ihcz # א9ׇ
+B; \u05D0a\u05C7; [B2 B3]; [B2 B3] # אaׇ
+B; \u05D0A\u05C7; [B2 B3]; [B2 B3] # אaׇ
+B; xn--a-ihcz; [B2 B3]; [B2 B3] # אaׇ
+B; \u05D0\u05EA; ; xn--4db6c # את
+B; xn--4db6c; \u05D0\u05EA; xn--4db6c # את
+B; \u05D0\u05F3\u05EA; ; xn--4db6c0a # א׳ת
+B; xn--4db6c0a; \u05D0\u05F3\u05EA; xn--4db6c0a # א׳ת
+B; a\u05D0Tz; [B5]; [B5] # aאtz
+B; a\u05D0tz; [B5]; [B5] # aאtz
+B; A\u05D0TZ; [B5]; [B5] # aאtz
+B; A\u05D0tz; [B5]; [B5] # aאtz
+B; xn--atz-qpe; [B5]; [B5] # aאtz
+B; \u05D0T\u05EA; [B2]; [B2] # אtת
+B; \u05D0t\u05EA; [B2]; [B2] # אtת
+B; xn--t-zhc3f; [B2]; [B2] # אtת
+B; \u05D07\u05EA; ; xn--7-zhc3f # א7ת
+B; xn--7-zhc3f; \u05D07\u05EA; xn--7-zhc3f # א7ת
+B; \u05D0\u0667\u05EA; ; xn--4db6c6t # א٧ת
+B; xn--4db6c6t; \u05D0\u0667\u05EA; xn--4db6c6t # א٧ת
+B; a7\u0667z; [B5]; [B5] # a7٧z
+B; A7\u0667Z; [B5]; [B5] # a7٧z
+B; A7\u0667z; [B5]; [B5] # a7٧z
+B; xn--a7z-06e; [B5]; [B5] # a7٧z
+B; \u05D07\u0667\u05EA; [B4]; [B4] # א7٧ת
+B; xn--7-zhc3fty; [B4]; [B4] # א7٧ת
+T; ஹ\u0BCD\u200D; ; xn--dmc4b # ஹ்
+N; ஹ\u0BCD\u200D; ; xn--dmc4b194h # ஹ்
+B; xn--dmc4b; ஹ\u0BCD; xn--dmc4b # ஹ்
+B; ஹ\u0BCD; ; xn--dmc4b # ஹ்
+B; xn--dmc4b194h; ஹ\u0BCD\u200D; xn--dmc4b194h # ஹ்
+T; ஹ\u200D; [C2]; xn--dmc # ஹ
+N; ஹ\u200D; [C2]; [C2] # ஹ
+B; xn--dmc; ஹ; xn--dmc
+B; ஹ; ; xn--dmc
+B; xn--dmc225h; [C2]; [C2] # ஹ
+T; \u200D; [C2]; [A4_2] #
+N; \u200D; [C2]; [C2] #
+B; ; [A4_2]; [A4_2]
+B; xn--1ug; [C2]; [C2] #
+T; ஹ\u0BCD\u200C; ; xn--dmc4b # ஹ்
+N; ஹ\u0BCD\u200C; ; xn--dmc4by94h # ஹ்
+B; xn--dmc4by94h; ஹ\u0BCD\u200C; xn--dmc4by94h # ஹ்
+T; ஹ\u200C; [C1]; xn--dmc # ஹ
+N; ஹ\u200C; [C1]; [C1] # ஹ
+B; xn--dmc025h; [C1]; [C1] # ஹ
+T; \u200C; [C1]; [A4_2] #
+N; \u200C; [C1]; [C1] #
+B; xn--0ug; [C1]; [C1] #
+T; \u0644\u0670\u200C\u06ED\u06EF; ; xn--ghb2gxqia # لٰۭۯ
+N; \u0644\u0670\u200C\u06ED\u06EF; ; xn--ghb2gxqia7523a # لٰۭۯ
+B; xn--ghb2gxqia; \u0644\u0670\u06ED\u06EF; xn--ghb2gxqia # لٰۭۯ
+B; \u0644\u0670\u06ED\u06EF; ; xn--ghb2gxqia # لٰۭۯ
+B; xn--ghb2gxqia7523a; \u0644\u0670\u200C\u06ED\u06EF; xn--ghb2gxqia7523a # لٰۭۯ
+T; \u0644\u0670\u200C\u06EF; ; xn--ghb2g3q # لٰۯ
+N; \u0644\u0670\u200C\u06EF; ; xn--ghb2g3qq34f # لٰۯ
+B; xn--ghb2g3q; \u0644\u0670\u06EF; xn--ghb2g3q # لٰۯ
+B; \u0644\u0670\u06EF; ; xn--ghb2g3q # لٰۯ
+B; xn--ghb2g3qq34f; \u0644\u0670\u200C\u06EF; xn--ghb2g3qq34f # لٰۯ
+T; \u0644\u200C\u06ED\u06EF; ; xn--ghb25aga # لۭۯ
+N; \u0644\u200C\u06ED\u06EF; ; xn--ghb25aga828w # لۭۯ
+B; xn--ghb25aga; \u0644\u06ED\u06EF; xn--ghb25aga # لۭۯ
+B; \u0644\u06ED\u06EF; ; xn--ghb25aga # لۭۯ
+B; xn--ghb25aga828w; \u0644\u200C\u06ED\u06EF; xn--ghb25aga828w # لۭۯ
+T; \u0644\u200C\u06EF; ; xn--ghb65a # لۯ
+N; \u0644\u200C\u06EF; ; xn--ghb65a953d # لۯ
+B; xn--ghb65a; \u0644\u06EF; xn--ghb65a # لۯ
+B; \u0644\u06EF; ; xn--ghb65a # لۯ
+B; xn--ghb65a953d; \u0644\u200C\u06EF; xn--ghb65a953d # لۯ
+T; \u0644\u0670\u200C\u06ED; [B3 C1]; xn--ghb2gxq # لٰۭ
+N; \u0644\u0670\u200C\u06ED; [B3 C1]; [B3 C1] # لٰۭ
+B; xn--ghb2gxq; \u0644\u0670\u06ED; xn--ghb2gxq # لٰۭ
+B; \u0644\u0670\u06ED; ; xn--ghb2gxq # لٰۭ
+B; xn--ghb2gxqy34f; [B3 C1]; [B3 C1] # لٰۭ
+T; \u06EF\u200C\u06EF; [C1]; xn--cmba # ۯۯ
+N; \u06EF\u200C\u06EF; [C1]; [C1] # ۯۯ
+B; xn--cmba; \u06EF\u06EF; xn--cmba # ۯۯ
+B; \u06EF\u06EF; ; xn--cmba # ۯۯ
+B; xn--cmba004q; [C1]; [C1] # ۯۯ
+T; \u0644\u200C; [B3 C1]; xn--ghb # ل
+N; \u0644\u200C; [B3 C1]; [B3 C1] # ل
+B; xn--ghb; \u0644; xn--ghb # ل
+B; \u0644; ; xn--ghb # ل
+B; xn--ghb413k; [B3 C1]; [B3 C1] # ل
+B; a。。b; [A4_2]; [A4_2]
+B; A。。B; [A4_2]; [A4_2]
+B; a..b; [A4_2]; [A4_2]
+T; \u200D。。\u06B9\u200C; [B1 B3 C1 C2 A4_2]; [A4_2] # ..ڹ
+N; \u200D。。\u06B9\u200C; [B1 B3 C1 C2 A4_2]; [B1 B3 C1 C2 A4_2] # ..ڹ
+B; ..xn--skb; [A4_2]; [A4_2] # ..ڹ
+B; xn--1ug..xn--skb080k; [B1 B3 C1 C2 A4_2]; [B1 B3 C1 C2 A4_2] # ..ڹ
+B; \u05D00\u0660; [B4]; [B4] # א0٠
+B; xn--0-zhc74b; [B4]; [B4] # א0٠
+B; $; [P1 V6]; [P1 V6]
+
+# RANDOMIZED TESTS
+
+B; c.0ü.\u05D0; [B1]; [B1] # c.0ü.א
+B; c.0u\u0308.\u05D0; [B1]; [B1] # c.0ü.א
+B; C.0U\u0308.\u05D0; [B1]; [B1] # c.0ü.א
+B; C.0Ü.\u05D0; [B1]; [B1] # c.0ü.א
+B; ⒕∝\u065F.-󠄯; [P1 V3 V6]; [P1 V3 V6] # ⒕∝ٟ.-
+B; 14.∝\u065F.-󠄯; [P1 V3 V6]; [P1 V3 V6] # 14.∝ٟ.-
+B; 14.xn--7hb713l3v90n.-; [V3 V6]; [V3 V6] # 14.∝ٟ.-
+B; xn--7hb713lfwbi1311b.-; [V3 V6]; [V3 V6] # ⒕∝ٟ.-
+B; ꡣ.\u07CF; ; xn--8c9a.xn--qsb # ꡣ.ߏ
+B; xn--8c9a.xn--qsb; ꡣ.\u07CF; xn--8c9a.xn--qsb # ꡣ.ߏ
+B; ≯\u0603。-; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ≯.-
+B; >\u0338\u0603。-; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ≯.-
+B; ≯\u0603。-; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ≯.-
+B; >\u0338\u0603。-; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ≯.-
+B; xn--lfb566l.-; [B1 V3 V6]; [B1 V3 V6] # ≯.-
+T; ⾛𐹧⾕.\u115FςႭ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.ςႭ
+N; ⾛𐹧⾕.\u115FςႭ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.ςႭ
+T; 走𐹧谷.\u115FςႭ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.ςႭ
+N; 走𐹧谷.\u115FςႭ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.ςႭ
+T; 走𐹧谷.\u115Fςⴍ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.ςⴍ
+N; 走𐹧谷.\u115Fςⴍ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.ςⴍ
+B; 走𐹧谷.\u115FΣႭ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.σႭ
+B; 走𐹧谷.\u115Fσⴍ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.σⴍ
+B; 走𐹧谷.\u115FΣⴍ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.σⴍ
+B; xn--6g3a1x434z.xn--4xa180eotvh7453a; [B5 V6]; [B5 V6] # 走𐹧谷.σⴍ
+B; xn--6g3a1x434z.xn--4xa627dhpae6345i; [B5 V6]; [B5 V6] # 走𐹧谷.σႭ
+B; xn--6g3a1x434z.xn--3xa380eotvh7453a; [B5 V6]; [B5 V6] # 走𐹧谷.ςⴍ
+B; xn--6g3a1x434z.xn--3xa827dhpae6345i; [B5 V6]; [B5 V6] # 走𐹧谷.ςႭ
+T; ⾛𐹧⾕.\u115Fςⴍ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.ςⴍ
+N; ⾛𐹧⾕.\u115Fςⴍ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.ςⴍ
+B; ⾛𐹧⾕.\u115FΣႭ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.σႭ
+B; ⾛𐹧⾕.\u115Fσⴍ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.σⴍ
+B; ⾛𐹧⾕.\u115FΣⴍ; [B5 P1 V6]; [B5 P1 V6] # 走𐹧谷.σⴍ
+T; \u200D≠ᢙ≯.솣-ᡴႠ; [C2 P1 V6]; [P1 V6] # ≠ᢙ≯.솣-ᡴႠ
+N; \u200D≠ᢙ≯.솣-ᡴႠ; [C2 P1 V6]; [C2 P1 V6] # ≠ᢙ≯.솣-ᡴႠ
+T; \u200D=\u0338ᢙ>\u0338.솣-ᡴႠ; [C2 P1 V6]; [P1 V6] # ≠ᢙ≯.솣-ᡴႠ
+N; \u200D=\u0338ᢙ>\u0338.솣-ᡴႠ; [C2 P1 V6]; [C2 P1 V6] # ≠ᢙ≯.솣-ᡴႠ
+T; \u200D=\u0338ᢙ>\u0338.솣-ᡴⴀ; [C2 P1 V6]; [P1 V6] # ≠ᢙ≯.솣-ᡴⴀ
+N; \u200D=\u0338ᢙ>\u0338.솣-ᡴⴀ; [C2 P1 V6]; [C2 P1 V6] # ≠ᢙ≯.솣-ᡴⴀ
+T; \u200D≠ᢙ≯.솣-ᡴⴀ; [C2 P1 V6]; [P1 V6] # ≠ᢙ≯.솣-ᡴⴀ
+N; \u200D≠ᢙ≯.솣-ᡴⴀ; [C2 P1 V6]; [C2 P1 V6] # ≠ᢙ≯.솣-ᡴⴀ
+B; xn--jbf911clb.xn----p9j493ivi4l; [V6]; [V6]
+B; xn--jbf929a90b0b.xn----p9j493ivi4l; [C2 V6]; [C2 V6] # ≠ᢙ≯.솣-ᡴⴀ
+B; xn--jbf911clb.xn----6zg521d196p; [V6]; [V6]
+B; xn--jbf929a90b0b.xn----6zg521d196p; [C2 V6]; [C2 V6] # ≠ᢙ≯.솣-ᡴႠ
+B; .𐿇\u0FA2\u077D\u0600; [P1 V6]; [P1 V6] # .ྡྷݽ
+B; .𐿇\u0FA1\u0FB7\u077D\u0600; [P1 V6]; [P1 V6] # .ྡྷݽ
+B; .𐿇\u0FA1\u0FB7\u077D\u0600; [P1 V6]; [P1 V6] # .ྡྷݽ
+B; xn--gw68a.xn--ifb57ev2psc6027m; [V6]; [V6] # .ྡྷݽ
+B; 𣳔\u0303.𑓂; [V5]; [V5] # 𣳔̃.𑓂
+B; xn--nsa95820a.xn--wz1d; [V5]; [V5] # 𣳔̃.𑓂
+B; 𞤀𞥅。󠄌Ⴣꡥ; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; 𞤢𞥅。󠄌ⴣꡥ; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; xn--9d6hgcy3556a.xn--rlju750b; [B2 B3 V6]; [B2 B3 V6]
+B; xn--9d6hgcy3556a.xn--7nd0578e; [B2 B3 V6]; [B2 B3 V6]
+B; 𞤀𞥅。󠄌ⴣꡥ; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+T; \u08E2𑁿ς𖬱。󠅡렧; [B1 P1 V6]; [B1 P1 V6] # 𑁿ς𖬱.렧
+N; \u08E2𑁿ς𖬱。󠅡렧; [B1 P1 V6]; [B1 P1 V6] # 𑁿ς𖬱.렧
+T; \u08E2𑁿ς𖬱。󠅡렧; [B1 P1 V6]; [B1 P1 V6] # 𑁿ς𖬱.렧
+N; \u08E2𑁿ς𖬱。󠅡렧; [B1 P1 V6]; [B1 P1 V6] # 𑁿ς𖬱.렧
+B; \u08E2𑁿Σ𖬱。󠅡렧; [B1 P1 V6]; [B1 P1 V6] # 𑁿σ𖬱.렧
+B; \u08E2𑁿Σ𖬱。󠅡렧; [B1 P1 V6]; [B1 P1 V6] # 𑁿σ𖬱.렧
+B; \u08E2𑁿σ𖬱。󠅡렧; [B1 P1 V6]; [B1 P1 V6] # 𑁿σ𖬱.렧
+B; \u08E2𑁿σ𖬱。󠅡렧; [B1 P1 V6]; [B1 P1 V6] # 𑁿σ𖬱.렧
+B; xn--4xa53xp48ys2xc.xn--kn2b; [B1 V6]; [B1 V6] # 𑁿σ𖬱.렧
+B; xn--3xa73xp48ys2xc.xn--kn2b; [B1 V6]; [B1 V6] # 𑁿ς𖬱.렧
+T; -\u200D。𞤍\u200C\u200D⒈; [B1 C1 C2 P1 V3 V6]; [B1 P1 V3 V6] # -.𞤯⒈
+N; -\u200D。𞤍\u200C\u200D⒈; [B1 C1 C2 P1 V3 V6]; [B1 C1 C2 P1 V3 V6] # -.𞤯⒈
+T; -\u200D。𞤍\u200C\u200D1.; [B1 C1 C2 V3]; [B1 V3] # -.𞤯1.
+N; -\u200D。𞤍\u200C\u200D1.; [B1 C1 C2 V3]; [B1 C1 C2 V3] # -.𞤯1.
+T; -\u200D。𞤯\u200C\u200D1.; [B1 C1 C2 V3]; [B1 V3] # -.𞤯1.
+N; -\u200D。𞤯\u200C\u200D1.; [B1 C1 C2 V3]; [B1 C1 C2 V3] # -.𞤯1.
+B; -.xn--1-0i8r.; [B1 V3]; [B1 V3]
+B; xn----ugn.xn--1-rgnd61297b.; [B1 C1 C2 V3]; [B1 C1 C2 V3] # -.𞤯1.
+T; -\u200D。𞤯\u200C\u200D⒈; [B1 C1 C2 P1 V3 V6]; [B1 P1 V3 V6] # -.𞤯⒈
+N; -\u200D。𞤯\u200C\u200D⒈; [B1 C1 C2 P1 V3 V6]; [B1 C1 C2 P1 V3 V6] # -.𞤯⒈
+B; -.xn--tsh3666n; [B1 V3 V6]; [B1 V3 V6]
+B; xn----ugn.xn--0ugc555aiv51d; [B1 C1 C2 V3 V6]; [B1 C1 C2 V3 V6] # -.𞤯⒈
+T; \u200C.Ⴒ𑇀; [C1 P1 V6]; [P1 V6] # .Ⴒ𑇀
+N; \u200C.Ⴒ𑇀; [C1 P1 V6]; [C1 P1 V6] # .Ⴒ𑇀
+T; \u200C.ⴒ𑇀; [C1 P1 V6]; [P1 V6] # .ⴒ𑇀
+N; \u200C.ⴒ𑇀; [C1 P1 V6]; [C1 P1 V6] # .ⴒ𑇀
+B; xn--bn95b.xn--9kj2034e; [V6]; [V6]
+B; xn--0ug15083f.xn--9kj2034e; [C1 V6]; [C1 V6] # .ⴒ𑇀
+B; xn--bn95b.xn--qnd6272k; [V6]; [V6]
+B; xn--0ug15083f.xn--qnd6272k; [C1 V6]; [C1 V6] # .Ⴒ𑇀
+T; 繱𑖿\u200D.8︒; [P1 V6]; [P1 V6] # 繱𑖿.8︒
+N; 繱𑖿\u200D.8︒; [P1 V6]; [P1 V6] # 繱𑖿.8︒
+T; 繱𑖿\u200D.8。; 繱𑖿\u200D.8.; xn--gl0as212a.8. # 繱𑖿.8.
+N; 繱𑖿\u200D.8。; 繱𑖿\u200D.8.; xn--1ug6928ac48e.8. # 繱𑖿.8.
+B; xn--gl0as212a.8.; 繱𑖿.8.; xn--gl0as212a.8.
+B; 繱𑖿.8.; ; xn--gl0as212a.8.
+B; xn--1ug6928ac48e.8.; 繱𑖿\u200D.8.; xn--1ug6928ac48e.8. # 繱𑖿.8.
+T; 繱𑖿\u200D.8.; ; xn--gl0as212a.8. # 繱𑖿.8.
+N; 繱𑖿\u200D.8.; ; xn--1ug6928ac48e.8. # 繱𑖿.8.
+B; xn--gl0as212a.xn--8-o89h; [V6]; [V6]
+B; xn--1ug6928ac48e.xn--8-o89h; [V6]; [V6] # 繱𑖿.8︒
+B; 󠆾.𞀈; [V5 A4_2]; [V5 A4_2]
+B; 󠆾.𞀈; [V5 A4_2]; [V5 A4_2]
+B; .xn--ph4h; [V5 A4_2]; [V5 A4_2]
+T; ß\u06EB。\u200D; [C2]; xn--ss-59d. # ß۫.
+N; ß\u06EB。\u200D; [C2]; [C2] # ß۫.
+T; SS\u06EB。\u200D; [C2]; xn--ss-59d. # ss۫.
+N; SS\u06EB。\u200D; [C2]; [C2] # ss۫.
+T; ss\u06EB。\u200D; [C2]; xn--ss-59d. # ss۫.
+N; ss\u06EB。\u200D; [C2]; [C2] # ss۫.
+T; Ss\u06EB。\u200D; [C2]; xn--ss-59d. # ss۫.
+N; Ss\u06EB。\u200D; [C2]; [C2] # ss۫.
+B; xn--ss-59d.; ss\u06EB.; xn--ss-59d. # ss۫.
+B; ss\u06EB.; ; xn--ss-59d. # ss۫.
+B; SS\u06EB.; ss\u06EB.; xn--ss-59d. # ss۫.
+B; Ss\u06EB.; ss\u06EB.; xn--ss-59d. # ss۫.
+B; xn--ss-59d.xn--1ug; [C2]; [C2] # ss۫.
+B; xn--zca012a.xn--1ug; [C2]; [C2] # ß۫.
+T; \u200C⒈.; [C1 P1 V6]; [P1 V6] # ⒈.
+N; \u200C⒈.; [C1 P1 V6]; [C1 P1 V6] # ⒈.
+T; \u200C1..; [C1 P1 V6 A4_2]; [P1 V6 A4_2] # 1..
+N; \u200C1..; [C1 P1 V6 A4_2]; [C1 P1 V6 A4_2] # 1..
+B; xn--1-bs31m..xn--tv36e; [V6 A4_2]; [V6 A4_2]
+B; xn--1-rgn37671n..xn--tv36e; [C1 V6 A4_2]; [C1 V6 A4_2] # 1..
+B; xn--tshz2001k.xn--tv36e; [V6]; [V6]
+B; xn--0ug88o47900b.xn--tv36e; [C1 V6]; [C1 V6] # ⒈.
+T; \u065F\uAAB2ß。; [P1 V6]; [P1 V6] # ٟꪲß.
+N; \u065F\uAAB2ß。; [P1 V6]; [P1 V6] # ٟꪲß.
+B; \u065F\uAAB2SS。; [P1 V6]; [P1 V6] # ٟꪲss.
+B; \u065F\uAAB2ss。; [P1 V6]; [P1 V6] # ٟꪲss.
+B; \u065F\uAAB2Ss。; [P1 V6]; [P1 V6] # ٟꪲss.
+B; xn--ss-3xd2839nncy1m.xn--bb79d; [V6]; [V6] # ٟꪲss.
+B; xn--zca92z0t7n5w96j.xn--bb79d; [V6]; [V6] # ٟꪲß.
+T; \u0774\u200C𞤿。䉜\u200D; [C1 C2 P1 V6]; [P1 V6] # ݴ𞤿.䉜
+N; \u0774\u200C𞤿。䉜\u200D; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ݴ𞤿.䉜
+T; \u0774\u200C𞤝。䉜\u200D; [C1 C2 P1 V6]; [P1 V6] # ݴ𞤿.䉜
+N; \u0774\u200C𞤝。䉜\u200D; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ݴ𞤿.䉜
+B; xn--4pb2977v.xn--z0nt555ukbnv; [V6]; [V6] # ݴ𞤿.䉜
+B; xn--4pb607jjt73a.xn--1ug236ke314donv1a; [C1 C2 V6]; [C1 C2 V6] # ݴ𞤿.䉜
+T; ςᡱ⒈.≮𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # ςᡱ⒈.≮𑄳𐮍
+N; ςᡱ⒈.≮𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # ςᡱ⒈.≮𑄳𐮍
+T; ςᡱ⒈.<\u0338𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # ςᡱ⒈.≮𑄳𐮍
+N; ςᡱ⒈.<\u0338𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # ςᡱ⒈.≮𑄳𐮍
+T; ςᡱ1..≮𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ςᡱ1..≮𑄳𐮍
+N; ςᡱ1..≮𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ςᡱ1..≮𑄳𐮍
+T; ςᡱ1..<\u0338𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ςᡱ1..≮𑄳𐮍
+N; ςᡱ1..<\u0338𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ςᡱ1..≮𑄳𐮍
+T; Σᡱ1..<\u0338𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # σᡱ1..≮𑄳𐮍
+N; Σᡱ1..<\u0338𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # σᡱ1..≮𑄳𐮍
+T; Σᡱ1..≮𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # σᡱ1..≮𑄳𐮍
+N; Σᡱ1..≮𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # σᡱ1..≮𑄳𐮍
+T; σᡱ1..≮𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # σᡱ1..≮𑄳𐮍
+N; σᡱ1..≮𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # σᡱ1..≮𑄳𐮍
+T; σᡱ1..<\u0338𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # σᡱ1..≮𑄳𐮍
+N; σᡱ1..<\u0338𑄳\u200D𐮍; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # σᡱ1..≮𑄳𐮍
+B; xn--1-zmb699meq63t..xn--gdh5392g6sd; [B1 V6 A4_2]; [B1 V6 A4_2]
+B; xn--1-zmb699meq63t..xn--1ug85gn777ahze; [B1 V6 A4_2]; [B1 V6 A4_2] # σᡱ1..≮𑄳𐮍
+B; xn--1-xmb999meq63t..xn--1ug85gn777ahze; [B1 V6 A4_2]; [B1 V6 A4_2] # ςᡱ1..≮𑄳𐮍
+T; Σᡱ⒈.<\u0338𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # σᡱ⒈.≮𑄳𐮍
+N; Σᡱ⒈.<\u0338𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # σᡱ⒈.≮𑄳𐮍
+T; Σᡱ⒈.≮𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # σᡱ⒈.≮𑄳𐮍
+N; Σᡱ⒈.≮𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # σᡱ⒈.≮𑄳𐮍
+T; σᡱ⒈.≮𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # σᡱ⒈.≮𑄳𐮍
+N; σᡱ⒈.≮𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # σᡱ⒈.≮𑄳𐮍
+T; σᡱ⒈.<\u0338𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # σᡱ⒈.≮𑄳𐮍
+N; σᡱ⒈.<\u0338𑄳\u200D𐮍; [B1 P1 V6]; [B1 P1 V6] # σᡱ⒈.≮𑄳𐮍
+B; xn--4xa207hkzinr77u.xn--gdh5392g6sd; [B1 V6]; [B1 V6]
+B; xn--4xa207hkzinr77u.xn--1ug85gn777ahze; [B1 V6]; [B1 V6] # σᡱ⒈.≮𑄳𐮍
+B; xn--3xa407hkzinr77u.xn--1ug85gn777ahze; [B1 V6]; [B1 V6] # ςᡱ⒈.≮𑄳𐮍
+B; \u3164\u094DႠ\u17D0.\u180B; [P1 V6]; [P1 V6] # ्Ⴀ័.
+B; \u1160\u094DႠ\u17D0.\u180B; [P1 V6]; [P1 V6] # ्Ⴀ័.
+B; \u1160\u094Dⴀ\u17D0.\u180B; [P1 V6]; [P1 V6] # ्ⴀ័.
+B; xn--n3b742bkqf4ty.; [V6]; [V6] # ्ⴀ័.
+B; xn--n3b468aoqa89r.; [V6]; [V6] # ्Ⴀ័.
+B; \u3164\u094Dⴀ\u17D0.\u180B; [P1 V6]; [P1 V6] # ्ⴀ័.
+B; xn--n3b445e53po6d.; [V6]; [V6] # ्ⴀ័.
+B; xn--n3b468azngju2a.; [V6]; [V6] # ्Ⴀ័.
+T; ❣\u200D.\u09CD𑰽\u0612\uA929; [C2 V5]; [V5] # ❣.্𑰽ؒꤩ
+N; ❣\u200D.\u09CD𑰽\u0612\uA929; [C2 V5]; [C2 V5] # ❣.্𑰽ؒꤩ
+T; ❣\u200D.\u09CD𑰽\u0612\uA929; [C2 V5]; [V5] # ❣.্𑰽ؒꤩ
+N; ❣\u200D.\u09CD𑰽\u0612\uA929; [C2 V5]; [C2 V5] # ❣.্𑰽ؒꤩ
+B; xn--pei.xn--0fb32q3w7q2g4d; [V5]; [V5] # ❣.্𑰽ؒꤩ
+B; xn--1ugy10a.xn--0fb32q3w7q2g4d; [C2 V5]; [C2 V5] # ❣.্𑰽ؒꤩ
+B; ≮𐳺.≯ꡅ; [B1 P1 V6]; [B1 P1 V6]
+B; <\u0338𐳺.>\u0338ꡅ; [B1 P1 V6]; [B1 P1 V6]
+B; xn--gdh7943gk2a.xn--hdh1383c5e36c; [B1 V6]; [B1 V6]
+B; \u0CCC𐧅𐳏。\u0CCDᠦ; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ೌ𐧅𐳏.್ᠦ
+B; \u0CCC𐧅𐳏。\u0CCDᠦ; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ೌ𐧅𐳏.್ᠦ
+B; \u0CCC𐧅𐲏。\u0CCDᠦ; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ೌ𐧅𐳏.್ᠦ
+B; xn--7tc6360ky5bn2732c.xn--8tc429c; [B1 V5 V6]; [B1 V5 V6] # ೌ𐧅𐳏.್ᠦ
+B; \u0CCC𐧅𐲏。\u0CCDᠦ; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ೌ𐧅𐳏.್ᠦ
+B; \u0349。𧡫; [V5]; [V5] # ͉.𧡫
+B; xn--nua.xn--bc6k; [V5]; [V5] # ͉.𧡫
+B; 𑰿󠅦.\u1160; [P1 V5 V6]; [P1 V5 V6] # 𑰿.
+B; 𑰿󠅦.\u1160; [P1 V5 V6]; [P1 V5 V6] # 𑰿.
+B; xn--ok3d.xn--psd; [V5 V6]; [V5 V6] # 𑰿.
+T; -𞤆\u200D。; [B1 B5 B6 C2 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # -𞤨.
+N; -𞤆\u200D。; [B1 B5 B6 C2 P1 V3 V6]; [B1 B5 B6 C2 P1 V3 V6] # -𞤨.
+T; -𞤨\u200D。; [B1 B5 B6 C2 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # -𞤨.
+N; -𞤨\u200D。; [B1 B5 B6 C2 P1 V3 V6]; [B1 B5 B6 C2 P1 V3 V6] # -𞤨.
+B; xn----ni8r.xn--846h96596c; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6]
+B; xn----ugnx367r.xn--846h96596c; [B1 B5 B6 C2 V3 V6]; [B1 B5 B6 C2 V3 V6] # -𞤨.
+B; ꡏ≯。\u1DFD⾇滸𐹰; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ꡏ≯.᷽舛滸𐹰
+B; ꡏ>\u0338。\u1DFD⾇滸𐹰; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ꡏ≯.᷽舛滸𐹰
+B; ꡏ≯。\u1DFD舛滸𐹰; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ꡏ≯.᷽舛滸𐹰
+B; ꡏ>\u0338。\u1DFD舛滸𐹰; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ꡏ≯.᷽舛滸𐹰
+B; xn--hdh7483cu6twwki8e.xn--yfg0765a58l0n6k; [B1 V5 V6]; [B1 V5 V6] # ꡏ≯.᷽舛滸𐹰
+B; 蔏。𑰺; [V5]; [V5]
+B; 蔏。𑰺; [V5]; [V5]
+B; xn--uy1a.xn--jk3d; [V5]; [V5]
+B; 𝟿𐮋。󠄊; [B1]; [B1]
+B; 9𐮋。󠄊; [B1]; [B1]
+B; xn--9-rv5i.; [B1]; [B1]
+B; -䟖F。\u07CB⒈\u0662; [B4 P1 V6]; [B4 P1 V6] # -䟖f.ߋ⒈٢
+B; -䟖F。\u07CB1.\u0662; [B1 P1 V6]; [B1 P1 V6] # -䟖f.ߋ1.٢
+B; -䟖f。\u07CB1.\u0662; [B1 P1 V6]; [B1 P1 V6] # -䟖f.ߋ1.٢
+B; xn---f-mz8b08788k.xn--1-ybd.xn--bib; [B1 V6]; [B1 V6] # -䟖f.ߋ1.٢
+B; -䟖f。\u07CB⒈\u0662; [B4 P1 V6]; [B4 P1 V6] # -䟖f.ߋ⒈٢
+B; xn---f-mz8b08788k.xn--bib53ev44d; [B4 V6]; [B4 V6] # -䟖f.ߋ⒈٢
+T; \u200C。𐹺; [B1 C1]; [B1 A4_2] # .𐹺
+N; \u200C。𐹺; [B1 C1]; [B1 C1] # .𐹺
+T; \u200C。𐹺; [B1 C1]; [B1 A4_2] # .𐹺
+N; \u200C。𐹺; [B1 C1]; [B1 C1] # .𐹺
+B; .xn--yo0d; [B1 A4_2]; [B1 A4_2]
+B; xn--0ug.xn--yo0d; [B1 C1]; [B1 C1] # .𐹺
+T; 𐡆.≯\u200C-𞥀; [B1 C1 P1 V6]; [B1 P1 V6] # 𐡆.≯-𞥀
+N; 𐡆.≯\u200C-𞥀; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐡆.≯-𞥀
+T; 𐡆.>\u0338\u200C-𞥀; [B1 C1 P1 V6]; [B1 P1 V6] # 𐡆.≯-𞥀
+N; 𐡆.>\u0338\u200C-𞥀; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐡆.≯-𞥀
+T; 𐡆.>\u0338\u200C-𞤞; [B1 C1 P1 V6]; [B1 P1 V6] # 𐡆.≯-𞥀
+N; 𐡆.>\u0338\u200C-𞤞; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐡆.≯-𞥀
+T; 𐡆.≯\u200C-𞤞; [B1 C1 P1 V6]; [B1 P1 V6] # 𐡆.≯-𞥀
+N; 𐡆.≯\u200C-𞤞; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐡆.≯-𞥀
+B; xn--le9c.xn----ogo9956r; [B1 V6]; [B1 V6]
+B; xn--le9c.xn----rgn40iy359e; [B1 C1 V6]; [B1 C1 V6] # 𐡆.≯-𞥀
+B; -。≠\uFCD7; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.≠هج
+B; -。=\u0338\uFCD7; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.≠هج
+B; -。≠\u0647\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.≠هج
+B; -。=\u0338\u0647\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.≠هج
+B; xn----f411m.xn--rgb7c611j; [B1 V3 V6]; [B1 V3 V6] # -.≠هج
+T; 𑈵。\u200D; [B1 C2 P1 V6]; [P1 V6] # 𑈵.
+N; 𑈵。\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𑈵.
+B; xn--8g1d12120a.xn--5l6h; [V6]; [V6]
+B; xn--8g1d12120a.xn--1ug6651p; [B1 C2 V6]; [B1 C2 V6] # 𑈵.
+B; 𑋧\uA9C02。㧉; [P1 V5 V6]; [P1 V5 V6] # 𑋧꧀2.㧉
+B; 𑋧\uA9C02。㧉; [P1 V5 V6]; [P1 V5 V6] # 𑋧꧀2.㧉
+B; xn--2-5z4eu89y.xn--97l02706d; [V5 V6]; [V5 V6] # 𑋧꧀2.㧉
+T; \u200C𐹴。≯6; [B1 C1 P1 V6]; [B1 B5 B6 P1 V6] # 𐹴.≯6
+N; \u200C𐹴。≯6; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹴.≯6
+T; \u200C𐹴。>\u03386; [B1 C1 P1 V6]; [B1 B5 B6 P1 V6] # 𐹴.≯6
+N; \u200C𐹴。>\u03386; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹴.≯6
+B; xn--so0du768aim9m.xn--6-ogo; [B1 B5 B6 V6]; [B1 B5 B6 V6]
+B; xn--0ug7105gf5wfxepq.xn--6-ogo; [B1 C1 V6]; [B1 C1 V6] # 𐹴.≯6
+T; 𑁿.𐹦-\u200D; [B1 B3 B6 C2 P1 V5 V6]; [B1 B3 B6 P1 V3 V5 V6] # 𑁿.𐹦-
+N; 𑁿.𐹦-\u200D; [B1 B3 B6 C2 P1 V5 V6]; [B1 B3 B6 C2 P1 V5 V6] # 𑁿.𐹦-
+T; 𑁿.𐹦-\u200D; [B1 B3 B6 C2 P1 V5 V6]; [B1 B3 B6 P1 V3 V5 V6] # 𑁿.𐹦-
+N; 𑁿.𐹦-\u200D; [B1 B3 B6 C2 P1 V5 V6]; [B1 B3 B6 C2 P1 V5 V6] # 𑁿.𐹦-
+B; xn--q30d.xn----i26i1299n; [B1 B3 B6 V3 V5 V6]; [B1 B3 B6 V3 V5 V6]
+B; xn--q30d.xn----ugn1088hfsxv; [B1 B3 B6 C2 V5 V6]; [B1 B3 B6 C2 V5 V6] # 𑁿.𐹦-
+T; ⤸ς。\uFFA0; [P1 V6]; [P1 V6] # ⤸ς.
+N; ⤸ς。\uFFA0; [P1 V6]; [P1 V6] # ⤸ς.
+T; ⤸ς。\u1160; [P1 V6]; [P1 V6] # ⤸ς.
+N; ⤸ς。\u1160; [P1 V6]; [P1 V6] # ⤸ς.
+B; ⤸Σ。\u1160; [P1 V6]; [P1 V6] # ⤸σ.
+B; ⤸σ。\u1160; [P1 V6]; [P1 V6] # ⤸σ.
+B; xn--4xa192qmp03d.xn--psd; [V6]; [V6] # ⤸σ.
+B; xn--3xa392qmp03d.xn--psd; [V6]; [V6] # ⤸ς.
+B; ⤸Σ。\uFFA0; [P1 V6]; [P1 V6] # ⤸σ.
+B; ⤸σ。\uFFA0; [P1 V6]; [P1 V6] # ⤸σ.
+B; xn--4xa192qmp03d.xn--cl7c; [V6]; [V6] # ⤸σ.
+B; xn--3xa392qmp03d.xn--cl7c; [V6]; [V6] # ⤸ς.
+B; \u0765\u1035𐫔\u06D5.𐦬𑋪Ⴃ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ݥဵ𐫔ە.𐦬𑋪Ⴃ
+B; \u0765\u1035𐫔\u06D5.𐦬𑋪ⴃ; [B2 B3]; [B2 B3] # ݥဵ𐫔ە.𐦬𑋪ⴃ
+B; xn--llb10as9tqp5y.xn--ukj7371e21f; [B2 B3]; [B2 B3] # ݥဵ𐫔ە.𐦬𑋪ⴃ
+B; xn--llb10as9tqp5y.xn--bnd9168j21f; [B2 B3 V6]; [B2 B3 V6] # ݥဵ𐫔ە.𐦬𑋪Ⴃ
+B; \u0661\u1B44-킼.\u1BAA\u0616\u066C≯; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ١᭄-킼.᮪ؖ٬≯
+B; \u0661\u1B44-킼.\u1BAA\u0616\u066C>\u0338; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ١᭄-킼.᮪ؖ٬≯
+B; xn----9pc551nk39n.xn--4fb6o571degg; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ١᭄-킼.᮪ؖ٬≯
+B; -。\u06C2\u0604𑓂; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -.ۂ𑓂
+B; -。\u06C1\u0654\u0604𑓂; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -.ۂ𑓂
+B; -.xn--mfb39a7208dzgs3d; [B1 B2 B3 V3 V6]; [B1 B2 B3 V3 V6] # -.ۂ𑓂
+T; \u200D.\u05BDꡝ𐋡; [C2 P1 V5 V6]; [P1 V5 V6] # .ֽꡝ𐋡
+N; \u200D.\u05BDꡝ𐋡; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .ֽꡝ𐋡
+T; \u200D.\u05BDꡝ𐋡; [C2 P1 V5 V6]; [P1 V5 V6] # .ֽꡝ𐋡
+N; \u200D.\u05BDꡝ𐋡; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .ֽꡝ𐋡
+B; xn--b726ey18m.xn--ldb8734fg0qcyzzg; [V5 V6]; [V5 V6] # .ֽꡝ𐋡
+B; xn--1ug66101lt8me.xn--ldb8734fg0qcyzzg; [C2 V5 V6]; [C2 V5 V6] # .ֽꡝ𐋡
+T; ︒ς。𐮈; [B1 P1 V6]; [B1 P1 V6]
+N; ︒ς。𐮈; [B1 P1 V6]; [B1 P1 V6]
+T; 。ς。𐮈; [P1 V6 A4_2]; [P1 V6 A4_2]
+N; 。ς。𐮈; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; 。Σ。𐮈; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; 。σ。𐮈; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; .xn--4xa68573c7n64d.xn--f29c; [V6 A4_2]; [V6 A4_2]
+B; .xn--3xa88573c7n64d.xn--f29c; [V6 A4_2]; [V6 A4_2]
+B; ︒Σ。𐮈; [B1 P1 V6]; [B1 P1 V6]
+B; ︒σ。𐮈; [B1 P1 V6]; [B1 P1 V6]
+B; xn--4xa1729jwz5t7gl5f.xn--f29c; [B1 V6]; [B1 V6]
+B; xn--3xa3729jwz5t7gl5f.xn--f29c; [B1 V6]; [B1 V6]
+B; \u07D9.\u06EE≯󠅲; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ߙ.ۮ≯
+B; \u07D9.\u06EE>\u0338󠅲; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ߙ.ۮ≯
+B; \u07D9.\u06EE≯󠅲; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ߙ.ۮ≯
+B; \u07D9.\u06EE>\u0338󠅲; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ߙ.ۮ≯
+B; xn--0sb.xn--bmb691l0524t; [B2 B3 V6]; [B2 B3 V6] # ߙ.ۮ≯
+B; \u1A73.𐭍; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ᩳ.𐭍
+B; xn--2of22352n.xn--q09c; [B1 V5 V6]; [B1 V5 V6] # ᩳ.𐭍
+B; ⒉≠。Ⴟ⬣Ⴈ; [P1 V6]; [P1 V6]
+B; ⒉=\u0338。Ⴟ⬣Ⴈ; [P1 V6]; [P1 V6]
+B; 2.≠。Ⴟ⬣Ⴈ; [P1 V6]; [P1 V6]
+B; 2.=\u0338。Ⴟ⬣Ⴈ; [P1 V6]; [P1 V6]
+B; 2.=\u0338。ⴟ⬣ⴈ; [P1 V6]; [P1 V6]
+B; 2.≠。ⴟ⬣ⴈ; [P1 V6]; [P1 V6]
+B; 2.xn--1chz4101l.xn--45iz7d6b; [V6]; [V6]
+B; 2.xn--1chz4101l.xn--gnd9b297j; [V6]; [V6]
+B; ⒉=\u0338。ⴟ⬣ⴈ; [P1 V6]; [P1 V6]
+B; ⒉≠。ⴟ⬣ⴈ; [P1 V6]; [P1 V6]
+B; xn--1ch07f91401d.xn--45iz7d6b; [V6]; [V6]
+B; xn--1ch07f91401d.xn--gnd9b297j; [V6]; [V6]
+B; -\u0FB8Ⴥ。-𐹽\u0774𞣑; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ྸჅ.-𐹽ݴ𞣑
+B; -\u0FB8ⴥ。-𐹽\u0774𞣑; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ྸⴥ.-𐹽ݴ𞣑
+B; xn----xmg317tgv352a.xn----05c4213ryr0g; [B1 V3 V6]; [B1 V3 V6] # -ྸⴥ.-𐹽ݴ𞣑
+B; xn----xmg12fm2555h.xn----05c4213ryr0g; [B1 V3 V6]; [B1 V3 V6] # -ྸჅ.-𐹽ݴ𞣑
+B; \u0659。𑄴︒\u0627\u07DD; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ٙ.𑄴︒اߝ
+B; \u0659。𑄴。\u0627\u07DD; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ٙ.𑄴.اߝ
+B; xn--1hb.xn--w80d.xn--mgb09f; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ٙ.𑄴.اߝ
+B; xn--1hb.xn--mgb09fp820c08pa; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # ٙ.𑄴︒اߝ
+T; Ⴙ\u0638.󠆓\u200D; [B1 B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # Ⴙظ.
+N; Ⴙ\u0638.󠆓\u200D; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 C2 P1 V6] # Ⴙظ.
+T; ⴙ\u0638.󠆓\u200D; [B1 B5 B6 C2]; [B5 B6] # ⴙظ.
+N; ⴙ\u0638.󠆓\u200D; [B1 B5 B6 C2]; [B1 B5 B6 C2] # ⴙظ.
+B; xn--3gb910r.; [B5 B6]; [B5 B6] # ⴙظ.
+B; xn--3gb910r.xn--1ug; [B1 B5 B6 C2]; [B1 B5 B6 C2] # ⴙظ.
+B; xn--3gb194c.; [B5 B6 V6]; [B5 B6 V6] # Ⴙظ.
+B; xn--3gb194c.xn--1ug; [B1 B5 B6 C2 V6]; [B1 B5 B6 C2 V6] # Ⴙظ.
+B; 󠆸。₆0𐺧\u0756; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # .60ݖ
+B; 󠆸。60𐺧\u0756; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # .60ݖ
+B; .xn--60-cke9470y; [B1 V6 A4_2]; [B1 V6 A4_2] # .60ݖ
+B; 6\u084F。-𑈴; [B1 V3]; [B1 V3] # 6ࡏ.-𑈴
+B; 6\u084F。-𑈴; [B1 V3]; [B1 V3] # 6ࡏ.-𑈴
+B; xn--6-jjd.xn----6n8i; [B1 V3]; [B1 V3] # 6ࡏ.-𑈴
+T; \u200D𐹰。\u0ACDς\u08D6; [B1 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𐹰.્ςࣖ
+N; \u200D𐹰。\u0ACDς\u08D6; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹰.્ςࣖ
+T; \u200D𐹰。\u0ACDς\u08D6; [B1 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𐹰.્ςࣖ
+N; \u200D𐹰。\u0ACDς\u08D6; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹰.્ςࣖ
+T; \u200D𐹰。\u0ACDΣ\u08D6; [B1 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𐹰.્σࣖ
+N; \u200D𐹰。\u0ACDΣ\u08D6; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹰.્σࣖ
+T; \u200D𐹰。\u0ACDσ\u08D6; [B1 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𐹰.્σࣖ
+N; \u200D𐹰。\u0ACDσ\u08D6; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹰.્σࣖ
+B; xn--oo0d1330n.xn--4xa21xcwbfz15g; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # 𐹰.્σࣖ
+B; xn--1ugx105gq26y.xn--4xa21xcwbfz15g; [B1 C2 V5 V6]; [B1 C2 V5 V6] # 𐹰.્σࣖ
+B; xn--1ugx105gq26y.xn--3xa41xcwbfz15g; [B1 C2 V5 V6]; [B1 C2 V5 V6] # 𐹰.્ςࣖ
+T; \u200D𐹰。\u0ACDΣ\u08D6; [B1 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𐹰.્σࣖ
+N; \u200D𐹰。\u0ACDΣ\u08D6; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹰.્σࣖ
+T; \u200D𐹰。\u0ACDσ\u08D6; [B1 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𐹰.્σࣖ
+N; \u200D𐹰。\u0ACDσ\u08D6; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹰.્σࣖ
+B; ⒈Ⴓ⒪.\u0DCA\u088B𐹢; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ⒈Ⴓ⒪.්𐹢
+B; 1.Ⴓ(o).\u0DCA\u088B𐹢; [B1 B6 P1 V5 V6]; [B1 B6 P1 V5 V6] # 1.Ⴓ(o).්𐹢
+B; 1.ⴓ(o).\u0DCA\u088B𐹢; [B1 B6 P1 V5 V6]; [B1 B6 P1 V5 V6] # 1.ⴓ(o).්𐹢
+B; 1.Ⴓ(O).\u0DCA\u088B𐹢; [B1 B6 P1 V5 V6]; [B1 B6 P1 V5 V6] # 1.Ⴓ(o).්𐹢
+B; 1.xn--(o)-7sn88849j.xn--3xb99xpx1yoes3e; [B1 B6 P1 V5 V6]; [B1 B6 P1 V5 V6] # 1.Ⴓ(o).්𐹢
+B; 1.xn--(o)-ej1bu5389e.xn--3xb99xpx1yoes3e; [B1 B6 P1 V5 V6]; [B1 B6 P1 V5 V6] # 1.ⴓ(o).්𐹢
+B; ⒈ⴓ⒪.\u0DCA\u088B𐹢; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ⒈ⴓ⒪.්𐹢
+B; xn--tsh0ds63atl31n.xn--3xb99xpx1yoes3e; [B1 V5 V6]; [B1 V5 V6] # ⒈ⴓ⒪.්𐹢
+B; xn--rnd762h7cx3027d.xn--3xb99xpx1yoes3e; [B1 V5 V6]; [B1 V5 V6] # ⒈Ⴓ⒪.්𐹢
+B; 𞤷.𐮐𞢁𐹠\u0624; ; xn--ve6h.xn--jgb1694kz0b2176a; NV8 # 𞤷.𐮐𞢁𐹠ؤ
+B; 𞤷.𐮐𞢁𐹠\u0648\u0654; 𞤷.𐮐𞢁𐹠\u0624; xn--ve6h.xn--jgb1694kz0b2176a; NV8 # 𞤷.𐮐𞢁𐹠ؤ
+B; 𞤕.𐮐𞢁𐹠\u0648\u0654; 𞤷.𐮐𞢁𐹠\u0624; xn--ve6h.xn--jgb1694kz0b2176a; NV8 # 𞤷.𐮐𞢁𐹠ؤ
+B; 𞤕.𐮐𞢁𐹠\u0624; 𞤷.𐮐𞢁𐹠\u0624; xn--ve6h.xn--jgb1694kz0b2176a; NV8 # 𞤷.𐮐𞢁𐹠ؤ
+B; xn--ve6h.xn--jgb1694kz0b2176a; 𞤷.𐮐𞢁𐹠\u0624; xn--ve6h.xn--jgb1694kz0b2176a; NV8 # 𞤷.𐮐𞢁𐹠ؤ
+B; 𐲈-。𑄳; [B1 B3 P1 V3 V5 V6]; [B1 B3 P1 V3 V5 V6]
+B; 𐲈-。𑄳; [B1 B3 P1 V3 V5 V6]; [B1 B3 P1 V3 V5 V6]
+B; 𐳈-。𑄳; [B1 B3 P1 V3 V5 V6]; [B1 B3 P1 V3 V5 V6]
+B; xn----ue6i.xn--v80d6662t; [B1 B3 V3 V5 V6]; [B1 B3 V3 V5 V6]
+B; 𐳈-。𑄳; [B1 B3 P1 V3 V5 V6]; [B1 B3 P1 V3 V5 V6]
+B; -ꡧ.🄉; [P1 V3 V6]; [P1 V3 V6]
+B; -ꡧ.8,; [P1 V3 V6]; [P1 V3 V6]
+B; xn----hg4ei0361g.xn--8,-k362evu488a; [P1 V3 V6]; [P1 V3 V6]
+B; xn----hg4ei0361g.xn--207ht163h7m94c; [V3 V6]; [V3 V6]
+B; 臯𧔤.\u0768𝟝; [B1 P1 V6]; [B1 P1 V6] # 臯𧔤.ݨ5
+B; 臯𧔤.\u07685; [B1 P1 V6]; [B1 P1 V6] # 臯𧔤.ݨ5
+B; xn--zb1at733hm579ddhla.xn--5-b5c; [B1 V6]; [B1 V6] # 臯𧔤.ݨ5
+B; ≮𐹣.𝨿; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6]
+B; <\u0338𐹣.𝨿; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6]
+B; ≮𐹣.𝨿; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6]
+B; <\u0338𐹣.𝨿; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6]
+B; xn--gdh1504g.xn--e92h; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6]
+B; 𐹯ᯛ\u0A4D。脥; [B1]; [B1] # 𐹯ᯛ੍.脥
+B; 𐹯ᯛ\u0A4D。脥; [B1]; [B1] # 𐹯ᯛ੍.脥
+B; xn--ybc101g3m1p.xn--740a; [B1]; [B1] # 𐹯ᯛ੍.脥
+B; \u1B44\u115F.-; [B1 B5 P1 V3 V5 V6]; [B1 B5 P1 V3 V5 V6] # ᭄.-
+B; xn--osd971cpx70btgt8b.-; [B1 B5 V3 V5 V6]; [B1 B5 V3 V5 V6] # ᭄.-
+T; \u200C。\u0354; [C1 V5]; [V5 A4_2] # .͔
+N; \u200C。\u0354; [C1 V5]; [C1 V5] # .͔
+T; \u200C。\u0354; [C1 V5]; [V5 A4_2] # .͔
+N; \u200C。\u0354; [C1 V5]; [C1 V5] # .͔
+B; .xn--yua; [V5 A4_2]; [V5 A4_2] # .͔
+B; xn--0ug.xn--yua; [C1 V5]; [C1 V5] # .͔
+B; 𞤥󠅮.ᡄႮ; [P1 V6]; [P1 V6]
+B; 𞤥󠅮.ᡄႮ; [P1 V6]; [P1 V6]
+B; 𞤥󠅮.ᡄⴎ; 𞤥.ᡄⴎ; xn--de6h.xn--37e857h
+B; 𞤃󠅮.ᡄႮ; [P1 V6]; [P1 V6]
+B; 𞤃󠅮.ᡄⴎ; 𞤥.ᡄⴎ; xn--de6h.xn--37e857h
+B; xn--de6h.xn--37e857h; 𞤥.ᡄⴎ; xn--de6h.xn--37e857h
+B; 𞤥.ᡄⴎ; ; xn--de6h.xn--37e857h
+B; 𞤃.ᡄႮ; [P1 V6]; [P1 V6]
+B; 𞤃.ᡄⴎ; 𞤥.ᡄⴎ; xn--de6h.xn--37e857h
+B; xn--de6h.xn--mnd799a; [V6]; [V6]
+B; 𞤥󠅮.ᡄⴎ; 𞤥.ᡄⴎ; xn--de6h.xn--37e857h
+B; 𞤃󠅮.ᡄႮ; [P1 V6]; [P1 V6]
+B; 𞤃󠅮.ᡄⴎ; 𞤥.ᡄⴎ; xn--de6h.xn--37e857h
+B; 𞤥.ᡄႮ; [P1 V6]; [P1 V6]
+B; 𞤧𝨨Ξ.𪺏㛨❸; [B2 B3 B6]; [B2 B3 B6]
+B; 𞤧𝨨Ξ.𪺏㛨❸; [B2 B3 B6]; [B2 B3 B6]
+B; 𞤧𝨨ξ.𪺏㛨❸; [B2 B3 B6]; [B2 B3 B6]
+B; 𞤅𝨨Ξ.𪺏㛨❸; [B2 B3 B6]; [B2 B3 B6]
+B; 𞤅𝨨ξ.𪺏㛨❸; [B2 B3 B6]; [B2 B3 B6]
+B; xn--zxa5691vboja.xn--bfi293ci119b; [B2 B3 B6]; [B2 B3 B6]
+B; 𞤧𝨨ξ.𪺏㛨❸; [B2 B3 B6]; [B2 B3 B6]
+B; 𞤅𝨨Ξ.𪺏㛨❸; [B2 B3 B6]; [B2 B3 B6]
+B; 𞤅𝨨ξ.𪺏㛨❸; [B2 B3 B6]; [B2 B3 B6]
+T; ᠆몆\u200C-。Ⴛ𐦅︒; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # ᠆몆-.Ⴛ𐦅︒
+N; ᠆몆\u200C-。Ⴛ𐦅︒; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 C1 P1 V3 V6] # ᠆몆-.Ⴛ𐦅︒
+T; ᠆몆\u200C-。Ⴛ𐦅︒; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # ᠆몆-.Ⴛ𐦅︒
+N; ᠆몆\u200C-。Ⴛ𐦅︒; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 C1 P1 V3 V6] # ᠆몆-.Ⴛ𐦅︒
+T; ᠆몆\u200C-。Ⴛ𐦅。; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # ᠆몆-.Ⴛ𐦅.
+N; ᠆몆\u200C-。Ⴛ𐦅。; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 C1 P1 V3 V6] # ᠆몆-.Ⴛ𐦅.
+T; ᠆몆\u200C-。Ⴛ𐦅。; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # ᠆몆-.Ⴛ𐦅.
+N; ᠆몆\u200C-。Ⴛ𐦅。; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 C1 P1 V3 V6] # ᠆몆-.Ⴛ𐦅.
+T; ᠆몆\u200C-。ⴛ𐦅。; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # ᠆몆-.ⴛ𐦅.
+N; ᠆몆\u200C-。ⴛ𐦅。; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 C1 P1 V3 V6] # ᠆몆-.ⴛ𐦅.
+T; ᠆몆\u200C-。ⴛ𐦅。; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # ᠆몆-.ⴛ𐦅.
+N; ᠆몆\u200C-。ⴛ𐦅。; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 C1 P1 V3 V6] # ᠆몆-.ⴛ𐦅.
+B; xn----e3j6620g.xn--jlju661e.; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6]
+B; xn----e3j425bsk1o.xn--jlju661e.; [B1 B5 B6 C1 V3 V6]; [B1 B5 B6 C1 V3 V6] # ᠆몆-.ⴛ𐦅.
+B; xn----e3j6620g.xn--znd4948j.; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6]
+B; xn----e3j425bsk1o.xn--znd4948j.; [B1 B5 B6 C1 V3 V6]; [B1 B5 B6 C1 V3 V6] # ᠆몆-.Ⴛ𐦅.
+T; ᠆몆\u200C-。ⴛ𐦅︒; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # ᠆몆-.ⴛ𐦅︒
+N; ᠆몆\u200C-。ⴛ𐦅︒; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 C1 P1 V3 V6] # ᠆몆-.ⴛ𐦅︒
+T; ᠆몆\u200C-。ⴛ𐦅︒; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # ᠆몆-.ⴛ𐦅︒
+N; ᠆몆\u200C-。ⴛ𐦅︒; [B1 B5 B6 C1 P1 V3 V6]; [B1 B5 B6 C1 P1 V3 V6] # ᠆몆-.ⴛ𐦅︒
+B; xn----e3j6620g.xn--jlj4997dhgh; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6]
+B; xn----e3j425bsk1o.xn--jlj4997dhgh; [B1 B5 B6 C1 V3 V6]; [B1 B5 B6 C1 V3 V6] # ᠆몆-.ⴛ𐦅︒
+B; xn----e3j6620g.xn--znd2362jhgh; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6]
+B; xn----e3j425bsk1o.xn--znd2362jhgh; [B1 B5 B6 C1 V3 V6]; [B1 B5 B6 C1 V3 V6] # ᠆몆-.Ⴛ𐦅︒
+T; .︒⥱\u200C𐹬; [B1 C1 P1 V6]; [B1 P1 V6] # .︒⥱𐹬
+N; .︒⥱\u200C𐹬; [B1 C1 P1 V6]; [B1 C1 P1 V6] # .︒⥱𐹬
+T; .。⥱\u200C𐹬; [B1 C1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ..⥱𐹬
+N; .。⥱\u200C𐹬; [B1 C1 P1 V6 A4_2]; [B1 C1 P1 V6 A4_2] # ..⥱𐹬
+B; xn--uf66e..xn--qti2829e; [B1 V6 A4_2]; [B1 V6 A4_2]
+B; xn--uf66e..xn--0ugz28as66q; [B1 C1 V6 A4_2]; [B1 C1 V6 A4_2] # ..⥱𐹬
+B; xn--uf66e.xn--qtiz073e3ik; [B1 V6]; [B1 V6]
+B; xn--uf66e.xn--0ugz28axl3pqxna; [B1 C1 V6]; [B1 C1 V6] # .︒⥱𐹬
+B; .𐹠Ⴑ𐫊; [B1 P1 V6]; [B1 P1 V6]
+B; .𐹠ⴑ𐫊; [B1 P1 V6]; [B1 P1 V6]
+B; xn--n49c.xn--8kj8702ewicl862o; [B1 V6]; [B1 V6]
+B; xn--n49c.xn--pnd4619jwicl862o; [B1 V6]; [B1 V6]
+B; \u0FA4.𝟭Ⴛ; [P1 V5 V6]; [P1 V5 V6] # ྤ.1Ⴛ
+B; \u0FA4.1Ⴛ; [P1 V5 V6]; [P1 V5 V6] # ྤ.1Ⴛ
+B; \u0FA4.1ⴛ; [P1 V5 V6]; [P1 V5 V6] # ྤ.1ⴛ
+B; xn--0fd40533g.xn--1-tws; [V5 V6]; [V5 V6] # ྤ.1ⴛ
+B; xn--0fd40533g.xn--1-q1g; [V5 V6]; [V5 V6] # ྤ.1Ⴛ
+B; \u0FA4.𝟭ⴛ; [P1 V5 V6]; [P1 V5 V6] # ྤ.1ⴛ
+B; -\u0826齀。릿; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # -ࠦ齀.릿
+B; -\u0826齀。릿; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # -ࠦ齀.릿
+B; xn----6gd0617i.xn--7y2bm55m; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6] # -ࠦ齀.릿
+T; \u071C鹝꾗。\u200D\u200D⏃; [B1 B6 C2 P1 V6]; [B1 B6 P1 V6] # ܜ鹝꾗.⏃
+N; \u071C鹝꾗。\u200D\u200D⏃; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ܜ鹝꾗.⏃
+T; \u071C鹝꾗。\u200D\u200D⏃; [B1 B6 C2 P1 V6]; [B1 B6 P1 V6] # ܜ鹝꾗.⏃
+N; \u071C鹝꾗。\u200D\u200D⏃; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ܜ鹝꾗.⏃
+B; xn--mnb6558e91kyq533a.xn--6mh27269e; [B1 B6 V6]; [B1 B6 V6] # ܜ鹝꾗.⏃
+B; xn--mnb6558e91kyq533a.xn--1uga46zs309y; [B1 B6 C2 V6]; [B1 B6 C2 V6] # ܜ鹝꾗.⏃
+B; ≮.-\u0708--; [B1 P1 V2 V3 V6]; [B1 P1 V2 V3 V6] # ≮.-܈--
+B; <\u0338.-\u0708--; [B1 P1 V2 V3 V6]; [B1 P1 V2 V3 V6] # ≮.-܈--
+B; ≮.-\u0708--; [B1 P1 V2 V3 V6]; [B1 P1 V2 V3 V6] # ≮.-܈--
+B; <\u0338.-\u0708--; [B1 P1 V2 V3 V6]; [B1 P1 V2 V3 V6] # ≮.-܈--
+B; xn--gdh.xn------eqf; [B1 V2 V3 V6]; [B1 V2 V3 V6] # ≮.-܈--
+T; 𐹸。\u200Dς𝟩; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹸.ς7
+N; 𐹸。\u200Dς𝟩; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹸.ς7
+T; 𐹸。\u200Dς7; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹸.ς7
+N; 𐹸。\u200Dς7; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹸.ς7
+T; 𐹸。\u200DΣ7; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹸.σ7
+N; 𐹸。\u200DΣ7; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹸.σ7
+T; 𐹸。\u200Dσ7; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹸.σ7
+N; 𐹸。\u200Dσ7; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹸.σ7
+B; xn--wo0di5177c.xn--7-zmb; [B1 V6]; [B1 V6]
+B; xn--wo0di5177c.xn--7-zmb938s; [B1 C2 V6]; [B1 C2 V6] # 𐹸.σ7
+B; xn--wo0di5177c.xn--7-xmb248s; [B1 C2 V6]; [B1 C2 V6] # 𐹸.ς7
+T; 𐹸。\u200DΣ𝟩; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹸.σ7
+N; 𐹸。\u200DΣ𝟩; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹸.σ7
+T; 𐹸。\u200Dσ𝟩; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹸.σ7
+N; 𐹸。\u200Dσ𝟩; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹸.σ7
+T; ς8.; [P1 V6]; [P1 V6]
+N; ς8.; [P1 V6]; [P1 V6]
+T; ς8.; [P1 V6]; [P1 V6]
+N; ς8.; [P1 V6]; [P1 V6]
+B; Σ8.; [P1 V6]; [P1 V6]
+B; σ8.; [P1 V6]; [P1 V6]
+B; xn--8-zmb14974n.xn--su6h; [V6]; [V6]
+B; xn--8-xmb44974n.xn--su6h; [V6]; [V6]
+B; Σ8.; [P1 V6]; [P1 V6]
+B; σ8.; [P1 V6]; [P1 V6]
+T; \u200Cᡑ🄀\u0684.-𐫄𑲤; [B1 C1 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # ᡑ🄀ڄ.-𐫄𑲤
+N; \u200Cᡑ🄀\u0684.-𐫄𑲤; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # ᡑ🄀ڄ.-𐫄𑲤
+T; \u200Cᡑ0.\u0684.-𐫄𑲤; [B1 C1 V3]; [B1 V3] # ᡑ0.ڄ.-𐫄𑲤
+N; \u200Cᡑ0.\u0684.-𐫄𑲤; [B1 C1 V3]; [B1 C1 V3] # ᡑ0.ڄ.-𐫄𑲤
+B; xn--0-o7j.xn--9ib.xn----ek5i065b; [B1 V3]; [B1 V3] # ᡑ0.ڄ.-𐫄𑲤
+B; xn--0-o7j263b.xn--9ib.xn----ek5i065b; [B1 C1 V3]; [B1 C1 V3] # ᡑ0.ڄ.-𐫄𑲤
+B; xn--9ib722gbw95a.xn----ek5i065b; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6] # ᡑ🄀ڄ.-𐫄𑲤
+B; xn--9ib722gvtfi563c.xn----ek5i065b; [B1 C1 V3 V6]; [B1 C1 V3 V6] # ᡑ🄀ڄ.-𐫄𑲤
+B; 𖠍。넯; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; 𖠍。넯; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; xn--4e9e.xn--l60bj21opd57g; [B2 B3 V6]; [B2 B3 V6]
+B; ᠇Ⴘ。\u0603Ⴈ𝆊; [B1 P1 V6]; [B1 P1 V6] # ᠇Ⴘ.Ⴈ𝆊
+B; ᠇ⴘ。\u0603ⴈ𝆊; [B1 P1 V6]; [B1 P1 V6] # ᠇ⴘ.ⴈ𝆊
+B; xn--d6e009h.xn--lfb290rfu3z; [B1 V6]; [B1 V6] # ᠇ⴘ.ⴈ𝆊
+B; xn--wnd558a.xn--lfb465c1v87a; [B1 V6]; [B1 V6] # ᠇Ⴘ.Ⴈ𝆊
+B; ⒚𞤰。牣\u0667Ⴜᣥ; [B1 B5 P1 V6]; [B1 B5 P1 V6] # ⒚𞤰.牣٧Ⴜᣥ
+B; 19.𞤰。牣\u0667Ⴜᣥ; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 19.𞤰.牣٧Ⴜᣥ
+B; 19.𞤰。牣\u0667ⴜᣥ; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 19.𞤰.牣٧ⴜᣥ
+B; 19.𞤎。牣\u0667Ⴜᣥ; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 19.𞤰.牣٧Ⴜᣥ
+B; 19.xn--oe6h75760c.xn--gib404ccxgh00h; [B1 B5 V6]; [B1 B5 V6] # 19.𞤰.牣٧Ⴜᣥ
+B; 19.xn--oe6h75760c.xn--gib285gtxo2l9d; [B1 B5 V6]; [B1 B5 V6] # 19.𞤰.牣٧ⴜᣥ
+B; ⒚𞤰。牣\u0667ⴜᣥ; [B1 B5 P1 V6]; [B1 B5 P1 V6] # ⒚𞤰.牣٧ⴜᣥ
+B; ⒚𞤎。牣\u0667Ⴜᣥ; [B1 B5 P1 V6]; [B1 B5 P1 V6] # ⒚𞤰.牣٧Ⴜᣥ
+B; xn--cthy466n29j3e.xn--gib404ccxgh00h; [B1 B5 V6]; [B1 B5 V6] # ⒚𞤰.牣٧Ⴜᣥ
+B; xn--cthy466n29j3e.xn--gib285gtxo2l9d; [B1 B5 V6]; [B1 B5 V6] # ⒚𞤰.牣٧ⴜᣥ
+B; -𐋱𐰽⒈.Ⴓ; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; -𐋱𐰽1..Ⴓ; [B1 P1 V3 V6 A4_2]; [B1 P1 V3 V6 A4_2]
+B; -𐋱𐰽1..ⴓ; [B1 V3 A4_2]; [B1 V3 A4_2]
+B; xn---1-895nq11a..xn--blj; [B1 V3 A4_2]; [B1 V3 A4_2]
+B; xn---1-895nq11a..xn--rnd; [B1 V3 V6 A4_2]; [B1 V3 V6 A4_2]
+B; -𐋱𐰽⒈.ⴓ; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; xn----ecp0206g90h.xn--blj; [B1 V3 V6]; [B1 V3 V6]
+B; xn----ecp0206g90h.xn--rnd; [B1 V3 V6]; [B1 V3 V6]
+T; \u200C긃.榶-; [C1 V3]; [V3] # 긃.榶-
+N; \u200C긃.榶-; [C1 V3]; [C1 V3] # 긃.榶-
+T; \u200C긃.榶-; [C1 V3]; [V3] # 긃.榶-
+N; \u200C긃.榶-; [C1 V3]; [C1 V3] # 긃.榶-
+B; xn--ej0b.xn----d87b; [V3]; [V3]
+B; xn--0ug3307c.xn----d87b; [C1 V3]; [C1 V3] # 긃.榶-
+T; 뉓泓.\u09CD\u200D; [P1 V5 V6]; [P1 V5 V6] # 뉓泓.্
+N; 뉓泓.\u09CD\u200D; [P1 V5 V6]; [P1 V5 V6] # 뉓泓.্
+T; 뉓泓.\u09CD\u200D; [P1 V5 V6]; [P1 V5 V6] # 뉓泓.্
+N; 뉓泓.\u09CD\u200D; [P1 V5 V6]; [P1 V5 V6] # 뉓泓.্
+B; xn--lwwp69lqs7m.xn--b7b; [V5 V6]; [V5 V6] # 뉓泓.্
+B; xn--lwwp69lqs7m.xn--b7b605i; [V5 V6]; [V5 V6] # 뉓泓.্
+T; \u200D𐹴ß。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # 𐹴ß.ິ
+N; \u200D𐹴ß。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹴ß.ິ
+T; \u200D𐹴ß。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # 𐹴ß.ິ
+N; \u200D𐹴ß。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹴ß.ິ
+T; \u200D𐹴SS。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # 𐹴ss.ິ
+N; \u200D𐹴SS。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹴ss.ິ
+T; \u200D𐹴ss。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # 𐹴ss.ິ
+N; \u200D𐹴ss。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹴ss.ິ
+T; \u200D𐹴Ss。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # 𐹴ss.ິ
+N; \u200D𐹴Ss。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹴ss.ິ
+B; xn--ss-ti3o.xn--57c638l8774i; [B1 V5 V6]; [B1 V5 V6] # 𐹴ss.ິ
+B; xn--ss-l1t5169j.xn--57c638l8774i; [B1 C2 V5 V6]; [B1 C2 V5 V6] # 𐹴ss.ິ
+B; xn--zca770nip7n.xn--57c638l8774i; [B1 C2 V5 V6]; [B1 C2 V5 V6] # 𐹴ß.ິ
+T; \u200D𐹴SS。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # 𐹴ss.ິ
+N; \u200D𐹴SS。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹴ss.ິ
+T; \u200D𐹴ss。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # 𐹴ss.ິ
+N; \u200D𐹴ss。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹴ss.ິ
+T; \u200D𐹴Ss。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # 𐹴ss.ິ
+N; \u200D𐹴Ss。\u0EB4\u2B75; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𐹴ss.ິ
+B; \u1B44.\u1BAA-≮≠; [P1 V5 V6]; [P1 V5 V6] # ᭄.᮪-≮≠
+B; \u1B44.\u1BAA-<\u0338=\u0338; [P1 V5 V6]; [P1 V5 V6] # ᭄.᮪-≮≠
+B; \u1B44.\u1BAA-≮≠; [P1 V5 V6]; [P1 V5 V6] # ᭄.᮪-≮≠
+B; \u1B44.\u1BAA-<\u0338=\u0338; [P1 V5 V6]; [P1 V5 V6] # ᭄.᮪-≮≠
+B; xn--1uf.xn----nmlz65aub; [V5 V6]; [V5 V6] # ᭄.᮪-≮≠
+B; \u1BF3Ⴑ\u115F.𑄴Ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳Ⴑ.𑄴Ⅎ
+B; \u1BF3Ⴑ\u115F.𑄴Ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳Ⴑ.𑄴Ⅎ
+B; \u1BF3ⴑ\u115F.𑄴ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳ⴑ.𑄴ⅎ
+B; \u1BF3Ⴑ\u115F.𑄴ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳Ⴑ.𑄴ⅎ
+B; xn--pnd26a55x.xn--73g3065g; [V5 V6]; [V5 V6] # ᯳Ⴑ.𑄴ⅎ
+B; xn--osd925cvyn.xn--73g3065g; [V5 V6]; [V5 V6] # ᯳ⴑ.𑄴ⅎ
+B; xn--pnd26a55x.xn--f3g7465g; [V5 V6]; [V5 V6] # ᯳Ⴑ.𑄴Ⅎ
+B; \u1BF3ⴑ\u115F.𑄴ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳ⴑ.𑄴ⅎ
+B; \u1BF3Ⴑ\u115F.𑄴ⅎ; [P1 V5 V6]; [P1 V5 V6] # ᯳Ⴑ.𑄴ⅎ
+B; 。Ⴃ𐴣𐹹똯; [B5 P1 V6]; [B5 P1 V6]
+B; 。Ⴃ𐴣𐹹똯; [B5 P1 V6]; [B5 P1 V6]
+B; 。ⴃ𐴣𐹹똯; [B5 P1 V6]; [B5 P1 V6]
+B; 。ⴃ𐴣𐹹똯; [B5 P1 V6]; [B5 P1 V6]
+B; xn--187g.xn--ukjy205b8rscdeb; [B5 V6]; [B5 V6]
+B; xn--187g.xn--bnd4785f8r8bdeb; [B5 V6]; [B5 V6]
+B; 𐫀。⳻󠄷\u3164; [B1 P1 V6]; [B1 P1 V6] # 𐫀.⳻
+B; 𐫀。⳻󠄷\u1160; [B1 P1 V6]; [B1 P1 V6] # 𐫀.⳻
+B; xn--pw9c.xn--psd742lxt32w; [B1 V6]; [B1 V6] # 𐫀.⳻
+B; xn--pw9c.xn--mkj83l4v899a; [B1 V6]; [B1 V6] # 𐫀.⳻
+B; \u079A⾇.\u071E-𐋰; [B2 B3]; [B2 B3] # ޚ舛.ܞ-𐋰
+B; \u079A舛.\u071E-𐋰; [B2 B3]; [B2 B3] # ޚ舛.ܞ-𐋰
+B; xn--7qb6383d.xn----20c3154q; [B2 B3]; [B2 B3] # ޚ舛.ܞ-𐋰
+B; Ⴉ猕≮.︒; [P1 V6]; [P1 V6]
+B; Ⴉ猕<\u0338.︒; [P1 V6]; [P1 V6]
+B; Ⴉ猕≮.。; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; Ⴉ猕<\u0338.。; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; ⴉ猕<\u0338.。; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; ⴉ猕≮.。; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; xn--gdh892bbz0d5438s..; [V6 A4_2]; [V6 A4_2]
+B; xn--hnd212gz32d54x5r..; [V6 A4_2]; [V6 A4_2]
+B; ⴉ猕<\u0338.︒; [P1 V6]; [P1 V6]
+B; ⴉ猕≮.︒; [P1 V6]; [P1 V6]
+B; xn--gdh892bbz0d5438s.xn--y86c; [V6]; [V6]
+B; xn--hnd212gz32d54x5r.xn--y86c; [V6]; [V6]
+B; 🏮。\u062B鳳\u07E2󠅉; [B1 B2]; [B1 B2] # 🏮.ث鳳ߢ
+B; 🏮。\u062B鳳\u07E2󠅉; [B1 B2]; [B1 B2] # 🏮.ث鳳ߢ
+B; xn--8m8h.xn--qgb29f6z90a; [B1 B2]; [B1 B2] # 🏮.ث鳳ߢ
+T; \u200D𐹶。ß; [B1 C2]; [B1] # 𐹶.ß
+N; \u200D𐹶。ß; [B1 C2]; [B1 C2] # 𐹶.ß
+T; \u200D𐹶。SS; [B1 C2]; [B1] # 𐹶.ss
+N; \u200D𐹶。SS; [B1 C2]; [B1 C2] # 𐹶.ss
+T; \u200D𐹶。ss; [B1 C2]; [B1] # 𐹶.ss
+N; \u200D𐹶。ss; [B1 C2]; [B1 C2] # 𐹶.ss
+T; \u200D𐹶。Ss; [B1 C2]; [B1] # 𐹶.ss
+N; \u200D𐹶。Ss; [B1 C2]; [B1 C2] # 𐹶.ss
+B; xn--uo0d.ss; [B1]; [B1]
+B; xn--1ug9105g.ss; [B1 C2]; [B1 C2] # 𐹶.ss
+B; xn--1ug9105g.xn--zca; [B1 C2]; [B1 C2] # 𐹶.ß
+T; Å둄-.\u200C; [C1 V3]; [V3] # å둄-.
+N; Å둄-.\u200C; [C1 V3]; [C1 V3] # å둄-.
+T; A\u030A둄-.\u200C; [C1 V3]; [V3] # å둄-.
+N; A\u030A둄-.\u200C; [C1 V3]; [C1 V3] # å둄-.
+T; Å둄-.\u200C; [C1 V3]; [V3] # å둄-.
+N; Å둄-.\u200C; [C1 V3]; [C1 V3] # å둄-.
+T; A\u030A둄-.\u200C; [C1 V3]; [V3] # å둄-.
+N; A\u030A둄-.\u200C; [C1 V3]; [C1 V3] # å둄-.
+T; a\u030A둄-.\u200C; [C1 V3]; [V3] # å둄-.
+N; a\u030A둄-.\u200C; [C1 V3]; [C1 V3] # å둄-.
+T; å둄-.\u200C; [C1 V3]; [V3] # å둄-.
+N; å둄-.\u200C; [C1 V3]; [C1 V3] # å둄-.
+B; xn----1fa1788k.; [V3]; [V3]
+B; xn----1fa1788k.xn--0ug; [C1 V3]; [C1 V3] # å둄-.
+T; a\u030A둄-.\u200C; [C1 V3]; [V3] # å둄-.
+N; a\u030A둄-.\u200C; [C1 V3]; [C1 V3] # å둄-.
+T; å둄-.\u200C; [C1 V3]; [V3] # å둄-.
+N; å둄-.\u200C; [C1 V3]; [C1 V3] # å둄-.
+B; \u3099\u1DD7𞤀.-\u0953; [B1 B6 P1 V5 V6]; [B1 B6 P1 V5 V6] # ゙ᷗ𞤢.-॓
+B; \u3099\u1DD7𞤢.-\u0953; [B1 B6 P1 V5 V6]; [B1 B6 P1 V5 V6] # ゙ᷗ𞤢.-॓
+B; xn--veg121fwg63altj9d.xn----eyd92688s; [B1 B6 V5 V6]; [B1 B6 V5 V6] # ゙ᷗ𞤢.-॓
+T; ς.ß\u06DD\u2D7F; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ς.ß⵿
+N; ς.ß\u06DD\u2D7F; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ς.ß⵿
+B; Σ.SS\u06DD\u2D7F; [B5 B6 P1 V6]; [B5 B6 P1 V6] # σ.ss⵿
+B; σ.ss\u06DD\u2D7F; [B5 B6 P1 V6]; [B5 B6 P1 V6] # σ.ss⵿
+B; Σ.ss\u06DD\u2D7F; [B5 B6 P1 V6]; [B5 B6 P1 V6] # σ.ss⵿
+B; xn--4xa.xn--ss-y8d4760biv60n; [B5 B6 V6]; [B5 B6 V6] # σ.ss⵿
+T; Σ.ß\u06DD\u2D7F; [B5 B6 P1 V6]; [B5 B6 P1 V6] # σ.ß⵿
+N; Σ.ß\u06DD\u2D7F; [B5 B6 P1 V6]; [B5 B6 P1 V6] # σ.ß⵿
+T; σ.ß\u06DD\u2D7F; [B5 B6 P1 V6]; [B5 B6 P1 V6] # σ.ß⵿
+N; σ.ß\u06DD\u2D7F; [B5 B6 P1 V6]; [B5 B6 P1 V6] # σ.ß⵿
+B; xn--4xa.xn--zca281az71b8x73m; [B5 B6 V6]; [B5 B6 V6] # σ.ß⵿
+B; xn--3xa.xn--zca281az71b8x73m; [B5 B6 V6]; [B5 B6 V6] # ς.ß⵿
+B; ꡀ𞀟。\u066B\u0599; [B1]; [B1] # ꡀ𞀟.٫֙
+B; ꡀ𞀟。\u066B\u0599; [B1]; [B1] # ꡀ𞀟.٫֙
+B; xn--8b9a1720d.xn--kcb33b; [B1]; [B1] # ꡀ𞀟.٫֙
+T; \u200C\u08A9。⧅-𐭡; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # ࢩ.⧅-𐭡
+N; \u200C\u08A9。⧅-𐭡; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # ࢩ.⧅-𐭡
+T; \u200C\u08A9。⧅-𐭡; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # ࢩ.⧅-𐭡
+N; \u200C\u08A9。⧅-𐭡; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # ࢩ.⧅-𐭡
+B; xn--yyb56242i.xn----zir1232guu71b; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ࢩ.⧅-𐭡
+B; xn--yyb780jll63m.xn----zir1232guu71b; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # ࢩ.⧅-𐭡
+T; 룱\u200D𰍨\u200C。𝨖︒; [C1 C2 P1 V5 V6]; [P1 V5 V6] # 룱.𝨖︒
+N; 룱\u200D𰍨\u200C。𝨖︒; [C1 C2 P1 V5 V6]; [C1 C2 P1 V5 V6] # 룱.𝨖︒
+T; 룱\u200D𰍨\u200C。𝨖︒; [C1 C2 P1 V5 V6]; [P1 V5 V6] # 룱.𝨖︒
+N; 룱\u200D𰍨\u200C。𝨖︒; [C1 C2 P1 V5 V6]; [C1 C2 P1 V5 V6] # 룱.𝨖︒
+T; 룱\u200D𰍨\u200C。𝨖。; [C1 C2 P1 V5 V6]; [P1 V5 V6] # 룱.𝨖.
+N; 룱\u200D𰍨\u200C。𝨖。; [C1 C2 P1 V5 V6]; [C1 C2 P1 V5 V6] # 룱.𝨖.
+T; 룱\u200D𰍨\u200C。𝨖。; [C1 C2 P1 V5 V6]; [P1 V5 V6] # 룱.𝨖.
+N; 룱\u200D𰍨\u200C。𝨖。; [C1 C2 P1 V5 V6]; [C1 C2 P1 V5 V6] # 룱.𝨖.
+B; xn--ct2b0738h.xn--772h.; [V5 V6]; [V5 V6]
+B; xn--0ugb3358ili2v.xn--772h.; [C1 C2 V5 V6]; [C1 C2 V5 V6] # 룱.𝨖.
+B; xn--ct2b0738h.xn--y86cl899a; [V5 V6]; [V5 V6]
+B; xn--0ugb3358ili2v.xn--y86cl899a; [C1 C2 V5 V6]; [C1 C2 V5 V6] # 룱.𝨖︒
+T; 🄄.\u1CDC⒈ß; [P1 V5 V6]; [P1 V5 V6] # 🄄.᳜⒈ß
+N; 🄄.\u1CDC⒈ß; [P1 V5 V6]; [P1 V5 V6] # 🄄.᳜⒈ß
+T; 3,.\u1CDC1.ß; [P1 V5 V6]; [P1 V5 V6] # 3,.᳜1.ß
+N; 3,.\u1CDC1.ß; [P1 V5 V6]; [P1 V5 V6] # 3,.᳜1.ß
+B; 3,.\u1CDC1.SS; [P1 V5 V6]; [P1 V5 V6] # 3,.᳜1.ss
+B; 3,.\u1CDC1.ss; [P1 V5 V6]; [P1 V5 V6] # 3,.᳜1.ss
+B; 3,.\u1CDC1.Ss; [P1 V5 V6]; [P1 V5 V6] # 3,.᳜1.ss
+B; 3,.xn--1-43l.ss; [P1 V5 V6]; [P1 V5 V6] # 3,.᳜1.ss
+B; 3,.xn--1-43l.xn--zca; [P1 V5 V6]; [P1 V5 V6] # 3,.᳜1.ß
+B; 🄄.\u1CDC⒈SS; [P1 V5 V6]; [P1 V5 V6] # 🄄.᳜⒈ss
+B; 🄄.\u1CDC⒈ss; [P1 V5 V6]; [P1 V5 V6] # 🄄.᳜⒈ss
+B; 🄄.\u1CDC⒈Ss; [P1 V5 V6]; [P1 V5 V6] # 🄄.᳜⒈ss
+B; xn--x07h.xn--ss-k1r094b; [V5 V6]; [V5 V6] # 🄄.᳜⒈ss
+B; xn--x07h.xn--zca344lmif; [V5 V6]; [V5 V6] # 🄄.᳜⒈ß
+B; \u2D7F。𑐺; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ⵿.𑐺
+B; \u2D7F。𑐺; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ⵿.𑐺
+B; xn--eoj16016a.xn--0v1d3848a3lr0d; [B2 B3 V6]; [B2 B3 V6] # ⵿.𑐺
+T; \u1DFD\u103A\u094D.≠\u200D㇛; [C2 P1 V5 V6]; [P1 V5 V6] # ်्᷽.≠㇛
+N; \u1DFD\u103A\u094D.≠\u200D㇛; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ်्᷽.≠㇛
+T; \u103A\u094D\u1DFD.≠\u200D㇛; [C2 P1 V5 V6]; [P1 V5 V6] # ်्᷽.≠㇛
+N; \u103A\u094D\u1DFD.≠\u200D㇛; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ်्᷽.≠㇛
+T; \u103A\u094D\u1DFD.=\u0338\u200D㇛; [C2 P1 V5 V6]; [P1 V5 V6] # ်्᷽.≠㇛
+N; \u103A\u094D\u1DFD.=\u0338\u200D㇛; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ်्᷽.≠㇛
+T; \u103A\u094D\u1DFD.≠\u200D㇛; [C2 P1 V5 V6]; [P1 V5 V6] # ်्᷽.≠㇛
+N; \u103A\u094D\u1DFD.≠\u200D㇛; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ်्᷽.≠㇛
+T; \u103A\u094D\u1DFD.=\u0338\u200D㇛; [C2 P1 V5 V6]; [P1 V5 V6] # ်्᷽.≠㇛
+N; \u103A\u094D\u1DFD.=\u0338\u200D㇛; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ်्᷽.≠㇛
+B; xn--n3b956a9zm.xn--1ch912d; [V5 V6]; [V5 V6] # ်्᷽.≠㇛
+B; xn--n3b956a9zm.xn--1ug63gz5w; [C2 V5 V6]; [C2 V5 V6] # ်्᷽.≠㇛
+T; Ⴁ𐋨娤.\u200D\u033C\u0662𑖿; [B1 C2 P1 V6]; [B1 P1 V5 V6] # Ⴁ𐋨娤.̼٢𑖿
+N; Ⴁ𐋨娤.\u200D\u033C\u0662𑖿; [B1 C2 P1 V6]; [B1 C2 P1 V6] # Ⴁ𐋨娤.̼٢𑖿
+T; ⴁ𐋨娤.\u200D\u033C\u0662𑖿; [B1 C2]; [B1 V5] # ⴁ𐋨娤.̼٢𑖿
+N; ⴁ𐋨娤.\u200D\u033C\u0662𑖿; [B1 C2]; [B1 C2] # ⴁ𐋨娤.̼٢𑖿
+B; xn--skjw75lg29h.xn--9ta62nrv36a; [B1 V5]; [B1 V5] # ⴁ𐋨娤.̼٢𑖿
+B; xn--skjw75lg29h.xn--9ta62ngt6aou8t; [B1 C2]; [B1 C2] # ⴁ𐋨娤.̼٢𑖿
+B; xn--8md2578ag21g.xn--9ta62nrv36a; [B1 V5 V6]; [B1 V5 V6] # Ⴁ𐋨娤.̼٢𑖿
+B; xn--8md2578ag21g.xn--9ta62ngt6aou8t; [B1 C2 V6]; [B1 C2 V6] # Ⴁ𐋨娤.̼٢𑖿
+T; 🄀Ⴄ\u0669\u0820。⒈\u0FB6ß; [B1 P1 V6]; [B1 P1 V6] # 🄀Ⴄ٩ࠠ.⒈ྶß
+N; 🄀Ⴄ\u0669\u0820。⒈\u0FB6ß; [B1 P1 V6]; [B1 P1 V6] # 🄀Ⴄ٩ࠠ.⒈ྶß
+T; 0.Ⴄ\u0669\u0820。1.\u0FB6ß; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 0.Ⴄ٩ࠠ.1.ྶß
+N; 0.Ⴄ\u0669\u0820。1.\u0FB6ß; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 0.Ⴄ٩ࠠ.1.ྶß
+T; 0.ⴄ\u0669\u0820。1.\u0FB6ß; [B1 B5 B6 V5]; [B1 B5 B6 V5] # 0.ⴄ٩ࠠ.1.ྶß
+N; 0.ⴄ\u0669\u0820。1.\u0FB6ß; [B1 B5 B6 V5]; [B1 B5 B6 V5] # 0.ⴄ٩ࠠ.1.ྶß
+B; 0.Ⴄ\u0669\u0820。1.\u0FB6SS; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 0.Ⴄ٩ࠠ.1.ྶss
+B; 0.ⴄ\u0669\u0820。1.\u0FB6ss; [B1 B5 B6 V5]; [B1 B5 B6 V5] # 0.ⴄ٩ࠠ.1.ྶss
+B; 0.Ⴄ\u0669\u0820。1.\u0FB6Ss; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 0.Ⴄ٩ࠠ.1.ྶss
+B; 0.xn--iib29f26o.1.xn--ss-1sj; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # 0.Ⴄ٩ࠠ.1.ྶss
+B; 0.xn--iib29fp25e.1.xn--ss-1sj; [B1 B5 B6 V5]; [B1 B5 B6 V5] # 0.ⴄ٩ࠠ.1.ྶss
+B; 0.xn--iib29fp25e.1.xn--zca117e; [B1 B5 B6 V5]; [B1 B5 B6 V5] # 0.ⴄ٩ࠠ.1.ྶß
+B; 0.xn--iib29f26o.1.xn--zca117e; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # 0.Ⴄ٩ࠠ.1.ྶß
+T; 🄀ⴄ\u0669\u0820。⒈\u0FB6ß; [B1 P1 V6]; [B1 P1 V6] # 🄀ⴄ٩ࠠ.⒈ྶß
+N; 🄀ⴄ\u0669\u0820。⒈\u0FB6ß; [B1 P1 V6]; [B1 P1 V6] # 🄀ⴄ٩ࠠ.⒈ྶß
+B; 🄀Ⴄ\u0669\u0820。⒈\u0FB6SS; [B1 P1 V6]; [B1 P1 V6] # 🄀Ⴄ٩ࠠ.⒈ྶss
+B; 🄀ⴄ\u0669\u0820。⒈\u0FB6ss; [B1 P1 V6]; [B1 P1 V6] # 🄀ⴄ٩ࠠ.⒈ྶss
+B; 🄀Ⴄ\u0669\u0820。⒈\u0FB6Ss; [B1 P1 V6]; [B1 P1 V6] # 🄀Ⴄ٩ࠠ.⒈ྶss
+B; xn--iib29f26o6n43c.xn--ss-1sj588o; [B1 V6]; [B1 V6] # 🄀Ⴄ٩ࠠ.⒈ྶss
+B; xn--iib29fp25e0219a.xn--ss-1sj588o; [B1 V6]; [B1 V6] # 🄀ⴄ٩ࠠ.⒈ྶss
+B; xn--iib29fp25e0219a.xn--zca117e3vp; [B1 V6]; [B1 V6] # 🄀ⴄ٩ࠠ.⒈ྶß
+B; xn--iib29f26o6n43c.xn--zca117e3vp; [B1 V6]; [B1 V6] # 🄀Ⴄ٩ࠠ.⒈ྶß
+T; ≠.\u200C-\u066B; [B1 C1 P1 V6]; [B1 P1 V3 V6] # ≠.-٫
+N; ≠.\u200C-\u066B; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ≠.-٫
+T; =\u0338.\u200C-\u066B; [B1 C1 P1 V6]; [B1 P1 V3 V6] # ≠.-٫
+N; =\u0338.\u200C-\u066B; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ≠.-٫
+B; xn--1ch.xn----vqc; [B1 V3 V6]; [B1 V3 V6] # ≠.-٫
+B; xn--1ch.xn----vqc597q; [B1 C1 V6]; [B1 C1 V6] # ≠.-٫
+B; \u0660۱。𞠁\u0665; [B1 P1 V6]; [B1 P1 V6] # ٠۱.𞠁٥
+B; \u0660۱。𞠁\u0665; [B1 P1 V6]; [B1 P1 V6] # ٠۱.𞠁٥
+B; xn--8hb40a.xn--eib7967vner3e; [B1 V6]; [B1 V6] # ٠۱.𞠁٥
+T; \u200C\u0663⒖。\u1BF3; [B1 C1 P1 V6]; [B1 P1 V6] # ٣⒖.᯳
+N; \u200C\u0663⒖。\u1BF3; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ٣⒖.᯳
+T; \u200C\u066315.。\u1BF3; [B1 C1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ٣15..᯳
+N; \u200C\u066315.。\u1BF3; [B1 C1 P1 V6 A4_2]; [B1 C1 P1 V6 A4_2] # ٣15..᯳
+B; xn--15-gyd..xn--1zf13512buy41d; [B1 V6 A4_2]; [B1 V6 A4_2] # ٣15..᯳
+B; xn--15-gyd983x..xn--1zf13512buy41d; [B1 C1 V6 A4_2]; [B1 C1 V6 A4_2] # ٣15..᯳
+B; xn--cib675m.xn--1zf13512buy41d; [B1 V6]; [B1 V6] # ٣⒖.᯳
+B; xn--cib152kwgd.xn--1zf13512buy41d; [B1 C1 V6]; [B1 C1 V6] # ٣⒖.᯳
+B; \u1BF3.-逋; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ᯳.-逋
+B; xn--1zf.xn----483d46987byr50b; [V3 V5 V6]; [V3 V5 V6] # ᯳.-逋
+T; \u0756。\u3164\u200Dς; [C2 P1 V6]; [P1 V6] # ݖ.ς
+N; \u0756。\u3164\u200Dς; [C2 P1 V6]; [C2 P1 V6] # ݖ.ς
+T; \u0756。\u1160\u200Dς; [C2 P1 V6]; [P1 V6] # ݖ.ς
+N; \u0756。\u1160\u200Dς; [C2 P1 V6]; [C2 P1 V6] # ݖ.ς
+T; \u0756。\u1160\u200DΣ; [C2 P1 V6]; [P1 V6] # ݖ.σ
+N; \u0756。\u1160\u200DΣ; [C2 P1 V6]; [C2 P1 V6] # ݖ.σ
+T; \u0756。\u1160\u200Dσ; [C2 P1 V6]; [P1 V6] # ݖ.σ
+N; \u0756。\u1160\u200Dσ; [C2 P1 V6]; [C2 P1 V6] # ݖ.σ
+B; xn--9ob.xn--4xa380e; [V6]; [V6] # ݖ.σ
+B; xn--9ob.xn--4xa380ebol; [C2 V6]; [C2 V6] # ݖ.σ
+B; xn--9ob.xn--3xa580ebol; [C2 V6]; [C2 V6] # ݖ.ς
+T; \u0756。\u3164\u200DΣ; [C2 P1 V6]; [P1 V6] # ݖ.σ
+N; \u0756。\u3164\u200DΣ; [C2 P1 V6]; [C2 P1 V6] # ݖ.σ
+T; \u0756。\u3164\u200Dσ; [C2 P1 V6]; [P1 V6] # ݖ.σ
+N; \u0756。\u3164\u200Dσ; [C2 P1 V6]; [C2 P1 V6] # ݖ.σ
+B; xn--9ob.xn--4xa574u; [V6]; [V6] # ݖ.σ
+B; xn--9ob.xn--4xa795lq2l; [C2 V6]; [C2 V6] # ݖ.σ
+B; xn--9ob.xn--3xa995lq2l; [C2 V6]; [C2 V6] # ݖ.ς
+T; ᡆႣ。\u0315\u200D\u200D; [C2 P1 V6]; [P1 V6] # ᡆႣ.̕
+N; ᡆႣ。\u0315\u200D\u200D; [C2 P1 V6]; [C2 P1 V6] # ᡆႣ.̕
+T; ᡆႣ。\u0315\u200D\u200D; [C2 P1 V6]; [P1 V6] # ᡆႣ.̕
+N; ᡆႣ。\u0315\u200D\u200D; [C2 P1 V6]; [C2 P1 V6] # ᡆႣ.̕
+T; ᡆⴃ。\u0315\u200D\u200D; [C2 P1 V6]; [P1 V6] # ᡆⴃ.̕
+N; ᡆⴃ。\u0315\u200D\u200D; [C2 P1 V6]; [C2 P1 V6] # ᡆⴃ.̕
+B; xn--57e237h.xn--5sa98523p; [V6]; [V6] # ᡆⴃ.̕
+B; xn--57e237h.xn--5sa649la993427a; [C2 V6]; [C2 V6] # ᡆⴃ.̕
+B; xn--bnd320b.xn--5sa98523p; [V6]; [V6] # ᡆႣ.̕
+B; xn--bnd320b.xn--5sa649la993427a; [C2 V6]; [C2 V6] # ᡆႣ.̕
+T; ᡆⴃ。\u0315\u200D\u200D; [C2 P1 V6]; [P1 V6] # ᡆⴃ.̕
+N; ᡆⴃ。\u0315\u200D\u200D; [C2 P1 V6]; [C2 P1 V6] # ᡆⴃ.̕
+T; 㭄\u200D\u084F𑚵.ς𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6] # 㭄ࡏ𑚵.ς𐮮
+N; 㭄\u200D\u084F𑚵.ς𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6 C1 C2] # 㭄ࡏ𑚵.ς𐮮
+T; 㭄\u200D\u084F𑚵.ς𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6] # 㭄ࡏ𑚵.ς𐮮
+N; 㭄\u200D\u084F𑚵.ς𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6 C1 C2] # 㭄ࡏ𑚵.ς𐮮
+T; 㭄\u200D\u084F𑚵.Σ𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6] # 㭄ࡏ𑚵.σ𐮮
+N; 㭄\u200D\u084F𑚵.Σ𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6 C1 C2] # 㭄ࡏ𑚵.σ𐮮
+T; 㭄\u200D\u084F𑚵.σ𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6] # 㭄ࡏ𑚵.σ𐮮
+N; 㭄\u200D\u084F𑚵.σ𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6 C1 C2] # 㭄ࡏ𑚵.σ𐮮
+B; xn--ewb302xhu1l.xn--4xa0426k; [B5 B6]; [B5 B6] # 㭄ࡏ𑚵.σ𐮮
+B; xn--ewb962jfitku4r.xn--4xa695lda6932v; [B5 B6 C1 C2]; [B5 B6 C1 C2] # 㭄ࡏ𑚵.σ𐮮
+B; xn--ewb962jfitku4r.xn--3xa895lda6932v; [B5 B6 C1 C2]; [B5 B6 C1 C2] # 㭄ࡏ𑚵.ς𐮮
+T; 㭄\u200D\u084F𑚵.Σ𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6] # 㭄ࡏ𑚵.σ𐮮
+N; 㭄\u200D\u084F𑚵.Σ𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6 C1 C2] # 㭄ࡏ𑚵.σ𐮮
+T; 㭄\u200D\u084F𑚵.σ𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6] # 㭄ࡏ𑚵.σ𐮮
+N; 㭄\u200D\u084F𑚵.σ𐮮\u200C\u200D; [B5 B6 C1 C2]; [B5 B6 C1 C2] # 㭄ࡏ𑚵.σ𐮮
+B; \u17B5。ꡀ🄋; [B1 B2 B3 B6 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # .ꡀ🄋
+B; xn--03e.xn--8b9ar252dngd; [B1 B2 B3 B6 V5 V6]; [B1 B2 B3 B6 V5 V6] # .ꡀ🄋
+B; 暑.⾑\u0668; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 暑.襾٨
+B; 暑.襾\u0668; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 暑.襾٨
+B; xn--tlvq3513e.xn--hib9228d; [B5 B6 V6]; [B5 B6 V6] # 暑.襾٨
+B; 󠄚≯ꡢ。\u0891\u1DFF; [B1 P1 V6]; [B1 P1 V6] # ≯ꡢ.᷿
+B; 󠄚>\u0338ꡢ。\u0891\u1DFF; [B1 P1 V6]; [B1 P1 V6] # ≯ꡢ.᷿
+B; xn--hdh7783c.xn--9xb680i; [B1 V6]; [B1 V6] # ≯ꡢ.᷿
+B; \uFDC3𮁱\u0B4D𐨿.Ⴗ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # كمم𮁱୍𐨿.Ⴗ
+B; \u0643\u0645\u0645𮁱\u0B4D𐨿.Ⴗ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # كمم𮁱୍𐨿.Ⴗ
+B; \u0643\u0645\u0645𮁱\u0B4D𐨿.ⴗ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # كمم𮁱୍𐨿.ⴗ
+B; xn--fhbea662czx68a2tju.xn--fljz2846h; [B2 B3 V6]; [B2 B3 V6] # كمم𮁱୍𐨿.ⴗ
+B; xn--fhbea662czx68a2tju.xn--vnd55511o; [B2 B3 V6]; [B2 B3 V6] # كمم𮁱୍𐨿.Ⴗ
+B; \uFDC3𮁱\u0B4D𐨿.ⴗ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # كمم𮁱୍𐨿.ⴗ
+B; 𞀨。\u1B44; [P1 V5 V6]; [P1 V5 V6] # 𞀨.᭄
+B; 𞀨。\u1B44; [P1 V5 V6]; [P1 V5 V6] # 𞀨.᭄
+B; xn--mi4h.xn--1uf6843smg20c; [V5 V6]; [V5 V6] # 𞀨.᭄
+T; \u200C.𐺰\u200Cᡟ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # .ᡟ
+N; \u200C.𐺰\u200Cᡟ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .ᡟ
+T; \u200C.𐺰\u200Cᡟ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # .ᡟ
+N; \u200C.𐺰\u200Cᡟ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .ᡟ
+B; xn--q046e.xn--v8e7227j; [B1 B2 B3 V6]; [B1 B2 B3 V6]
+B; xn--0ug18531l.xn--v8e340bp21t; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # .ᡟ
+T; ᢛß.ጧ; [P1 V6]; [P1 V6]
+N; ᢛß.ጧ; [P1 V6]; [P1 V6]
+B; ᢛSS.ጧ; [P1 V6]; [P1 V6]
+B; ᢛss.ጧ; [P1 V6]; [P1 V6]
+B; ᢛSs.ጧ; [P1 V6]; [P1 V6]
+B; xn--ss-7dp66033t.xn--p5d; [V6]; [V6]
+B; xn--zca562jc642x.xn--p5d; [V6]; [V6]
+T; ⮒\u200C.\u200C; [C1 P1 V6]; [P1 V6] # ⮒.
+N; ⮒\u200C.\u200C; [C1 P1 V6]; [C1 P1 V6] # ⮒.
+B; xn--b9i.xn--5p9y; [V6]; [V6]
+B; xn--0ugx66b.xn--0ugz2871c; [C1 V6]; [C1 V6] # ⮒.
+B; 𞤂𐹯。Ⴜ; [B2 P1 V6]; [B2 P1 V6]
+B; 𞤤𐹯。ⴜ; [B2 P1 V6]; [B2 P1 V6]
+B; xn--no0dr648a51o3b.xn--klj; [B2 V6]; [B2 V6]
+B; xn--no0dr648a51o3b.xn--0nd; [B2 V6]; [B2 V6]
+B; 𞤂𐹯。ⴜ; [B2 P1 V6]; [B2 P1 V6]
+T; 𐹵⮣\u200C𑄰。\uFCB7; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # 𐹵⮣𑄰.ضم
+N; 𐹵⮣\u200C𑄰。\uFCB7; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # 𐹵⮣𑄰.ضم
+T; 𐹵⮣\u200C𑄰。\u0636\u0645; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # 𐹵⮣𑄰.ضم
+N; 𐹵⮣\u200C𑄰。\u0636\u0645; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # 𐹵⮣𑄰.ضم
+B; xn--s9i5458e7yb.xn--1gb4a66004i; [B1 B5 B6 V6]; [B1 B5 B6 V6] # 𐹵⮣𑄰.ضم
+B; xn--0ug586bcj8p7jc.xn--1gb4a66004i; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # 𐹵⮣𑄰.ضم
+T; Ⴒ。デß𞤵\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デß𞤵్
+N; Ⴒ。デß𞤵\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デß𞤵్
+T; Ⴒ。テ\u3099ß𞤵\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デß𞤵్
+N; Ⴒ。テ\u3099ß𞤵\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デß𞤵్
+T; ⴒ。テ\u3099ß𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デß𞤵్
+N; ⴒ。テ\u3099ß𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デß𞤵్
+T; ⴒ。デß𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デß𞤵్
+N; ⴒ。デß𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デß𞤵్
+B; Ⴒ。デSS𞤓\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デss𞤵్
+B; Ⴒ。テ\u3099SS𞤓\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デss𞤵్
+B; ⴒ。テ\u3099ss𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デss𞤵్
+B; ⴒ。デss𞤵\u0C4D; [B5 B6]; [B5 B6] # ⴒ.デss𞤵్
+B; Ⴒ。デSs𞤵\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デss𞤵్
+B; Ⴒ。テ\u3099Ss𞤵\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デss𞤵్
+B; xn--qnd.xn--ss-9nh3648ahh20b; [B5 B6 V6]; [B5 B6 V6] # Ⴒ.デss𞤵్
+B; xn--9kj.xn--ss-9nh3648ahh20b; [B5 B6]; [B5 B6] # ⴒ.デss𞤵్
+B; xn--9kj.xn--zca669cmr3a0f28a; [B5 B6]; [B5 B6] # ⴒ.デß𞤵్
+B; xn--qnd.xn--zca669cmr3a0f28a; [B5 B6 V6]; [B5 B6 V6] # Ⴒ.デß𞤵్
+B; Ⴒ。デSS𞤵\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デss𞤵్
+B; Ⴒ。テ\u3099SS𞤵\u0C4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴒ.デss𞤵్
+B; 𑁿\u0D4D.7-\u07D2; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𑁿്.7-ߒ
+B; 𑁿\u0D4D.7-\u07D2; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𑁿്.7-ߒ
+B; xn--wxc1283k.xn--7--yue; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𑁿്.7-ߒ
+B; ≯𑜫.\u1734𑍬ᢧ; [P1 V5 V6]; [P1 V5 V6] # ≯𑜫.᜴𑍬ᢧ
+B; >\u0338𑜫.\u1734𑍬ᢧ; [P1 V5 V6]; [P1 V5 V6] # ≯𑜫.᜴𑍬ᢧ
+B; xn--hdhx157g68o0g.xn--c0e65eu616c34o7a; [V5 V6]; [V5 V6] # ≯𑜫.᜴𑍬ᢧ
+B; \u1DDBႷ쏔。\u0781; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ᷛႷ쏔.ށ
+B; \u1DDBႷ쏔。\u0781; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ᷛႷ쏔.ށ
+B; \u1DDBⴗ쏔。\u0781; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ᷛⴗ쏔.ށ
+B; \u1DDBⴗ쏔。\u0781; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ᷛⴗ쏔.ށ
+B; xn--zegy26dw47iy6w2f.xn--iqb; [B1 V5 V6]; [B1 V5 V6] # ᷛⴗ쏔.ށ
+B; xn--vnd148d733ky6n9e.xn--iqb; [B1 V5 V6]; [B1 V5 V6] # ᷛႷ쏔.ށ
+T; ß。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ß.𐋳Ⴌྸ
+N; ß。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ß.𐋳Ⴌྸ
+T; ß。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ß.𐋳Ⴌྸ
+N; ß。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ß.𐋳Ⴌྸ
+T; ß。𐋳ⴌ\u0FB8; ß.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
+N; ß。𐋳ⴌ\u0FB8; ß.𐋳ⴌ\u0FB8; xn--zca.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
+B; SS。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ss.𐋳Ⴌྸ
+B; ss。𐋳ⴌ\u0FB8; ss.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ss.𐋳ⴌྸ
+B; Ss。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ss.𐋳Ⴌྸ
+B; ss.xn--lgd10cu829c; [V6]; [V6] # ss.𐋳Ⴌྸ
+B; ss.xn--lgd921mvv0m; ss.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ss.𐋳ⴌྸ
+B; ss.𐋳ⴌ\u0FB8; ; ss.xn--lgd921mvv0m; NV8 # ss.𐋳ⴌྸ
+B; SS.𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ss.𐋳Ⴌྸ
+B; Ss.𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ss.𐋳Ⴌྸ
+B; xn--zca.xn--lgd921mvv0m; ß.𐋳ⴌ\u0FB8; xn--zca.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
+T; ß.𐋳ⴌ\u0FB8; ; ss.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
+N; ß.𐋳ⴌ\u0FB8; ; xn--zca.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
+B; xn--zca.xn--lgd10cu829c; [V6]; [V6] # ß.𐋳Ⴌྸ
+T; ß。𐋳ⴌ\u0FB8; ß.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
+N; ß。𐋳ⴌ\u0FB8; ß.𐋳ⴌ\u0FB8; xn--zca.xn--lgd921mvv0m; NV8 # ß.𐋳ⴌྸ
+B; SS。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ss.𐋳Ⴌྸ
+B; ss。𐋳ⴌ\u0FB8; ss.𐋳ⴌ\u0FB8; ss.xn--lgd921mvv0m; NV8 # ss.𐋳ⴌྸ
+B; Ss。𐋳Ⴌ\u0FB8; [P1 V6]; [P1 V6] # ss.𐋳Ⴌྸ
+T; -\u069E.\u200C⾝\u09CD; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # -ڞ.身্
+N; -\u069E.\u200C⾝\u09CD; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # -ڞ.身্
+T; -\u069E.\u200C身\u09CD; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # -ڞ.身্
+N; -\u069E.\u200C身\u09CD; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # -ڞ.身্
+B; xn----stc7013r.xn--b7b1419d; [B1 V3 V6]; [B1 V3 V6] # -ڞ.身্
+B; xn----stc7013r.xn--b7b305imj2f; [B1 C1 V3 V6]; [B1 C1 V3 V6] # -ڞ.身্
+T; 😮\u0764𑈵𞀖.💅\u200D; [B1 C2]; [B1] # 😮ݤ𑈵𞀖.💅
+N; 😮\u0764𑈵𞀖.💅\u200D; [B1 C2]; [B1 C2] # 😮ݤ𑈵𞀖.💅
+T; 😮\u0764𑈵𞀖.💅\u200D; [B1 C2]; [B1] # 😮ݤ𑈵𞀖.💅
+N; 😮\u0764𑈵𞀖.💅\u200D; [B1 C2]; [B1 C2] # 😮ݤ𑈵𞀖.💅
+B; xn--opb4277kuc7elqsa.xn--kr8h; [B1]; [B1] # 😮ݤ𑈵𞀖.💅
+B; xn--opb4277kuc7elqsa.xn--1ug5265p; [B1 C2]; [B1 C2] # 😮ݤ𑈵𞀖.💅
+T; \u08F2\u200D꙳\u0712.ᢏ\u200C; [B1 B6 C1 C2 P1 V5 V6]; [B1 B6 P1 V5 V6] # ࣲ꙳ܒ.ᢏ
+N; \u08F2\u200D꙳\u0712.ᢏ\u200C; [B1 B6 C1 C2 P1 V5 V6]; [B1 B6 C1 C2 P1 V5 V6] # ࣲ꙳ܒ.ᢏ
+B; xn--cnb37gdy00a.xn--89e02253p; [B1 B6 V5 V6]; [B1 B6 V5 V6] # ࣲ꙳ܒ.ᢏ
+B; xn--cnb37g904be26j.xn--89e849ax9363a; [B1 B6 C1 C2 V5 V6]; [B1 B6 C1 C2 V5 V6] # ࣲ꙳ܒ.ᢏ
+B; Ⴑ.\u06BFᠲ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # Ⴑ.ڿᠲ
+B; Ⴑ.\u06BFᠲ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # Ⴑ.ڿᠲ
+B; ⴑ.\u06BFᠲ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ⴑ.ڿᠲ
+B; xn--8kj.xn--ykb840gd555a; [B2 B3 V6]; [B2 B3 V6] # ⴑ.ڿᠲ
+B; xn--pnd.xn--ykb840gd555a; [B2 B3 V6]; [B2 B3 V6] # Ⴑ.ڿᠲ
+B; ⴑ.\u06BFᠲ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ⴑ.ڿᠲ
+B; \u1A5A\u0C4D。𝟵; [P1 V5 V6]; [P1 V5 V6] # ᩚ్.9
+B; \u1A5A\u0C4D。9; [P1 V5 V6]; [P1 V5 V6] # ᩚ్.9
+B; xn--lqc703ebm93a.xn--9-000p; [V5 V6]; [V5 V6] # ᩚ్.9
+T; \u200C\u06A0𝟗。Ⴣ꒘\uFCD0; [B1 B5 C1 P1 V6]; [B2 B5 P1 V6] # ڠ9.Ⴣ꒘مخ
+N; \u200C\u06A0𝟗。Ⴣ꒘\uFCD0; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # ڠ9.Ⴣ꒘مخ
+T; \u200C\u06A09。Ⴣ꒘\u0645\u062E; [B1 B5 C1 P1 V6]; [B2 B5 P1 V6] # ڠ9.Ⴣ꒘مخ
+N; \u200C\u06A09。Ⴣ꒘\u0645\u062E; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # ڠ9.Ⴣ꒘مخ
+T; \u200C\u06A09。ⴣ꒘\u0645\u062E; [B1 B5 C1 P1 V6]; [B2 B5 P1 V6] # ڠ9.ⴣ꒘مخ
+N; \u200C\u06A09。ⴣ꒘\u0645\u062E; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # ڠ9.ⴣ꒘مخ
+B; xn--9-vtc42319e.xn--tgb9bz87p833hw316c; [B2 B5 V6]; [B2 B5 V6] # ڠ9.ⴣ꒘مخ
+B; xn--9-vtc736qts91g.xn--tgb9bz87p833hw316c; [B1 B5 C1 V6]; [B1 B5 C1 V6] # ڠ9.ⴣ꒘مخ
+B; xn--9-vtc42319e.xn--tgb9bz61cfn8mw3t2c; [B2 B5 V6]; [B2 B5 V6] # ڠ9.Ⴣ꒘مخ
+B; xn--9-vtc736qts91g.xn--tgb9bz61cfn8mw3t2c; [B1 B5 C1 V6]; [B1 B5 C1 V6] # ڠ9.Ⴣ꒘مخ
+T; \u200C\u06A0𝟗。ⴣ꒘\uFCD0; [B1 B5 C1 P1 V6]; [B2 B5 P1 V6] # ڠ9.ⴣ꒘مخ
+N; \u200C\u06A0𝟗。ⴣ꒘\uFCD0; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # ڠ9.ⴣ꒘مخ
+B; ᡖ。\u031F\u0B82-; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ᡖ.̟ஂ-
+B; ᡖ。\u031F\u0B82-; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ᡖ.̟ஂ-
+B; xn--m8e.xn----mdb555dkk71m; [V3 V5 V6]; [V3 V5 V6] # ᡖ.̟ஂ-
+B; 𞠠浘。絧𞀀; [B2 B3]; [B2 B3]
+B; xn--e0wp491f.xn--ud0a3573e; [B2 B3]; [B2 B3]
+B; \u0596Ⴋ.𝟳≯︒\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖Ⴋ.7≯︒
+B; \u0596Ⴋ.𝟳>\u0338︒\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖Ⴋ.7≯︒
+B; \u0596Ⴋ.7≯。\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖Ⴋ.7≯.
+B; \u0596Ⴋ.7>\u0338。\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖Ⴋ.7≯.
+B; \u0596ⴋ.7>\u0338。\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖ⴋ.7≯.
+B; \u0596ⴋ.7≯。\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖ⴋ.7≯.
+B; xn--hcb613r.xn--7-pgo.; [V5 V6]; [V5 V6] # ֖ⴋ.7≯.
+B; xn--hcb887c.xn--7-pgo.; [V5 V6]; [V5 V6] # ֖Ⴋ.7≯.
+B; \u0596ⴋ.𝟳>\u0338︒\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖ⴋ.7≯︒
+B; \u0596ⴋ.𝟳≯︒\uFE0A; [P1 V5 V6]; [P1 V5 V6] # ֖ⴋ.7≯︒
+B; xn--hcb613r.xn--7-pgoy530h; [V5 V6]; [V5 V6] # ֖ⴋ.7≯︒
+B; xn--hcb887c.xn--7-pgoy530h; [V5 V6]; [V5 V6] # ֖Ⴋ.7≯︒
+T; \u200DF𑓂。︒\u077E𐹢; [B1 C2 P1 V6]; [B1 P1 V6] # f𑓂.︒ݾ𐹢
+N; \u200DF𑓂。︒\u077E𐹢; [B1 C2 P1 V6]; [B1 C2 P1 V6] # f𑓂.︒ݾ𐹢
+T; \u200DF𑓂。。\u077E𐹢; [B1 C2 P1 V6]; [B1 P1 V6] # f𑓂..ݾ𐹢
+N; \u200DF𑓂。。\u077E𐹢; [B1 C2 P1 V6]; [B1 C2 P1 V6] # f𑓂..ݾ𐹢
+T; \u200Df𑓂。。\u077E𐹢; [B1 C2 P1 V6]; [B1 P1 V6] # f𑓂..ݾ𐹢
+N; \u200Df𑓂。。\u077E𐹢; [B1 C2 P1 V6]; [B1 C2 P1 V6] # f𑓂..ݾ𐹢
+B; xn--f-kq9i.xn--7656e.xn--fqb4175k; [B1 V6]; [B1 V6] # f𑓂..ݾ𐹢
+B; xn--f-tgn9761i.xn--7656e.xn--fqb4175k; [B1 C2 V6]; [B1 C2 V6] # f𑓂..ݾ𐹢
+T; \u200Df𑓂。︒\u077E𐹢; [B1 C2 P1 V6]; [B1 P1 V6] # f𑓂.︒ݾ𐹢
+N; \u200Df𑓂。︒\u077E𐹢; [B1 C2 P1 V6]; [B1 C2 P1 V6] # f𑓂.︒ݾ𐹢
+B; xn--f-kq9i.xn--fqb1637j8hky9452a; [B1 V6]; [B1 V6] # f𑓂.︒ݾ𐹢
+B; xn--f-tgn9761i.xn--fqb1637j8hky9452a; [B1 C2 V6]; [B1 C2 V6] # f𑓂.︒ݾ𐹢
+B; \u0845🄇𐼗︒。𐹻𑜫; [B1 B3 P1 V6]; [B1 B3 P1 V6] # ࡅ🄇︒.𐹻𑜫
+B; \u08456,𐼗。。𐹻𑜫; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ࡅ6,..𐹻𑜫
+B; xn--6,-r4e4420y..xn--zo0di2m; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ࡅ6,..𐹻𑜫
+B; xn--3vb4696jpxkjh7s.xn--zo0di2m; [B1 B3 V6]; [B1 B3 V6] # ࡅ🄇︒.𐹻𑜫
+B; .\u1DC0𑈱𐦭; [B1 P1 V5 V6]; [B1 P1 V5 V6] # .᷀𑈱𐦭
+B; xn--jn0d.xn--7dg0871h3lf; [B1 V5 V6]; [B1 V5 V6] # .᷀𑈱𐦭
+B; Ⴂ䠺。𞤃\u0693; [B2 P1 V6]; [B2 P1 V6] # Ⴂ䠺.𞤥ړ
+B; ⴂ䠺。𞤥\u0693; [B2 P1 V6]; [B2 P1 V6] # ⴂ䠺.𞤥ړ
+B; xn--tkj638f.xn--pjb9818vg4xno967d; [B2 V6]; [B2 V6] # ⴂ䠺.𞤥ړ
+B; xn--9md875z.xn--pjb9818vg4xno967d; [B2 V6]; [B2 V6] # Ⴂ䠺.𞤥ړ
+B; ⴂ䠺。𞤃\u0693; [B2 P1 V6]; [B2 P1 V6] # ⴂ䠺.𞤥ړ
+B; 🄇伐︒.\uA8C4; [P1 V6]; [P1 V6] # 🄇伐︒.꣄
+B; 6,伐。.\uA8C4; [P1 V6 A4_2]; [P1 V6 A4_2] # 6,伐..꣄
+B; xn--6,-7i3c..xn--0f9ao925c; [P1 V6 A4_2]; [P1 V6 A4_2] # 6,伐..꣄
+B; xn--woqs083bel0g.xn--0f9ao925c; [V6]; [V6] # 🄇伐︒.꣄
+T; \u200D𐹠\uABED\uFFFB。\u200D𐫓Ⴚ𑂹; [B1 C2 P1 V6]; [B1 B2 B3 P1 V6] # 𐹠꯭.𐫓Ⴚ𑂹
+N; \u200D𐹠\uABED\uFFFB。\u200D𐫓Ⴚ𑂹; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹠꯭.𐫓Ⴚ𑂹
+T; \u200D𐹠\uABED\uFFFB。\u200D𐫓ⴚ𑂹; [B1 C2 P1 V6]; [B1 B2 B3 P1 V6] # 𐹠꯭.𐫓ⴚ𑂹
+N; \u200D𐹠\uABED\uFFFB。\u200D𐫓ⴚ𑂹; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹠꯭.𐫓ⴚ𑂹
+B; xn--429az70n29i.xn--ilj7702eqyd; [B1 B2 B3 V6]; [B1 B2 B3 V6] # 𐹠꯭.𐫓ⴚ𑂹
+B; xn--1ugz126coy7bdbm.xn--1ug062chv7ov6e; [B1 C2 V6]; [B1 C2 V6] # 𐹠꯭.𐫓ⴚ𑂹
+B; xn--429az70n29i.xn--ynd3619jqyd; [B1 B2 B3 V6]; [B1 B2 B3 V6] # 𐹠꯭.𐫓Ⴚ𑂹
+B; xn--1ugz126coy7bdbm.xn--ynd959evs1pv6e; [B1 C2 V6]; [B1 C2 V6] # 𐹠꯭.𐫓Ⴚ𑂹
+B; 󠆠.; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; 󠆠.; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; .xn--rx21bhv12i; [V6 A4_2]; [V6 A4_2]
+T; 𐫃\u200CႦ.≠; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # 𐫃Ⴆ.≠
+N; 𐫃\u200CႦ.≠; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # 𐫃Ⴆ.≠
+T; 𐫃\u200CႦ.=\u0338; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # 𐫃Ⴆ.≠
+N; 𐫃\u200CႦ.=\u0338; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # 𐫃Ⴆ.≠
+T; 𐫃\u200Cⴆ.=\u0338; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # 𐫃ⴆ.≠
+N; 𐫃\u200Cⴆ.=\u0338; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # 𐫃ⴆ.≠
+T; 𐫃\u200Cⴆ.≠; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # 𐫃ⴆ.≠
+N; 𐫃\u200Cⴆ.≠; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # 𐫃ⴆ.≠
+B; xn--xkjz802e.xn--1ch2802p; [B1 B2 B3 V6]; [B1 B2 B3 V6]
+B; xn--0ug132csv7o.xn--1ch2802p; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # 𐫃ⴆ.≠
+B; xn--end1719j.xn--1ch2802p; [B1 B2 B3 V6]; [B1 B2 B3 V6]
+B; xn--end799ekr1p.xn--1ch2802p; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # 𐫃Ⴆ.≠
+B; 𝟥ꘌ.\u0841; [B1 P1 V6]; [B1 P1 V6] # 3ꘌ.ࡁ
+B; 3ꘌ.\u0841; [B1 P1 V6]; [B1 P1 V6] # 3ꘌ.ࡁ
+B; xn--3-0g3es485d8i15h.xn--zvb; [B1 V6]; [B1 V6] # 3ꘌ.ࡁ
+B; -.\u1886-; [P1 V3 V5 V6]; [P1 V3 V5 V6] # -.ᢆ-
+B; -.xn----pbkx6497q; [V3 V5 V6]; [V3 V5 V6] # -.ᢆ-
+T; \u200C。\u200Cς; [B1 B6 C1 P1 V6]; [B2 B3 P1 V6] # .ς
+N; \u200C。\u200Cς; [B1 B6 C1 P1 V6]; [B1 B6 C1 P1 V6] # .ς
+T; \u200C。\u200Cς; [B1 B6 C1 P1 V6]; [B2 B3 P1 V6] # .ς
+N; \u200C。\u200Cς; [B1 B6 C1 P1 V6]; [B1 B6 C1 P1 V6] # .ς
+T; \u200C。\u200CΣ; [B1 B6 C1 P1 V6]; [B2 B3 P1 V6] # .σ
+N; \u200C。\u200CΣ; [B1 B6 C1 P1 V6]; [B1 B6 C1 P1 V6] # .σ
+T; \u200C。\u200Cσ; [B1 B6 C1 P1 V6]; [B2 B3 P1 V6] # .σ
+N; \u200C。\u200Cσ; [B1 B6 C1 P1 V6]; [B1 B6 C1 P1 V6] # .σ
+B; xn--qp42f.xn--4xa3011w; [B2 B3 V6]; [B2 B3 V6]
+B; xn--0ug76062m.xn--4xa595lhn92a; [B1 B6 C1 V6]; [B1 B6 C1 V6] # .σ
+B; xn--0ug76062m.xn--3xa795lhn92a; [B1 B6 C1 V6]; [B1 B6 C1 V6] # .ς
+T; \u200C。\u200CΣ; [B1 B6 C1 P1 V6]; [B2 B3 P1 V6] # .σ
+N; \u200C。\u200CΣ; [B1 B6 C1 P1 V6]; [B1 B6 C1 P1 V6] # .σ
+T; \u200C。\u200Cσ; [B1 B6 C1 P1 V6]; [B2 B3 P1 V6] # .σ
+N; \u200C。\u200Cσ; [B1 B6 C1 P1 V6]; [B1 B6 C1 P1 V6] # .σ
+T; 堕𑓂\u1B02。𐮇𞤽\u200C-; [B3 C1 V3]; [B3 V3] # 堕𑓂ᬂ.𐮇𞤽-
+N; 堕𑓂\u1B02。𐮇𞤽\u200C-; [B3 C1 V3]; [B3 C1 V3] # 堕𑓂ᬂ.𐮇𞤽-
+T; 堕𑓂\u1B02。𐮇𞤛\u200C-; [B3 C1 V3]; [B3 V3] # 堕𑓂ᬂ.𐮇𞤽-
+N; 堕𑓂\u1B02。𐮇𞤛\u200C-; [B3 C1 V3]; [B3 C1 V3] # 堕𑓂ᬂ.𐮇𞤽-
+B; xn--5sf345zdk8h.xn----iv5iw606c; [B3 V3]; [B3 V3] # 堕𑓂ᬂ.𐮇𞤽-
+B; xn--5sf345zdk8h.xn----rgnt157hwl9g; [B3 C1 V3]; [B3 C1 V3] # 堕𑓂ᬂ.𐮇𞤽-
+T; 𐹶𑁆ᡕ𞤢。ᡥς\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥςتς
+N; 𐹶𑁆ᡕ𞤢。ᡥς\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥςتς
+T; 𐹶𑁆ᡕ𞤢。ᡥς\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥςتς
+N; 𐹶𑁆ᡕ𞤢。ᡥς\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥςتς
+B; 𐹶𑁆ᡕ𞤀。ᡥΣ\u062AΣ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+B; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+B; 𐹶𑁆ᡕ𞤀。ᡥΣ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+B; xn--l8e1317j1ebz456b.xn--4xaa85plx4a; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+T; 𐹶𑁆ᡕ𞤀。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+N; 𐹶𑁆ᡕ𞤀。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+T; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+N; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+B; xn--l8e1317j1ebz456b.xn--3xab95plx4a; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+B; xn--l8e1317j1ebz456b.xn--3xaa16plx4a; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥςتς
+B; 𐹶𑁆ᡕ𞤀。ᡥΣ\u062AΣ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+B; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+B; 𐹶𑁆ᡕ𞤀。ᡥΣ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+T; 𐹶𑁆ᡕ𞤀。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+N; 𐹶𑁆ᡕ𞤀。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+T; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+N; 𐹶𑁆ᡕ𞤢。ᡥσ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062AΣ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+T; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+N; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062AΣ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+B; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aσ; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتσ
+T; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+N; 𐹶𑁆ᡕ𞤢。ᡥΣ\u062Aς; [B1 B5]; [B1 B5] # 𐹶𑁆ᡕ𞤢.ᡥσتς
+T; .-𝟻ß; [P1 V3 V6]; [P1 V3 V6]
+N; .-𝟻ß; [P1 V3 V6]; [P1 V3 V6]
+T; .-5ß; [P1 V3 V6]; [P1 V3 V6]
+N; .-5ß; [P1 V3 V6]; [P1 V3 V6]
+B; .-5SS; [P1 V3 V6]; [P1 V3 V6]
+B; .-5ss; [P1 V3 V6]; [P1 V3 V6]
+B; .-5Ss; [P1 V3 V6]; [P1 V3 V6]
+B; xn--t960e.-5ss; [V3 V6]; [V3 V6]
+B; xn--t960e.xn---5-hia; [V3 V6]; [V3 V6]
+B; .-𝟻SS; [P1 V3 V6]; [P1 V3 V6]
+B; .-𝟻ss; [P1 V3 V6]; [P1 V3 V6]
+B; .-𝟻Ss; [P1 V3 V6]; [P1 V3 V6]
+T; \u200D𐨿.🤒Ⴥ; [C2 P1 V6]; [P1 V5 V6] # 𐨿.🤒Ⴥ
+N; \u200D𐨿.🤒Ⴥ; [C2 P1 V6]; [C2 P1 V6] # 𐨿.🤒Ⴥ
+T; \u200D𐨿.🤒ⴥ; [C2 P1 V6]; [P1 V5 V6] # 𐨿.🤒ⴥ
+N; \u200D𐨿.🤒ⴥ; [C2 P1 V6]; [C2 P1 V6] # 𐨿.🤒ⴥ
+B; xn--0s9c.xn--tljz038l0gz4b; [V5 V6]; [V5 V6]
+B; xn--1ug9533g.xn--tljz038l0gz4b; [C2 V6]; [C2 V6] # 𐨿.🤒ⴥ
+B; xn--0s9c.xn--9nd3211w0gz4b; [V5 V6]; [V5 V6]
+B; xn--1ug9533g.xn--9nd3211w0gz4b; [C2 V6]; [C2 V6] # 𐨿.🤒Ⴥ
+T; 。ß𬵩\u200D; [C2 P1 V6]; [P1 V6] # .ß𬵩
+N; 。ß𬵩\u200D; [C2 P1 V6]; [C2 P1 V6] # .ß𬵩
+T; 。SS𬵩\u200D; [C2 P1 V6]; [P1 V6] # .ss𬵩
+N; 。SS𬵩\u200D; [C2 P1 V6]; [C2 P1 V6] # .ss𬵩
+T; 。ss𬵩\u200D; [C2 P1 V6]; [P1 V6] # .ss𬵩
+N; 。ss𬵩\u200D; [C2 P1 V6]; [C2 P1 V6] # .ss𬵩
+T; 。Ss𬵩\u200D; [C2 P1 V6]; [P1 V6] # .ss𬵩
+N; 。Ss𬵩\u200D; [C2 P1 V6]; [C2 P1 V6] # .ss𬵩
+B; xn--ey1p.xn--ss-eq36b; [V6]; [V6]
+B; xn--ey1p.xn--ss-n1tx0508a; [C2 V6]; [C2 V6] # .ss𬵩
+B; xn--ey1p.xn--zca870nz438b; [C2 V6]; [C2 V6] # .ß𬵩
+T; \u200C𭉝。\u07F1\u0301𞹻; [B1 C1 V5]; [B1 V5] # 𭉝.߱́غ
+N; \u200C𭉝。\u07F1\u0301𞹻; [B1 C1 V5]; [B1 C1 V5] # 𭉝.߱́غ
+T; \u200C𭉝。\u07F1\u0301\u063A; [B1 C1 V5]; [B1 V5] # 𭉝.߱́غ
+N; \u200C𭉝。\u07F1\u0301\u063A; [B1 C1 V5]; [B1 C1 V5] # 𭉝.߱́غ
+B; xn--634m.xn--lsa46nuub; [B1 V5]; [B1 V5] # 𭉝.߱́غ
+B; xn--0ugy003y.xn--lsa46nuub; [B1 C1 V5]; [B1 C1 V5] # 𭉝.߱́غ
+T; \u200C𑈶。𐹡; [B1 B3 C1 P1 V6]; [B1 P1 V6] # 𑈶.𐹡
+N; \u200C𑈶。𐹡; [B1 B3 C1 P1 V6]; [B1 B3 C1 P1 V6] # 𑈶.𐹡
+B; xn--9g1d1288a.xn--8n0d; [B1 V6]; [B1 V6]
+B; xn--0ug7946gzpxf.xn--8n0d; [B1 B3 C1 V6]; [B1 B3 C1 V6] # 𑈶.𐹡
+T; 󠅯\u200C🜭。𑖿\u1ABBς≠; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻ς≠
+N; 󠅯\u200C🜭。𑖿\u1ABBς≠; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻ς≠
+T; 󠅯\u200C🜭。𑖿\u1ABBς=\u0338; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻ς≠
+N; 󠅯\u200C🜭。𑖿\u1ABBς=\u0338; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻ς≠
+T; 󠅯\u200C🜭。𑖿\u1ABBς≠; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻ς≠
+N; 󠅯\u200C🜭。𑖿\u1ABBς≠; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻ς≠
+T; 󠅯\u200C🜭。𑖿\u1ABBς=\u0338; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻ς≠
+N; 󠅯\u200C🜭。𑖿\u1ABBς=\u0338; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻ς≠
+T; 󠅯\u200C🜭。𑖿\u1ABBΣ=\u0338; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻σ≠
+N; 󠅯\u200C🜭。𑖿\u1ABBΣ=\u0338; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻σ≠
+T; 󠅯\u200C🜭。𑖿\u1ABBΣ≠; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻σ≠
+N; 󠅯\u200C🜭。𑖿\u1ABBΣ≠; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻σ≠
+T; 󠅯\u200C🜭。𑖿\u1ABBσ≠; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻σ≠
+N; 󠅯\u200C🜭。𑖿\u1ABBσ≠; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻σ≠
+T; 󠅯\u200C🜭。𑖿\u1ABBσ=\u0338; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻σ≠
+N; 󠅯\u200C🜭。𑖿\u1ABBσ=\u0338; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻σ≠
+B; xn--zb9h5968x.xn--4xa378i1mfjw7y; [V5 V6]; [V5 V6] # 🜭.𑖿᪻σ≠
+B; xn--0ug3766p5nm1b.xn--4xa378i1mfjw7y; [C1 V5 V6]; [C1 V5 V6] # 🜭.𑖿᪻σ≠
+B; xn--0ug3766p5nm1b.xn--3xa578i1mfjw7y; [C1 V5 V6]; [C1 V5 V6] # 🜭.𑖿᪻ς≠
+T; 󠅯\u200C🜭。𑖿\u1ABBΣ=\u0338; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻σ≠
+N; 󠅯\u200C🜭。𑖿\u1ABBΣ=\u0338; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻σ≠
+T; 󠅯\u200C🜭。𑖿\u1ABBΣ≠; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻σ≠
+N; 󠅯\u200C🜭。𑖿\u1ABBΣ≠; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻σ≠
+T; 󠅯\u200C🜭。𑖿\u1ABBσ≠; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻σ≠
+N; 󠅯\u200C🜭。𑖿\u1ABBσ≠; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻σ≠
+T; 󠅯\u200C🜭。𑖿\u1ABBσ=\u0338; [C1 P1 V5 V6]; [P1 V5 V6] # 🜭.𑖿᪻σ≠
+N; 󠅯\u200C🜭。𑖿\u1ABBσ=\u0338; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 🜭.𑖿᪻σ≠
+T; ⒋。⒈\u200D; [C2 P1 V6]; [P1 V6] # ⒋.⒈
+N; ⒋。⒈\u200D; [C2 P1 V6]; [C2 P1 V6] # ⒋.⒈
+T; 4.。1.\u200D; [C2 P1 V6 A4_2]; [P1 V6 A4_2] # 4..1.
+N; 4.。1.\u200D; [C2 P1 V6 A4_2]; [C2 P1 V6 A4_2] # 4..1.
+B; 4..1.xn--sf51d; [V6 A4_2]; [V6 A4_2]
+B; 4..1.xn--1ug64613i; [C2 V6 A4_2]; [C2 V6 A4_2] # 4..1.
+B; xn--wsh.xn--tsh07994h; [V6]; [V6]
+B; xn--wsh.xn--1ug58o74922a; [C2 V6]; [C2 V6] # ⒋.⒈
+T; \u0644ß。𐇽\u1A60𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لß.᩠𐇽𞤾
+N; \u0644ß。𐇽\u1A60𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لß.᩠𐇽𞤾
+T; \u0644ß。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لß.᩠𐇽𞤾
+N; \u0644ß。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لß.᩠𐇽𞤾
+T; \u0644ß。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لß.᩠𐇽𞤾
+N; \u0644ß。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لß.᩠𐇽𞤾
+B; \u0644SS。\u1A60𐇽𞤜; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644ss。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644Ss。\u1A60𐇽𞤜; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; xn--ss-svd.xn--jof2298hn83fln78f; [B1 B2 B3 V5 V6]; [B1 B2 B3 V5 V6] # لss.᩠𐇽𞤾
+B; xn--zca57y.xn--jof2298hn83fln78f; [B1 B2 B3 V5 V6]; [B1 B2 B3 V5 V6] # لß.᩠𐇽𞤾
+B; \u0644SS。\u1A60𐇽𞤜; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644ss。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644Ss。\u1A60𐇽𞤜; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644SS。𐇽\u1A60𞤜; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644ss。𐇽\u1A60𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644Ss。𐇽\u1A60𞤜; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644SS。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644Ss。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644SS。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644Ss。\u1A60𐇽𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644SS。𐇽\u1A60𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; \u0644Ss。𐇽\u1A60𞤾; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # لss.᩠𐇽𞤾
+B; 𐹽𑄳.\u1DDF\u17B8\uA806𑜫; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𐹽𑄳.ᷟី꠆𑜫
+B; xn--1o0di0c0652w.xn--33e362arr1l153d; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # 𐹽𑄳.ᷟី꠆𑜫
+T; Ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # Ⴓ𑜫.ڧ𑰶
+N; Ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # Ⴓ𑜫.ڧ𑰶
+T; Ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # Ⴓ𑜫.ڧ𑰶
+N; Ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # Ⴓ𑜫.ڧ𑰶
+T; ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # ⴓ𑜫.ڧ𑰶
+N; ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # ⴓ𑜫.ڧ𑰶
+B; xn--blj6306ey091d.xn--9jb4223l; [V6]; [V6] # ⴓ𑜫.ڧ𑰶
+B; xn--1ugy52cym7p7xu5e.xn--9jb4223l; [V6]; [V6] # ⴓ𑜫.ڧ𑰶
+B; xn--rnd8945ky009c.xn--9jb4223l; [V6]; [V6] # Ⴓ𑜫.ڧ𑰶
+B; xn--rnd479ep20q7x12e.xn--9jb4223l; [V6]; [V6] # Ⴓ𑜫.ڧ𑰶
+T; ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # ⴓ𑜫.ڧ𑰶
+N; ⴓ𑜫\u200D.\u06A7𑰶; [P1 V6]; [P1 V6] # ⴓ𑜫.ڧ𑰶
+B; 𐨿.🄆—; [P1 V5 V6]; [P1 V5 V6]
+B; 𐨿.5,—; [P1 V5 V6]; [P1 V5 V6]
+B; xn--0s9c.xn--5,-81t; [P1 V5 V6]; [P1 V5 V6]
+B; xn--0s9c.xn--8ug8324p; [V5 V6]; [V5 V6]
+B; ۸。-; [P1 V3 V6]; [P1 V3 V6]
+B; xn--lmb18944c0g2z.xn----2k81m; [V3 V6]; [V3 V6]
+B; \u07CD𐹮。\u06DDᡎᠴ; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ߍ𐹮.ᡎᠴ
+B; xn--osb0855kcc2r.xn--tlb299fhc; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ߍ𐹮.ᡎᠴ
+T; \u200DᠮႾ🄂.🚗\u0841\u200C; [B1 C1 C2 P1 V6]; [B1 P1 V6] # ᠮႾ🄂.🚗ࡁ
+N; \u200DᠮႾ🄂.🚗\u0841\u200C; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ᠮႾ🄂.🚗ࡁ
+T; \u200DᠮႾ1,.🚗\u0841\u200C; [B1 C1 C2 P1 V6]; [B1 B6 P1 V6] # ᠮႾ1,.🚗ࡁ
+N; \u200DᠮႾ1,.🚗\u0841\u200C; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ᠮႾ1,.🚗ࡁ
+T; \u200Dᠮⴞ1,.🚗\u0841\u200C; [B1 C1 C2 P1 V6]; [B1 B6 P1 V6] # ᠮⴞ1,.🚗ࡁ
+N; \u200Dᠮⴞ1,.🚗\u0841\u200C; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ᠮⴞ1,.🚗ࡁ
+B; xn--1,-v3o625k.xn--zvb3124wpkpf; [B1 B6 P1 V6]; [B1 B6 P1 V6] # ᠮⴞ1,.🚗ࡁ
+B; xn--1,-v3o161c53q.xn--zvb692j9664aic1g; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ᠮⴞ1,.🚗ࡁ
+B; xn--1,-ogkx89c.xn--zvb3124wpkpf; [B1 B6 P1 V6]; [B1 B6 P1 V6] # ᠮႾ1,.🚗ࡁ
+B; xn--1,-ogkx89c39j.xn--zvb692j9664aic1g; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ᠮႾ1,.🚗ࡁ
+T; \u200Dᠮⴞ🄂.🚗\u0841\u200C; [B1 C1 C2 P1 V6]; [B1 P1 V6] # ᠮⴞ🄂.🚗ࡁ
+N; \u200Dᠮⴞ🄂.🚗\u0841\u200C; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ᠮⴞ🄂.🚗ࡁ
+B; xn--h7e438h1p44a.xn--zvb3124wpkpf; [B1 V6]; [B1 V6] # ᠮⴞ🄂.🚗ࡁ
+B; xn--h7e341b0wlbv45b.xn--zvb692j9664aic1g; [B1 C1 C2 V6]; [B1 C1 C2 V6] # ᠮⴞ🄂.🚗ࡁ
+B; xn--2nd129ai554b.xn--zvb3124wpkpf; [B1 V6]; [B1 V6] # ᠮႾ🄂.🚗ࡁ
+B; xn--2nd129ay2gnw71c.xn--zvb692j9664aic1g; [B1 C1 C2 V6]; [B1 C1 C2 V6] # ᠮႾ🄂.🚗ࡁ
+B; \u0601\u0697.𑚶⾆; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ڗ.𑚶舌
+B; \u0601\u0697.𑚶舌; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ڗ.𑚶舌
+B; xn--jfb41a.xn--tc1ap851axo39c; [B1 V5 V6]; [B1 V5 V6] # ڗ.𑚶舌
+B; 🞅.; [P1 V6]; [P1 V6]
+B; xn--ie9hi1349bqdlb.xn--oj69a; [V6]; [V6]
+T; \u20E7-.4Ⴄ\u200C; [C1 P1 V5 V6]; [P1 V5 V6] # ⃧-.4Ⴄ
+N; \u20E7-.4Ⴄ\u200C; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ⃧-.4Ⴄ
+T; \u20E7-.4ⴄ\u200C; [C1 P1 V5 V6]; [P1 V5 V6] # ⃧-.4ⴄ
+N; \u20E7-.4ⴄ\u200C; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ⃧-.4ⴄ
+B; xn----9snu5320fi76w.xn--4-ivs; [V5 V6]; [V5 V6] # ⃧-.4ⴄ
+B; xn----9snu5320fi76w.xn--4-sgn589c; [C1 V5 V6]; [C1 V5 V6] # ⃧-.4ⴄ
+B; xn----9snu5320fi76w.xn--4-f0g; [V5 V6]; [V5 V6] # ⃧-.4Ⴄ
+B; xn----9snu5320fi76w.xn--4-f0g649i; [C1 V5 V6]; [C1 V5 V6] # ⃧-.4Ⴄ
+T; ᚭ。𝌠ß𖫱; ᚭ.𝌠ß𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+N; ᚭ。𝌠ß𖫱; ᚭ.𝌠ß𖫱; xn--hwe.xn--zca4946pblnc; NV8
+T; ᚭ。𝌠ß𖫱; ᚭ.𝌠ß𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+N; ᚭ。𝌠ß𖫱; ᚭ.𝌠ß𖫱; xn--hwe.xn--zca4946pblnc; NV8
+B; ᚭ。𝌠SS𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+B; ᚭ。𝌠ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+B; ᚭ。𝌠Ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+B; xn--hwe.xn--ss-ci1ub261a; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+B; ᚭ.𝌠ss𖫱; ; xn--hwe.xn--ss-ci1ub261a; NV8
+B; ᚭ.𝌠SS𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+B; ᚭ.𝌠Ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+B; xn--hwe.xn--zca4946pblnc; ᚭ.𝌠ß𖫱; xn--hwe.xn--zca4946pblnc; NV8
+T; ᚭ.𝌠ß𖫱; ; xn--hwe.xn--ss-ci1ub261a; NV8
+N; ᚭ.𝌠ß𖫱; ; xn--hwe.xn--zca4946pblnc; NV8
+B; ᚭ。𝌠SS𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+B; ᚭ。𝌠ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+B; ᚭ。𝌠Ss𖫱; ᚭ.𝌠ss𖫱; xn--hwe.xn--ss-ci1ub261a; NV8
+B; ₁。𞤫ꡪ; [B1 B2 B3]; [B1 B2 B3]
+B; 1。𞤫ꡪ; [B1 B2 B3]; [B1 B2 B3]
+B; 1。𞤉ꡪ; [B1 B2 B3]; [B1 B2 B3]
+B; 1.xn--gd9al691d; [B1 B2 B3]; [B1 B2 B3]
+B; ₁。𞤉ꡪ; [B1 B2 B3]; [B1 B2 B3]
+T; \u200C.; [B2 B3 B6 C1 P1 V6]; [B2 B3 P1 V6] # .
+N; \u200C.; [B2 B3 B6 C1 P1 V6]; [B2 B3 B6 C1 P1 V6] # .
+B; xn--kg4n.xn--2b7hs861pl540a; [B2 B3 V6]; [B2 B3 V6]
+B; xn--0ug27500a.xn--2b7hs861pl540a; [B2 B3 B6 C1 V6]; [B2 B3 B6 C1 V6] # .
+B; 𑑄≯。𑜤; [P1 V5 V6]; [P1 V5 V6]
+B; 𑑄>\u0338。𑜤; [P1 V5 V6]; [P1 V5 V6]
+B; 𑑄≯。𑜤; [P1 V5 V6]; [P1 V5 V6]
+B; 𑑄>\u0338。𑜤; [P1 V5 V6]; [P1 V5 V6]
+B; xn--hdh5636g.xn--ci2d; [V5 V6]; [V5 V6]
+T; Ⴋ≮𱲆。\u200D\u07A7𐋣; [C2 P1 V6]; [P1 V5 V6] # Ⴋ≮.ާ𐋣
+N; Ⴋ≮𱲆。\u200D\u07A7𐋣; [C2 P1 V6]; [C2 P1 V6] # Ⴋ≮.ާ𐋣
+T; Ⴋ<\u0338𱲆。\u200D\u07A7𐋣; [C2 P1 V6]; [P1 V5 V6] # Ⴋ≮.ާ𐋣
+N; Ⴋ<\u0338𱲆。\u200D\u07A7𐋣; [C2 P1 V6]; [C2 P1 V6] # Ⴋ≮.ާ𐋣
+T; ⴋ<\u0338𱲆。\u200D\u07A7𐋣; [C2 P1 V6]; [P1 V5 V6] # ⴋ≮.ާ𐋣
+N; ⴋ<\u0338𱲆。\u200D\u07A7𐋣; [C2 P1 V6]; [C2 P1 V6] # ⴋ≮.ާ𐋣
+T; ⴋ≮𱲆。\u200D\u07A7𐋣; [C2 P1 V6]; [P1 V5 V6] # ⴋ≮.ާ𐋣
+N; ⴋ≮𱲆。\u200D\u07A7𐋣; [C2 P1 V6]; [C2 P1 V6] # ⴋ≮.ާ𐋣
+B; xn--gdhz03bxt42d.xn--lrb6479j; [V5 V6]; [V5 V6] # ⴋ≮.ާ𐋣
+B; xn--gdhz03bxt42d.xn--lrb506jqr4n; [C2 V6]; [C2 V6] # ⴋ≮.ާ𐋣
+B; xn--jnd802gsm17c.xn--lrb6479j; [V5 V6]; [V5 V6] # Ⴋ≮.ާ𐋣
+B; xn--jnd802gsm17c.xn--lrb506jqr4n; [C2 V6]; [C2 V6] # Ⴋ≮.ާ𐋣
+B; \u17D2.≯; [P1 V5 V6]; [P1 V5 V6] # ្.≯
+B; \u17D2.>\u0338; [P1 V5 V6]; [P1 V5 V6] # ្.≯
+B; xn--u4e.xn--hdhx0084f; [V5 V6]; [V5 V6] # ្.≯
+B; \u1734.𐨺É⬓𑄴; [P1 V5 V6]; [P1 V5 V6] # ᜴.𐨺é⬓𑄴
+B; \u1734.𐨺E\u0301⬓𑄴; [P1 V5 V6]; [P1 V5 V6] # ᜴.𐨺é⬓𑄴
+B; \u1734.𐨺É⬓𑄴; [P1 V5 V6]; [P1 V5 V6] # ᜴.𐨺é⬓𑄴
+B; \u1734.𐨺E\u0301⬓𑄴; [P1 V5 V6]; [P1 V5 V6] # ᜴.𐨺é⬓𑄴
+B; \u1734.𐨺e\u0301⬓𑄴; [P1 V5 V6]; [P1 V5 V6] # ᜴.𐨺é⬓𑄴
+B; \u1734.𐨺é⬓𑄴; [P1 V5 V6]; [P1 V5 V6] # ᜴.𐨺é⬓𑄴
+B; xn--c0e34564d.xn--9ca207st53lg3f; [V5 V6]; [V5 V6] # ᜴.𐨺é⬓𑄴
+B; \u1734.𐨺e\u0301⬓𑄴; [P1 V5 V6]; [P1 V5 V6] # ᜴.𐨺é⬓𑄴
+B; \u1734.𐨺é⬓𑄴; [P1 V5 V6]; [P1 V5 V6] # ᜴.𐨺é⬓𑄴
+T; ᢇ\u200D\uA8C4。︒𞤺; [B1 B6 C2 P1 V6]; [B1 P1 V6] # ᢇ꣄.︒𞤺
+N; ᢇ\u200D\uA8C4。︒𞤺; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ᢇ꣄.︒𞤺
+T; ᢇ\u200D\uA8C4。。𞤺; [B6 C2 A4_2]; [A4_2] # ᢇ꣄..𞤺
+N; ᢇ\u200D\uA8C4。。𞤺; [B6 C2 A4_2]; [B6 C2 A4_2] # ᢇ꣄..𞤺
+T; ᢇ\u200D\uA8C4。。𞤘; [B6 C2 A4_2]; [A4_2] # ᢇ꣄..𞤺
+N; ᢇ\u200D\uA8C4。。𞤘; [B6 C2 A4_2]; [B6 C2 A4_2] # ᢇ꣄..𞤺
+B; xn--09e4694e..xn--ye6h; [A4_2]; [A4_2] # ᢇ꣄..𞤺
+B; xn--09e669a6x8j..xn--ye6h; [B6 C2 A4_2]; [B6 C2 A4_2] # ᢇ꣄..𞤺
+T; ᢇ\u200D\uA8C4。︒𞤘; [B1 B6 C2 P1 V6]; [B1 P1 V6] # ᢇ꣄.︒𞤺
+N; ᢇ\u200D\uA8C4。︒𞤘; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ᢇ꣄.︒𞤺
+B; xn--09e4694e.xn--y86cv562b; [B1 V6]; [B1 V6] # ᢇ꣄.︒𞤺
+B; xn--09e669a6x8j.xn--y86cv562b; [B1 B6 C2 V6]; [B1 B6 C2 V6] # ᢇ꣄.︒𞤺
+T; \u1714\u200C。\u0631\u07AA≮; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ᜔.رު≮
+N; \u1714\u200C。\u0631\u07AA≮; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ᜔.رު≮
+T; \u1714\u200C。\u0631\u07AA<\u0338; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ᜔.رު≮
+N; \u1714\u200C。\u0631\u07AA<\u0338; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ᜔.رު≮
+T; \u1714\u200C。\u0631\u07AA≮; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ᜔.رު≮
+N; \u1714\u200C。\u0631\u07AA≮; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ᜔.رު≮
+T; \u1714\u200C。\u0631\u07AA<\u0338; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ᜔.رު≮
+N; \u1714\u200C。\u0631\u07AA<\u0338; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ᜔.رު≮
+B; xn--fze3930v7hz6b.xn--wgb86el10d; [B2 B3 V6]; [B2 B3 V6] # ᜔.رު≮
+B; xn--fze607b9651bjwl7c.xn--wgb86el10d; [B2 B3 V6]; [B2 B3 V6] # ᜔.رު≮
+B; Ⴣ.\u0653ᢤ; [P1 V5 V6]; [P1 V5 V6] # Ⴣ.ٓᢤ
+B; Ⴣ.\u0653ᢤ; [P1 V5 V6]; [P1 V5 V6] # Ⴣ.ٓᢤ
+B; ⴣ.\u0653ᢤ; [V5]; [V5] # ⴣ.ٓᢤ
+B; xn--rlj.xn--vhb294g; [V5]; [V5] # ⴣ.ٓᢤ
+B; xn--7nd.xn--vhb294g; [V5 V6]; [V5 V6] # Ⴣ.ٓᢤ
+B; ⴣ.\u0653ᢤ; [V5]; [V5] # ⴣ.ٓᢤ
+B; 󠄈\u0813.싉Ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉Ⴤ
+B; 󠄈\u0813.싉Ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉Ⴤ
+B; 󠄈\u0813.싉Ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉Ⴤ
+B; 󠄈\u0813.싉Ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉Ⴤ
+B; 󠄈\u0813.싉ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉ⴤ
+B; 󠄈\u0813.싉ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉ⴤ
+B; xn--oub.xn--sljz109bpe25dviva; [V6]; [V6] # ࠓ.싉ⴤ
+B; xn--oub.xn--8nd9522gpe69cviva; [V6]; [V6] # ࠓ.싉Ⴤ
+B; 󠄈\u0813.싉ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉ⴤ
+B; 󠄈\u0813.싉ⴤ; [P1 V6]; [P1 V6] # ࠓ.싉ⴤ
+B; \uAA2C𑲫≮.⤂; [P1 V5 V6]; [P1 V5 V6] # ꨬ𑲫≮.⤂
+B; \uAA2C𑲫<\u0338.⤂; [P1 V5 V6]; [P1 V5 V6] # ꨬ𑲫≮.⤂
+B; \uAA2C𑲫≮.⤂; [P1 V5 V6]; [P1 V5 V6] # ꨬ𑲫≮.⤂
+B; \uAA2C𑲫<\u0338.⤂; [P1 V5 V6]; [P1 V5 V6] # ꨬ𑲫≮.⤂
+B; xn--gdh1854cn19c.xn--kqi; [V5 V6]; [V5 V6] # ꨬ𑲫≮.⤂
+B; \u0604𐩔≮Ⴢ.Ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮Ⴢ.Ⴃ
+B; \u0604𐩔<\u0338Ⴢ.Ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮Ⴢ.Ⴃ
+B; \u0604𐩔≮Ⴢ.Ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮Ⴢ.Ⴃ
+B; \u0604𐩔<\u0338Ⴢ.Ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮Ⴢ.Ⴃ
+B; \u0604𐩔<\u0338ⴢ.ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮ⴢ.ⴃ
+B; \u0604𐩔≮ⴢ.ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮ⴢ.ⴃ
+B; \u0604𐩔≮Ⴢ.ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮Ⴢ.ⴃ
+B; \u0604𐩔<\u0338Ⴢ.ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮Ⴢ.ⴃ
+B; xn--mfb416c0jox02t.xn--ukj; [B1 V6]; [B1 V6] # 𐩔≮Ⴢ.ⴃ
+B; xn--mfb266l4khr54u.xn--ukj; [B1 V6]; [B1 V6] # 𐩔≮ⴢ.ⴃ
+B; xn--mfb416c0jox02t.xn--bnd; [B1 V6]; [B1 V6] # 𐩔≮Ⴢ.Ⴃ
+B; \u0604𐩔<\u0338ⴢ.ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮ⴢ.ⴃ
+B; \u0604𐩔≮ⴢ.ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮ⴢ.ⴃ
+B; \u0604𐩔≮Ⴢ.ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮Ⴢ.ⴃ
+B; \u0604𐩔<\u0338Ⴢ.ⴃ; [B1 P1 V6]; [B1 P1 V6] # 𐩔≮Ⴢ.ⴃ
+B; 𑁅。-; [V3 V5]; [V3 V5]
+B; xn--210d.-; [V3 V5]; [V3 V5]
+B; \u0DCA。饈≠\u0664; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ්.饈≠٤
+B; \u0DCA。饈=\u0338\u0664; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ්.饈≠٤
+B; \u0DCA。饈≠\u0664; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ්.饈≠٤
+B; \u0DCA。饈=\u0338\u0664; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ්.饈≠٤
+B; xn--h1c25913jfwov.xn--dib144ler5f; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ්.饈≠٤
+B; 𞥃ᠠ⁷。≯邅⬻4; [B1 B2 P1 V6]; [B1 B2 P1 V6]
+B; 𞥃ᠠ⁷。>\u0338邅⬻4; [B1 B2 P1 V6]; [B1 B2 P1 V6]
+B; 𞥃ᠠ7。≯邅⬻4; [B1 B2 P1 V6]; [B1 B2 P1 V6]
+B; 𞥃ᠠ7。>\u0338邅⬻4; [B1 B2 P1 V6]; [B1 B2 P1 V6]
+B; 𞤡ᠠ7。>\u0338邅⬻4; [B1 B2 P1 V6]; [B1 B2 P1 V6]
+B; 𞤡ᠠ7。≯邅⬻4; [B1 B2 P1 V6]; [B1 B2 P1 V6]
+B; xn--7-v4j2826w.xn--4-ogoy01bou3i; [B1 B2 V6]; [B1 B2 V6]
+B; 𞤡ᠠ⁷。>\u0338邅⬻4; [B1 B2 P1 V6]; [B1 B2 P1 V6]
+B; 𞤡ᠠ⁷。≯邅⬻4; [B1 B2 P1 V6]; [B1 B2 P1 V6]
+B; ᡳ-𑐻.𐹴𐋫\u0605; [B1 B6 P1 V6]; [B1 B6 P1 V6] # ᡳ-𑐻.𐹴𐋫
+B; xn----m9j3429kxmy7e.xn--nfb7950kdihrp812a; [B1 B6 V6]; [B1 B6 V6] # ᡳ-𑐻.𐹴𐋫
+B; \u0845\u0A51.넨-; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ࡅੑ.넨-
+B; \u0845\u0A51.넨-; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ࡅੑ.넨-
+B; xn--3vb26hb6834b.xn----i37ez0957g; [B5 B6 V6]; [B5 B6 V6] # ࡅੑ.넨-
+T; ꡦᡑ\u200D⒈。𐋣-; [C2 P1 V3 V6]; [P1 V3 V6] # ꡦᡑ⒈.𐋣-
+N; ꡦᡑ\u200D⒈。𐋣-; [C2 P1 V3 V6]; [C2 P1 V3 V6] # ꡦᡑ⒈.𐋣-
+T; ꡦᡑ\u200D1.。𐋣-; [C2 V3 A4_2]; [V3 A4_2] # ꡦᡑ1..𐋣-
+N; ꡦᡑ\u200D1.。𐋣-; [C2 V3 A4_2]; [C2 V3 A4_2] # ꡦᡑ1..𐋣-
+B; xn--1-o7j0610f..xn----381i; [V3 A4_2]; [V3 A4_2]
+B; xn--1-o7j663bdl7m..xn----381i; [C2 V3 A4_2]; [C2 V3 A4_2] # ꡦᡑ1..𐋣-
+B; xn--h8e863drj7h.xn----381i; [V3 V6]; [V3 V6]
+B; xn--h8e470bl0d838o.xn----381i; [C2 V3 V6]; [C2 V3 V6] # ꡦᡑ⒈.𐋣-
+B; Ⴌ。\uFB69; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴌ.ٹ
+B; Ⴌ。\u0679; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴌ.ٹ
+B; ⴌ。\u0679; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ⴌ.ٹ
+B; xn--3kj.xn--yib19191t; [B5 B6 V6]; [B5 B6 V6] # ⴌ.ٹ
+B; xn--knd.xn--yib19191t; [B5 B6 V6]; [B5 B6 V6] # Ⴌ.ٹ
+B; ⴌ。\uFB69; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ⴌ.ٹ
+B; 𐮁𐭱.\u0F84\u135E-\u1CFA; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𐮁𐭱.྄፞-
+B; xn--r19c5a.xn----xjg270ag3m; [B1 V5 V6]; [B1 V5 V6] # 𐮁𐭱.྄፞-
+T; ⒈䰹\u200D-。웈; [C2 P1 V3 V6]; [P1 V3 V6] # ⒈䰹-.웈
+N; ⒈䰹\u200D-。웈; [C2 P1 V3 V6]; [C2 P1 V3 V6] # ⒈䰹-.웈
+T; ⒈䰹\u200D-。웈; [C2 P1 V3 V6]; [P1 V3 V6] # ⒈䰹-.웈
+N; ⒈䰹\u200D-。웈; [C2 P1 V3 V6]; [C2 P1 V3 V6] # ⒈䰹-.웈
+T; 1.䰹\u200D-。웈; [C2 V3]; [V3] # 1.䰹-.웈
+N; 1.䰹\u200D-。웈; [C2 V3]; [C2 V3] # 1.䰹-.웈
+T; 1.䰹\u200D-。웈; [C2 V3]; [V3] # 1.䰹-.웈
+N; 1.䰹\u200D-。웈; [C2 V3]; [C2 V3] # 1.䰹-.웈
+B; 1.xn----zw5a.xn--kp5b; [V3]; [V3]
+B; 1.xn----tgnz80r.xn--kp5b; [C2 V3]; [C2 V3] # 1.䰹-.웈
+B; xn----dcp160o.xn--kp5b; [V3 V6]; [V3 V6]
+B; xn----tgnx5rjr6c.xn--kp5b; [C2 V3 V6]; [C2 V3 V6] # ⒈䰹-.웈
+T; て。\u200C\u07F3; [C1 P1 V6]; [P1 V6] # て.߳
+N; て。\u200C\u07F3; [C1 P1 V6]; [C1 P1 V6] # て.߳
+B; xn--m9j.xn--rtb10784p; [V6]; [V6] # て.߳
+B; xn--m9j.xn--rtb154j9l73w; [C1 V6]; [C1 V6] # て.߳
+T; ς。\uA9C0\u06E7; [V5]; [V5] # ς.꧀ۧ
+N; ς。\uA9C0\u06E7; [V5]; [V5] # ς.꧀ۧ
+T; ς。\uA9C0\u06E7; [V5]; [V5] # ς.꧀ۧ
+N; ς。\uA9C0\u06E7; [V5]; [V5] # ς.꧀ۧ
+B; Σ。\uA9C0\u06E7; [V5]; [V5] # σ.꧀ۧ
+B; σ。\uA9C0\u06E7; [V5]; [V5] # σ.꧀ۧ
+B; xn--4xa.xn--3lb1944f; [V5]; [V5] # σ.꧀ۧ
+B; xn--3xa.xn--3lb1944f; [V5]; [V5] # ς.꧀ۧ
+B; Σ。\uA9C0\u06E7; [V5]; [V5] # σ.꧀ۧ
+B; σ。\uA9C0\u06E7; [V5]; [V5] # σ.꧀ۧ
+B; \u0BCD.ႢႵ; [P1 V5 V6]; [P1 V5 V6] # ்.ႢႵ
+B; \u0BCD.ⴂⴕ; [P1 V5 V6]; [P1 V5 V6] # ்.ⴂⴕ
+B; \u0BCD.Ⴂⴕ; [P1 V5 V6]; [P1 V5 V6] # ்.Ⴂⴕ
+B; xn--xmc83135idcxza.xn--9md086l; [V5 V6]; [V5 V6] # ்.Ⴂⴕ
+B; xn--xmc83135idcxza.xn--tkjwb; [V5 V6]; [V5 V6] # ்.ⴂⴕ
+B; xn--xmc83135idcxza.xn--9md2b; [V5 V6]; [V5 V6] # ்.ႢႵ
+T; \u1C32🄈⾛\u05A6.\u200D\u07FD; [B1 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ᰲ🄈走֦.
+N; \u1C32🄈⾛\u05A6.\u200D\u07FD; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ᰲ🄈走֦.
+T; \u1C327,走\u05A6.\u200D\u07FD; [B1 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ᰲ7,走֦.
+N; \u1C327,走\u05A6.\u200D\u07FD; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ᰲ7,走֦.
+B; xn--7,-bid991urn3k.xn--1tb13454l; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ᰲ7,走֦.
+B; xn--7,-bid991urn3k.xn--1tb334j1197q; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ᰲ7,走֦.
+B; xn--xcb756i493fwi5o.xn--1tb13454l; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ᰲ🄈走֦.
+B; xn--xcb756i493fwi5o.xn--1tb334j1197q; [B1 C2 V5 V6]; [B1 C2 V5 V6] # ᰲ🄈走֦.
+B; ᢗ。Ӏ; [P1 V6]; [P1 V6]
+B; ᢗ。Ӏ; [P1 V6]; [P1 V6]
+B; ᢗ。ӏ; [P1 V6]; [P1 V6]
+B; xn--hbf.xn--s5a83117e; [V6]; [V6]
+B; xn--hbf.xn--d5a86117e; [V6]; [V6]
+B; ᢗ。ӏ; [P1 V6]; [P1 V6]
+B; \u0668-。🝆ᄾ; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ٨-.🝆ᄾ
+B; xn----oqc.xn--qrd1699v327w; [B1 V3 V6]; [B1 V3 V6] # ٨-.🝆ᄾ
+B; -𐋷𖾑。󠆬; [V3]; [V3]
+B; xn----991iq40y.; [V3]; [V3]
+T; \u200C𐹳🐴멈.\uABED; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𐹳🐴멈.꯭
+N; \u200C𐹳🐴멈.\uABED; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𐹳🐴멈.꯭
+T; \u200C𐹳🐴멈.\uABED; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𐹳🐴멈.꯭
+N; \u200C𐹳🐴멈.\uABED; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𐹳🐴멈.꯭
+B; xn--422b325mqb6i.xn--429a8682s; [B1 V5 V6]; [B1 V5 V6] # 𐹳🐴멈.꯭
+B; xn--0ug6681d406b7bwk.xn--429a8682s; [B1 C1 V5 V6]; [B1 C1 V5 V6] # 𐹳🐴멈.꯭
+B; ≮.\u0769\u0603; [B1 P1 V6]; [B1 P1 V6] # ≮.ݩ
+B; <\u0338.\u0769\u0603; [B1 P1 V6]; [B1 P1 V6] # ≮.ݩ
+B; xn--gdh.xn--lfb92e; [B1 V6]; [B1 V6] # ≮.ݩ
+T; ⾆。\u200C𑚶; [B1 B2 B3 C1 P1 V6]; [B2 B3 B5 B6 P1 V5 V6] # 舌.𑚶
+N; ⾆。\u200C𑚶; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # 舌.𑚶
+T; 舌。\u200C𑚶; [B1 B2 B3 C1 P1 V6]; [B2 B3 B5 B6 P1 V5 V6] # 舌.𑚶
+N; 舌。\u200C𑚶; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # 舌.𑚶
+B; xn--tc1ao37z.xn--6e2dw557azds2d; [B2 B3 B5 B6 V5 V6]; [B2 B3 B5 B6 V5 V6]
+B; xn--tc1ao37z.xn--0ugx728gi1nfwqz2e; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # 舌.𑚶
+T; \u200CჀ-.𝟷ς𞴺ς; [B1 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # Ⴠ-.1ςς
+N; \u200CჀ-.𝟷ς𞴺ς; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # Ⴠ-.1ςς
+T; \u200CჀ-.1ς𞴺ς; [B1 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # Ⴠ-.1ςς
+N; \u200CჀ-.1ς𞴺ς; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # Ⴠ-.1ςς
+T; \u200Cⴠ-.1ς𞴺ς; [B1 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # ⴠ-.1ςς
+N; \u200Cⴠ-.1ς𞴺ς; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # ⴠ-.1ςς
+T; \u200CჀ-.1Σ𞴺Σ; [B1 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # Ⴠ-.1σσ
+N; \u200CჀ-.1Σ𞴺Σ; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # Ⴠ-.1σσ
+T; \u200Cⴠ-.1σ𞴺σ; [B1 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # ⴠ-.1σσ
+N; \u200Cⴠ-.1σ𞴺σ; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # ⴠ-.1σσ
+B; xn----2ws.xn--1-0mba52321c; [B1 B6 V3 V6]; [B1 B6 V3 V6]
+B; xn----rgn530d.xn--1-0mba52321c; [B1 C1 V3 V6]; [B1 C1 V3 V6] # ⴠ-.1σσ
+B; xn----z1g.xn--1-0mba52321c; [B1 B6 V3 V6]; [B1 B6 V3 V6]
+B; xn----z1g168i.xn--1-0mba52321c; [B1 C1 V3 V6]; [B1 C1 V3 V6] # Ⴠ-.1σσ
+B; xn----rgn530d.xn--1-ymba92321c; [B1 C1 V3 V6]; [B1 C1 V3 V6] # ⴠ-.1ςς
+B; xn----z1g168i.xn--1-ymba92321c; [B1 C1 V3 V6]; [B1 C1 V3 V6] # Ⴠ-.1ςς
+T; \u200Cⴠ-.𝟷ς𞴺ς; [B1 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # ⴠ-.1ςς
+N; \u200Cⴠ-.𝟷ς𞴺ς; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # ⴠ-.1ςς
+T; \u200CჀ-.𝟷Σ𞴺Σ; [B1 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # Ⴠ-.1σσ
+N; \u200CჀ-.𝟷Σ𞴺Σ; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # Ⴠ-.1σσ
+T; \u200Cⴠ-.𝟷σ𞴺σ; [B1 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # ⴠ-.1σσ
+N; \u200Cⴠ-.𝟷σ𞴺σ; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # ⴠ-.1σσ
+B; 𑲘󠄒。𝟪Ⴜ; [P1 V5 V6]; [P1 V5 V6]
+B; 𑲘󠄒。8Ⴜ; [P1 V5 V6]; [P1 V5 V6]
+B; 𑲘󠄒。8ⴜ; [P1 V5 V6]; [P1 V5 V6]
+B; xn--7m3d291b.xn--8-vws; [V5 V6]; [V5 V6]
+B; xn--7m3d291b.xn--8-s1g; [V5 V6]; [V5 V6]
+B; 𑲘󠄒。𝟪ⴜ; [P1 V5 V6]; [P1 V5 V6]
+B; 䪏\u06AB\u07E0\u0941。뭕ᢝ\u17B9; [B5 B6]; [B5 B6] # 䪏ګߠु.뭕ᢝឹ
+B; 䪏\u06AB\u07E0\u0941。뭕ᢝ\u17B9; [B5 B6]; [B5 B6] # 䪏ګߠु.뭕ᢝឹ
+B; 䪏\u06AB\u07E0\u0941。뭕ᢝ\u17B9; [B5 B6]; [B5 B6] # 䪏ګߠु.뭕ᢝឹ
+B; 䪏\u06AB\u07E0\u0941。뭕ᢝ\u17B9; [B5 B6]; [B5 B6] # 䪏ګߠु.뭕ᢝឹ
+B; xn--ekb23dj4at01n.xn--43e96bh910b; [B5 B6]; [B5 B6] # 䪏ګߠु.뭕ᢝឹ
+B; \u1BAB。🂉; [P1 V5 V6]; [P1 V5 V6] # ᮫.🂉
+B; \u1BAB。🂉; [P1 V5 V6]; [P1 V5 V6] # ᮫.🂉
+B; xn--zxf.xn--fx7ho0250c; [V5 V6]; [V5 V6] # ᮫.🂉
+T; \u0AC4。ς\u200D𐹮𑈵; [B5 C2 P1 V6]; [B5 P1 V6] # ૄ.ς𐹮𑈵
+N; \u0AC4。ς\u200D𐹮𑈵; [B5 C2 P1 V6]; [B5 C2 P1 V6] # ૄ.ς𐹮𑈵
+T; \u0AC4。Σ\u200D𐹮𑈵; [B5 C2 P1 V6]; [B5 P1 V6] # ૄ.σ𐹮𑈵
+N; \u0AC4。Σ\u200D𐹮𑈵; [B5 C2 P1 V6]; [B5 C2 P1 V6] # ૄ.σ𐹮𑈵
+T; \u0AC4。σ\u200D𐹮𑈵; [B5 C2 P1 V6]; [B5 P1 V6] # ૄ.σ𐹮𑈵
+N; \u0AC4。σ\u200D𐹮𑈵; [B5 C2 P1 V6]; [B5 C2 P1 V6] # ૄ.σ𐹮𑈵
+B; xn--dfc53161q.xn--4xa8467k5mc; [B5 V6]; [B5 V6] # ૄ.σ𐹮𑈵
+B; xn--dfc53161q.xn--4xa895lzo7nsfd; [B5 C2 V6]; [B5 C2 V6] # ૄ.σ𐹮𑈵
+B; xn--dfc53161q.xn--3xa006lzo7nsfd; [B5 C2 V6]; [B5 C2 V6] # ૄ.ς𐹮𑈵
+B; 𐫀ᡂ𑜫.𑘿; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5]
+B; 𐫀ᡂ𑜫.𑘿; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5]
+B; xn--17e9625js1h.xn--sb2d; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5]
+T; -。\u200C; [C1 P1 V3 V6]; [P1 V3 V6] # -.
+N; -。\u200C; [C1 P1 V3 V6]; [C1 P1 V3 V6] # -.
+B; xn----7i12hu122k9ire.; [V3 V6]; [V3 V6]
+B; xn----7i12hu122k9ire.xn--0ug; [C1 V3 V6]; [C1 V3 V6] # -.
+B; 𐹣.\u07C2; [B1]; [B1] # 𐹣.߂
+B; 𐹣.\u07C2; [B1]; [B1] # 𐹣.߂
+B; xn--bo0d.xn--dsb; [B1]; [B1] # 𐹣.߂
+B; -\u07E1。Ↄ; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ߡ.Ↄ
+B; -\u07E1。Ↄ; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ߡ.Ↄ
+B; -\u07E1。ↄ; [B1 V3]; [B1 V3] # -ߡ.ↄ
+B; xn----8cd.xn--r5g; [B1 V3]; [B1 V3] # -ߡ.ↄ
+B; xn----8cd.xn--q5g; [B1 V3 V6]; [B1 V3 V6] # -ߡ.Ↄ
+B; -\u07E1。ↄ; [B1 V3]; [B1 V3] # -ߡ.ↄ
+T; \u200D-︒󠄄。ß哑\u200C; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 P1 V3 V6] # -︒.ß哑
+N; \u200D-︒󠄄。ß哑\u200C; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 C1 C2 P1 V6] # -︒.ß哑
+T; \u200D-。󠄄。ß哑\u200C; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2]; [B1 B5 B6 P1 V3 V6 A4_2] # -..ß哑
+N; \u200D-。󠄄。ß哑\u200C; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2]; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2] # -..ß哑
+T; \u200D-。󠄄。SS哑\u200C; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2]; [B1 B5 B6 P1 V3 V6 A4_2] # -..ss哑
+N; \u200D-。󠄄。SS哑\u200C; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2]; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2] # -..ss哑
+T; \u200D-。󠄄。ss哑\u200C; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2]; [B1 B5 B6 P1 V3 V6 A4_2] # -..ss哑
+N; \u200D-。󠄄。ss哑\u200C; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2]; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2] # -..ss哑
+T; \u200D-。󠄄。Ss哑\u200C; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2]; [B1 B5 B6 P1 V3 V6 A4_2] # -..ss哑
+N; \u200D-。󠄄。Ss哑\u200C; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2]; [B1 B5 B6 C1 C2 P1 V3 V6 A4_2] # -..ss哑
+B; -..xn--ss-h46c5711e; [B1 B5 B6 V3 V6 A4_2]; [B1 B5 B6 V3 V6 A4_2]
+B; xn----tgn..xn--ss-k1ts75zb8ym; [B1 B5 B6 C1 C2 V3 V6 A4_2]; [B1 B5 B6 C1 C2 V3 V6 A4_2] # -..ss哑
+B; xn----tgn..xn--zca670n5f0binyk; [B1 B5 B6 C1 C2 V3 V6 A4_2]; [B1 B5 B6 C1 C2 V3 V6 A4_2] # -..ß哑
+T; \u200D-︒󠄄。SS哑\u200C; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 P1 V3 V6] # -︒.ss哑
+N; \u200D-︒󠄄。SS哑\u200C; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 C1 C2 P1 V6] # -︒.ss哑
+T; \u200D-︒󠄄。ss哑\u200C; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 P1 V3 V6] # -︒.ss哑
+N; \u200D-︒󠄄。ss哑\u200C; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 C1 C2 P1 V6] # -︒.ss哑
+T; \u200D-︒󠄄。Ss哑\u200C; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 P1 V3 V6] # -︒.ss哑
+N; \u200D-︒󠄄。Ss哑\u200C; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 C1 C2 P1 V6] # -︒.ss哑
+B; xn----o89h.xn--ss-h46c5711e; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6]
+B; xn----tgnt341h.xn--ss-k1ts75zb8ym; [B1 B5 B6 C1 C2 V6]; [B1 B5 B6 C1 C2 V6] # -︒.ss哑
+B; xn----tgnt341h.xn--zca670n5f0binyk; [B1 B5 B6 C1 C2 V6]; [B1 B5 B6 C1 C2 V6] # -︒.ß哑
+B; ︒.\uFE2F𑑂; [P1 V5 V6]; [P1 V5 V6] # ︒.𑑂︯
+B; ︒.𑑂\uFE2F; [P1 V5 V6]; [P1 V5 V6] # ︒.𑑂︯
+B; 。.𑑂\uFE2F; [V5 A4_2]; [V5 A4_2] # ..𑑂︯
+B; ..xn--s96cu30b; [V5 A4_2]; [V5 A4_2] # ..𑑂︯
+B; xn--y86c.xn--s96cu30b; [V5 V6]; [V5 V6] # ︒.𑑂︯
+T; \uA92C。\u200D; [C2 V5]; [V5] # ꤬.
+N; \uA92C。\u200D; [C2 V5]; [C2 V5] # ꤬.
+B; xn--zi9a.; [V5]; [V5] # ꤬.
+B; xn--zi9a.xn--1ug; [C2 V5]; [C2 V5] # ꤬.
+T; \u200D。\uFCD7; [B1 C2 P1 V6]; [B1 P1 V6] # .هج
+N; \u200D。\uFCD7; [B1 C2 P1 V6]; [B1 C2 P1 V6] # .هج
+T; \u200D。\u0647\u062C; [B1 C2 P1 V6]; [B1 P1 V6] # .هج
+N; \u200D。\u0647\u062C; [B1 C2 P1 V6]; [B1 C2 P1 V6] # .هج
+B; xn--d356e.xn--rgb7c; [B1 V6]; [B1 V6] # .هج
+B; xn--1ug80651l.xn--rgb7c; [B1 C2 V6]; [B1 C2 V6] # .هج
+T; -Ⴄ𝟢\u0663.𑍴ς; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -Ⴄ0٣.𑍴ς
+N; -Ⴄ𝟢\u0663.𑍴ς; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -Ⴄ0٣.𑍴ς
+T; -Ⴄ0\u0663.𑍴ς; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -Ⴄ0٣.𑍴ς
+N; -Ⴄ0\u0663.𑍴ς; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -Ⴄ0٣.𑍴ς
+T; -ⴄ0\u0663.𑍴ς; [B1 V3 V5]; [B1 V3 V5] # -ⴄ0٣.𑍴ς
+N; -ⴄ0\u0663.𑍴ς; [B1 V3 V5]; [B1 V3 V5] # -ⴄ0٣.𑍴ς
+B; -Ⴄ0\u0663.𑍴Σ; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -Ⴄ0٣.𑍴σ
+B; -ⴄ0\u0663.𑍴σ; [B1 V3 V5]; [B1 V3 V5] # -ⴄ0٣.𑍴σ
+B; xn---0-iyd8660b.xn--4xa9120l; [B1 V3 V5]; [B1 V3 V5] # -ⴄ0٣.𑍴σ
+B; xn---0-iyd216h.xn--4xa9120l; [B1 V3 V5 V6]; [B1 V3 V5 V6] # -Ⴄ0٣.𑍴σ
+B; xn---0-iyd8660b.xn--3xa1220l; [B1 V3 V5]; [B1 V3 V5] # -ⴄ0٣.𑍴ς
+B; xn---0-iyd216h.xn--3xa1220l; [B1 V3 V5 V6]; [B1 V3 V5 V6] # -Ⴄ0٣.𑍴ς
+T; -ⴄ𝟢\u0663.𑍴ς; [B1 V3 V5]; [B1 V3 V5] # -ⴄ0٣.𑍴ς
+N; -ⴄ𝟢\u0663.𑍴ς; [B1 V3 V5]; [B1 V3 V5] # -ⴄ0٣.𑍴ς
+B; -Ⴄ𝟢\u0663.𑍴Σ; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -Ⴄ0٣.𑍴σ
+B; -ⴄ𝟢\u0663.𑍴σ; [B1 V3 V5]; [B1 V3 V5] # -ⴄ0٣.𑍴σ
+B; 。-; [P1 V3 V6]; [P1 V3 V6]
+B; xn--xm38e.-; [V3 V6]; [V3 V6]
+T; ⋠𐋮.\u0F18ß≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
+N; ⋠𐋮.\u0F18ß≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
+T; ≼\u0338𐋮.\u0F18ß>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
+N; ≼\u0338𐋮.\u0F18ß>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
+T; ⋠𐋮.\u0F18ß≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
+N; ⋠𐋮.\u0F18ß≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
+T; ≼\u0338𐋮.\u0F18ß>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
+N; ≼\u0338𐋮.\u0F18ß>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ß≯
+B; ≼\u0338𐋮.\u0F18SS>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ⋠𐋮.\u0F18SS≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ⋠𐋮.\u0F18ss≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ≼\u0338𐋮.\u0F18ss>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ≼\u0338𐋮.\u0F18Ss>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ⋠𐋮.\u0F18Ss≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; xn--pgh4639f.xn--ss-ifj426nle504a; [V6]; [V6] # ⋠𐋮.༘ss≯
+B; xn--pgh4639f.xn--zca593eo6oc013y; [V6]; [V6] # ⋠𐋮.༘ß≯
+B; ≼\u0338𐋮.\u0F18SS>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ⋠𐋮.\u0F18SS≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ⋠𐋮.\u0F18ss≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ≼\u0338𐋮.\u0F18ss>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ≼\u0338𐋮.\u0F18Ss>\u0338; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; ⋠𐋮.\u0F18Ss≯; [P1 V6]; [P1 V6] # ⋠𐋮.༘ss≯
+B; 1𐋸\u0664。\uFBA4; [B1 P1 V6]; [B1 P1 V6] # 1𐋸٤.ۀ
+B; 1𐋸\u0664。\u06C0; [B1 P1 V6]; [B1 P1 V6] # 1𐋸٤.ۀ
+B; 1𐋸\u0664。\u06D5\u0654; [B1 P1 V6]; [B1 P1 V6] # 1𐋸٤.ۀ
+B; xn--1-hqc3905q.xn--zkb83268gqee4a; [B1 V6]; [B1 V6] # 1𐋸٤.ۀ
+T; 儭-。𐹴Ⴢ\u200C; [B1 B6 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # 儭-.𐹴Ⴢ
+N; 儭-。𐹴Ⴢ\u200C; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # 儭-.𐹴Ⴢ
+T; 儭-。𐹴Ⴢ\u200C; [B1 B6 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # 儭-.𐹴Ⴢ
+N; 儭-。𐹴Ⴢ\u200C; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # 儭-.𐹴Ⴢ
+T; 儭-。𐹴ⴢ\u200C; [B1 B6 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # 儭-.𐹴ⴢ
+N; 儭-。𐹴ⴢ\u200C; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # 儭-.𐹴ⴢ
+B; xn----gz7a.xn--qlj9223eywx0b; [B1 B6 V3 V6]; [B1 B6 V3 V6]
+B; xn----gz7a.xn--0ug472cfq0pus98b; [B1 B6 C1 V3 V6]; [B1 B6 C1 V3 V6] # 儭-.𐹴ⴢ
+B; xn----gz7a.xn--6nd5001kyw98a; [B1 B6 V3 V6]; [B1 B6 V3 V6]
+B; xn----gz7a.xn--6nd249ejl4pusr7b; [B1 B6 C1 V3 V6]; [B1 B6 C1 V3 V6] # 儭-.𐹴Ⴢ
+T; 儭-。𐹴ⴢ\u200C; [B1 B6 C1 P1 V3 V6]; [B1 B6 P1 V3 V6] # 儭-.𐹴ⴢ
+N; 儭-。𐹴ⴢ\u200C; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # 儭-.𐹴ⴢ
+B; 𝟺𐋷\u06B9.𞤭; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # 4𐋷ڹ.𞤭
+B; 4𐋷\u06B9.𞤭; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # 4𐋷ڹ.𞤭
+B; 4𐋷\u06B9.𞤋; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # 4𐋷ڹ.𞤭
+B; xn--4-cvc5384q.xn--le6hi7322b; [B1 B2 B3 V6]; [B1 B2 B3 V6] # 4𐋷ڹ.𞤭
+B; 𝟺𐋷\u06B9.𞤋; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # 4𐋷ڹ.𞤭
+B; ≯-ꡋ𑲣.⒈𐹭; [B1 P1 V6]; [B1 P1 V6]
+B; >\u0338-ꡋ𑲣.⒈𐹭; [B1 P1 V6]; [B1 P1 V6]
+B; ≯-ꡋ𑲣.1.𐹭; [B1 P1 V6]; [B1 P1 V6]
+B; >\u0338-ꡋ𑲣.1.𐹭; [B1 P1 V6]; [B1 P1 V6]
+B; xn----ogox061d5i8d.1.xn--lo0d; [B1 V6]; [B1 V6]
+B; xn----ogox061d5i8d.xn--tsh0666f; [B1 V6]; [B1 V6]
+B; \u0330.蚀; [P1 V5 V6]; [P1 V5 V6] # ̰.蚀
+B; \u0330.蚀; [P1 V5 V6]; [P1 V5 V6] # ̰.蚀
+B; xn--xta.xn--e91aw9417e; [V5 V6]; [V5 V6] # ̰.蚀
+T; \uFB39Ⴘ.𞡼𑇀ß\u20D7; [B2 B3 P1 V6]; [B2 B3 P1 V6] # יּႸ.𞡼𑇀ß⃗
+N; \uFB39Ⴘ.𞡼𑇀ß\u20D7; [B2 B3 P1 V6]; [B2 B3 P1 V6] # יּႸ.𞡼𑇀ß⃗
+T; \u05D9\u05BCႸ.𞡼𑇀ß\u20D7; [B2 B3 P1 V6]; [B2 B3 P1 V6] # יּႸ.𞡼𑇀ß⃗
+N; \u05D9\u05BCႸ.𞡼𑇀ß\u20D7; [B2 B3 P1 V6]; [B2 B3 P1 V6] # יּႸ.𞡼𑇀ß⃗
+T; \u05D9\u05BCⴘ.𞡼𑇀ß\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ß⃗
+N; \u05D9\u05BCⴘ.𞡼𑇀ß\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ß⃗
+B; \u05D9\u05BCႸ.𞡼𑇀SS\u20D7; [B2 B3 P1 V6]; [B2 B3 P1 V6] # יּႸ.𞡼𑇀ss⃗
+B; \u05D9\u05BCⴘ.𞡼𑇀ss\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ss⃗
+B; \u05D9\u05BCႸ.𞡼𑇀ss\u20D7; [B2 B3 P1 V6]; [B2 B3 P1 V6] # יּႸ.𞡼𑇀ss⃗
+B; xn--kdb1d867b.xn--ss-yju5690ken9h; [B2 B3 V6]; [B2 B3 V6] # יּႸ.𞡼𑇀ss⃗
+B; xn--kdb1d278n.xn--ss-yju5690ken9h; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ss⃗
+B; xn--kdb1d278n.xn--zca284nhg9nrrxg; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ß⃗
+B; xn--kdb1d867b.xn--zca284nhg9nrrxg; [B2 B3 V6]; [B2 B3 V6] # יּႸ.𞡼𑇀ß⃗
+T; \uFB39ⴘ.𞡼𑇀ß\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ß⃗
+N; \uFB39ⴘ.𞡼𑇀ß\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ß⃗
+B; \uFB39Ⴘ.𞡼𑇀SS\u20D7; [B2 B3 P1 V6]; [B2 B3 P1 V6] # יּႸ.𞡼𑇀ss⃗
+B; \uFB39ⴘ.𞡼𑇀ss\u20D7; [B2 B3]; [B2 B3] # יּⴘ.𞡼𑇀ss⃗
+B; \uFB39Ⴘ.𞡼𑇀ss\u20D7; [B2 B3 P1 V6]; [B2 B3 P1 V6] # יּႸ.𞡼𑇀ss⃗
+B; \u1BA3𐹰。凬; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ᮣ𐹰.凬
+B; \u1BA3𐹰。凬; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ᮣ𐹰.凬
+B; xn--rxfz314ilg20c.xn--t9q; [B1 V5 V6]; [B1 V5 V6] # ᮣ𐹰.凬
+T; 🢟🄈\u200Dꡎ。\u0F84; [C2 P1 V5 V6]; [P1 V5 V6] # 🢟🄈ꡎ.྄
+N; 🢟🄈\u200Dꡎ。\u0F84; [C2 P1 V5 V6]; [C2 P1 V5 V6] # 🢟🄈ꡎ.྄
+T; 🢟7,\u200Dꡎ。\u0F84; [C2 P1 V5 V6]; [P1 V5 V6] # 🢟7,ꡎ.྄
+N; 🢟7,\u200Dꡎ。\u0F84; [C2 P1 V5 V6]; [C2 P1 V5 V6] # 🢟7,ꡎ.྄
+B; xn--7,-gh9hg322i.xn--3ed; [P1 V5 V6]; [P1 V5 V6] # 🢟7,ꡎ.྄
+B; xn--7,-n1t0654eqo3o.xn--3ed; [C2 P1 V5 V6]; [C2 P1 V5 V6] # 🢟7,ꡎ.྄
+B; xn--nc9aq743ds0e.xn--3ed; [V5 V6]; [V5 V6] # 🢟🄈ꡎ.྄
+B; xn--1ug4874cfd0kbmg.xn--3ed; [C2 V5 V6]; [C2 V5 V6] # 🢟🄈ꡎ.྄
+B; ꡔ。\u1039ᢇ; [V5]; [V5] # ꡔ.္ᢇ
+B; xn--tc9a.xn--9jd663b; [V5]; [V5] # ꡔ.္ᢇ
+B; \u20EB≮.𝨖; [P1 V5 V6]; [P1 V5 V6] # ⃫≮.𝨖
+B; \u20EB<\u0338.𝨖; [P1 V5 V6]; [P1 V5 V6] # ⃫≮.𝨖
+B; xn--e1g71d.xn--772h; [V5 V6]; [V5 V6] # ⃫≮.𝨖
+B; Ⴢ≯褦.ᠪ\u07EAႾ\u0767; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴢ≯褦.ᠪߪႾݧ
+B; Ⴢ>\u0338褦.ᠪ\u07EAႾ\u0767; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴢ≯褦.ᠪߪႾݧ
+B; Ⴢ≯褦.ᠪ\u07EAႾ\u0767; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴢ≯褦.ᠪߪႾݧ
+B; Ⴢ>\u0338褦.ᠪ\u07EAႾ\u0767; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴢ≯褦.ᠪߪႾݧ
+B; ⴢ>\u0338褦.ᠪ\u07EAⴞ\u0767; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ⴢ≯褦.ᠪߪⴞݧ
+B; ⴢ≯褦.ᠪ\u07EAⴞ\u0767; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ⴢ≯褦.ᠪߪⴞݧ
+B; xn--hdh433bev8e.xn--rpb5x392bcyt; [B5 B6 V6]; [B5 B6 V6] # ⴢ≯褦.ᠪߪⴞݧ
+B; xn--6nd461g478e.xn--rpb5x49td2h; [B5 B6 V6]; [B5 B6 V6] # Ⴢ≯褦.ᠪߪႾݧ
+B; ⴢ>\u0338褦.ᠪ\u07EAⴞ\u0767; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ⴢ≯褦.ᠪߪⴞݧ
+B; ⴢ≯褦.ᠪ\u07EAⴞ\u0767; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ⴢ≯褦.ᠪߪⴞݧ
+T; 󠆒\u200C\uA953。𞤙\u067Bꡘ; [B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # ꥓.𞤻ٻꡘ
+N; 󠆒\u200C\uA953。𞤙\u067Bꡘ; [B2 B3 C1 P1 V6]; [B2 B3 C1 P1 V6] # ꥓.𞤻ٻꡘ
+T; 󠆒\u200C\uA953。𞤻\u067Bꡘ; [B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # ꥓.𞤻ٻꡘ
+N; 󠆒\u200C\uA953。𞤻\u067Bꡘ; [B2 B3 C1 P1 V6]; [B2 B3 C1 P1 V6] # ꥓.𞤻ٻꡘ
+B; xn--3j9al6189a.xn--0ib8893fegvj; [B2 B3 V6]; [B2 B3 V6] # ꥓.𞤻ٻꡘ
+B; xn--0ug8815chtz0e.xn--0ib8893fegvj; [B2 B3 C1 V6]; [B2 B3 C1 V6] # ꥓.𞤻ٻꡘ
+T; \u200C.≯; [C1 P1 V6]; [P1 V6 A4_2] # .≯
+N; \u200C.≯; [C1 P1 V6]; [C1 P1 V6] # .≯
+T; \u200C.>\u0338; [C1 P1 V6]; [P1 V6 A4_2] # .≯
+N; \u200C.>\u0338; [C1 P1 V6]; [C1 P1 V6] # .≯
+B; .xn--hdh; [V6 A4_2]; [V6 A4_2]
+B; xn--0ug.xn--hdh; [C1 V6]; [C1 V6] # .≯
+B; 𰅧-.\uABED-悜; [P1 V3 V5 V6]; [P1 V3 V5 V6] # -.꯭-悜
+B; 𰅧-.\uABED-悜; [P1 V3 V5 V6]; [P1 V3 V5 V6] # -.꯭-悜
+B; xn----7m53aj640l.xn----8f4br83t; [V3 V5 V6]; [V3 V5 V6] # -.꯭-悜
+T; ᡉ⬞ᢜ.-\u200D𞣑\u202E; [C2 P1 V3 V6]; [P1 V3 V6] # ᡉ⬞ᢜ.-𞣑
+N; ᡉ⬞ᢜ.-\u200D𞣑\u202E; [C2 P1 V3 V6]; [C2 P1 V3 V6] # ᡉ⬞ᢜ.-𞣑
+B; xn--87e0ol04cdl39e.xn----qinu247r; [V3 V6]; [V3 V6] # ᡉ⬞ᢜ.-𞣑
+B; xn--87e0ol04cdl39e.xn----ugn5e3763s; [C2 V3 V6]; [C2 V3 V6] # ᡉ⬞ᢜ.-𞣑
+T; ⒐\u200C衃Ⴝ.\u0682Ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # ⒐衃Ⴝ.ڂႴ
+N; ⒐\u200C衃Ⴝ.\u0682Ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # ⒐衃Ⴝ.ڂႴ
+T; 9.\u200C衃Ⴝ.\u0682Ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # 9.衃Ⴝ.ڂႴ
+N; 9.\u200C衃Ⴝ.\u0682Ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # 9.衃Ⴝ.ڂႴ
+T; 9.\u200C衃ⴝ.\u0682ⴔ; [B1 B2 B3 C1]; [B1 B2 B3] # 9.衃ⴝ.ڂⴔ
+N; 9.\u200C衃ⴝ.\u0682ⴔ; [B1 B2 B3 C1]; [B1 B2 B3 C1] # 9.衃ⴝ.ڂⴔ
+T; 9.\u200C衃Ⴝ.\u0682ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # 9.衃Ⴝ.ڂⴔ
+N; 9.\u200C衃Ⴝ.\u0682ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # 9.衃Ⴝ.ڂⴔ
+B; 9.xn--1nd9032d.xn--7ib268q; [B1 B2 B3 V6]; [B1 B2 B3 V6] # 9.衃Ⴝ.ڂⴔ
+B; 9.xn--1nd159e1y2f.xn--7ib268q; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # 9.衃Ⴝ.ڂⴔ
+B; 9.xn--llj1920a.xn--7ib268q; [B1 B2 B3]; [B1 B2 B3] # 9.衃ⴝ.ڂⴔ
+B; 9.xn--0ug862cbm5e.xn--7ib268q; [B1 B2 B3 C1]; [B1 B2 B3 C1] # 9.衃ⴝ.ڂⴔ
+B; 9.xn--1nd9032d.xn--7ib433c; [B1 B2 B3 V6]; [B1 B2 B3 V6] # 9.衃Ⴝ.ڂႴ
+B; 9.xn--1nd159e1y2f.xn--7ib433c; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # 9.衃Ⴝ.ڂႴ
+T; ⒐\u200C衃ⴝ.\u0682ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # ⒐衃ⴝ.ڂⴔ
+N; ⒐\u200C衃ⴝ.\u0682ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # ⒐衃ⴝ.ڂⴔ
+T; ⒐\u200C衃Ⴝ.\u0682ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 P1 V6] # ⒐衃Ⴝ.ڂⴔ
+N; ⒐\u200C衃Ⴝ.\u0682ⴔ; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # ⒐衃Ⴝ.ڂⴔ
+B; xn--1nd362hy16e.xn--7ib268q; [B1 B2 B3 V6]; [B1 B2 B3 V6] # ⒐衃Ⴝ.ڂⴔ
+B; xn--1nd159ecmd785k.xn--7ib268q; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # ⒐衃Ⴝ.ڂⴔ
+B; xn--1shy52abz3f.xn--7ib268q; [B1 B2 B3 V6]; [B1 B2 B3 V6] # ⒐衃ⴝ.ڂⴔ
+B; xn--0ugx0px1izu2h.xn--7ib268q; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # ⒐衃ⴝ.ڂⴔ
+B; xn--1nd362hy16e.xn--7ib433c; [B1 B2 B3 V6]; [B1 B2 B3 V6] # ⒐衃Ⴝ.ڂႴ
+B; xn--1nd159ecmd785k.xn--7ib433c; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # ⒐衃Ⴝ.ڂႴ
+T; \u07E1\u200C。--⸬; [B1 B3 C1 V3]; [B1 V3] # ߡ.--⸬
+N; \u07E1\u200C。--⸬; [B1 B3 C1 V3]; [B1 B3 C1 V3] # ߡ.--⸬
+B; xn--8sb.xn-----iw2a; [B1 V3]; [B1 V3] # ߡ.--⸬
+B; xn--8sb884j.xn-----iw2a; [B1 B3 C1 V3]; [B1 B3 C1 V3] # ߡ.--⸬
+B; 𞥓.\u0718; 𞥓.\u0718; xn--of6h.xn--inb # 𞥓.ܘ
+B; 𞥓.\u0718; ; xn--of6h.xn--inb # 𞥓.ܘ
+B; xn--of6h.xn--inb; 𞥓.\u0718; xn--of6h.xn--inb # 𞥓.ܘ
+B; 󠄽-.-\u0DCA; [V3]; [V3] # -.-්
+B; 󠄽-.-\u0DCA; [V3]; [V3] # -.-්
+B; -.xn----ptf; [V3]; [V3] # -.-්
+B; 󠇝\u075B-.\u1927; [B1 B3 B6 V3 V5]; [B1 B3 B6 V3 V5] # ݛ-.ᤧ
+B; xn----k4c.xn--lff; [B1 B3 B6 V3 V5]; [B1 B3 B6 V3 V5] # ݛ-.ᤧ
+B; 𞤴󠆹⦉𐹺.\uA806⒌; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤴⦉𐹺.꠆⒌
+B; 𞤴󠆹⦉𐹺.\uA8065.; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤴⦉𐹺.꠆5.
+B; 𞤒󠆹⦉𐹺.\uA8065.; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤴⦉𐹺.꠆5.
+B; xn--fuix729epewf.xn--5-w93e.xn--7b83e; [B1 V5 V6]; [B1 V5 V6] # 𞤴⦉𐹺.꠆5.
+B; 𞤒󠆹⦉𐹺.\uA806⒌; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤴⦉𐹺.꠆⒌
+B; xn--fuix729epewf.xn--xsh5029b6e77i; [B1 V5 V6]; [B1 V5 V6] # 𞤴⦉𐹺.꠆⒌
+T; 󠄸₀。𑖿\u200C𐦂\u200D; [B1 C2 V5]; [B1 V5] # 0.𑖿𐦂
+N; 󠄸₀。𑖿\u200C𐦂\u200D; [B1 C2 V5]; [B1 C2 V5] # 0.𑖿𐦂
+T; 󠄸0。𑖿\u200C𐦂\u200D; [B1 C2 V5]; [B1 V5] # 0.𑖿𐦂
+N; 󠄸0。𑖿\u200C𐦂\u200D; [B1 C2 V5]; [B1 C2 V5] # 0.𑖿𐦂
+B; 0.xn--mn9cz2s; [B1 V5]; [B1 V5]
+B; 0.xn--0ugc8040p9hk; [B1 C2 V5]; [B1 C2 V5] # 0.𑖿𐦂
+B; Ⴚ𐋸󠄄。𝟝ퟶ\u103A; [P1 V6]; [P1 V6] # Ⴚ𐋸.5ퟶ်
+B; Ⴚ𐋸󠄄。5ퟶ\u103A; [P1 V6]; [P1 V6] # Ⴚ𐋸.5ퟶ်
+B; ⴚ𐋸󠄄。5ퟶ\u103A; ⴚ𐋸.5ퟶ\u103A; xn--ilj2659d.xn--5-dug9054m; NV8 # ⴚ𐋸.5ퟶ်
+B; xn--ilj2659d.xn--5-dug9054m; ⴚ𐋸.5ퟶ\u103A; xn--ilj2659d.xn--5-dug9054m; NV8 # ⴚ𐋸.5ퟶ်
+B; ⴚ𐋸.5ퟶ\u103A; ; xn--ilj2659d.xn--5-dug9054m; NV8 # ⴚ𐋸.5ퟶ်
+B; Ⴚ𐋸.5ퟶ\u103A; [P1 V6]; [P1 V6] # Ⴚ𐋸.5ퟶ်
+B; xn--ynd2415j.xn--5-dug9054m; [V6]; [V6] # Ⴚ𐋸.5ퟶ်
+B; ⴚ𐋸󠄄。𝟝ퟶ\u103A; ⴚ𐋸.5ퟶ\u103A; xn--ilj2659d.xn--5-dug9054m; NV8 # ⴚ𐋸.5ퟶ်
+T; \u200D-ᠹ﹪.\u1DE1\u1922; [C2 P1 V5 V6]; [P1 V3 V5 V6] # -ᠹ﹪.ᷡᤢ
+N; \u200D-ᠹ﹪.\u1DE1\u1922; [C2 P1 V5 V6]; [C2 P1 V5 V6] # -ᠹ﹪.ᷡᤢ
+T; \u200D-ᠹ%.\u1DE1\u1922; [C2 P1 V5 V6]; [P1 V3 V5 V6] # -ᠹ%.ᷡᤢ
+N; \u200D-ᠹ%.\u1DE1\u1922; [C2 P1 V5 V6]; [C2 P1 V5 V6] # -ᠹ%.ᷡᤢ
+B; xn---%-u4o.xn--gff52t; [P1 V3 V5 V6]; [P1 V3 V5 V6] # -ᠹ%.ᷡᤢ
+B; xn---%-u4oy48b.xn--gff52t; [C2 P1 V5 V6]; [C2 P1 V5 V6] # -ᠹ%.ᷡᤢ
+B; xn----c6jx047j.xn--gff52t; [V3 V5 V6]; [V3 V5 V6] # -ᠹ﹪.ᷡᤢ
+B; xn----c6j614b1z4v.xn--gff52t; [C2 V5 V6]; [C2 V5 V6] # -ᠹ﹪.ᷡᤢ
+B; ≠.ᠿ; [P1 V6]; [P1 V6]
+B; =\u0338.ᠿ; [P1 V6]; [P1 V6]
+B; xn--1ch.xn--y7e; [V6]; [V6]
+B; \u0723\u05A3。㌪; \u0723\u05A3.ハイツ; xn--ucb18e.xn--eck4c5a # ܣ֣.ハイツ
+B; \u0723\u05A3。ハイツ; \u0723\u05A3.ハイツ; xn--ucb18e.xn--eck4c5a # ܣ֣.ハイツ
+B; xn--ucb18e.xn--eck4c5a; \u0723\u05A3.ハイツ; xn--ucb18e.xn--eck4c5a # ܣ֣.ハイツ
+B; \u0723\u05A3.ハイツ; ; xn--ucb18e.xn--eck4c5a # ܣ֣.ハイツ
+B; 󠆀≮.\u2D7F-; [B1 B3 P1 V3 V5 V6]; [B1 B3 P1 V3 V5 V6] # ≮.⵿-
+B; 󠆀<\u0338.\u2D7F-; [B1 B3 P1 V3 V5 V6]; [B1 B3 P1 V3 V5 V6] # ≮.⵿-
+B; xn--gdhx802p.xn----i2s; [B1 B3 V3 V5 V6]; [B1 B3 V3 V5 V6] # ≮.⵿-
+B; ₆榎\u0D4D。𞤅\u06ED\uFC5A; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 6榎്.𞤧ۭيي
+B; 6榎\u0D4D。𞤅\u06ED\u064A\u064A; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 6榎്.𞤧ۭيي
+B; 6榎\u0D4D。𞤧\u06ED\u064A\u064A; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 6榎്.𞤧ۭيي
+B; xn--6-kmf4691ejv41j.xn--mhba10ch545mn8v8h; [B1 B3 V6]; [B1 B3 V6] # 6榎്.𞤧ۭيي
+B; ₆榎\u0D4D。𞤧\u06ED\uFC5A; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 6榎്.𞤧ۭيي
+B; 𣩫.; [P1 V6]; [P1 V6]
+B; 𣩫.; [P1 V6]; [P1 V6]
+B; xn--td3j.xn--4628b; [V6]; [V6]
+T; \u200D︒。\u06B9\u200C; [B1 B3 C1 C2 P1 V6]; [B1 P1 V6] # ︒.ڹ
+N; \u200D︒。\u06B9\u200C; [B1 B3 C1 C2 P1 V6]; [B1 B3 C1 C2 P1 V6] # ︒.ڹ
+B; xn--y86c.xn--skb; [B1 V6]; [B1 V6] # ︒.ڹ
+B; xn--1ug2658f.xn--skb080k; [B1 B3 C1 C2 V6]; [B1 B3 C1 C2 V6] # ︒.ڹ
+B; xn--skb; \u06B9; xn--skb # ڹ
+B; \u06B9; ; xn--skb # ڹ
+T; 𐹦\u200C𐹶。\u206D; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹦𐹶.
+N; 𐹦\u200C𐹶。\u206D; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹦𐹶.
+B; xn--eo0d6a.xn--sxg; [B1 V6]; [B1 V6] # 𐹦𐹶.
+B; xn--0ug4994goba.xn--sxg; [B1 C1 V6]; [B1 C1 V6] # 𐹦𐹶.
+B; \u0C4D𝨾\u05A9𝟭。-𑜨; [V3 V5]; [V3 V5] # ్𝨾֩1.-𑜨
+B; \u0C4D𝨾\u05A91。-𑜨; [V3 V5]; [V3 V5] # ్𝨾֩1.-𑜨
+B; xn--1-rfc312cdp45c.xn----nq0j; [V3 V5]; [V3 V5] # ్𝨾֩1.-𑜨
+B; 。뙏; [P1 V6]; [P1 V6]
+B; 。뙏; [P1 V6]; [P1 V6]
+B; xn--ph26c.xn--281b; [V6]; [V6]
+B; 󠄌ᡀ.\u08B6; [P1 V6]; [P1 V6] # ᡀ.ࢶ
+B; xn--z7e98100evc01b.xn--czb; [V6]; [V6] # ᡀ.ࢶ
+T; \u200D。; [C2 P1 V6]; [P1 V6 A4_2] # .
+N; \u200D。; [C2 P1 V6]; [C2 P1 V6] # .
+T; \u200D。; [C2 P1 V6]; [P1 V6 A4_2] # .
+N; \u200D。; [C2 P1 V6]; [C2 P1 V6] # .
+B; .xn--6x4u; [V6 A4_2]; [V6 A4_2]
+B; xn--1ug.xn--6x4u; [C2 V6]; [C2 V6] # .
+B; \u084B皥.-; [B1 B2 B3 V3]; [B1 B2 B3 V3] # ࡋ皥.-
+B; \u084B皥.-; [B1 B2 B3 V3]; [B1 B2 B3 V3] # ࡋ皥.-
+B; xn--9vb4167c.-; [B1 B2 B3 V3]; [B1 B2 B3 V3] # ࡋ皥.-
+B; \u0315𐮇.⒈ꡦ; [B1 P1 V6]; [B1 P1 V6] # ̕𐮇.⒈ꡦ
+B; \u0315𐮇.1.ꡦ; [B1 P1 V6]; [B1 P1 V6] # ̕𐮇.1.ꡦ
+B; xn--5sa9915kgvb.1.xn--cd9a; [B1 V6]; [B1 V6] # ̕𐮇.1.ꡦ
+B; xn--5sa9915kgvb.xn--tshw539b; [B1 V6]; [B1 V6] # ̕𐮇.⒈ꡦ
+T; Ⴛ\u200C\u05A2\u200D。\uFFA0ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # Ⴛ֢.ā𐹦
+N; Ⴛ\u200C\u05A2\u200D。\uFFA0ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # Ⴛ֢.ā𐹦
+T; Ⴛ\u200C\u05A2\u200D。\uFFA0a\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # Ⴛ֢.ā𐹦
+N; Ⴛ\u200C\u05A2\u200D。\uFFA0a\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # Ⴛ֢.ā𐹦
+T; Ⴛ\u200C\u05A2\u200D。\u1160ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # Ⴛ֢.ā𐹦
+N; Ⴛ\u200C\u05A2\u200D。\u1160ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # Ⴛ֢.ā𐹦
+T; Ⴛ\u200C\u05A2\u200D。\u1160a\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # Ⴛ֢.ā𐹦
+N; Ⴛ\u200C\u05A2\u200D。\u1160a\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # Ⴛ֢.ā𐹦
+T; ⴛ\u200C\u05A2\u200D。\u1160a\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # ⴛ֢.ā𐹦
+N; ⴛ\u200C\u05A2\u200D。\u1160a\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # ⴛ֢.ā𐹦
+T; ⴛ\u200C\u05A2\u200D。\u1160ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # ⴛ֢.ā𐹦
+N; ⴛ\u200C\u05A2\u200D。\u1160ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # ⴛ֢.ā𐹦
+T; Ⴛ\u200C\u05A2\u200D。\u1160Ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # Ⴛ֢.ā𐹦
+N; Ⴛ\u200C\u05A2\u200D。\u1160Ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # Ⴛ֢.ā𐹦
+T; Ⴛ\u200C\u05A2\u200D。\u1160A\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # Ⴛ֢.ā𐹦
+N; Ⴛ\u200C\u05A2\u200D。\u1160A\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # Ⴛ֢.ā𐹦
+B; xn--tcb597c.xn--yda594fdn5q; [B5 B6 V6]; [B5 B6 V6] # Ⴛ֢.ā𐹦
+B; xn--tcb597cdmmfa.xn--yda594fdn5q; [B5 B6 C1 C2 V6]; [B5 B6 C1 C2 V6] # Ⴛ֢.ā𐹦
+B; xn--tcb323r.xn--yda594fdn5q; [B5 B6 V6]; [B5 B6 V6] # ⴛ֢.ā𐹦
+B; xn--tcb736kea974k.xn--yda594fdn5q; [B5 B6 C1 C2 V6]; [B5 B6 C1 C2 V6] # ⴛ֢.ā𐹦
+T; ⴛ\u200C\u05A2\u200D。\uFFA0a\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # ⴛ֢.ā𐹦
+N; ⴛ\u200C\u05A2\u200D。\uFFA0a\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # ⴛ֢.ā𐹦
+T; ⴛ\u200C\u05A2\u200D。\uFFA0ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # ⴛ֢.ā𐹦
+N; ⴛ\u200C\u05A2\u200D。\uFFA0ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # ⴛ֢.ā𐹦
+T; Ⴛ\u200C\u05A2\u200D。\uFFA0Ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # Ⴛ֢.ā𐹦
+N; Ⴛ\u200C\u05A2\u200D。\uFFA0Ā𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # Ⴛ֢.ā𐹦
+T; Ⴛ\u200C\u05A2\u200D。\uFFA0A\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # Ⴛ֢.ā𐹦
+N; Ⴛ\u200C\u05A2\u200D。\uFFA0A\u0304𐹦; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # Ⴛ֢.ā𐹦
+B; xn--tcb597c.xn--yda9741khjj; [B5 B6 V6]; [B5 B6 V6] # Ⴛ֢.ā𐹦
+B; xn--tcb597cdmmfa.xn--yda9741khjj; [B5 B6 C1 C2 V6]; [B5 B6 C1 C2 V6] # Ⴛ֢.ā𐹦
+B; xn--tcb323r.xn--yda9741khjj; [B5 B6 V6]; [B5 B6 V6] # ⴛ֢.ā𐹦
+B; xn--tcb736kea974k.xn--yda9741khjj; [B5 B6 C1 C2 V6]; [B5 B6 C1 C2 V6] # ⴛ֢.ā𐹦
+T; \uFFF9\u200C。曳⾑𐋰≯; [C1 P1 V6]; [P1 V6] # .曳襾𐋰≯
+N; \uFFF9\u200C。曳⾑𐋰≯; [C1 P1 V6]; [C1 P1 V6] # .曳襾𐋰≯
+T; \uFFF9\u200C。曳⾑𐋰>\u0338; [C1 P1 V6]; [P1 V6] # .曳襾𐋰≯
+N; \uFFF9\u200C。曳⾑𐋰>\u0338; [C1 P1 V6]; [C1 P1 V6] # .曳襾𐋰≯
+T; \uFFF9\u200C。曳襾𐋰≯; [C1 P1 V6]; [P1 V6] # .曳襾𐋰≯
+N; \uFFF9\u200C。曳襾𐋰≯; [C1 P1 V6]; [C1 P1 V6] # .曳襾𐋰≯
+T; \uFFF9\u200C。曳襾𐋰>\u0338; [C1 P1 V6]; [P1 V6] # .曳襾𐋰≯
+N; \uFFF9\u200C。曳襾𐋰>\u0338; [C1 P1 V6]; [C1 P1 V6] # .曳襾𐋰≯
+B; xn--vn7c.xn--hdh501y8wvfs5h; [V6]; [V6] # .曳襾𐋰≯
+B; xn--0ug2139f.xn--hdh501y8wvfs5h; [C1 V6]; [C1 V6] # .曳襾𐋰≯
+T; ≯⒈。ß; [P1 V6]; [P1 V6]
+N; ≯⒈。ß; [P1 V6]; [P1 V6]
+T; >\u0338⒈。ß; [P1 V6]; [P1 V6]
+N; >\u0338⒈。ß; [P1 V6]; [P1 V6]
+T; ≯1.。ß; [P1 V6 A4_2]; [P1 V6 A4_2]
+N; ≯1.。ß; [P1 V6 A4_2]; [P1 V6 A4_2]
+T; >\u03381.。ß; [P1 V6 A4_2]; [P1 V6 A4_2]
+N; >\u03381.。ß; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; >\u03381.。SS; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; ≯1.。SS; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; ≯1.。ss; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; >\u03381.。ss; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; >\u03381.。Ss; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; ≯1.。Ss; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; xn--1-ogo..ss; [V6 A4_2]; [V6 A4_2]
+B; xn--1-ogo..xn--zca; [V6 A4_2]; [V6 A4_2]
+B; >\u0338⒈。SS; [P1 V6]; [P1 V6]
+B; ≯⒈。SS; [P1 V6]; [P1 V6]
+B; ≯⒈。ss; [P1 V6]; [P1 V6]
+B; >\u0338⒈。ss; [P1 V6]; [P1 V6]
+B; >\u0338⒈。Ss; [P1 V6]; [P1 V6]
+B; ≯⒈。Ss; [P1 V6]; [P1 V6]
+B; xn--hdh84f.ss; [V6]; [V6]
+B; xn--hdh84f.xn--zca; [V6]; [V6]
+T; \u0667\u200D\uFB96。\u07DA-₆Ⴙ; [B1 B2 B3 C2 P1 V6]; [B1 B2 B3 P1 V6] # ٧ڳ.ߚ-6Ⴙ
+N; \u0667\u200D\uFB96。\u07DA-₆Ⴙ; [B1 B2 B3 C2 P1 V6]; [B1 B2 B3 C2 P1 V6] # ٧ڳ.ߚ-6Ⴙ
+T; \u0667\u200D\u06B3。\u07DA-6Ⴙ; [B1 B2 B3 C2 P1 V6]; [B1 B2 B3 P1 V6] # ٧ڳ.ߚ-6Ⴙ
+N; \u0667\u200D\u06B3。\u07DA-6Ⴙ; [B1 B2 B3 C2 P1 V6]; [B1 B2 B3 C2 P1 V6] # ٧ڳ.ߚ-6Ⴙ
+T; \u0667\u200D\u06B3。\u07DA-6ⴙ; [B1 B2 B3 C2]; [B1 B2 B3] # ٧ڳ.ߚ-6ⴙ
+N; \u0667\u200D\u06B3。\u07DA-6ⴙ; [B1 B2 B3 C2]; [B1 B2 B3 C2] # ٧ڳ.ߚ-6ⴙ
+B; xn--gib6m.xn---6-lve6529a; [B1 B2 B3]; [B1 B2 B3] # ٧ڳ.ߚ-6ⴙ
+B; xn--gib6m343e.xn---6-lve6529a; [B1 B2 B3 C2]; [B1 B2 B3 C2] # ٧ڳ.ߚ-6ⴙ
+B; xn--gib6m.xn---6-lve002g; [B1 B2 B3 V6]; [B1 B2 B3 V6] # ٧ڳ.ߚ-6Ⴙ
+B; xn--gib6m343e.xn---6-lve002g; [B1 B2 B3 C2 V6]; [B1 B2 B3 C2 V6] # ٧ڳ.ߚ-6Ⴙ
+T; \u0667\u200D\uFB96。\u07DA-₆ⴙ; [B1 B2 B3 C2]; [B1 B2 B3] # ٧ڳ.ߚ-6ⴙ
+N; \u0667\u200D\uFB96。\u07DA-₆ⴙ; [B1 B2 B3 C2]; [B1 B2 B3 C2] # ٧ڳ.ߚ-6ⴙ
+T; \u200C。≠; [C1 P1 V6]; [P1 V6 A4_2] # .≠
+N; \u200C。≠; [C1 P1 V6]; [C1 P1 V6] # .≠
+T; \u200C。=\u0338; [C1 P1 V6]; [P1 V6 A4_2] # .≠
+N; \u200C。=\u0338; [C1 P1 V6]; [C1 P1 V6] # .≠
+T; \u200C。≠; [C1 P1 V6]; [P1 V6 A4_2] # .≠
+N; \u200C。≠; [C1 P1 V6]; [C1 P1 V6] # .≠
+T; \u200C。=\u0338; [C1 P1 V6]; [P1 V6 A4_2] # .≠
+N; \u200C。=\u0338; [C1 P1 V6]; [C1 P1 V6] # .≠
+B; .xn--1ch; [V6 A4_2]; [V6 A4_2]
+B; xn--0ug.xn--1ch; [C1 V6]; [C1 V6] # .≠
+T; 𑖿𝨔.ᡟ𑖿\u1B42\u200C; [C1 V5]; [V5] # 𑖿𝨔.ᡟ𑖿ᭂ
+N; 𑖿𝨔.ᡟ𑖿\u1B42\u200C; [C1 V5]; [C1 V5] # 𑖿𝨔.ᡟ𑖿ᭂ
+B; xn--461dw464a.xn--v8e29loy65a; [V5]; [V5] # 𑖿𝨔.ᡟ𑖿ᭂ
+B; xn--461dw464a.xn--v8e29ldzfo952a; [C1 V5]; [C1 V5] # 𑖿𝨔.ᡟ𑖿ᭂ
+T; \u200D.𖬴Ↄ≠-; [C2 P1 V3 V5 V6]; [P1 V3 V5 V6] # .𖬴Ↄ≠-
+N; \u200D.𖬴Ↄ≠-; [C2 P1 V3 V5 V6]; [C2 P1 V3 V5 V6] # .𖬴Ↄ≠-
+T; \u200D.𖬴Ↄ=\u0338-; [C2 P1 V3 V5 V6]; [P1 V3 V5 V6] # .𖬴Ↄ≠-
+N; \u200D.𖬴Ↄ=\u0338-; [C2 P1 V3 V5 V6]; [C2 P1 V3 V5 V6] # .𖬴Ↄ≠-
+T; \u200D.𖬴ↄ=\u0338-; [C2 P1 V3 V5 V6]; [P1 V3 V5 V6] # .𖬴ↄ≠-
+N; \u200D.𖬴ↄ=\u0338-; [C2 P1 V3 V5 V6]; [C2 P1 V3 V5 V6] # .𖬴ↄ≠-
+T; \u200D.𖬴ↄ≠-; [C2 P1 V3 V5 V6]; [P1 V3 V5 V6] # .𖬴ↄ≠-
+N; \u200D.𖬴ↄ≠-; [C2 P1 V3 V5 V6]; [C2 P1 V3 V5 V6] # .𖬴ↄ≠-
+B; xn--6j00chy9a.xn----81n51bt713h; [V3 V5 V6]; [V3 V5 V6]
+B; xn--1ug15151gkb5a.xn----81n51bt713h; [C2 V3 V5 V6]; [C2 V3 V5 V6] # .𖬴ↄ≠-
+B; xn--6j00chy9a.xn----61n81bt713h; [V3 V5 V6]; [V3 V5 V6]
+B; xn--1ug15151gkb5a.xn----61n81bt713h; [C2 V3 V5 V6]; [C2 V3 V5 V6] # .𖬴Ↄ≠-
+T; \u07E2ς\u200D𝟳。蔑; [B2 C2 P1 V6]; [B2 P1 V6] # ߢς7.蔑
+N; \u07E2ς\u200D𝟳。蔑; [B2 C2 P1 V6]; [B2 C2 P1 V6] # ߢς7.蔑
+T; \u07E2ς\u200D7。蔑; [B2 C2 P1 V6]; [B2 P1 V6] # ߢς7.蔑
+N; \u07E2ς\u200D7。蔑; [B2 C2 P1 V6]; [B2 C2 P1 V6] # ߢς7.蔑
+T; \u07E2Σ\u200D7。蔑; [B2 C2 P1 V6]; [B2 P1 V6] # ߢσ7.蔑
+N; \u07E2Σ\u200D7。蔑; [B2 C2 P1 V6]; [B2 C2 P1 V6] # ߢσ7.蔑
+T; \u07E2σ\u200D7。蔑; [B2 C2 P1 V6]; [B2 P1 V6] # ߢσ7.蔑
+N; \u07E2σ\u200D7。蔑; [B2 C2 P1 V6]; [B2 C2 P1 V6] # ߢσ7.蔑
+B; xn--7-zmb872a.xn--wy1ao4929b; [B2 V6]; [B2 V6] # ߢσ7.蔑
+B; xn--7-zmb872aez5a.xn--wy1ao4929b; [B2 C2 V6]; [B2 C2 V6] # ߢσ7.蔑
+B; xn--7-xmb182aez5a.xn--wy1ao4929b; [B2 C2 V6]; [B2 C2 V6] # ߢς7.蔑
+T; \u07E2Σ\u200D𝟳。蔑; [B2 C2 P1 V6]; [B2 P1 V6] # ߢσ7.蔑
+N; \u07E2Σ\u200D𝟳。蔑; [B2 C2 P1 V6]; [B2 C2 P1 V6] # ߢσ7.蔑
+T; \u07E2σ\u200D𝟳。蔑; [B2 C2 P1 V6]; [B2 P1 V6] # ߢσ7.蔑
+N; \u07E2σ\u200D𝟳。蔑; [B2 C2 P1 V6]; [B2 C2 P1 V6] # ߢσ7.蔑
+B; 𐹰.\u0600; [B1 P1 V6]; [B1 P1 V6] # 𐹰.
+B; xn--oo0d.xn--ifb; [B1 V6]; [B1 V6] # 𐹰.
+B; -\u08A8.𱠖; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ࢨ.
+B; xn----mod.xn--5o9n; [B1 V3 V6]; [B1 V3 V6] # -ࢨ.
+B; ≯𞱸󠇀。誆⒈; [B1 P1 V6]; [B1 P1 V6]
+B; >\u0338𞱸󠇀。誆⒈; [B1 P1 V6]; [B1 P1 V6]
+B; ≯𞱸󠇀。誆1.; [B1 P1 V6]; [B1 P1 V6]
+B; >\u0338𞱸󠇀。誆1.; [B1 P1 V6]; [B1 P1 V6]
+B; xn--hdh7151p.xn--1-dy1d.; [B1 V6]; [B1 V6]
+B; xn--hdh7151p.xn--tsh1248a; [B1 V6]; [B1 V6]
+B; \u0616𞥙䐊\u0650.︒\u0645↺\u069C; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ؖ𞥙䐊ِ.︒م↺ڜ
+B; \u0616𞥙䐊\u0650.。\u0645↺\u069C; [B1 V5 A4_2]; [B1 V5 A4_2] # ؖ𞥙䐊ِ..م↺ڜ
+B; xn--4fb0j490qjg4x..xn--hhb8o948e; [B1 V5 A4_2]; [B1 V5 A4_2] # ؖ𞥙䐊ِ..م↺ڜ
+B; xn--4fb0j490qjg4x.xn--hhb8o948euo5r; [B1 V5 V6]; [B1 V5 V6] # ؖ𞥙䐊ِ.︒م↺ڜ
+T; 퀬-\uDF7E.\u200C\u0AC5۴; [C1 P1 V6]; [P1 V5 V6 A3] # 퀬-.ૅ۴
+N; 퀬-\uDF7E.\u200C\u0AC5۴; [C1 P1 V6]; [C1 P1 V6 A3] # 퀬-.ૅ۴
+T; 퀬-\uDF7E.\u200C\u0AC5۴; [C1 P1 V6]; [P1 V5 V6 A3] # 퀬-.ૅ۴
+N; 퀬-\uDF7E.\u200C\u0AC5۴; [C1 P1 V6]; [C1 P1 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.xn--hmb76q74166b; [P1 V5 V6]; [P1 V5 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.xn--hmb76q74166b; [P1 V5 V6]; [P1 V5 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.XN--HMB76Q74166B; [P1 V5 V6]; [P1 V5 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.XN--HMB76Q74166B; [P1 V5 V6]; [P1 V5 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.Xn--Hmb76q74166b; [P1 V5 V6]; [P1 V5 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.Xn--Hmb76q74166b; [P1 V5 V6]; [P1 V5 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.xn--hmb76q48y18505a; [C1 P1 V6]; [C1 P1 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.xn--hmb76q48y18505a; [C1 P1 V6]; [C1 P1 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.XN--HMB76Q48Y18505A; [C1 P1 V6]; [C1 P1 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.XN--HMB76Q48Y18505A; [C1 P1 V6]; [C1 P1 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.Xn--Hmb76q48y18505a; [C1 P1 V6]; [C1 P1 V6 A3] # 퀬-.ૅ۴
+B; 퀬-\uDF7E.Xn--Hmb76q48y18505a; [C1 P1 V6]; [C1 P1 V6 A3] # 퀬-.ૅ۴
+B; Ⴌ.𐹾︒𑁿; [B1 P1 V6]; [B1 P1 V6]
+B; Ⴌ.𐹾。𑁿; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+B; ⴌ.𐹾。𑁿; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+B; xn--3kj.xn--2o0d.xn--q30dg029a; [B1 V5 V6]; [B1 V5 V6]
+B; xn--knd.xn--2o0d.xn--q30dg029a; [B1 V5 V6]; [B1 V5 V6]
+B; ⴌ.𐹾︒𑁿; [B1 P1 V6]; [B1 P1 V6]
+B; xn--3kj.xn--y86c030a9ob6374b; [B1 V6]; [B1 V6]
+B; xn--knd.xn--y86c030a9ob6374b; [B1 V6]; [B1 V6]
+B; ╏。; [B3 B6 P1 V6]; [B3 B6 P1 V6]
+B; xn--iyh90030d.xn--1m6hs0260c; [B3 B6 V6]; [B3 B6 V6]
+T; \u200D┮󠇐.\u0C00\u0C4D\u1734\u200D; [C2 V5]; [V5] # ┮.ఀ్᜴
+N; \u200D┮󠇐.\u0C00\u0C4D\u1734\u200D; [C2 V5]; [C2 V5] # ┮.ఀ్᜴
+T; \u200D┮󠇐.\u0C00\u0C4D\u1734\u200D; [C2 V5]; [V5] # ┮.ఀ్᜴
+N; \u200D┮󠇐.\u0C00\u0C4D\u1734\u200D; [C2 V5]; [C2 V5] # ┮.ఀ్᜴
+B; xn--kxh.xn--eoc8m432a; [V5]; [V5] # ┮.ఀ్᜴
+B; xn--1ug04r.xn--eoc8m432a40i; [C2 V5]; [C2 V5] # ┮.ఀ్᜴
+B; 。🄂; [P1 V6]; [P1 V6]
+B; 。1,; [P1 V6]; [P1 V6]
+B; xn--n433d.1,; [P1 V6]; [P1 V6]
+B; xn--n433d.xn--v07h; [V6]; [V6]
+B; 𑍨刍.🛦; [V5]; [V5]
+B; xn--rbry728b.xn--y88h; [V5]; [V5]
+B; 3。\u1BF1𝟒; [P1 V5 V6]; [P1 V5 V6] # 3.ᯱ4
+B; 3。\u1BF14; [P1 V5 V6]; [P1 V5 V6] # 3.ᯱ4
+B; xn--3-ib31m.xn--4-pql; [V5 V6]; [V5 V6] # 3.ᯱ4
+T; \u06876Ⴔ辘.\uFD22\u0687\u200C; [B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # ڇ6Ⴔ辘.صيڇ
+N; \u06876Ⴔ辘.\uFD22\u0687\u200C; [B2 B3 C1 P1 V6]; [B2 B3 C1 P1 V6] # ڇ6Ⴔ辘.صيڇ
+T; \u06876Ⴔ辘.\u0635\u064A\u0687\u200C; [B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # ڇ6Ⴔ辘.صيڇ
+N; \u06876Ⴔ辘.\u0635\u064A\u0687\u200C; [B2 B3 C1 P1 V6]; [B2 B3 C1 P1 V6] # ڇ6Ⴔ辘.صيڇ
+T; \u06876ⴔ辘.\u0635\u064A\u0687\u200C; [B2 B3 C1]; [B2 B3] # ڇ6ⴔ辘.صيڇ
+N; \u06876ⴔ辘.\u0635\u064A\u0687\u200C; [B2 B3 C1]; [B2 B3 C1] # ڇ6ⴔ辘.صيڇ
+B; xn--6-gsc2270akm6f.xn--0gb6bxk; [B2 B3]; [B2 B3] # ڇ6ⴔ辘.صيڇ
+B; xn--6-gsc2270akm6f.xn--0gb6bxkx18g; [B2 B3 C1]; [B2 B3 C1] # ڇ6ⴔ辘.صيڇ
+B; xn--6-gsc039eqq6k.xn--0gb6bxk; [B2 B3 V6]; [B2 B3 V6] # ڇ6Ⴔ辘.صيڇ
+B; xn--6-gsc039eqq6k.xn--0gb6bxkx18g; [B2 B3 C1 V6]; [B2 B3 C1 V6] # ڇ6Ⴔ辘.صيڇ
+T; \u06876ⴔ辘.\uFD22\u0687\u200C; [B2 B3 C1]; [B2 B3] # ڇ6ⴔ辘.صيڇ
+N; \u06876ⴔ辘.\uFD22\u0687\u200C; [B2 B3 C1]; [B2 B3 C1] # ڇ6ⴔ辘.صيڇ
+B; 󠄍.𐮭۹; [B2 P1 V6 A4_2]; [B2 P1 V6 A4_2]
+B; .xn--mmb3954kd0uf1zx7f; [B2 V6 A4_2]; [B2 V6 A4_2]
+B; \uA87D≯.; [P1 V6]; [P1 V6] # ≯.
+B; \uA87D>\u0338.; [P1 V6]; [P1 V6] # ≯.
+B; \uA87D≯.; [P1 V6]; [P1 V6] # ≯.
+B; \uA87D>\u0338.; [P1 V6]; [P1 V6] # ≯.
+B; xn--hdh8193c.xn--5z40cp629b; [V6]; [V6] # ≯.
+T; ςო\u067B.ς\u0714; [B5 B6]; [B5 B6] # ςოٻ.ςܔ
+N; ςო\u067B.ς\u0714; [B5 B6]; [B5 B6] # ςოٻ.ςܔ
+B; Σო\u067B.Σ\u0714; [B5 B6]; [B5 B6] # σოٻ.σܔ
+B; σო\u067B.σ\u0714; [B5 B6]; [B5 B6] # σოٻ.σܔ
+B; Σო\u067B.σ\u0714; [B5 B6]; [B5 B6] # σოٻ.σܔ
+B; xn--4xa60l26n.xn--4xa21o; [B5 B6]; [B5 B6] # σოٻ.σܔ
+T; Σო\u067B.ς\u0714; [B5 B6]; [B5 B6] # σოٻ.ςܔ
+N; Σო\u067B.ς\u0714; [B5 B6]; [B5 B6] # σოٻ.ςܔ
+T; σო\u067B.ς\u0714; [B5 B6]; [B5 B6] # σოٻ.ςܔ
+N; σო\u067B.ς\u0714; [B5 B6]; [B5 B6] # σოٻ.ςܔ
+B; xn--4xa60l26n.xn--3xa41o; [B5 B6]; [B5 B6] # σოٻ.ςܔ
+B; xn--3xa80l26n.xn--3xa41o; [B5 B6]; [B5 B6] # ςოٻ.ςܔ
+B; \u0748𠄯\u075F。; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ݈𠄯ݟ.
+B; \u0748𠄯\u075F。; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ݈𠄯ݟ.
+B; xn--vob0c4369twfv8b.xn--kl46e; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ݈𠄯ݟ.
+T; .\u200D䤫≠Ⴞ; [C2 P1 V6]; [P1 V6] # .䤫≠Ⴞ
+N; .\u200D䤫≠Ⴞ; [C2 P1 V6]; [C2 P1 V6] # .䤫≠Ⴞ
+T; .\u200D䤫=\u0338Ⴞ; [C2 P1 V6]; [P1 V6] # .䤫≠Ⴞ
+N; .\u200D䤫=\u0338Ⴞ; [C2 P1 V6]; [C2 P1 V6] # .䤫≠Ⴞ
+T; .\u200D䤫≠Ⴞ; [C2 P1 V6]; [P1 V6] # .䤫≠Ⴞ
+N; .\u200D䤫≠Ⴞ; [C2 P1 V6]; [C2 P1 V6] # .䤫≠Ⴞ
+T; .\u200D䤫=\u0338Ⴞ; [C2 P1 V6]; [P1 V6] # .䤫≠Ⴞ
+N; .\u200D䤫=\u0338Ⴞ; [C2 P1 V6]; [C2 P1 V6] # .䤫≠Ⴞ
+T; .\u200D䤫=\u0338ⴞ; [C2 P1 V6]; [P1 V6] # .䤫≠ⴞ
+N; .\u200D䤫=\u0338ⴞ; [C2 P1 V6]; [C2 P1 V6] # .䤫≠ⴞ
+T; .\u200D䤫≠ⴞ; [C2 P1 V6]; [P1 V6] # .䤫≠ⴞ
+N; .\u200D䤫≠ⴞ; [C2 P1 V6]; [C2 P1 V6] # .䤫≠ⴞ
+B; xn--1t56e.xn--1ch153bqvw; [V6]; [V6]
+B; xn--1t56e.xn--1ug73gzzpwi3a; [C2 V6]; [C2 V6] # .䤫≠ⴞ
+B; xn--1t56e.xn--2nd141ghl2a; [V6]; [V6]
+B; xn--1t56e.xn--2nd159e9vb743e; [C2 V6]; [C2 V6] # .䤫≠Ⴞ
+T; .\u200D䤫=\u0338ⴞ; [C2 P1 V6]; [P1 V6] # .䤫≠ⴞ
+N; .\u200D䤫=\u0338ⴞ; [C2 P1 V6]; [C2 P1 V6] # .䤫≠ⴞ
+T; .\u200D䤫≠ⴞ; [C2 P1 V6]; [P1 V6] # .䤫≠ⴞ
+N; .\u200D䤫≠ⴞ; [C2 P1 V6]; [C2 P1 V6] # .䤫≠ⴞ
+B; 𐽘𑈵.𐹣🕥; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6]
+B; 𐽘𑈵.𐹣🕥; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6]
+B; xn--bv0d02c.xn--bo0dq650b; [B1 B2 B3 V6]; [B1 B2 B3 V6]
+B; ⒊⒈𑁄。9; [P1 V6]; [P1 V6]
+B; 3.1.𑁄。9; [V5]; [V5]
+B; 3.1.xn--110d.9; [V5]; [V5]
+B; xn--tshd3512p.9; [V6]; [V6]
+T; -\u200C\u2DF1≮.𐹱4₉; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # -ⷱ≮.𐹱49
+N; -\u200C\u2DF1≮.𐹱4₉; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # -ⷱ≮.𐹱49
+T; -\u200C\u2DF1<\u0338.𐹱4₉; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # -ⷱ≮.𐹱49
+N; -\u200C\u2DF1<\u0338.𐹱4₉; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # -ⷱ≮.𐹱49
+T; -\u200C\u2DF1≮.𐹱49; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # -ⷱ≮.𐹱49
+N; -\u200C\u2DF1≮.𐹱49; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # -ⷱ≮.𐹱49
+T; -\u200C\u2DF1<\u0338.𐹱49; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # -ⷱ≮.𐹱49
+N; -\u200C\u2DF1<\u0338.𐹱49; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # -ⷱ≮.𐹱49
+B; xn----ngo823c.xn--49-ki3om2611f; [B1 V3 V6]; [B1 V3 V6] # -ⷱ≮.𐹱49
+B; xn----sgn20i14s.xn--49-ki3om2611f; [B1 C1 V3 V6]; [B1 C1 V3 V6] # -ⷱ≮.𐹱49
+B; -≯딾。\u0847; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -≯딾.ࡇ
+B; ->\u0338딾。\u0847; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -≯딾.ࡇ
+B; -≯딾。\u0847; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -≯딾.ࡇ
+B; ->\u0338딾。\u0847; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -≯딾.ࡇ
+B; xn----pgow547d.xn--5vb; [B1 V3 V6]; [B1 V3 V6] # -≯딾.ࡇ
+T; 𑙢⒈𐹠-。\u200C; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𑙢⒈𐹠-.
+N; 𑙢⒈𐹠-。\u200C; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𑙢⒈𐹠-.
+T; 𑙢1.𐹠-。\u200C; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𑙢1.𐹠-.
+N; 𑙢1.𐹠-。\u200C; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𑙢1.𐹠-.
+B; xn--1-bf0j.xn----516i.xn--jd46e; [B1 V3 V6]; [B1 V3 V6]
+B; xn--1-bf0j.xn----516i.xn--0ug23321l; [B1 C1 V3 V6]; [B1 C1 V3 V6] # 𑙢1.𐹠-.
+B; xn----dcpy090hiyg.xn--jd46e; [B1 V3 V6]; [B1 V3 V6]
+B; xn----dcpy090hiyg.xn--0ug23321l; [B1 C1 V3 V6]; [B1 C1 V3 V6] # 𑙢⒈𐹠-.
+B; \u034A.𐨎; [V5]; [V5] # ͊.𐨎
+B; \u034A.𐨎; [V5]; [V5] # ͊.𐨎
+B; xn--oua.xn--mr9c; [V5]; [V5] # ͊.𐨎
+B; 훉≮。\u0E34; [P1 V5 V6]; [P1 V5 V6] # 훉≮.ิ
+B; 훉<\u0338。\u0E34; [P1 V5 V6]; [P1 V5 V6] # 훉≮.ิ
+B; 훉≮。\u0E34; [P1 V5 V6]; [P1 V5 V6] # 훉≮.ิ
+B; 훉<\u0338。\u0E34; [P1 V5 V6]; [P1 V5 V6] # 훉≮.ิ
+B; xn--gdh2512e.xn--i4c; [V5 V6]; [V5 V6] # 훉≮.ิ
+B; \u2DF7🃘.𝟸\u0659𞤯; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ⷷ🃘.2ٙ𞤯
+B; \u2DF7🃘.2\u0659𞤯; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ⷷ🃘.2ٙ𞤯
+B; \u2DF7🃘.2\u0659𞤍; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ⷷ🃘.2ٙ𞤯
+B; xn--trj8045le6s9b.xn--2-upc23918acjsj; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ⷷ🃘.2ٙ𞤯
+B; \u2DF7🃘.𝟸\u0659𞤍; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ⷷ🃘.2ٙ𞤯
+T; ßᢞ\u200C。\u0660\uFCD4-; [B1 B6 C1 P1 V3 V6]; [B1 P1 V3 V6] # ßᢞ.٠نخ-
+N; ßᢞ\u200C。\u0660\uFCD4-; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # ßᢞ.٠نخ-
+T; ßᢞ\u200C。\u0660\u0646\u062E-; [B1 B6 C1 P1 V3 V6]; [B1 P1 V3 V6] # ßᢞ.٠نخ-
+N; ßᢞ\u200C。\u0660\u0646\u062E-; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # ßᢞ.٠نخ-
+T; SSᢞ\u200C。\u0660\u0646\u062E-; [B1 B6 C1 P1 V3 V6]; [B1 P1 V3 V6] # ssᢞ.٠نخ-
+N; SSᢞ\u200C。\u0660\u0646\u062E-; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # ssᢞ.٠نخ-
+T; ssᢞ\u200C。\u0660\u0646\u062E-; [B1 B6 C1 P1 V3 V6]; [B1 P1 V3 V6] # ssᢞ.٠نخ-
+N; ssᢞ\u200C。\u0660\u0646\u062E-; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # ssᢞ.٠نخ-
+T; Ssᢞ\u200C。\u0660\u0646\u062E-; [B1 B6 C1 P1 V3 V6]; [B1 P1 V3 V6] # ssᢞ.٠نخ-
+N; Ssᢞ\u200C。\u0660\u0646\u062E-; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # ssᢞ.٠نخ-
+B; xn--ss-jepz4596r.xn----dnc5e1er384z; [B1 V3 V6]; [B1 V3 V6] # ssᢞ.٠نخ-
+B; xn--ss-jep006bqt765b.xn----dnc5e1er384z; [B1 B6 C1 V3 V6]; [B1 B6 C1 V3 V6] # ssᢞ.٠نخ-
+B; xn--zca272jbif10059a.xn----dnc5e1er384z; [B1 B6 C1 V3 V6]; [B1 B6 C1 V3 V6] # ßᢞ.٠نخ-
+T; SSᢞ\u200C。\u0660\uFCD4-; [B1 B6 C1 P1 V3 V6]; [B1 P1 V3 V6] # ssᢞ.٠نخ-
+N; SSᢞ\u200C。\u0660\uFCD4-; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # ssᢞ.٠نخ-
+T; ssᢞ\u200C。\u0660\uFCD4-; [B1 B6 C1 P1 V3 V6]; [B1 P1 V3 V6] # ssᢞ.٠نخ-
+N; ssᢞ\u200C。\u0660\uFCD4-; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # ssᢞ.٠نخ-
+T; Ssᢞ\u200C。\u0660\uFCD4-; [B1 B6 C1 P1 V3 V6]; [B1 P1 V3 V6] # ssᢞ.٠نخ-
+N; Ssᢞ\u200C。\u0660\uFCD4-; [B1 B6 C1 P1 V3 V6]; [B1 B6 C1 P1 V3 V6] # ssᢞ.٠نخ-
+B; ꡆ。Ↄ\u0FB5놮-; [P1 V3 V6]; [P1 V3 V6] # ꡆ.Ↄྵ놮-
+B; ꡆ。Ↄ\u0FB5놮-; [P1 V3 V6]; [P1 V3 V6] # ꡆ.Ↄྵ놮-
+B; ꡆ。ↄ\u0FB5놮-; [V3]; [V3] # ꡆ.ↄྵ놮-
+B; ꡆ。ↄ\u0FB5놮-; [V3]; [V3] # ꡆ.ↄྵ놮-
+B; xn--fc9a.xn----qmg097k469k; [V3]; [V3] # ꡆ.ↄྵ놮-
+B; xn--fc9a.xn----qmg787k869k; [V3 V6]; [V3 V6] # ꡆ.Ↄྵ놮-
+T; \uFDAD\u200D.\u06A9; [B3 B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # لمي.ک
+N; \uFDAD\u200D.\u06A9; [B3 B5 B6 C2 P1 V6]; [B3 B5 B6 C2 P1 V6] # لمي.ک
+T; \u0644\u0645\u064A\u200D.\u06A9; [B3 B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # لمي.ک
+N; \u0644\u0645\u064A\u200D.\u06A9; [B3 B5 B6 C2 P1 V6]; [B3 B5 B6 C2 P1 V6] # لمي.ک
+B; xn--ghbcp.xn--ckb36214f; [B5 B6 V6]; [B5 B6 V6] # لمي.ک
+B; xn--ghbcp494x.xn--ckb36214f; [B3 B5 B6 C2 V6]; [B3 B5 B6 C2 V6] # لمي.ک
+B; Ⴜ\u1C2F𐳒≯。\u06E0\u1732\u0FBA; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # Ⴜᰯ𐳒≯.۠ᜲྺ
+B; Ⴜ\u1C2F𐳒>\u0338。\u06E0\u1732\u0FBA; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # Ⴜᰯ𐳒≯.۠ᜲྺ
+B; ⴜ\u1C2F𐳒>\u0338。\u06E0\u1732\u0FBA; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ⴜᰯ𐳒≯.۠ᜲྺ
+B; ⴜ\u1C2F𐳒≯。\u06E0\u1732\u0FBA; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ⴜᰯ𐳒≯.۠ᜲྺ
+B; Ⴜ\u1C2F𐲒≯。\u06E0\u1732\u0FBA; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # Ⴜᰯ𐳒≯.۠ᜲྺ
+B; Ⴜ\u1C2F𐲒>\u0338。\u06E0\u1732\u0FBA; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # Ⴜᰯ𐳒≯.۠ᜲྺ
+B; xn--0nd679cf3eq67y.xn--wlb646b4ng; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # Ⴜᰯ𐳒≯.۠ᜲྺ
+B; xn--r1f68xh1jgv7u.xn--wlb646b4ng; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # ⴜᰯ𐳒≯.۠ᜲྺ
+B; 𐋵。\uFCEC; [B1]; [B1] # 𐋵.كم
+B; 𐋵。\u0643\u0645; [B1]; [B1] # 𐋵.كم
+B; xn--p97c.xn--fhbe; [B1]; [B1] # 𐋵.كم
+B; 𐋵.\u0643\u0645; [B1]; [B1] # 𐋵.كم
+B; ≮.\uAAEC⹈; [P1 V6]; [P1 V6] # ≮.ꫬ⹈
+B; <\u0338.\uAAEC⹈; [P1 V6]; [P1 V6] # ≮.ꫬ⹈
+B; ≮.\uAAEC⹈; [P1 V6]; [P1 V6] # ≮.ꫬ⹈
+B; <\u0338.\uAAEC⹈; [P1 V6]; [P1 V6] # ≮.ꫬ⹈
+B; xn--gdh0880o.xn--4tjx101bsg00ds9pyc; [V6]; [V6] # ≮.ꫬ⹈
+B; \u2DF0\u0358ᢕ.\u0361𐹷; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ⷰ͘ᢕ.͡𐹷
+B; \u2DF0\u0358ᢕ.\u0361𐹷; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ⷰ͘ᢕ.͡𐹷
+B; xn--2ua889htsp.xn--cva2687k2tv0g; [B1 V5 V6]; [B1 V5 V6] # ⷰ͘ᢕ.͡𐹷
+T; \uFD79ᡐ\u200C\u06AD.𑋪\u05C7; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5] # غممᡐڭ.𑋪ׇ
+N; \uFD79ᡐ\u200C\u06AD.𑋪\u05C7; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5] # غممᡐڭ.𑋪ׇ
+T; \u063A\u0645\u0645ᡐ\u200C\u06AD.𑋪\u05C7; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5] # غممᡐڭ.𑋪ׇ
+N; \u063A\u0645\u0645ᡐ\u200C\u06AD.𑋪\u05C7; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5] # غممᡐڭ.𑋪ׇ
+B; xn--5gbwa03bg24e.xn--vdb1198k; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5] # غممᡐڭ.𑋪ׇ
+B; xn--5gbwa03bg24eptk.xn--vdb1198k; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5] # غممᡐڭ.𑋪ׇ
+T; 𑑂。\u200D🞕; [C2 P1 V5 V6]; [P1 V5 V6] # 𑑂.🞕
+N; 𑑂。\u200D🞕; [C2 P1 V5 V6]; [C2 P1 V5 V6] # 𑑂.🞕
+T; 𑑂。\u200D🞕; [C2 P1 V5 V6]; [P1 V5 V6] # 𑑂.🞕
+N; 𑑂。\u200D🞕; [C2 P1 V5 V6]; [C2 P1 V5 V6] # 𑑂.🞕
+B; xn--8v1d.xn--ye9h41035a2qqs; [V5 V6]; [V5 V6]
+B; xn--8v1d.xn--1ug1386plvx1cd8vya; [C2 V5 V6]; [C2 V5 V6] # 𑑂.🞕
+B; -\u05E9。⒚; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ש.⒚
+B; -\u05E9。19.; [B1 V3]; [B1 V3] # -ש.19.
+B; xn----gjc.19.; [B1 V3]; [B1 V3] # -ש.19.
+B; xn----gjc.xn--cth; [B1 V3 V6]; [B1 V3 V6] # -ש.⒚
+T; \u0845\u200C。ᢎ\u200D; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # ࡅ.ᢎ
+N; \u0845\u200C。ᢎ\u200D; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # ࡅ.ᢎ
+T; \u0845\u200C。ᢎ\u200D; [B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # ࡅ.ᢎ
+N; \u0845\u200C。ᢎ\u200D; [B5 B6 C1 C2 P1 V6]; [B5 B6 C1 C2 P1 V6] # ࡅ.ᢎ
+B; xn--3vb50049s.xn--79e; [B5 B6 V6]; [B5 B6 V6] # ࡅ.ᢎ
+B; xn--3vb882jz4411a.xn--79e259a; [B5 B6 C1 C2 V6]; [B5 B6 C1 C2 V6] # ࡅ.ᢎ
+T; ß\u09C1\u1DED。\u06208₅; ß\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ßুᷭ.ؠ85
+N; ß\u09C1\u1DED。\u06208₅; ß\u09C1\u1DED.\u062085; xn--zca266bwrr.xn--85-psd # ßুᷭ.ؠ85
+T; ß\u09C1\u1DED。\u062085; ß\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ßুᷭ.ؠ85
+N; ß\u09C1\u1DED。\u062085; ß\u09C1\u1DED.\u062085; xn--zca266bwrr.xn--85-psd # ßুᷭ.ؠ85
+B; SS\u09C1\u1DED。\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+B; ss\u09C1\u1DED。\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+B; Ss\u09C1\u1DED。\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+B; xn--ss-e2f077r.xn--85-psd; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+B; ss\u09C1\u1DED.\u062085; ; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+B; SS\u09C1\u1DED.\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+B; Ss\u09C1\u1DED.\u062085; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+B; xn--zca266bwrr.xn--85-psd; ß\u09C1\u1DED.\u062085; xn--zca266bwrr.xn--85-psd # ßুᷭ.ؠ85
+T; ß\u09C1\u1DED.\u062085; ; xn--ss-e2f077r.xn--85-psd # ßুᷭ.ؠ85
+N; ß\u09C1\u1DED.\u062085; ; xn--zca266bwrr.xn--85-psd # ßুᷭ.ؠ85
+B; SS\u09C1\u1DED。\u06208₅; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+B; ss\u09C1\u1DED。\u06208₅; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+B; Ss\u09C1\u1DED。\u06208₅; ss\u09C1\u1DED.\u062085; xn--ss-e2f077r.xn--85-psd # ssুᷭ.ؠ85
+T; \u0ACD\u0484魅𝟣.₃𐹥ß; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ß
+N; \u0ACD\u0484魅𝟣.₃𐹥ß; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ß
+T; \u0ACD\u0484魅1.3𐹥ß; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ß
+N; \u0ACD\u0484魅1.3𐹥ß; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ß
+B; \u0ACD\u0484魅1.3𐹥SS; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ss
+B; \u0ACD\u0484魅1.3𐹥ss; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ss
+B; \u0ACD\u0484魅1.3𐹥Ss; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ss
+B; xn--1-0xb049b102o.xn--3ss-nv9t; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ss
+B; xn--1-0xb049b102o.xn--3-qfa7018r; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ß
+B; \u0ACD\u0484魅𝟣.₃𐹥SS; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ss
+B; \u0ACD\u0484魅𝟣.₃𐹥ss; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ss
+B; \u0ACD\u0484魅𝟣.₃𐹥Ss; [B1 V5]; [B1 V5] # ્҄魅1.3𐹥ss
+B; \u072B。𑓂⒈𑜫; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ܫ.𑓂⒈𑜫
+B; \u072B。𑓂1.𑜫; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ܫ.𑓂1.𑜫
+B; xn--1nb.xn--1-jq9i.xn--ji2dg9877c; [B1 V5 V6]; [B1 V5 V6] # ܫ.𑓂1.𑜫
+B; xn--1nb.xn--tsh7798f6rbrt828c; [B1 V5 V6]; [B1 V5 V6] # ܫ.𑓂⒈𑜫
+B; \uFE0Dછ。嵨; છ.嵨; xn--6dc.xn--tot
+B; xn--6dc.xn--tot; છ.嵨; xn--6dc.xn--tot
+B; છ.嵨; ; xn--6dc.xn--tot
+B; Ⴔ≠Ⴀ.𐹥𐹰; [B1 P1 V6]; [B1 P1 V6]
+B; Ⴔ=\u0338Ⴀ.𐹥𐹰; [B1 P1 V6]; [B1 P1 V6]
+B; ⴔ=\u0338ⴀ.𐹥𐹰; [B1 P1 V6]; [B1 P1 V6]
+B; ⴔ≠ⴀ.𐹥𐹰; [B1 P1 V6]; [B1 P1 V6]
+B; xn--1ch603bxb.xn--do0dwa; [B1 V6]; [B1 V6]
+B; xn--7md3b171g.xn--do0dwa; [B1 V6]; [B1 V6]
+T; -\u200C⒙𐫥。𝨵; [C1 P1 V3 V5 V6]; [P1 V3 V5 V6] # -⒙𐫥.𝨵
+N; -\u200C⒙𐫥。𝨵; [C1 P1 V3 V5 V6]; [C1 P1 V3 V5 V6] # -⒙𐫥.𝨵
+T; -\u200C18.𐫥。𝨵; [C1 V3 V5]; [V3 V5] # -18.𐫥.𝨵
+N; -\u200C18.𐫥。𝨵; [C1 V3 V5]; [C1 V3 V5] # -18.𐫥.𝨵
+B; -18.xn--rx9c.xn--382h; [V3 V5]; [V3 V5]
+B; xn---18-9m0a.xn--rx9c.xn--382h; [C1 V3 V5]; [C1 V3 V5] # -18.𐫥.𝨵
+B; xn----ddps939g.xn--382h; [V3 V5 V6]; [V3 V5 V6]
+B; xn----sgn18r3191a.xn--382h; [C1 V3 V5 V6]; [C1 V3 V5 V6] # -⒙𐫥.𝨵
+B; ︒.ʌᠣ-𐹽; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6]
+B; 。.ʌᠣ-𐹽; [B5 B6 A4_2]; [B5 B6 A4_2]
+B; 。.Ʌᠣ-𐹽; [B5 B6 A4_2]; [B5 B6 A4_2]
+B; ..xn----73a596nuh9t; [B5 B6 A4_2]; [B5 B6 A4_2]
+B; ︒.Ʌᠣ-𐹽; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6]
+B; xn--y86c.xn----73a596nuh9t; [B1 B5 B6 V6]; [B1 B5 B6 V6]
+B; \uFE05︒。𦀾\u1CE0; [P1 V6]; [P1 V6] # ︒.𦀾᳠
+B; \uFE05。。𦀾\u1CE0; [A4_2]; [A4_2] # ..𦀾᳠
+B; ..xn--t6f5138v; [A4_2]; [A4_2] # ..𦀾᳠
+B; xn--y86c.xn--t6f5138v; [V6]; [V6] # ︒.𦀾᳠
+B; xn--t6f5138v; 𦀾\u1CE0; xn--t6f5138v # 𦀾᳠
+B; 𦀾\u1CE0; ; xn--t6f5138v # 𦀾᳠
+T; ß。ᡁ; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+N; ß。ᡁ; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; SS。ᡁ; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; ss。ᡁ; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; Ss。ᡁ; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; xn--ss-o412ac6305g.xn--07e; [B2 B3 V6]; [B2 B3 V6]
+B; xn--zca9432wb989f.xn--07e; [B2 B3 V6]; [B2 B3 V6]
+T; \uA953\u200D\u062C\u066C。𱆎\u200C󠅆; [B5 B6 C1 P1 V5 V6]; [B5 B6 P1 V5 V6] # ꥓ج٬.
+N; \uA953\u200D\u062C\u066C。𱆎\u200C󠅆; [B5 B6 C1 P1 V5 V6]; [B5 B6 C1 P1 V5 V6] # ꥓ج٬.
+B; xn--rgb2k6711c.xn--ec8nj3948b; [B5 B6 V5 V6]; [B5 B6 V5 V6] # ꥓ج٬.
+B; xn--rgb2k500fhq9j.xn--0ug78870a5sp9d; [B5 B6 C1 V5 V6]; [B5 B6 C1 V5 V6] # ꥓ج٬.
+T; .-ß\u200C≠; [C1 P1 V3 V6]; [P1 V3 V6] # .-ß≠
+N; .-ß\u200C≠; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ß≠
+T; .-ß\u200C=\u0338; [C1 P1 V3 V6]; [P1 V3 V6] # .-ß≠
+N; .-ß\u200C=\u0338; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ß≠
+T; .-ß\u200C≠; [C1 P1 V3 V6]; [P1 V3 V6] # .-ß≠
+N; .-ß\u200C≠; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ß≠
+T; .-ß\u200C=\u0338; [C1 P1 V3 V6]; [P1 V3 V6] # .-ß≠
+N; .-ß\u200C=\u0338; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ß≠
+T; .-SS\u200C=\u0338; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-SS\u200C=\u0338; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-SS\u200C≠; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-SS\u200C≠; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-ss\u200C≠; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-ss\u200C≠; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-ss\u200C=\u0338; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-ss\u200C=\u0338; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-Ss\u200C=\u0338; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-Ss\u200C=\u0338; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-Ss\u200C≠; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-Ss\u200C≠; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+B; xn--u836e.xn---ss-gl2a; [V3 V6]; [V3 V6]
+B; xn--u836e.xn---ss-cn0at5l; [C1 V3 V6]; [C1 V3 V6] # .-ss≠
+B; xn--u836e.xn----qfa750ve7b; [C1 V3 V6]; [C1 V3 V6] # .-ß≠
+T; .-SS\u200C=\u0338; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-SS\u200C=\u0338; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-SS\u200C≠; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-SS\u200C≠; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-ss\u200C≠; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-ss\u200C≠; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-ss\u200C=\u0338; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-ss\u200C=\u0338; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-Ss\u200C=\u0338; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-Ss\u200C=\u0338; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; .-Ss\u200C≠; [C1 P1 V3 V6]; [P1 V3 V6] # .-ss≠
+N; .-Ss\u200C≠; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .-ss≠
+T; ᡙ\u200C。≯𐋲≠; [C1 P1 V6]; [P1 V6] # ᡙ.≯𐋲≠
+N; ᡙ\u200C。≯𐋲≠; [C1 P1 V6]; [C1 P1 V6] # ᡙ.≯𐋲≠
+T; ᡙ\u200C。>\u0338𐋲=\u0338; [C1 P1 V6]; [P1 V6] # ᡙ.≯𐋲≠
+N; ᡙ\u200C。>\u0338𐋲=\u0338; [C1 P1 V6]; [C1 P1 V6] # ᡙ.≯𐋲≠
+T; ᡙ\u200C。≯𐋲≠; [C1 P1 V6]; [P1 V6] # ᡙ.≯𐋲≠
+N; ᡙ\u200C。≯𐋲≠; [C1 P1 V6]; [C1 P1 V6] # ᡙ.≯𐋲≠
+T; ᡙ\u200C。>\u0338𐋲=\u0338; [C1 P1 V6]; [P1 V6] # ᡙ.≯𐋲≠
+N; ᡙ\u200C。>\u0338𐋲=\u0338; [C1 P1 V6]; [C1 P1 V6] # ᡙ.≯𐋲≠
+B; xn--p8e.xn--1ch3a7084l; [V6]; [V6]
+B; xn--p8e650b.xn--1ch3a7084l; [C1 V6]; [C1 V6] # ᡙ.≯𐋲≠
+B; 𐹧𞲄。\u034E🄀; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𐹧.͎🄀
+B; 𐹧𞲄。\u034E0.; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𐹧.͎0.
+B; xn--fo0dw409aq58qrn69d.xn--0-bgb.; [B1 V5 V6]; [B1 V5 V6] # 𐹧.͎0.
+B; xn--fo0dw409aq58qrn69d.xn--sua6883w; [B1 V5 V6]; [B1 V5 V6] # 𐹧.͎🄀
+T; Ⴄ.\u200D\u0721ς; [B1 C2 P1 V6]; [B2 B3 P1 V6] # Ⴄ.ܡς
+N; Ⴄ.\u200D\u0721ς; [B1 C2 P1 V6]; [B1 C2 P1 V6] # Ⴄ.ܡς
+T; Ⴄ.\u200D\u0721ς; [B1 C2 P1 V6]; [B2 B3 P1 V6] # Ⴄ.ܡς
+N; Ⴄ.\u200D\u0721ς; [B1 C2 P1 V6]; [B1 C2 P1 V6] # Ⴄ.ܡς
+T; ⴄ.\u200D\u0721ς; [B1 C2 P1 V6]; [B2 B3 P1 V6] # ⴄ.ܡς
+N; ⴄ.\u200D\u0721ς; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ⴄ.ܡς
+T; Ⴄ.\u200D\u0721Σ; [B1 C2 P1 V6]; [B2 B3 P1 V6] # Ⴄ.ܡσ
+N; Ⴄ.\u200D\u0721Σ; [B1 C2 P1 V6]; [B1 C2 P1 V6] # Ⴄ.ܡσ
+T; ⴄ.\u200D\u0721σ; [B1 C2 P1 V6]; [B2 B3 P1 V6] # ⴄ.ܡσ
+N; ⴄ.\u200D\u0721σ; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ⴄ.ܡσ
+B; xn--vkj.xn--4xa73ob5892c; [B2 B3 V6]; [B2 B3 V6] # ⴄ.ܡσ
+B; xn--vkj.xn--4xa73o3t5ajq467a; [B1 C2 V6]; [B1 C2 V6] # ⴄ.ܡσ
+B; xn--cnd.xn--4xa73ob5892c; [B2 B3 V6]; [B2 B3 V6] # Ⴄ.ܡσ
+B; xn--cnd.xn--4xa73o3t5ajq467a; [B1 C2 V6]; [B1 C2 V6] # Ⴄ.ܡσ
+B; xn--vkj.xn--3xa93o3t5ajq467a; [B1 C2 V6]; [B1 C2 V6] # ⴄ.ܡς
+B; xn--cnd.xn--3xa93o3t5ajq467a; [B1 C2 V6]; [B1 C2 V6] # Ⴄ.ܡς
+T; ⴄ.\u200D\u0721ς; [B1 C2 P1 V6]; [B2 B3 P1 V6] # ⴄ.ܡς
+N; ⴄ.\u200D\u0721ς; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ⴄ.ܡς
+T; Ⴄ.\u200D\u0721Σ; [B1 C2 P1 V6]; [B2 B3 P1 V6] # Ⴄ.ܡσ
+N; Ⴄ.\u200D\u0721Σ; [B1 C2 P1 V6]; [B1 C2 P1 V6] # Ⴄ.ܡσ
+T; ⴄ.\u200D\u0721σ; [B1 C2 P1 V6]; [B2 B3 P1 V6] # ⴄ.ܡσ
+N; ⴄ.\u200D\u0721σ; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ⴄ.ܡσ
+B; \u0613.Ⴕ; [P1 V6]; [P1 V6] # ؓ.Ⴕ
+B; \u0613.ⴕ; [P1 V6]; [P1 V6] # ؓ.ⴕ
+B; xn--1fb94204l.xn--dlj; [V6]; [V6] # ؓ.ⴕ
+B; xn--1fb94204l.xn--tnd; [V6]; [V6] # ؓ.Ⴕ
+T; ≯\u1DF3𞤥。\u200C\uA8C4\u200D; [B1 C1 C2 P1 V6]; [B1 P1 V5 V6] # ≯ᷳ𞤥.꣄
+N; ≯\u1DF3𞤥。\u200C\uA8C4\u200D; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ≯ᷳ𞤥.꣄
+T; >\u0338\u1DF3𞤥。\u200C\uA8C4\u200D; [B1 C1 C2 P1 V6]; [B1 P1 V5 V6] # ≯ᷳ𞤥.꣄
+N; >\u0338\u1DF3𞤥。\u200C\uA8C4\u200D; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ≯ᷳ𞤥.꣄
+T; >\u0338\u1DF3𞤃。\u200C\uA8C4\u200D; [B1 C1 C2 P1 V6]; [B1 P1 V5 V6] # ≯ᷳ𞤥.꣄
+N; >\u0338\u1DF3𞤃。\u200C\uA8C4\u200D; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ≯ᷳ𞤥.꣄
+T; ≯\u1DF3𞤃。\u200C\uA8C4\u200D; [B1 C1 C2 P1 V6]; [B1 P1 V5 V6] # ≯ᷳ𞤥.꣄
+N; ≯\u1DF3𞤃。\u200C\uA8C4\u200D; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # ≯ᷳ𞤥.꣄
+B; xn--ofg13qyr21c.xn--0f9au6706d; [B1 V5 V6]; [B1 V5 V6] # ≯ᷳ𞤥.꣄
+B; xn--ofg13qyr21c.xn--0ugc0116hix29k; [B1 C1 C2 V6]; [B1 C1 C2 V6] # ≯ᷳ𞤥.꣄
+T; \u200C󠄷。; [C1 P1 V6]; [P1 V6 A4_2] # .
+N; \u200C󠄷。; [C1 P1 V6]; [C1 P1 V6] # .
+T; \u200C󠄷。; [C1 P1 V6]; [P1 V6 A4_2] # .
+N; \u200C󠄷。; [C1 P1 V6]; [C1 P1 V6] # .
+B; .xn--w720c; [V6 A4_2]; [V6 A4_2]
+B; xn--0ug.xn--w720c; [C1 V6]; [C1 V6] # .
+T; ⒈\u0DD6焅.\u200Dꡟ; [C2 P1 V6]; [P1 V6] # ⒈ූ焅.ꡟ
+N; ⒈\u0DD6焅.\u200Dꡟ; [C2 P1 V6]; [C2 P1 V6] # ⒈ූ焅.ꡟ
+T; 1.\u0DD6焅.\u200Dꡟ; [C2 P1 V5 V6]; [P1 V5 V6] # 1.ූ焅.ꡟ
+N; 1.\u0DD6焅.\u200Dꡟ; [C2 P1 V5 V6]; [C2 P1 V5 V6] # 1.ූ焅.ꡟ
+B; 1.xn--t1c6981c.xn--4c9a21133d; [V5 V6]; [V5 V6] # 1.ූ焅.ꡟ
+B; 1.xn--t1c6981c.xn--1ugz184c9lw7i; [C2 V5 V6]; [C2 V5 V6] # 1.ූ焅.ꡟ
+B; xn--t1c337io97c.xn--4c9a21133d; [V6]; [V6] # ⒈ූ焅.ꡟ
+B; xn--t1c337io97c.xn--1ugz184c9lw7i; [C2 V6]; [C2 V6] # ⒈ූ焅.ꡟ
+T; \u1DCDς≮.ς𝪦𞤕0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍ς≮.ς𝪦𞤷0
+N; \u1DCDς≮.ς𝪦𞤕0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍ς≮.ς𝪦𞤷0
+T; \u1DCDς<\u0338.ς𝪦𞤕0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍ς≮.ς𝪦𞤷0
+N; \u1DCDς<\u0338.ς𝪦𞤕0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍ς≮.ς𝪦𞤷0
+T; \u1DCDς<\u0338.ς𝪦𞤷0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍ς≮.ς𝪦𞤷0
+N; \u1DCDς<\u0338.ς𝪦𞤷0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍ς≮.ς𝪦𞤷0
+T; \u1DCDς≮.ς𝪦𞤷0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍ς≮.ς𝪦𞤷0
+N; \u1DCDς≮.ς𝪦𞤷0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍ς≮.ς𝪦𞤷0
+B; \u1DCDΣ≮.Σ𝪦𞤕0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍σ≮.σ𝪦𞤷0
+B; \u1DCDΣ<\u0338.Σ𝪦𞤕0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍σ≮.σ𝪦𞤷0
+B; \u1DCDσ<\u0338.σ𝪦𞤷0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍σ≮.σ𝪦𞤷0
+B; \u1DCDσ≮.σ𝪦𞤷0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍σ≮.σ𝪦𞤷0
+B; \u1DCDΣ≮.Σ𝪦𞤷0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍σ≮.σ𝪦𞤷0
+B; \u1DCDΣ<\u0338.Σ𝪦𞤷0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍σ≮.σ𝪦𞤷0
+B; xn--4xa544kvid.xn--0-zmb55727aggma; [B1 B5 V5 V6]; [B1 B5 V5 V6] # ᷍σ≮.σ𝪦𞤷0
+B; xn--3xa744kvid.xn--0-xmb85727aggma; [B1 B5 V5 V6]; [B1 B5 V5 V6] # ᷍ς≮.ς𝪦𞤷0
+B; \u1DCDσ≮.σ𝪦𞤕0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍σ≮.σ𝪦𞤷0
+B; \u1DCDσ<\u0338.σ𝪦𞤕0; [B1 B5 P1 V5 V6]; [B1 B5 P1 V5 V6] # ᷍σ≮.σ𝪦𞤷0
+T; ß\u05B9𐫙.\u05AD\u08A1; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ßֹ𐫙.֭ࢡ
+N; ß\u05B9𐫙.\u05AD\u08A1; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ßֹ𐫙.֭ࢡ
+B; SS\u05B9𐫙.\u05AD\u08A1; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ssֹ𐫙.֭ࢡ
+B; ss\u05B9𐫙.\u05AD\u08A1; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ssֹ𐫙.֭ࢡ
+B; Ss\u05B9𐫙.\u05AD\u08A1; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ssֹ𐫙.֭ࢡ
+B; xn--ss-xjd6058xlz50g.xn--4cb62m; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ssֹ𐫙.֭ࢡ
+B; xn--zca89v339zj118e.xn--4cb62m; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ßֹ𐫙.֭ࢡ
+B; -𞣄。⒈; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; -𞣄。1.; [B1 V3]; [B1 V3]
+B; xn----xc8r.1.; [B1 V3]; [B1 V3]
+B; xn----xc8r.xn--tsh; [B1 V3 V6]; [B1 V3 V6]
+B; 𐫖𝟡。\u063E𑘿; [B5 P1 V6]; [B5 P1 V6] # 𐫖9.ؾ𑘿
+B; 𐫖9。\u063E𑘿; [B5 P1 V6]; [B5 P1 V6] # 𐫖9.ؾ𑘿
+B; xn--9-el5iv442t.xn--9gb0830l; [B5 V6]; [B5 V6] # 𐫖9.ؾ𑘿
+T; \u0668\uFC8C\u0668\u1A5D.\u200D; [B1 C2]; [B1] # ٨نم٨ᩝ.
+N; \u0668\uFC8C\u0668\u1A5D.\u200D; [B1 C2]; [B1 C2] # ٨نم٨ᩝ.
+T; \u0668\u0646\u0645\u0668\u1A5D.\u200D; [B1 C2]; [B1] # ٨نم٨ᩝ.
+N; \u0668\u0646\u0645\u0668\u1A5D.\u200D; [B1 C2]; [B1 C2] # ٨نم٨ᩝ.
+B; xn--hhbb5hc956w.; [B1]; [B1] # ٨نم٨ᩝ.
+B; xn--hhbb5hc956w.xn--1ug; [B1 C2]; [B1 C2] # ٨نم٨ᩝ.
+B; 𝟘.Ⴇ\uFD50; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 0.Ⴇتجم
+B; 0.Ⴇ\u062A\u062C\u0645; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 0.Ⴇتجم
+B; 0.ⴇ\u062A\u062C\u0645; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 0.ⴇتجم
+B; 0.xn--pgbe9ez79qd207lvff8b; [B1 B5 V6]; [B1 B5 V6] # 0.ⴇتجم
+B; 0.xn--pgbe9e344c2725svff8b; [B1 B5 V6]; [B1 B5 V6] # 0.Ⴇتجم
+B; 𝟘.ⴇ\uFD50; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 0.ⴇتجم
+B; 𑇀▍.⁞ᠰ; [V5]; [V5]
+B; xn--9zh3057f.xn--j7e103b; [V5]; [V5]
+T; \u200D-\u067A.; [B1 C2 P1 V6]; [B1 P1 V3 V6] # -ٺ.
+N; \u200D-\u067A.; [B1 C2 P1 V6]; [B1 C2 P1 V6] # -ٺ.
+B; xn----qrc.xn--ts49b; [B1 V3 V6]; [B1 V3 V6] # -ٺ.
+B; xn----qrc357q.xn--ts49b; [B1 C2 V6]; [B1 C2 V6] # -ٺ.
+T; ᠢ𐮂𐫘寐。\u200C≯✳; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6] # ᠢ𐮂𐫘寐.≯✳
+N; ᠢ𐮂𐫘寐。\u200C≯✳; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # ᠢ𐮂𐫘寐.≯✳
+T; ᠢ𐮂𐫘寐。\u200C>\u0338✳; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6] # ᠢ𐮂𐫘寐.≯✳
+N; ᠢ𐮂𐫘寐。\u200C>\u0338✳; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # ᠢ𐮂𐫘寐.≯✳
+T; ᠢ𐮂𐫘寐。\u200C≯✳; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6] # ᠢ𐮂𐫘寐.≯✳
+N; ᠢ𐮂𐫘寐。\u200C≯✳; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # ᠢ𐮂𐫘寐.≯✳
+T; ᠢ𐮂𐫘寐。\u200C>\u0338✳; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6] # ᠢ𐮂𐫘寐.≯✳
+N; ᠢ𐮂𐫘寐。\u200C>\u0338✳; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # ᠢ𐮂𐫘寐.≯✳
+B; xn--46e6675axzzhota.xn--hdh99p; [B1 B5 V6]; [B1 B5 V6]
+B; xn--46e6675axzzhota.xn--0ug06gu8f; [B1 B5 C1 V6]; [B1 B5 C1 V6] # ᠢ𐮂𐫘寐.≯✳
+T; \u200D。ႺႴ; [B1 B5 B6 C2 P1 V6]; [B5 B6 P1 V6 A4_2] # .ႺႴ
+N; \u200D。ႺႴ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 C2 P1 V6] # .ႺႴ
+T; \u200D。ႺႴ; [B1 B5 B6 C2 P1 V6]; [B5 B6 P1 V6 A4_2] # .ႺႴ
+N; \u200D。ႺႴ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 C2 P1 V6] # .ႺႴ
+T; \u200D。ⴚⴔ; [B1 B5 B6 C2 P1 V6]; [B5 B6 P1 V6 A4_2] # .ⴚⴔ
+N; \u200D。ⴚⴔ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 C2 P1 V6] # .ⴚⴔ
+T; \u200D。Ⴚⴔ; [B1 B5 B6 C2 P1 V6]; [B5 B6 P1 V6 A4_2] # .Ⴚⴔ
+N; \u200D。Ⴚⴔ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 C2 P1 V6] # .Ⴚⴔ
+B; .xn--ynd036lq981an3r4h; [B5 B6 V6 A4_2]; [B5 B6 V6 A4_2]
+B; xn--1ug.xn--ynd036lq981an3r4h; [B1 B5 B6 C2 V6]; [B1 B5 B6 C2 V6] # .Ⴚⴔ
+B; .xn--cljl81825an3r4h; [B5 B6 V6 A4_2]; [B5 B6 V6 A4_2]
+B; xn--1ug.xn--cljl81825an3r4h; [B1 B5 B6 C2 V6]; [B1 B5 B6 C2 V6] # .ⴚⴔ
+B; .xn--sndl01647an3h1h; [B5 B6 V6 A4_2]; [B5 B6 V6 A4_2]
+B; xn--1ug.xn--sndl01647an3h1h; [B1 B5 B6 C2 V6]; [B1 B5 B6 C2 V6] # .ႺႴ
+T; \u200D。ⴚⴔ; [B1 B5 B6 C2 P1 V6]; [B5 B6 P1 V6 A4_2] # .ⴚⴔ
+N; \u200D。ⴚⴔ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 C2 P1 V6] # .ⴚⴔ
+T; \u200D。Ⴚⴔ; [B1 B5 B6 C2 P1 V6]; [B5 B6 P1 V6 A4_2] # .Ⴚⴔ
+N; \u200D。Ⴚⴔ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 C2 P1 V6] # .Ⴚⴔ
+T; -3.\u200Dヌᢕ; [C2 V3]; [V3] # -3.ヌᢕ
+N; -3.\u200Dヌᢕ; [C2 V3]; [C2 V3] # -3.ヌᢕ
+B; -3.xn--fbf115j; [V3]; [V3]
+B; -3.xn--fbf739aq5o; [C2 V3]; [C2 V3] # -3.ヌᢕ
+T; 🂃\u0666ß\u200D。-; [B1 C2 P1 V3 V6]; [B1 P1 V3 V6] # 🂃٦ß.-
+N; 🂃\u0666ß\u200D。-; [B1 C2 P1 V3 V6]; [B1 C2 P1 V3 V6] # 🂃٦ß.-
+T; 🂃\u0666SS\u200D。-; [B1 C2 P1 V3 V6]; [B1 P1 V3 V6] # 🂃٦ss.-
+N; 🂃\u0666SS\u200D。-; [B1 C2 P1 V3 V6]; [B1 C2 P1 V3 V6] # 🂃٦ss.-
+T; 🂃\u0666ss\u200D。-; [B1 C2 P1 V3 V6]; [B1 P1 V3 V6] # 🂃٦ss.-
+N; 🂃\u0666ss\u200D。-; [B1 C2 P1 V3 V6]; [B1 C2 P1 V3 V6] # 🂃٦ss.-
+T; 🂃\u0666Ss\u200D。-; [B1 C2 P1 V3 V6]; [B1 P1 V3 V6] # 🂃٦ss.-
+N; 🂃\u0666Ss\u200D。-; [B1 C2 P1 V3 V6]; [B1 C2 P1 V3 V6] # 🂃٦ss.-
+B; xn--ss-pyd98921c.xn----nz8rh7531csznt; [B1 V3 V6]; [B1 V3 V6] # 🂃٦ss.-
+B; xn--ss-pyd483x5k99b.xn----nz8rh7531csznt; [B1 C2 V3 V6]; [B1 C2 V3 V6] # 🂃٦ss.-
+B; xn--zca34z68yzu83b.xn----nz8rh7531csznt; [B1 C2 V3 V6]; [B1 C2 V3 V6] # 🂃٦ß.-
+T; ꇟ-𐾺\u069F。\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ꇟ-ڟ.
+N; ꇟ-𐾺\u069F。\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ꇟ-ڟ.
+B; xn----utc4430jd3zd.xn--bp20d; [B5 B6 V6]; [B5 B6 V6] # ꇟ-ڟ.
+B; xn----utc4430jd3zd.xn--0ugx6670i; [B5 B6 C1 V6]; [B5 B6 C1 V6] # ꇟ-ڟ.
+B; \u0665.\u0484𐨗𝩋; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ٥.҄𐨗𝩋
+B; xn--eib.xn--n3a0405kus8eft5l; [B1 V5 V6]; [B1 V5 V6] # ٥.҄𐨗𝩋
+B; -.\u0649𐨿; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # -.ى𐨿
+B; -.xn--lhb4124khbq4b; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6] # -.ى𐨿
+T; ς.녫ß; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+N; ς.녫ß; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+T; ς.녫ß; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+N; ς.녫ß; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; Σ.녫SS; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; Σ.녫SS; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; σ.녫ss; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; σ.녫ss; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; Σ.녫Ss; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; Σ.녫Ss; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; xn--4xa76659r.xn--ss-d64i8755h; [B2 B3 V6]; [B2 B3 V6]
+B; xn--3xa96659r.xn--zca5051g4h4i; [B2 B3 V6]; [B2 B3 V6]
+T; Ⅎ\u17D2\u200D。≠\u200D\u200C; [C1 C2 P1 V6]; [P1 V6] # Ⅎ្.≠
+N; Ⅎ\u17D2\u200D。≠\u200D\u200C; [C1 C2 P1 V6]; [C1 C2 P1 V6] # Ⅎ្.≠
+T; Ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [C1 C2 P1 V6]; [P1 V6] # Ⅎ្.≠
+N; Ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [C1 C2 P1 V6]; [C1 C2 P1 V6] # Ⅎ្.≠
+T; Ⅎ\u17D2\u200D。≠\u200D\u200C; [C1 C2 P1 V6]; [P1 V6] # Ⅎ្.≠
+N; Ⅎ\u17D2\u200D。≠\u200D\u200C; [C1 C2 P1 V6]; [C1 C2 P1 V6] # Ⅎ្.≠
+T; Ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [C1 C2 P1 V6]; [P1 V6] # Ⅎ្.≠
+N; Ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [C1 C2 P1 V6]; [C1 C2 P1 V6] # Ⅎ្.≠
+T; ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [C1 C2 P1 V6]; [P1 V6] # ⅎ្.≠
+N; ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ⅎ្.≠
+T; ⅎ\u17D2\u200D。≠\u200D\u200C; [C1 C2 P1 V6]; [P1 V6] # ⅎ្.≠
+N; ⅎ\u17D2\u200D。≠\u200D\u200C; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ⅎ្.≠
+B; xn--u4e969b.xn--1ch; [V6]; [V6] # ⅎ្.≠
+B; xn--u4e823bq1a.xn--0ugb89o; [C1 C2 V6]; [C1 C2 V6] # ⅎ្.≠
+B; xn--u4e319b.xn--1ch; [V6]; [V6] # Ⅎ្.≠
+B; xn--u4e823bcza.xn--0ugb89o; [C1 C2 V6]; [C1 C2 V6] # Ⅎ្.≠
+T; ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [C1 C2 P1 V6]; [P1 V6] # ⅎ្.≠
+N; ⅎ\u17D2\u200D。=\u0338\u200D\u200C; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ⅎ្.≠
+T; ⅎ\u17D2\u200D。≠\u200D\u200C; [C1 C2 P1 V6]; [P1 V6] # ⅎ្.≠
+N; ⅎ\u17D2\u200D。≠\u200D\u200C; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ⅎ្.≠
+T; 𐋺\uAAF6\uA953.\u200C\u1714\u068F; [B1 C1 P1 V6]; [B1 P1 V5 V6] # 𐋺꫶꥓.᜔ڏ
+N; 𐋺\uAAF6\uA953.\u200C\u1714\u068F; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐋺꫶꥓.᜔ڏ
+T; 𐋺\uAAF6\uA953.\u200C\u1714\u068F; [B1 C1 P1 V6]; [B1 P1 V5 V6] # 𐋺꫶꥓.᜔ڏ
+N; 𐋺\uAAF6\uA953.\u200C\u1714\u068F; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐋺꫶꥓.᜔ڏ
+B; xn--3j9a14ak27osbz2o.xn--ljb175f; [B1 V5 V6]; [B1 V5 V6] # 𐋺꫶꥓.᜔ڏ
+B; xn--3j9a14ak27osbz2o.xn--ljb175f1wg; [B1 C1 V6]; [B1 C1 V6] # 𐋺꫶꥓.᜔ڏ
+B; \u0FA8.≯; [P1 V6]; [P1 V6] # ྨ.≯
+B; \u0FA8.>\u0338; [P1 V6]; [P1 V6] # ྨ.≯
+B; \u0FA8.≯; [P1 V6]; [P1 V6] # ྨ.≯
+B; \u0FA8.>\u0338; [P1 V6]; [P1 V6] # ྨ.≯
+B; xn--4fd57150h.xn--hdh; [V6]; [V6] # ྨ.≯
+T; \u200D𞡄Ⴓ.𐇽; [B1 B3 B6 C2 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # 𞡄Ⴓ.𐇽
+N; \u200D𞡄Ⴓ.𐇽; [B1 B3 B6 C2 P1 V5 V6]; [B1 B3 B6 C2 P1 V5 V6] # 𞡄Ⴓ.𐇽
+T; \u200D𞡄Ⴓ.𐇽; [B1 B3 B6 C2 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # 𞡄Ⴓ.𐇽
+N; \u200D𞡄Ⴓ.𐇽; [B1 B3 B6 C2 P1 V5 V6]; [B1 B3 B6 C2 P1 V5 V6] # 𞡄Ⴓ.𐇽
+T; \u200D𞡄ⴓ.𐇽; [B1 B3 B6 C2 V5]; [B1 B2 B3 B6 V5] # 𞡄ⴓ.𐇽
+N; \u200D𞡄ⴓ.𐇽; [B1 B3 B6 C2 V5]; [B1 B3 B6 C2 V5] # 𞡄ⴓ.𐇽
+B; xn--blj7492l.xn--m27c; [B1 B2 B3 B6 V5]; [B1 B2 B3 B6 V5]
+B; xn--1ugz52c4i16a.xn--m27c; [B1 B3 B6 C2 V5]; [B1 B3 B6 C2 V5] # 𞡄ⴓ.𐇽
+B; xn--rnd5552v.xn--m27c; [B1 B2 B3 B6 V5 V6]; [B1 B2 B3 B6 V5 V6]
+B; xn--rnd379ex885a.xn--m27c; [B1 B3 B6 C2 V5 V6]; [B1 B3 B6 C2 V5 V6] # 𞡄Ⴓ.𐇽
+T; \u200D𞡄ⴓ.𐇽; [B1 B3 B6 C2 V5]; [B1 B2 B3 B6 V5] # 𞡄ⴓ.𐇽
+N; \u200D𞡄ⴓ.𐇽; [B1 B3 B6 C2 V5]; [B1 B3 B6 C2 V5] # 𞡄ⴓ.𐇽
+T; 𐪒ß\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ß꣪.ᡤ
+N; 𐪒ß\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ß꣪.ᡤ
+T; 𐪒ß\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ß꣪.ᡤ
+N; 𐪒ß\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ß꣪.ᡤ
+B; 𐪒SS\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
+B; 𐪒ss\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
+B; 𐪒Ss\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
+B; xn--ss-tu9hw933a.xn--08e; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
+B; xn--zca2517f2hvc.xn--08e; [B2 B3]; [B2 B3] # 𐪒ß꣪.ᡤ
+B; 𐪒SS\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
+B; 𐪒ss\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
+B; 𐪒Ss\uA8EA.ᡤ; [B2 B3]; [B2 B3] # 𐪒ss꣪.ᡤ
+T; 𐨿󠆌鸮𑚶.ς; [V5]; [V5]
+N; 𐨿󠆌鸮𑚶.ς; [V5]; [V5]
+B; 𐨿󠆌鸮𑚶.Σ; [V5]; [V5]
+B; 𐨿󠆌鸮𑚶.σ; [V5]; [V5]
+B; xn--l76a726rt2h.xn--4xa; [V5]; [V5]
+B; xn--l76a726rt2h.xn--3xa; [V5]; [V5]
+B; ⒗𞤬。-𑚶; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; 16.𞤬。-𑚶; [B1 V3]; [B1 V3]
+B; 16.𞤊。-𑚶; [B1 V3]; [B1 V3]
+B; 16.xn--ke6h.xn----4j0j; [B1 V3]; [B1 V3]
+B; ⒗𞤊。-𑚶; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; xn--8shw466n.xn----4j0j; [B1 V3 V6]; [B1 V3 V6]
+B; \u08B3𞤿⾫。𐹣\u068F⒈; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # ࢳ𞤿隹.𐹣ڏ⒈
+B; \u08B3𞤿隹。𐹣\u068F1.; [B1 B2 B3]; [B1 B2 B3] # ࢳ𞤿隹.𐹣ڏ1.
+B; \u08B3𞤝隹。𐹣\u068F1.; [B1 B2 B3]; [B1 B2 B3] # ࢳ𞤿隹.𐹣ڏ1.
+B; xn--8yb0383efiwk.xn--1-wsc3373r.; [B1 B2 B3]; [B1 B2 B3] # ࢳ𞤿隹.𐹣ڏ1.
+B; \u08B3𞤝⾫。𐹣\u068F⒈; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # ࢳ𞤿隹.𐹣ڏ⒈
+B; xn--8yb0383efiwk.xn--ljb064mol4n; [B1 B2 B3 V6]; [B1 B2 B3 V6] # ࢳ𞤿隹.𐹣ڏ⒈
+B; \u2433𝟧\u0661.ᡢ8\u0F72\u0600; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 5١.ᡢ8ི
+B; \u24335\u0661.ᡢ8\u0F72\u0600; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 5١.ᡢ8ི
+B; xn--5-bqc410un435a.xn--8-rkc763epjj; [B5 B6 V6]; [B5 B6 V6] # 5١.ᡢ8ི
+B; 𐹠.🄀⒒-; [B1 P1 V6]; [B1 P1 V6]
+B; 𐹠.0.11.-; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; xn--7n0d.0.11.xn----8j07m; [B1 V3 V6]; [B1 V3 V6]
+B; xn--7n0d.xn----xcp9757q1s13g; [B1 V6]; [B1 V6]
+T; ς-。\u200C𝟭-; [C1 V3]; [V3] # ς-.1-
+N; ς-。\u200C𝟭-; [C1 V3]; [C1 V3] # ς-.1-
+T; ς-。\u200C1-; [C1 V3]; [V3] # ς-.1-
+N; ς-。\u200C1-; [C1 V3]; [C1 V3] # ς-.1-
+T; Σ-。\u200C1-; [C1 V3]; [V3] # σ-.1-
+N; Σ-。\u200C1-; [C1 V3]; [C1 V3] # σ-.1-
+T; σ-。\u200C1-; [C1 V3]; [V3] # σ-.1-
+N; σ-。\u200C1-; [C1 V3]; [C1 V3] # σ-.1-
+B; xn----zmb.1-; [V3]; [V3]
+B; xn----zmb.xn--1--i1t; [C1 V3]; [C1 V3] # σ-.1-
+B; xn----xmb.xn--1--i1t; [C1 V3]; [C1 V3] # ς-.1-
+T; Σ-。\u200C𝟭-; [C1 V3]; [V3] # σ-.1-
+N; Σ-。\u200C𝟭-; [C1 V3]; [C1 V3] # σ-.1-
+T; σ-。\u200C𝟭-; [C1 V3]; [V3] # σ-.1-
+N; σ-。\u200C𝟭-; [C1 V3]; [C1 V3] # σ-.1-
+B; \u1734-\u0CE2.󠄩Ⴄ; [P1 V5 V6]; [P1 V5 V6] # ᜴-ೢ.Ⴄ
+B; \u1734-\u0CE2.󠄩Ⴄ; [P1 V5 V6]; [P1 V5 V6] # ᜴-ೢ.Ⴄ
+B; \u1734-\u0CE2.󠄩ⴄ; [V5]; [V5] # ᜴-ೢ.ⴄ
+B; xn----ggf830f.xn--vkj; [V5]; [V5] # ᜴-ೢ.ⴄ
+B; xn----ggf830f.xn--cnd; [V5 V6]; [V5 V6] # ᜴-ೢ.Ⴄ
+B; \u1734-\u0CE2.󠄩ⴄ; [V5]; [V5] # ᜴-ೢ.ⴄ
+B; ♋\u06BB𐦥。\u0954⒈; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ♋ڻ𐦥.॔⒈
+B; ♋\u06BB𐦥。\u09541.; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ♋ڻ𐦥.॔1.
+B; xn--ukb372n129m3rs7f.xn--1-fyd.; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ♋ڻ𐦥.॔1.
+B; xn--ukb372n129m3rs7f.xn--u3b240l; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ♋ڻ𐦥.॔⒈
+T; \u05A4.\u06C1\u1AB3\u200C; [B1 B3 B6 C1 V5]; [B1 B3 B6 V5] # ֤.ہ᪳
+N; \u05A4.\u06C1\u1AB3\u200C; [B1 B3 B6 C1 V5]; [B1 B3 B6 C1 V5] # ֤.ہ᪳
+T; \u05A4.\u06C1\u1AB3\u200C; [B1 B3 B6 C1 V5]; [B1 B3 B6 V5] # ֤.ہ᪳
+N; \u05A4.\u06C1\u1AB3\u200C; [B1 B3 B6 C1 V5]; [B1 B3 B6 C1 V5] # ֤.ہ᪳
+B; xn--vcb.xn--0kb623h; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ֤.ہ᪳
+B; xn--vcb.xn--0kb623hm1d; [B1 B3 B6 C1 V5]; [B1 B3 B6 C1 V5] # ֤.ہ᪳
+B; \u0846≮\u0ACD.; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ࡆ≮્.
+B; \u0846<\u0338\u0ACD.; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ࡆ≮્.
+B; \u0846≮\u0ACD.; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ࡆ≮્.
+B; \u0846<\u0338\u0ACD.; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ࡆ≮્.
+B; xn--4vb80kq29ayo62l.xn--8g6h; [B5 B6 V6]; [B5 B6 V6] # ࡆ≮્.
+T; \u200D。𞀘⒈ꡍ擉; [C2 P1 V5 V6]; [P1 V5 V6 A4_2] # .𞀘⒈ꡍ擉
+N; \u200D。𞀘⒈ꡍ擉; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .𞀘⒈ꡍ擉
+T; \u200D。𞀘1.ꡍ擉; [C2 V5]; [V5 A4_2] # .𞀘1.ꡍ擉
+N; \u200D。𞀘1.ꡍ擉; [C2 V5]; [C2 V5] # .𞀘1.ꡍ擉
+B; .xn--1-1p4r.xn--s7uv61m; [V5 A4_2]; [V5 A4_2]
+B; xn--1ug.xn--1-1p4r.xn--s7uv61m; [C2 V5]; [C2 V5] # .𞀘1.ꡍ擉
+B; .xn--tsh026uql4bew9p; [V5 V6 A4_2]; [V5 V6 A4_2]
+B; xn--1ug.xn--tsh026uql4bew9p; [C2 V5 V6]; [C2 V5 V6] # .𞀘⒈ꡍ擉
+B; ₈\u07CB.\uFB64≠; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 8ߋ.ٿ≠
+B; ₈\u07CB.\uFB64=\u0338; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 8ߋ.ٿ≠
+B; 8\u07CB.\u067F≠; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 8ߋ.ٿ≠
+B; 8\u07CB.\u067F=\u0338; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 8ߋ.ٿ≠
+B; xn--8-zbd.xn--4ib883l; [B1 B3 V6]; [B1 B3 V6] # 8ߋ.ٿ≠
+B; ᢡ\u07DE.⒒\u0642𑍦; [B1 B5 P1 V6]; [B1 B5 P1 V6] # ᢡߞ.⒒ق𑍦
+B; ᢡ\u07DE.11.\u0642𑍦; [B1 B5 P1 V6]; [B1 B5 P1 V6] # ᢡߞ.11.ق𑍦
+B; xn--5sb596fi873t.11.xn--ehb4198k; [B1 B5 V6]; [B1 B5 V6] # ᢡߞ.11.ق𑍦
+B; xn--5sb596fi873t.xn--ehb336mvy7n; [B1 B5 V6]; [B1 B5 V6] # ᢡߞ.⒒ق𑍦
+B; \u0E48-𐹺𝟜.\u0363\u06E1⒏; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ่-𐹺4.ͣۡ⒏
+B; \u0E48-𐹺4.\u0363\u06E18.; [B1 V5]; [B1 V5] # ่-𐹺4.ͣۡ8.
+B; xn---4-owiz479s.xn--8-ihb69x.; [B1 V5]; [B1 V5] # ่-𐹺4.ͣۡ8.
+B; xn---4-owiz479s.xn--eva20pjv9a; [B1 V5 V6]; [B1 V5 V6] # ่-𐹺4.ͣۡ⒏
+B; ⫐。Ⴠ-; [P1 V6]; [P1 V6]
+B; ⫐。Ⴠ-; [P1 V6]; [P1 V6]
+B; ⫐。ⴠ-; [P1 V6]; [P1 V6]
+B; xn--r3i.xn----2wst7439i; [V6]; [V6]
+B; xn--r3i.xn----z1g58579u; [V6]; [V6]
+B; ⫐。ⴠ-; [P1 V6]; [P1 V6]
+B; 𑑂◊.⦟∠; [V5]; [V5]
+B; 𑑂◊.⦟∠; [V5]; [V5]
+B; xn--01h3338f.xn--79g270a; [V5]; [V5]
+B; -\u0662。ꡂ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -٢.ꡂ
+B; xn----dqc20828e.xn--bc9an2879c; [B5 B6 V6]; [B5 B6 V6] # -٢.ꡂ
+B; \u0678。\u0741𐹪; [B1 P1 V6]; [B1 P1 V6] # يٴ.݁𐹪
+B; \u064A\u0674。\u0741𐹪; [B1 P1 V6]; [B1 P1 V6] # يٴ.݁𐹪
+B; xn--mhb8f.xn--oob2585kfdsfsbo7h; [B1 V6]; [B1 V6] # يٴ.݁𐹪
+T; 𐫆ꌄ。\u200Dᣬ; [B1 B2 B3 C2]; [B2 B3] # 𐫆ꌄ.ᣬ
+N; 𐫆ꌄ。\u200Dᣬ; [B1 B2 B3 C2]; [B1 B2 B3 C2] # 𐫆ꌄ.ᣬ
+T; 𐫆ꌄ。\u200Dᣬ; [B1 B2 B3 C2]; [B2 B3] # 𐫆ꌄ.ᣬ
+N; 𐫆ꌄ。\u200Dᣬ; [B1 B2 B3 C2]; [B1 B2 B3 C2] # 𐫆ꌄ.ᣬ
+B; xn--y77ao18q.xn--wdf; [B2 B3]; [B2 B3]
+B; xn--y77ao18q.xn--wdf367a; [B1 B2 B3 C2]; [B1 B2 B3 C2] # 𐫆ꌄ.ᣬ
+B; ₀\u0662。≯-; [B1 B6 P1 V3 V6]; [B1 B6 P1 V3 V6] # 0٢.≯-
+B; ₀\u0662。>\u0338-; [B1 B6 P1 V3 V6]; [B1 B6 P1 V3 V6] # 0٢.≯-
+B; 0\u0662。≯-; [B1 B6 P1 V3 V6]; [B1 B6 P1 V3 V6] # 0٢.≯-
+B; 0\u0662。>\u0338-; [B1 B6 P1 V3 V6]; [B1 B6 P1 V3 V6] # 0٢.≯-
+B; xn--0-dqc.xn----ogov3342l; [B1 B6 V3 V6]; [B1 B6 V3 V6] # 0٢.≯-
+B; \u031C𐹫-.𐋤\u0845; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ̜𐹫-.𐋤ࡅ
+B; xn----gdb7046r692g.xn--3vb1349j; [B1 V5 V6]; [B1 V5 V6] # ̜𐹫-.𐋤ࡅ
+B; ≠。𝩑𐹩Ⴡ\u0594; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≠.𝩑𐹩Ⴡ֔
+B; =\u0338。𝩑𐹩Ⴡ\u0594; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≠.𝩑𐹩Ⴡ֔
+B; ≠。𝩑𐹩Ⴡ\u0594; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≠.𝩑𐹩Ⴡ֔
+B; =\u0338。𝩑𐹩Ⴡ\u0594; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≠.𝩑𐹩Ⴡ֔
+B; =\u0338。𝩑𐹩ⴡ\u0594; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≠.𝩑𐹩ⴡ֔
+B; ≠。𝩑𐹩ⴡ\u0594; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≠.𝩑𐹩ⴡ֔
+B; xn--1ch.xn--fcb363rk03mypug; [B1 V5 V6]; [B1 V5 V6] # ≠.𝩑𐹩ⴡ֔
+B; xn--1ch.xn--fcb538c649rypog; [B1 V5 V6]; [B1 V5 V6] # ≠.𝩑𐹩Ⴡ֔
+B; =\u0338。𝩑𐹩ⴡ\u0594; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≠.𝩑𐹩ⴡ֔
+B; ≠。𝩑𐹩ⴡ\u0594; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≠.𝩑𐹩ⴡ֔
+B; 𖫳≠.Ⴀ𐮀; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6]
+B; 𖫳=\u0338.Ⴀ𐮀; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6]
+B; 𖫳=\u0338.ⴀ𐮀; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6]
+B; 𖫳≠.ⴀ𐮀; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6]
+B; xn--1ch9250k.xn--rkj6232e; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6]
+B; xn--1ch9250k.xn--7md2659j; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6]
+B; 󠅾\u0736\u0726.ᢚ閪\u08E2𝩟; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ܶܦ.ᢚ閪𝩟
+B; 󠅾\u0736\u0726.ᢚ閪\u08E2𝩟; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ܶܦ.ᢚ閪𝩟
+B; xn--wnb5a.xn--l0b161fis8gbp5m; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ܶܦ.ᢚ閪𝩟
+T; \u200D󠇜\u06CB\uA8E9。\u20DD\u0FB0-ᛟ; [B1 C2 V5]; [B1 V5] # ۋ꣩.⃝ྰ-ᛟ
+N; \u200D󠇜\u06CB\uA8E9。\u20DD\u0FB0-ᛟ; [B1 C2 V5]; [B1 C2 V5] # ۋ꣩.⃝ྰ-ᛟ
+T; \u200D󠇜\u06CB\uA8E9。\u20DD\u0FB0-ᛟ; [B1 C2 V5]; [B1 V5] # ۋ꣩.⃝ྰ-ᛟ
+N; \u200D󠇜\u06CB\uA8E9。\u20DD\u0FB0-ᛟ; [B1 C2 V5]; [B1 C2 V5] # ۋ꣩.⃝ྰ-ᛟ
+B; xn--blb8114f.xn----gmg236cj6k; [B1 V5]; [B1 V5] # ۋ꣩.⃝ྰ-ᛟ
+B; xn--blb540ke10h.xn----gmg236cj6k; [B1 C2 V5]; [B1 C2 V5] # ۋ꣩.⃝ྰ-ᛟ
+B; 헁\u0E3A。\u06BA𝟜; [P1 V6]; [P1 V6] # 헁ฺ.ں4
+B; 헁\u0E3A。\u06BA𝟜; [P1 V6]; [P1 V6] # 헁ฺ.ں4
+B; 헁\u0E3A。\u06BA4; [P1 V6]; [P1 V6] # 헁ฺ.ں4
+B; 헁\u0E3A。\u06BA4; [P1 V6]; [P1 V6] # 헁ฺ.ں4
+B; xn--o4c1723h8g85gt4ya.xn--4-dvc; [V6]; [V6] # 헁ฺ.ں4
+T; 𐹭。\u200CႾ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹭.Ⴞ
+N; 𐹭。\u200CႾ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹭.Ⴞ
+T; 𐹭。\u200CႾ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹭.Ⴞ
+N; 𐹭。\u200CႾ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹭.Ⴞ
+T; 𐹭。\u200Cⴞ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹭.ⴞ
+N; 𐹭。\u200Cⴞ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹭.ⴞ
+B; xn--lo0d.xn--mljx1099g; [B1 V6]; [B1 V6]
+B; xn--lo0d.xn--0ugx72cwi33v; [B1 C1 V6]; [B1 C1 V6] # 𐹭.ⴞ
+B; xn--lo0d.xn--2nd75260n; [B1 V6]; [B1 V6]
+B; xn--lo0d.xn--2nd949eqw95u; [B1 C1 V6]; [B1 C1 V6] # 𐹭.Ⴞ
+T; 𐹭。\u200Cⴞ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹭.ⴞ
+N; 𐹭。\u200Cⴞ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹭.ⴞ
+B; \uA953.\u033D馋; [P1 V5 V6]; [P1 V5 V6] # ꥓.̽馋
+B; xn--3j9a.xn--bua0708eqzrd; [V5 V6]; [V5 V6] # ꥓.̽馋
+T; \u200D。䜖; [C2 P1 V6]; [P1 V6] # .䜖
+N; \u200D。䜖; [C2 P1 V6]; [C2 P1 V6] # .䜖
+T; \u200D。䜖; [C2 P1 V6]; [P1 V6] # .䜖
+N; \u200D。䜖; [C2 P1 V6]; [C2 P1 V6] # .䜖
+B; xn--g138cxw05a.xn--k0o; [V6]; [V6]
+B; xn--1ug30527h9mxi.xn--k0o; [C2 V6]; [C2 V6] # .䜖
+T; ᡯ⚉姶🄉.۷\u200D🎪\u200D; [C2 P1 V6]; [P1 V6] # ᡯ⚉姶🄉.۷🎪
+N; ᡯ⚉姶🄉.۷\u200D🎪\u200D; [C2 P1 V6]; [C2 P1 V6] # ᡯ⚉姶🄉.۷🎪
+T; ᡯ⚉姶8,.۷\u200D🎪\u200D; [C2 P1 V6]; [P1 V6] # ᡯ⚉姶8,.۷🎪
+N; ᡯ⚉姶8,.۷\u200D🎪\u200D; [C2 P1 V6]; [C2 P1 V6] # ᡯ⚉姶8,.۷🎪
+B; xn--8,-g9oy26fzu4d.xn--kmb6733w; [P1 V6]; [P1 V6]
+B; xn--8,-g9oy26fzu4d.xn--kmb859ja94998b; [C2 P1 V6]; [C2 P1 V6] # ᡯ⚉姶8,.۷🎪
+B; xn--c9e433epi4b3j20a.xn--kmb6733w; [V6]; [V6]
+B; xn--c9e433epi4b3j20a.xn--kmb859ja94998b; [C2 V6]; [C2 V6] # ᡯ⚉姶🄉.۷🎪
+B; .𐹸🚖\u0E3A; [B1 P1 V6]; [B1 P1 V6] # .𐹸🚖ฺ
+B; xn--0n7h.xn--o4c9032klszf; [B1 V6]; [B1 V6] # .𐹸🚖ฺ
+B; Ⴔᠵ。𐹧\u0747۹; [B1 P1 V6]; [B1 P1 V6] # Ⴔᠵ.𐹧݇۹
+B; Ⴔᠵ。𐹧\u0747۹; [B1 P1 V6]; [B1 P1 V6] # Ⴔᠵ.𐹧݇۹
+B; ⴔᠵ。𐹧\u0747۹; [B1]; [B1] # ⴔᠵ.𐹧݇۹
+B; xn--o7e997h.xn--mmb9ml895e; [B1]; [B1] # ⴔᠵ.𐹧݇۹
+B; xn--snd659a.xn--mmb9ml895e; [B1 V6]; [B1 V6] # Ⴔᠵ.𐹧݇۹
+B; ⴔᠵ。𐹧\u0747۹; [B1]; [B1] # ⴔᠵ.𐹧݇۹
+T; \u135Fᡈ\u200C.︒-𖾐-; [C1 P1 V3 V5 V6]; [P1 V3 V5 V6] # ፟ᡈ.︒-𖾐-
+N; \u135Fᡈ\u200C.︒-𖾐-; [C1 P1 V3 V5 V6]; [C1 P1 V3 V5 V6] # ፟ᡈ.︒-𖾐-
+T; \u135Fᡈ\u200C.。-𖾐-; [C1 V3 V5 A4_2]; [V3 V5 A4_2] # ፟ᡈ..-𖾐-
+N; \u135Fᡈ\u200C.。-𖾐-; [C1 V3 V5 A4_2]; [C1 V3 V5 A4_2] # ፟ᡈ..-𖾐-
+B; xn--b7d82w..xn-----pe4u; [V3 V5 A4_2]; [V3 V5 A4_2] # ፟ᡈ..-𖾐-
+B; xn--b7d82wo4h..xn-----pe4u; [C1 V3 V5 A4_2]; [C1 V3 V5 A4_2] # ፟ᡈ..-𖾐-
+B; xn--b7d82w.xn-----c82nz547a; [V3 V5 V6]; [V3 V5 V6] # ፟ᡈ.︒-𖾐-
+B; xn--b7d82wo4h.xn-----c82nz547a; [C1 V3 V5 V6]; [C1 V3 V5 V6] # ፟ᡈ.︒-𖾐-
+T; ⒈\u0601⒖\u200C.\u1DF0\u07DB; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # ⒈⒖.ᷰߛ
+N; ⒈\u0601⒖\u200C.\u1DF0\u07DB; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # ⒈⒖.ᷰߛ
+T; 1.\u060115.\u200C.\u1DF0\u07DB; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6 A4_2] # 1.15..ᷰߛ
+N; 1.\u060115.\u200C.\u1DF0\u07DB; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 1.15..ᷰߛ
+B; 1.xn--15-1pd..xn--2sb914i; [B1 V5 V6 A4_2]; [B1 V5 V6 A4_2] # 1.15..ᷰߛ
+B; 1.xn--15-1pd.xn--0ug.xn--2sb914i; [B1 C1 V5 V6]; [B1 C1 V5 V6] # 1.15..ᷰߛ
+B; xn--jfb347mib.xn--2sb914i; [B1 V5 V6]; [B1 V5 V6] # ⒈⒖.ᷰߛ
+B; xn--jfb844kmfdwb.xn--2sb914i; [B1 C1 V5 V6]; [B1 C1 V5 V6] # ⒈⒖.ᷰߛ
+B; 𝩜。-\u0B4DႫ; [P1 V3 V5 V6]; [P1 V3 V5 V6] # 𝩜.-୍Ⴋ
+B; 𝩜。-\u0B4Dⴋ; [V3 V5]; [V3 V5] # 𝩜.-୍ⴋ
+B; xn--792h.xn----bse820x; [V3 V5]; [V3 V5] # 𝩜.-୍ⴋ
+B; xn--792h.xn----bse632b; [V3 V5 V6]; [V3 V5 V6] # 𝩜.-୍Ⴋ
+T; ßჀ.\u0620刯Ⴝ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ßჀ.ؠ刯Ⴝ
+N; ßჀ.\u0620刯Ⴝ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ßჀ.ؠ刯Ⴝ
+T; ßⴠ.\u0620刯ⴝ; [B2 B3]; [B2 B3] # ßⴠ.ؠ刯ⴝ
+N; ßⴠ.\u0620刯ⴝ; [B2 B3]; [B2 B3] # ßⴠ.ؠ刯ⴝ
+B; SSჀ.\u0620刯Ⴝ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ssჀ.ؠ刯Ⴝ
+B; ssⴠ.\u0620刯ⴝ; [B2 B3]; [B2 B3] # ssⴠ.ؠ刯ⴝ
+B; Ssⴠ.\u0620刯Ⴝ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ssⴠ.ؠ刯Ⴝ
+B; xn--ss-j81a.xn--fgb845cb66c; [B2 B3 V6]; [B2 B3 V6] # ssⴠ.ؠ刯Ⴝ
+B; xn--ss-j81a.xn--fgb670rovy; [B2 B3]; [B2 B3] # ssⴠ.ؠ刯ⴝ
+B; xn--ss-wgk.xn--fgb845cb66c; [B2 B3 V6]; [B2 B3 V6] # ssჀ.ؠ刯Ⴝ
+B; xn--zca277t.xn--fgb670rovy; [B2 B3]; [B2 B3] # ßⴠ.ؠ刯ⴝ
+B; xn--zca442f.xn--fgb845cb66c; [B2 B3 V6]; [B2 B3 V6] # ßჀ.ؠ刯Ⴝ
+B; \u1BAAႣℲ。ᠳ툻\u0673; [B5 B6 P1 V5 V6]; [B5 B6 P1 V5 V6] # ᮪ႣℲ.ᠳ툻ٳ
+B; \u1BAAႣℲ。ᠳ툻\u0673; [B5 B6 P1 V5 V6]; [B5 B6 P1 V5 V6] # ᮪ႣℲ.ᠳ툻ٳ
+B; \u1BAAႣℲ。ᠳ툻\u0673; [B5 B6 P1 V5 V6]; [B5 B6 P1 V5 V6] # ᮪ႣℲ.ᠳ툻ٳ
+B; \u1BAAႣℲ。ᠳ툻\u0673; [B5 B6 P1 V5 V6]; [B5 B6 P1 V5 V6] # ᮪ႣℲ.ᠳ툻ٳ
+B; \u1BAAⴃⅎ。ᠳ툻\u0673; [B5 B6 V5]; [B5 B6 V5] # ᮪ⴃⅎ.ᠳ툻ٳ
+B; \u1BAAⴃⅎ。ᠳ툻\u0673; [B5 B6 V5]; [B5 B6 V5] # ᮪ⴃⅎ.ᠳ툻ٳ
+B; \u1BAAႣⅎ。ᠳ툻\u0673; [B5 B6 P1 V5 V6]; [B5 B6 P1 V5 V6] # ᮪Ⴃⅎ.ᠳ툻ٳ
+B; \u1BAAႣⅎ。ᠳ툻\u0673; [B5 B6 P1 V5 V6]; [B5 B6 P1 V5 V6] # ᮪Ⴃⅎ.ᠳ툻ٳ
+B; xn--bnd957c2pe.xn--sib102gc69k; [B5 B6 V5 V6]; [B5 B6 V5 V6] # ᮪Ⴃⅎ.ᠳ툻ٳ
+B; xn--yxf24x4ol.xn--sib102gc69k; [B5 B6 V5]; [B5 B6 V5] # ᮪ⴃⅎ.ᠳ툻ٳ
+B; xn--bnd957cone.xn--sib102gc69k; [B5 B6 V5 V6]; [B5 B6 V5 V6] # ᮪ႣℲ.ᠳ툻ٳ
+B; \u1BAAⴃⅎ。ᠳ툻\u0673; [B5 B6 V5]; [B5 B6 V5] # ᮪ⴃⅎ.ᠳ툻ٳ
+B; \u1BAAⴃⅎ。ᠳ툻\u0673; [B5 B6 V5]; [B5 B6 V5] # ᮪ⴃⅎ.ᠳ툻ٳ
+B; \u1BAAႣⅎ。ᠳ툻\u0673; [B5 B6 P1 V5 V6]; [B5 B6 P1 V5 V6] # ᮪Ⴃⅎ.ᠳ툻ٳ
+B; \u1BAAႣⅎ。ᠳ툻\u0673; [B5 B6 P1 V5 V6]; [B5 B6 P1 V5 V6] # ᮪Ⴃⅎ.ᠳ툻ٳ
+B; \u06EC.\u08A2𐹫\u067C; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ۬.ࢢ𐹫ټ
+B; xn--8lb.xn--1ib31ily45b; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ۬.ࢢ𐹫ټ
+B; \u06B6\u06DF。₇\uA806; [B1]; [B1] # ڶ۟.7꠆
+B; \u06B6\u06DF。7\uA806; [B1]; [B1] # ڶ۟.7꠆
+B; xn--pkb6f.xn--7-x93e; [B1]; [B1] # ڶ۟.7꠆
+B; \u06B6\u06DF.7\uA806; [B1]; [B1] # ڶ۟.7꠆
+T; Ⴣ𐹻.\u200C𝪣≮; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V5 V6] # Ⴣ𐹻.𝪣≮
+N; Ⴣ𐹻.\u200C𝪣≮; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # Ⴣ𐹻.𝪣≮
+T; Ⴣ𐹻.\u200C𝪣<\u0338; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V5 V6] # Ⴣ𐹻.𝪣≮
+N; Ⴣ𐹻.\u200C𝪣<\u0338; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # Ⴣ𐹻.𝪣≮
+T; ⴣ𐹻.\u200C𝪣<\u0338; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V5 V6] # ⴣ𐹻.𝪣≮
+N; ⴣ𐹻.\u200C𝪣<\u0338; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # ⴣ𐹻.𝪣≮
+T; ⴣ𐹻.\u200C𝪣≮; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V5 V6] # ⴣ𐹻.𝪣≮
+N; ⴣ𐹻.\u200C𝪣≮; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # ⴣ𐹻.𝪣≮
+B; xn--rlj6323e.xn--gdh4944ob3x3e; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6]
+B; xn--rlj6323e.xn--0ugy6gn120eb103g; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # ⴣ𐹻.𝪣≮
+B; xn--7nd8101k.xn--gdh4944ob3x3e; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6]
+B; xn--7nd8101k.xn--0ugy6gn120eb103g; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # Ⴣ𐹻.𝪣≮
+T; 𝟵隁⯮.\u180D\u200C; [C1]; xn--9-mfs8024b. # 9隁⯮.
+N; 𝟵隁⯮.\u180D\u200C; [C1]; [C1] # 9隁⯮.
+T; 9隁⯮.\u180D\u200C; [C1]; xn--9-mfs8024b. # 9隁⯮.
+N; 9隁⯮.\u180D\u200C; [C1]; [C1] # 9隁⯮.
+B; xn--9-mfs8024b.; 9隁⯮.; xn--9-mfs8024b.; NV8
+B; 9隁⯮.; ; xn--9-mfs8024b.; NV8
+B; xn--9-mfs8024b.xn--0ug; [C1]; [C1] # 9隁⯮.
+B; ⒏𐹧。Ⴣ\u0F84彦; [B1 P1 V6]; [B1 P1 V6] # ⒏𐹧.Ⴣ྄彦
+B; 8.𐹧。Ⴣ\u0F84彦; [B1 P1 V6]; [B1 P1 V6] # 8.𐹧.Ⴣ྄彦
+B; 8.𐹧。ⴣ\u0F84彦; [B1]; [B1] # 8.𐹧.ⴣ྄彦
+B; 8.xn--fo0d.xn--3ed972m6o8a; [B1]; [B1] # 8.𐹧.ⴣ྄彦
+B; 8.xn--fo0d.xn--3ed15dt93o; [B1 V6]; [B1 V6] # 8.𐹧.Ⴣ྄彦
+B; ⒏𐹧。ⴣ\u0F84彦; [B1 P1 V6]; [B1 P1 V6] # ⒏𐹧.ⴣ྄彦
+B; xn--0sh2466f.xn--3ed972m6o8a; [B1 V6]; [B1 V6] # ⒏𐹧.ⴣ྄彦
+B; xn--0sh2466f.xn--3ed15dt93o; [B1 V6]; [B1 V6] # ⒏𐹧.Ⴣ྄彦
+B; -问⒛。\u0604-橬; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -问⒛.-橬
+B; -问20.。\u0604-橬; [B1 P1 V3 V6 A4_2]; [B1 P1 V3 V6 A4_2] # -问20..-橬
+B; xn---20-658jx1776d..xn----ykc7228efm46d; [B1 V3 V6 A4_2]; [B1 V3 V6 A4_2] # -问20..-橬
+B; xn----hdpu849bhis3e.xn----ykc7228efm46d; [B1 V3 V6]; [B1 V3 V6] # -问⒛.-橬
+T; \u1BACႬ\u200C\u0325。𝟸; [C1 P1 V5 V6]; [P1 V5 V6] # ᮬႬ̥.2
+N; \u1BACႬ\u200C\u0325。𝟸; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ᮬႬ̥.2
+T; \u1BACႬ\u200C\u0325。2; [C1 P1 V5 V6]; [P1 V5 V6] # ᮬႬ̥.2
+N; \u1BACႬ\u200C\u0325。2; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ᮬႬ̥.2
+T; \u1BACⴌ\u200C\u0325。2; [C1 V5]; [V5] # ᮬⴌ̥.2
+N; \u1BACⴌ\u200C\u0325。2; [C1 V5]; [C1 V5] # ᮬⴌ̥.2
+B; xn--mta176jjjm.2; [V5]; [V5] # ᮬⴌ̥.2
+B; xn--mta176j97cl2q.2; [C1 V5]; [C1 V5] # ᮬⴌ̥.2
+B; xn--mta930emri.2; [V5 V6]; [V5 V6] # ᮬႬ̥.2
+B; xn--mta930emribme.2; [C1 V5 V6]; [C1 V5 V6] # ᮬႬ̥.2
+T; \u1BACⴌ\u200C\u0325。𝟸; [C1 V5]; [V5] # ᮬⴌ̥.2
+N; \u1BACⴌ\u200C\u0325。𝟸; [C1 V5]; [C1 V5] # ᮬⴌ̥.2
+B; \uDC5F。\uA806\u0669; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # .꠆٩
+B; \uDC5F.xn--iib9583fusy0i; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # .꠆٩
+B; \uDC5F.XN--IIB9583FUSY0I; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # .꠆٩
+B; \uDC5F.Xn--Iib9583fusy0i; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # .꠆٩
+B; 󠄁\u035F⾶。₇︒눇≮; [P1 V5 V6]; [P1 V5 V6] # ͟飛.7︒눇≮
+B; 󠄁\u035F⾶。₇︒눇<\u0338; [P1 V5 V6]; [P1 V5 V6] # ͟飛.7︒눇≮
+B; 󠄁\u035F飛。7。눇≮; [P1 V5 V6]; [P1 V5 V6] # ͟飛.7.눇≮
+B; 󠄁\u035F飛。7。눇<\u0338; [P1 V5 V6]; [P1 V5 V6] # ͟飛.7.눇≮
+B; xn--9ua0567e.7.xn--gdh6767c; [V5 V6]; [V5 V6] # ͟飛.7.눇≮
+B; xn--9ua0567e.xn--7-ngou006d1ttc; [V5 V6]; [V5 V6] # ͟飛.7︒눇≮
+T; \u200C\uFE09𐹴\u200D.\u200C⿃; [B1 C1 C2]; [B1] # 𐹴.鳥
+N; \u200C\uFE09𐹴\u200D.\u200C⿃; [B1 C1 C2]; [B1 C1 C2] # 𐹴.鳥
+T; \u200C\uFE09𐹴\u200D.\u200C鳥; [B1 C1 C2]; [B1] # 𐹴.鳥
+N; \u200C\uFE09𐹴\u200D.\u200C鳥; [B1 C1 C2]; [B1 C1 C2] # 𐹴.鳥
+B; xn--so0d.xn--6x6a; [B1]; [B1]
+B; xn--0ugc6024p.xn--0ug1920c; [B1 C1 C2]; [B1 C1 C2] # 𐹴.鳥
+T; 🍮.\u200D𐦁𝨝; [B1 C2 P1 V6]; [B1 P1 V6] # 🍮.𐦁𝨝
+N; 🍮.\u200D𐦁𝨝; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 🍮.𐦁𝨝
+T; 🍮.\u200D𐦁𝨝; [B1 C2 P1 V6]; [B1 P1 V6] # 🍮.𐦁𝨝
+N; 🍮.\u200D𐦁𝨝; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 🍮.𐦁𝨝
+B; xn--lj8h.xn--ln9ci476aqmr2g; [B1 V6]; [B1 V6]
+B; xn--lj8h.xn--1ug6603gr1pfwq37h; [B1 C2 V6]; [B1 C2 V6] # 🍮.𐦁𝨝
+T; \u067D\u0943.𞤓\u200D; [B3 C2]; xn--2ib43l.xn--te6h # ٽृ.𞤵
+N; \u067D\u0943.𞤓\u200D; [B3 C2]; [B3 C2] # ٽृ.𞤵
+T; \u067D\u0943.𞤵\u200D; [B3 C2]; xn--2ib43l.xn--te6h # ٽृ.𞤵
+N; \u067D\u0943.𞤵\u200D; [B3 C2]; [B3 C2] # ٽृ.𞤵
+B; xn--2ib43l.xn--te6h; \u067D\u0943.𞤵; xn--2ib43l.xn--te6h # ٽृ.𞤵
+B; \u067D\u0943.𞤵; ; xn--2ib43l.xn--te6h # ٽृ.𞤵
+B; \u067D\u0943.𞤓; \u067D\u0943.𞤵; xn--2ib43l.xn--te6h # ٽृ.𞤵
+B; xn--2ib43l.xn--1ugy711p; [B3 C2]; [B3 C2] # ٽृ.𞤵
+B; \u0664\u0A4D-.\u1039; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ٤੍-.္
+B; \u0664\u0A4D-.\u1039; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ٤੍-.္
+B; xn----gqc711a.xn--9jd88234f3qm0b; [B1 V3 V6]; [B1 V3 V6] # ٤੍-.္
+T; 4\u103A-𐹸。\uAA29\u200C𐹴≮; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+N; 4\u103A-𐹸。\uAA29\u200C𐹴≮; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+T; 4\u103A-𐹸。\uAA29\u200C𐹴<\u0338; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+N; 4\u103A-𐹸。\uAA29\u200C𐹴<\u0338; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+T; 4\u103A-𐹸。\uAA29\u200C𐹴≮; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+N; 4\u103A-𐹸。\uAA29\u200C𐹴≮; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+T; 4\u103A-𐹸。\uAA29\u200C𐹴<\u0338; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+N; 4\u103A-𐹸。\uAA29\u200C𐹴<\u0338; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+B; xn--4--e4j7831r.xn--gdh8754cz40c; [B1 V5 V6]; [B1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+B; xn--4--e4j7831r.xn--0ugy6gjy5sl3ud; [B1 C1 V5 V6]; [B1 C1 V5 V6] # 4်-𐹸.ꨩ𐹴≮
+T; \u200C。\uFFA0\u0F84\u0F96; [C1 P1 V6]; [P1 V6 A4_2] # .྄ྖ
+N; \u200C。\uFFA0\u0F84\u0F96; [C1 P1 V6]; [C1 P1 V6] # .྄ྖ
+T; \u200C。\u1160\u0F84\u0F96; [C1 P1 V6]; [P1 V6 A4_2] # .྄ྖ
+N; \u200C。\u1160\u0F84\u0F96; [C1 P1 V6]; [C1 P1 V6] # .྄ྖ
+B; .xn--3ed0b20h; [V6 A4_2]; [V6 A4_2] # .྄ྖ
+B; xn--0ug.xn--3ed0b20h; [C1 V6]; [C1 V6] # .྄ྖ
+B; .xn--3ed0by082k; [V6 A4_2]; [V6 A4_2] # .྄ྖ
+B; xn--0ug.xn--3ed0by082k; [C1 V6]; [C1 V6] # .྄ྖ
+T; ≯.\u200D𐅼; [C2 P1 V6]; [P1 V6] # ≯.𐅼
+N; ≯.\u200D𐅼; [C2 P1 V6]; [C2 P1 V6] # ≯.𐅼
+T; >\u0338.\u200D𐅼; [C2 P1 V6]; [P1 V6] # ≯.𐅼
+N; >\u0338.\u200D𐅼; [C2 P1 V6]; [C2 P1 V6] # ≯.𐅼
+T; ≯.\u200D𐅼; [C2 P1 V6]; [P1 V6] # ≯.𐅼
+N; ≯.\u200D𐅼; [C2 P1 V6]; [C2 P1 V6] # ≯.𐅼
+T; >\u0338.\u200D𐅼; [C2 P1 V6]; [P1 V6] # ≯.𐅼
+N; >\u0338.\u200D𐅼; [C2 P1 V6]; [C2 P1 V6] # ≯.𐅼
+B; xn--hdh84488f.xn--xy7cw2886b; [V6]; [V6]
+B; xn--hdh84488f.xn--1ug8099fbjp4e; [C2 V6]; [C2 V6] # ≯.𐅼
+T; \u0641ß𐰯。𝟕𐫫; [B1 B2]; [B1 B2] # فß𐰯.7𐫫
+N; \u0641ß𐰯。𝟕𐫫; [B1 B2]; [B1 B2] # فß𐰯.7𐫫
+T; \u0641ß𐰯。7𐫫; [B1 B2]; [B1 B2] # فß𐰯.7𐫫
+N; \u0641ß𐰯。7𐫫; [B1 B2]; [B1 B2] # فß𐰯.7𐫫
+B; \u0641SS𐰯。7𐫫; [B1 B2]; [B1 B2] # فss𐰯.7𐫫
+B; \u0641ss𐰯。7𐫫; [B1 B2]; [B1 B2] # فss𐰯.7𐫫
+B; \u0641Ss𐰯。7𐫫; [B1 B2]; [B1 B2] # فss𐰯.7𐫫
+B; xn--ss-jvd2339x.xn--7-mm5i; [B1 B2]; [B1 B2] # فss𐰯.7𐫫
+B; xn--zca96ys96y.xn--7-mm5i; [B1 B2]; [B1 B2] # فß𐰯.7𐫫
+B; \u0641SS𐰯。𝟕𐫫; [B1 B2]; [B1 B2] # فss𐰯.7𐫫
+B; \u0641ss𐰯。𝟕𐫫; [B1 B2]; [B1 B2] # فss𐰯.7𐫫
+B; \u0641Ss𐰯。𝟕𐫫; [B1 B2]; [B1 B2] # فss𐰯.7𐫫
+T; ß\u07AC\u07A7\u08B1。𐭁𐹲; [B2 B5 B6 P1 V6]; [B2 B5 B6 P1 V6] # ßެާࢱ.𐭁𐹲
+N; ß\u07AC\u07A7\u08B1。𐭁𐹲; [B2 B5 B6 P1 V6]; [B2 B5 B6 P1 V6] # ßެާࢱ.𐭁𐹲
+B; SS\u07AC\u07A7\u08B1。𐭁𐹲; [B2 B5 B6 P1 V6]; [B2 B5 B6 P1 V6] # ssެާࢱ.𐭁𐹲
+B; ss\u07AC\u07A7\u08B1。𐭁𐹲; [B2 B5 B6 P1 V6]; [B2 B5 B6 P1 V6] # ssެާࢱ.𐭁𐹲
+B; Ss\u07AC\u07A7\u08B1。𐭁𐹲; [B2 B5 B6 P1 V6]; [B2 B5 B6 P1 V6] # ssެާࢱ.𐭁𐹲
+B; xn--ss-9qet02k.xn--e09co8cr9861c; [B2 B5 B6 V6]; [B2 B5 B6 V6] # ssެާࢱ.𐭁𐹲
+B; xn--zca685aoa95h.xn--e09co8cr9861c; [B2 B5 B6 V6]; [B2 B5 B6 V6] # ßެާࢱ.𐭁𐹲
+B; -。⒌; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; -。5.; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; -.xn--5-zz21m.xn--6x6h; [B1 V3 V6]; [B1 V3 V6]
+B; -.xn--xsh6367n1bi3e; [B1 V3 V6]; [B1 V3 V6]
+T; ς.-≮\uFCAB; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ς.-≮خج
+N; ς.-≮\uFCAB; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ς.-≮خج
+T; ς.-<\u0338\uFCAB; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ς.-≮خج
+N; ς.-<\u0338\uFCAB; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ς.-≮خج
+T; ς.-≮\u062E\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ς.-≮خج
+N; ς.-≮\u062E\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ς.-≮خج
+T; ς.-<\u0338\u062E\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ς.-≮خج
+N; ς.-<\u0338\u062E\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ς.-≮خج
+B; Σ.-<\u0338\u062E\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # σ.-≮خج
+B; Σ.-≮\u062E\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # σ.-≮خج
+B; σ.-≮\u062E\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # σ.-≮خج
+B; σ.-<\u0338\u062E\u062C; [B1 P1 V3 V6]; [B1 P1 V3 V6] # σ.-≮خج
+B; xn--4xa92520c.xn----9mcf1400a; [B1 V3 V6]; [B1 V3 V6] # σ.-≮خج
+B; xn--3xa13520c.xn----9mcf1400a; [B1 V3 V6]; [B1 V3 V6] # ς.-≮خج
+B; Σ.-<\u0338\uFCAB; [B1 P1 V3 V6]; [B1 P1 V3 V6] # σ.-≮خج
+B; Σ.-≮\uFCAB; [B1 P1 V3 V6]; [B1 P1 V3 V6] # σ.-≮خج
+B; σ.-≮\uFCAB; [B1 P1 V3 V6]; [B1 P1 V3 V6] # σ.-≮خج
+B; σ.-<\u0338\uFCAB; [B1 P1 V3 V6]; [B1 P1 V3 V6] # σ.-≮خج
+B; ꡗ\u08B8\u0719.\u0C4D\uFC3E; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ꡗࢸܙ.్كي
+B; ꡗ\u08B8\u0719.\u0C4D\u0643\u064A; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ꡗࢸܙ.్كي
+B; xn--jnb34fs003a.xn--fhbo927bk128mpi24d; [B5 B6 V6]; [B5 B6 V6] # ꡗࢸܙ.్كي
+B; 𐠰\u08B7𞤌𐫭。𐋦\u17CD𝩃; [B1]; [B1] # 𐠰ࢷ𞤮𐫭.𐋦៍𝩃
+B; 𐠰\u08B7𞤮𐫭。𐋦\u17CD𝩃; [B1]; [B1] # 𐠰ࢷ𞤮𐫭.𐋦៍𝩃
+B; xn--dzb5191kezbrw47a.xn--p4e3841jz9tf; [B1]; [B1] # 𐠰ࢷ𞤮𐫭.𐋦៍𝩃
+B; 𐠰\u08B7𞤮𐫭.𐋦\u17CD𝩃; [B1]; [B1] # 𐠰ࢷ𞤮𐫭.𐋦៍𝩃
+B; 𐠰\u08B7𞤌𐫭.𐋦\u17CD𝩃; [B1]; [B1] # 𐠰ࢷ𞤮𐫭.𐋦៍𝩃
+T; ₂㘷--。\u06D3\u200C𐫆𑖿; [B1 C1 V2 V3]; [B1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+N; ₂㘷--。\u06D3\u200C𐫆𑖿; [B1 C1 V2 V3]; [B1 C1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+T; ₂㘷--。\u06D2\u0654\u200C𐫆𑖿; [B1 C1 V2 V3]; [B1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+N; ₂㘷--。\u06D2\u0654\u200C𐫆𑖿; [B1 C1 V2 V3]; [B1 C1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+T; 2㘷--。\u06D3\u200C𐫆𑖿; [B1 C1 V2 V3]; [B1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+N; 2㘷--。\u06D3\u200C𐫆𑖿; [B1 C1 V2 V3]; [B1 C1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+T; 2㘷--。\u06D2\u0654\u200C𐫆𑖿; [B1 C1 V2 V3]; [B1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+N; 2㘷--。\u06D2\u0654\u200C𐫆𑖿; [B1 C1 V2 V3]; [B1 C1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+B; xn--2---u58b.xn--jlb8024k14g; [B1 V2 V3]; [B1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+B; xn--2---u58b.xn--jlb820ku99nbgj; [B1 C1 V2 V3]; [B1 C1 V2 V3] # 2㘷--.ۓ𐫆𑖿
+B; -𘊻.ᡮ\u062D-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # -𘊻.ᡮح-
+B; -𘊻.ᡮ\u062D-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # -𘊻.ᡮح-
+B; xn----bp5n.xn----bnc231l; [B1 B5 B6 V3]; [B1 B5 B6 V3] # -𘊻.ᡮح-
+T; \u200C-ß。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 V3] # -ß.ᢣ𐹭ؿ
+N; \u200C-ß。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ß.ᢣ𐹭ؿ
+T; \u200C-ß。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 V3] # -ß.ᢣ𐹭ؿ
+N; \u200C-ß。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ß.ᢣ𐹭ؿ
+T; \u200C-SS。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 V3] # -ss.ᢣ𐹭ؿ
+N; \u200C-SS。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ss.ᢣ𐹭ؿ
+T; \u200C-ss。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 V3] # -ss.ᢣ𐹭ؿ
+N; \u200C-ss。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ss.ᢣ𐹭ؿ
+T; \u200C-Ss。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 V3] # -ss.ᢣ𐹭ؿ
+N; \u200C-Ss。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ss.ᢣ𐹭ؿ
+B; -ss.xn--bhb925glx3p; [B1 B5 B6 V3]; [B1 B5 B6 V3] # -ss.ᢣ𐹭ؿ
+B; xn---ss-8m0a.xn--bhb925glx3p; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ss.ᢣ𐹭ؿ
+B; xn----qfa550v.xn--bhb925glx3p; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ß.ᢣ𐹭ؿ
+T; \u200C-SS。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 V3] # -ss.ᢣ𐹭ؿ
+N; \u200C-SS。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ss.ᢣ𐹭ؿ
+T; \u200C-ss。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 V3] # -ss.ᢣ𐹭ؿ
+N; \u200C-ss。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ss.ᢣ𐹭ؿ
+T; \u200C-Ss。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 V3] # -ss.ᢣ𐹭ؿ
+N; \u200C-Ss。ᢣ𐹭\u063F; [B1 B5 B6 C1]; [B1 B5 B6 C1] # -ss.ᢣ𐹭ؿ
+B; ꧐Ӏ\u1BAA\u08F6.눵; [P1 V6]; [P1 V6] # ꧐Ӏ᮪ࣶ.눵
+B; ꧐Ӏ\u1BAA\u08F6.눵; [P1 V6]; [P1 V6] # ꧐Ӏ᮪ࣶ.눵
+B; ꧐Ӏ\u1BAA\u08F6.눵; [P1 V6]; [P1 V6] # ꧐Ӏ᮪ࣶ.눵
+B; ꧐Ӏ\u1BAA\u08F6.눵; [P1 V6]; [P1 V6] # ꧐Ӏ᮪ࣶ.눵
+B; ꧐ӏ\u1BAA\u08F6.눵; ꧐ӏ\u1BAA\u08F6.눵; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
+B; ꧐ӏ\u1BAA\u08F6.눵; ; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
+B; xn--s5a04sn4u297k.xn--2e1b; ꧐ӏ\u1BAA\u08F6.눵; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
+B; xn--d5a07sn4u297k.xn--2e1b; [V6]; [V6] # ꧐Ӏ᮪ࣶ.눵
+B; ꧐ӏ\u1BAA\u08F6.눵; ꧐ӏ\u1BAA\u08F6.눵; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
+B; ꧐ӏ\u1BAA\u08F6.눵; ꧐ӏ\u1BAA\u08F6.눵; xn--s5a04sn4u297k.xn--2e1b # ꧐ӏ᮪ࣶ.눵
+B; \uA8EA。𑆾󠇗; [P1 V5 V6]; [P1 V5 V6] # ꣪.𑆾
+B; \uA8EA。𑆾󠇗; [P1 V5 V6]; [P1 V5 V6] # ꣪.𑆾
+B; xn--3g9a.xn--ud1dz07k; [V5 V6]; [V5 V6] # ꣪.𑆾
+B; 𑚳。≯⾇; [P1 V6]; [P1 V6]
+B; 𑚳。>\u0338⾇; [P1 V6]; [P1 V6]
+B; 𑚳。≯舛; [P1 V6]; [P1 V6]
+B; 𑚳。>\u0338舛; [P1 V6]; [P1 V6]
+B; xn--3e2d79770c.xn--hdh0088abyy1c; [V6]; [V6]
+T; 𐫇\u0661\u200C.\u200D\u200C; [B1 B3 C1 C2]; xn--9hb7344k. # 𐫇١.
+N; 𐫇\u0661\u200C.\u200D\u200C; [B1 B3 C1 C2]; [B1 B3 C1 C2] # 𐫇١.
+T; 𐫇\u0661\u200C.\u200D\u200C; [B1 B3 C1 C2]; xn--9hb7344k. # 𐫇١.
+N; 𐫇\u0661\u200C.\u200D\u200C; [B1 B3 C1 C2]; [B1 B3 C1 C2] # 𐫇١.
+B; xn--9hb7344k.; 𐫇\u0661.; xn--9hb7344k. # 𐫇١.
+B; 𐫇\u0661.; ; xn--9hb7344k. # 𐫇١.
+B; xn--9hb652kv99n.xn--0ugb; [B1 B3 C1 C2]; [B1 B3 C1 C2] # 𐫇١.
+T; 砪≯ᢑ。≯𝩚\u200C; [C1 P1 V6]; [P1 V6] # 砪≯ᢑ.≯𝩚
+N; 砪≯ᢑ。≯𝩚\u200C; [C1 P1 V6]; [C1 P1 V6] # 砪≯ᢑ.≯𝩚
+T; 砪>\u0338ᢑ。>\u0338𝩚\u200C; [C1 P1 V6]; [P1 V6] # 砪≯ᢑ.≯𝩚
+N; 砪>\u0338ᢑ。>\u0338𝩚\u200C; [C1 P1 V6]; [C1 P1 V6] # 砪≯ᢑ.≯𝩚
+T; 砪≯ᢑ。≯𝩚\u200C; [C1 P1 V6]; [P1 V6] # 砪≯ᢑ.≯𝩚
+N; 砪≯ᢑ。≯𝩚\u200C; [C1 P1 V6]; [C1 P1 V6] # 砪≯ᢑ.≯𝩚
+T; 砪>\u0338ᢑ。>\u0338𝩚\u200C; [C1 P1 V6]; [P1 V6] # 砪≯ᢑ.≯𝩚
+N; 砪>\u0338ᢑ。>\u0338𝩚\u200C; [C1 P1 V6]; [C1 P1 V6] # 砪≯ᢑ.≯𝩚
+B; xn--bbf561cf95e57y3e.xn--hdh0834o7mj6b; [V6]; [V6]
+B; xn--bbf561cf95e57y3e.xn--0ugz6gc910ejro8c; [C1 V6]; [C1 V6] # 砪≯ᢑ.≯𝩚
+B; Ⴥ.𑄳㊸; [P1 V5 V6]; [P1 V5 V6]
+B; Ⴥ.𑄳43; [P1 V5 V6]; [P1 V5 V6]
+B; ⴥ.𑄳43; [V5]; [V5]
+B; xn--tlj.xn--43-274o; [V5]; [V5]
+B; xn--9nd.xn--43-274o; [V5 V6]; [V5 V6]
+B; ⴥ.𑄳㊸; [V5]; [V5]
+B; 𝟎\u0663。Ⴒᡇ\u08F2𐹠; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # 0٣.Ⴒᡇࣲ𐹠
+B; 0\u0663。Ⴒᡇ\u08F2𐹠; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # 0٣.Ⴒᡇࣲ𐹠
+B; 0\u0663。ⴒᡇ\u08F2𐹠; [B1 B5 B6]; [B1 B5 B6] # 0٣.ⴒᡇࣲ𐹠
+B; xn--0-fqc.xn--10b369eivp359r; [B1 B5 B6]; [B1 B5 B6] # 0٣.ⴒᡇࣲ𐹠
+B; xn--0-fqc.xn--10b180bnwgfy0z; [B1 B5 B6 V6]; [B1 B5 B6 V6] # 0٣.Ⴒᡇࣲ𐹠
+B; 𝟎\u0663。ⴒᡇ\u08F2𐹠; [B1 B5 B6]; [B1 B5 B6] # 0٣.ⴒᡇࣲ𐹠
+B; 󠄉\uFFA0\u0FB7.\uA953; [P1 V6]; [P1 V6] # ྷ.꥓
+B; 󠄉\u1160\u0FB7.\uA953; [P1 V6]; [P1 V6] # ྷ.꥓
+B; xn--kgd36f9z57y.xn--3j9au7544a; [V6]; [V6] # ྷ.꥓
+B; xn--kgd7493jee34a.xn--3j9au7544a; [V6]; [V6] # ྷ.꥓
+T; \u0618.۳\u200C\uA953; [C1 V5]; [V5] # ؘ.۳꥓
+N; \u0618.۳\u200C\uA953; [C1 V5]; [C1 V5] # ؘ.۳꥓
+B; xn--6fb.xn--gmb0524f; [V5]; [V5] # ؘ.۳꥓
+B; xn--6fb.xn--gmb469jjf1h; [C1 V5]; [C1 V5] # ؘ.۳꥓
+B; ᡌ.︒ᢑ; [P1 V6]; [P1 V6]
+B; ᡌ.。ᢑ; [A4_2]; [A4_2]
+B; xn--c8e..xn--bbf; [A4_2]; [A4_2]
+B; xn--c8e.xn--bbf9168i; [V6]; [V6]
+B; 𑋪\u1073。; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑋪ၳ.
+B; 𑋪\u1073。; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑋪ၳ.
+B; xn--xld7443k.xn--4o7h; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # 𑋪ၳ.
+B; 。ᠢ; [P1 V6]; [P1 V6]
+B; xn--hd7h.xn--46e66060j; [V6]; [V6]
+T; 𑄳㴼.\u200C𐹡\u20EB; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𑄳㴼.𐹡⃫
+N; 𑄳㴼.\u200C𐹡\u20EB; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𑄳㴼.𐹡⃫
+T; 𑄳㴼.\u200C𐹡\u20EB; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𑄳㴼.𐹡⃫
+N; 𑄳㴼.\u200C𐹡\u20EB; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𑄳㴼.𐹡⃫
+B; xn--iym9428c.xn--e1g3464g08p3b; [B1 V5 V6]; [B1 V5 V6] # 𑄳㴼.𐹡⃫
+B; xn--iym9428c.xn--0ug46a7218cllv0c; [B1 C1 V5 V6]; [B1 C1 V5 V6] # 𑄳㴼.𐹡⃫
+B; 𐹳𑈯。\u031D; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # 𐹳𑈯.̝
+B; 𐹳𑈯。\u031D; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # 𐹳𑈯.̝
+B; xn--ro0dw7dey96m.xn--eta; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # 𐹳𑈯.̝
+B; ᢊ뾜𑚶。\u089D𐹥; [P1 V6]; [P1 V6] # ᢊ뾜𑚶.𐹥
+B; ᢊ뾜𑚶。\u089D𐹥; [P1 V6]; [P1 V6] # ᢊ뾜𑚶.𐹥
+B; xn--39e4566fjv8bwmt6n.xn--myb6415k; [V6]; [V6] # ᢊ뾜𑚶.𐹥
+T; 𐹥≠。𐋲\u200C; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹥≠.𐋲
+N; 𐹥≠。𐋲\u200C; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹥≠.𐋲
+T; 𐹥=\u0338。𐋲\u200C; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹥≠.𐋲
+N; 𐹥=\u0338。𐋲\u200C; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹥≠.𐋲
+T; 𐹥≠。𐋲\u200C; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹥≠.𐋲
+N; 𐹥≠。𐋲\u200C; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹥≠.𐋲
+T; 𐹥=\u0338。𐋲\u200C; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹥≠.𐋲
+N; 𐹥=\u0338。𐋲\u200C; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹥≠.𐋲
+B; xn--1ch6704g.xn--m97cw2999c; [B1 V6]; [B1 V6]
+B; xn--1ch6704g.xn--0ug3840g51u4g; [B1 C1 V6]; [B1 C1 V6] # 𐹥≠.𐋲
+T; \u115F\u094D.\u200D\uA953; [B1 C2 P1 V6]; [B5 B6 P1 V5 V6] # ्.꥓
+N; \u115F\u094D.\u200D\uA953; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ्.꥓
+T; \u115F\u094D.\u200D\uA953; [B1 C2 P1 V6]; [B5 B6 P1 V5 V6] # ्.꥓
+N; \u115F\u094D.\u200D\uA953; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ्.꥓
+B; xn--n3b542bb085j.xn--3j9al95p; [B5 B6 V5 V6]; [B5 B6 V5 V6] # ्.꥓
+B; xn--n3b542bb085j.xn--1ug6815co9wc; [B1 C2 V6]; [B1 C2 V6] # ्.꥓
+B; 󠆎󠆗𑲕。≮; [P1 V6]; [P1 V6]
+B; 󠆎󠆗𑲕。<\u0338; [P1 V6]; [P1 V6]
+B; xn--4m3dv4354a.xn--gdh; [V6]; [V6]
+B; 󠆦.\u08E3暀≠; [P1 V5 V6 A4_2]; [P1 V5 V6 A4_2] # .ࣣ暀≠
+B; 󠆦.\u08E3暀=\u0338; [P1 V5 V6 A4_2]; [P1 V5 V6 A4_2] # .ࣣ暀≠
+B; .xn--m0b461k3g2c; [V5 V6 A4_2]; [V5 V6 A4_2] # .ࣣ暀≠
+B; 𐡤\uABED。\uFD30\u1DF0; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐡤꯭.شمᷰ
+B; 𐡤\uABED。\u0634\u0645\u1DF0; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐡤꯭.شمᷰ
+B; xn--429ak76o.xn--zgb8a701kox37t; [B2 B3 V6]; [B2 B3 V6] # 𐡤꯭.شمᷰ
+T; 𝉃\u200D⒈。Ⴌ; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𝉃⒈.Ⴌ
+N; 𝉃\u200D⒈。Ⴌ; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 C2 P1 V5 V6] # 𝉃⒈.Ⴌ
+T; 𝉃\u200D1.。Ⴌ; [B1 B5 B6 C2 P1 V5 V6 A4_2]; [B1 B5 B6 P1 V5 V6 A4_2] # 𝉃1..Ⴌ
+N; 𝉃\u200D1.。Ⴌ; [B1 B5 B6 C2 P1 V5 V6 A4_2]; [B1 B5 B6 C2 P1 V5 V6 A4_2] # 𝉃1..Ⴌ
+T; 𝉃\u200D1.。ⴌ; [B1 B5 B6 C2 P1 V5 V6 A4_2]; [B1 B5 B6 P1 V5 V6 A4_2] # 𝉃1..ⴌ
+N; 𝉃\u200D1.。ⴌ; [B1 B5 B6 C2 P1 V5 V6 A4_2]; [B1 B5 B6 C2 P1 V5 V6 A4_2] # 𝉃1..ⴌ
+B; xn--1-px8q..xn--3kj4524l; [B1 B5 B6 V5 V6 A4_2]; [B1 B5 B6 V5 V6 A4_2]
+B; xn--1-tgn9827q..xn--3kj4524l; [B1 B5 B6 C2 V5 V6 A4_2]; [B1 B5 B6 C2 V5 V6 A4_2] # 𝉃1..ⴌ
+B; xn--1-px8q..xn--knd8464v; [B1 B5 B6 V5 V6 A4_2]; [B1 B5 B6 V5 V6 A4_2]
+B; xn--1-tgn9827q..xn--knd8464v; [B1 B5 B6 C2 V5 V6 A4_2]; [B1 B5 B6 C2 V5 V6 A4_2] # 𝉃1..Ⴌ
+T; 𝉃\u200D⒈。ⴌ; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𝉃⒈.ⴌ
+N; 𝉃\u200D⒈。ⴌ; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 C2 P1 V5 V6] # 𝉃⒈.ⴌ
+B; xn--tshz828m.xn--3kj4524l; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6]
+B; xn--1ug68oq348b.xn--3kj4524l; [B1 B5 B6 C2 V5 V6]; [B1 B5 B6 C2 V5 V6] # 𝉃⒈.ⴌ
+B; xn--tshz828m.xn--knd8464v; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6]
+B; xn--1ug68oq348b.xn--knd8464v; [B1 B5 B6 C2 V5 V6]; [B1 B5 B6 C2 V5 V6] # 𝉃⒈.Ⴌ
+T; \u0A4D𱫘𞤸.ς; [B1 P1 V6]; [B1 P1 V6] # ੍𞤸.ς
+N; \u0A4D𱫘𞤸.ς; [B1 P1 V6]; [B1 P1 V6] # ੍𞤸.ς
+B; \u0A4D𱫘𞤖.Σ; [B1 P1 V6]; [B1 P1 V6] # ੍𞤸.σ
+B; \u0A4D𱫘𞤸.σ; [B1 P1 V6]; [B1 P1 V6] # ੍𞤸.σ
+B; \u0A4D𱫘𞤖.σ; [B1 P1 V6]; [B1 P1 V6] # ੍𞤸.σ
+B; xn--ybc0236vjvxgt5q0g.xn--4xa82737giye6b; [B1 V6]; [B1 V6] # ੍𞤸.σ
+T; \u0A4D𱫘𞤖.ς; [B1 P1 V6]; [B1 P1 V6] # ੍𞤸.ς
+N; \u0A4D𱫘𞤖.ς; [B1 P1 V6]; [B1 P1 V6] # ੍𞤸.ς
+B; xn--ybc0236vjvxgt5q0g.xn--3xa03737giye6b; [B1 V6]; [B1 V6] # ੍𞤸.ς
+B; \u0A4D𱫘𞤸.Σ; [B1 P1 V6]; [B1 P1 V6] # ੍𞤸.σ
+T; \u07D3。\u200C𐫀; [B1 C1 P1 V6]; [B2 B3 P1 V6] # ߓ.𐫀
+N; \u07D3。\u200C𐫀; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ߓ.𐫀
+B; xn--usb.xn--pw9ci1099a; [B2 B3 V6]; [B2 B3 V6] # ߓ.𐫀
+B; xn--usb.xn--0ug9553gm3v5d; [B1 C1 V6]; [B1 C1 V6] # ߓ.𐫀
+B; \u1C2E𞀝.\u05A6ꡟ𞤕󠆖; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ᰮ𞀝.֦ꡟ𞤷
+B; \u1C2E𞀝.\u05A6ꡟ𞤷󠆖; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ᰮ𞀝.֦ꡟ𞤷
+B; xn--q1f4493q.xn--xcb8244fifvj; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ᰮ𞀝.֦ꡟ𞤷
+T; 䂹𐋦.\u200D; [C2 P1 V6]; [P1 V6] # 䂹𐋦.
+N; 䂹𐋦.\u200D; [C2 P1 V6]; [C2 P1 V6] # 䂹𐋦.
+T; 䂹𐋦.\u200D; [C2 P1 V6]; [P1 V6] # 䂹𐋦.
+N; 䂹𐋦.\u200D; [C2 P1 V6]; [C2 P1 V6] # 䂹𐋦.
+B; xn--0on3543c5981i.; [V6]; [V6]
+B; xn--0on3543c5981i.xn--1ug; [C2 V6]; [C2 V6] # 䂹𐋦.
+T; \uA9C0\u200C𐹲\u200C。\u0767🄉; [B5 B6 C1 P1 V5 V6]; [B5 B6 P1 V5 V6] # ꧀𐹲.ݧ🄉
+N; \uA9C0\u200C𐹲\u200C。\u0767🄉; [B5 B6 C1 P1 V5 V6]; [B5 B6 C1 P1 V5 V6] # ꧀𐹲.ݧ🄉
+T; \uA9C0\u200C𐹲\u200C。\u07678,; [B3 B5 B6 C1 P1 V5 V6]; [B3 B5 B6 P1 V5 V6] # ꧀𐹲.ݧ8,
+N; \uA9C0\u200C𐹲\u200C。\u07678,; [B3 B5 B6 C1 P1 V5 V6]; [B3 B5 B6 C1 P1 V5 V6] # ꧀𐹲.ݧ8,
+B; xn--7m9an32q.xn--8,-qle; [B3 B5 B6 P1 V5 V6]; [B3 B5 B6 P1 V5 V6] # ꧀𐹲.ݧ8,
+B; xn--0uga8686hdgvd.xn--8,-qle; [B3 B5 B6 C1 P1 V5 V6]; [B3 B5 B6 C1 P1 V5 V6] # ꧀𐹲.ݧ8,
+B; xn--7m9an32q.xn--rpb6081w; [B5 B6 V5 V6]; [B5 B6 V5 V6] # ꧀𐹲.ݧ🄉
+B; xn--0uga8686hdgvd.xn--rpb6081w; [B5 B6 C1 V5 V6]; [B5 B6 C1 V5 V6] # ꧀𐹲.ݧ🄉
+B; ︒。Ⴃ≯; [P1 V6]; [P1 V6]
+B; ︒。Ⴃ>\u0338; [P1 V6]; [P1 V6]
+B; 。。Ⴃ≯; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; 。。Ⴃ>\u0338; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; 。。ⴃ>\u0338; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; 。。ⴃ≯; [P1 V6 A4_2]; [P1 V6 A4_2]
+B; ..xn--hdh782b; [V6 A4_2]; [V6 A4_2]
+B; ..xn--bnd622g; [V6 A4_2]; [V6 A4_2]
+B; ︒。ⴃ>\u0338; [P1 V6]; [P1 V6]
+B; ︒。ⴃ≯; [P1 V6]; [P1 V6]
+B; xn--y86c.xn--hdh782b; [V6]; [V6]
+B; xn--y86c.xn--bnd622g; [V6]; [V6]
+T; 𐹮。\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹮.
+N; 𐹮。\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹮.
+T; 𐹮。\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹮.
+N; 𐹮。\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹮.
+B; xn--mo0d.xn--wy46e; [B1 V6]; [B1 V6]
+B; xn--mo0d.xn--1ug18431l; [B1 C2 V6]; [B1 C2 V6] # 𐹮.
+T; Ⴞ𐹨。︒\u077D\u200DႯ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 P1 V6] # Ⴞ𐹨.︒ݽႯ
+N; Ⴞ𐹨。︒\u077D\u200DႯ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 C2 P1 V6] # Ⴞ𐹨.︒ݽႯ
+T; Ⴞ𐹨。。\u077D\u200DႯ; [B2 B3 B5 B6 C2 P1 V6 A4_2]; [B2 B3 B5 B6 P1 V6 A4_2] # Ⴞ𐹨..ݽႯ
+N; Ⴞ𐹨。。\u077D\u200DႯ; [B2 B3 B5 B6 C2 P1 V6 A4_2]; [B2 B3 B5 B6 C2 P1 V6 A4_2] # Ⴞ𐹨..ݽႯ
+T; ⴞ𐹨。。\u077D\u200Dⴏ; [B2 B3 B5 B6 C2 A4_2]; [B2 B3 B5 B6 A4_2] # ⴞ𐹨..ݽⴏ
+N; ⴞ𐹨。。\u077D\u200Dⴏ; [B2 B3 B5 B6 C2 A4_2]; [B2 B3 B5 B6 C2 A4_2] # ⴞ𐹨..ݽⴏ
+B; xn--mlju223e..xn--eqb053q; [B2 B3 B5 B6 A4_2]; [B2 B3 B5 B6 A4_2] # ⴞ𐹨..ݽⴏ
+B; xn--mlju223e..xn--eqb096jpgj; [B2 B3 B5 B6 C2 A4_2]; [B2 B3 B5 B6 C2 A4_2] # ⴞ𐹨..ݽⴏ
+B; xn--2nd0990k..xn--eqb228b; [B2 B3 B5 B6 V6 A4_2]; [B2 B3 B5 B6 V6 A4_2] # Ⴞ𐹨..ݽႯ
+B; xn--2nd0990k..xn--eqb228bgzm; [B2 B3 B5 B6 C2 V6 A4_2]; [B2 B3 B5 B6 C2 V6 A4_2] # Ⴞ𐹨..ݽႯ
+T; ⴞ𐹨。︒\u077D\u200Dⴏ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 P1 V6] # ⴞ𐹨.︒ݽⴏ
+N; ⴞ𐹨。︒\u077D\u200Dⴏ; [B1 B5 B6 C2 P1 V6]; [B1 B5 B6 C2 P1 V6] # ⴞ𐹨.︒ݽⴏ
+B; xn--mlju223e.xn--eqb053qjk7l; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ⴞ𐹨.︒ݽⴏ
+B; xn--mlju223e.xn--eqb096jpgj9y7r; [B1 B5 B6 C2 V6]; [B1 B5 B6 C2 V6] # ⴞ𐹨.︒ݽⴏ
+B; xn--2nd0990k.xn--eqb228b583r; [B1 B5 B6 V6]; [B1 B5 B6 V6] # Ⴞ𐹨.︒ݽႯ
+B; xn--2nd0990k.xn--eqb228bgzmvp0t; [B1 B5 B6 C2 V6]; [B1 B5 B6 C2 V6] # Ⴞ𐹨.︒ݽႯ
+T; \u200CႦ𝟹。-\u20D2-\u07D1; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # Ⴆ3.-⃒-ߑ
+N; \u200CႦ𝟹。-\u20D2-\u07D1; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # Ⴆ3.-⃒-ߑ
+T; \u200CႦ3。-\u20D2-\u07D1; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # Ⴆ3.-⃒-ߑ
+N; \u200CႦ3。-\u20D2-\u07D1; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # Ⴆ3.-⃒-ߑ
+T; \u200Cⴆ3。-\u20D2-\u07D1; [B1 C1 V3]; [B1 V3] # ⴆ3.-⃒-ߑ
+N; \u200Cⴆ3。-\u20D2-\u07D1; [B1 C1 V3]; [B1 C1 V3] # ⴆ3.-⃒-ߑ
+B; xn--3-lvs.xn-----vue617w; [B1 V3]; [B1 V3] # ⴆ3.-⃒-ߑ
+B; xn--3-rgnv99c.xn-----vue617w; [B1 C1 V3]; [B1 C1 V3] # ⴆ3.-⃒-ߑ
+B; xn--3-i0g.xn-----vue617w; [B1 V3 V6]; [B1 V3 V6] # Ⴆ3.-⃒-ߑ
+B; xn--3-i0g939i.xn-----vue617w; [B1 C1 V3 V6]; [B1 C1 V3 V6] # Ⴆ3.-⃒-ߑ
+T; \u200Cⴆ𝟹。-\u20D2-\u07D1; [B1 C1 V3]; [B1 V3] # ⴆ3.-⃒-ߑ
+N; \u200Cⴆ𝟹。-\u20D2-\u07D1; [B1 C1 V3]; [B1 C1 V3] # ⴆ3.-⃒-ߑ
+B; 箃Ⴡ-。≠-🤖; [P1 V6]; [P1 V6]
+B; 箃Ⴡ-。=\u0338-🤖; [P1 V6]; [P1 V6]
+B; 箃Ⴡ-。≠-🤖; [P1 V6]; [P1 V6]
+B; 箃Ⴡ-。=\u0338-🤖; [P1 V6]; [P1 V6]
+B; 箃ⴡ-。=\u0338-🤖; [P1 V6]; [P1 V6]
+B; 箃ⴡ-。≠-🤖; [P1 V6]; [P1 V6]
+B; xn----4wsr321ay823p.xn----tfot873s; [V6]; [V6]
+B; xn----11g3013fy8x5m.xn----tfot873s; [V6]; [V6]
+B; 箃ⴡ-。=\u0338-🤖; [P1 V6]; [P1 V6]
+B; 箃ⴡ-。≠-🤖; [P1 V6]; [P1 V6]
+B; \u07E5.\u06B5; ; xn--dtb.xn--okb # ߥ.ڵ
+B; xn--dtb.xn--okb; \u07E5.\u06B5; xn--dtb.xn--okb # ߥ.ڵ
+T; \u200C\u200D.𞤿; [B1 C1 C2]; [A4_2] # .𞤿
+N; \u200C\u200D.𞤿; [B1 C1 C2]; [B1 C1 C2] # .𞤿
+T; \u200C\u200D.𞤝; [B1 C1 C2]; [A4_2] # .𞤿
+N; \u200C\u200D.𞤝; [B1 C1 C2]; [B1 C1 C2] # .𞤿
+B; .xn--3e6h; [A4_2]; [A4_2]
+B; xn--0ugc.xn--3e6h; [B1 C1 C2]; [B1 C1 C2] # .𞤿
+B; xn--3e6h; 𞤿; xn--3e6h
+B; 𞤿; ; xn--3e6h
+B; 𞤝; 𞤿; xn--3e6h
+T; 🜑𐹧\u0639.ς𑍍蜹; [B1]; [B1] # 🜑𐹧ع.ς𑍍蜹
+N; 🜑𐹧\u0639.ς𑍍蜹; [B1]; [B1] # 🜑𐹧ع.ς𑍍蜹
+B; 🜑𐹧\u0639.Σ𑍍蜹; [B1]; [B1] # 🜑𐹧ع.σ𑍍蜹
+B; 🜑𐹧\u0639.σ𑍍蜹; [B1]; [B1] # 🜑𐹧ع.σ𑍍蜹
+B; xn--4gb3736kk4zf.xn--4xa2248dy27d; [B1]; [B1] # 🜑𐹧ع.σ𑍍蜹
+B; xn--4gb3736kk4zf.xn--3xa4248dy27d; [B1]; [B1] # 🜑𐹧ع.ς𑍍蜹
+B; ス\u0669.; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ス٩.
+B; ス\u0669.; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ス٩.
+B; xn--iib777sp230oo708a.xn--7824e; [B5 B6 V6]; [B5 B6 V6] # ス٩.
+B; 𝪣.\u059A\uD850\u06C2; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+B; 𝪣.\u059A\uD850\u06C1\u0654; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+B; 𝪣.\u059A\uD850\u06C2; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+B; 𝪣.\u059A\uD850\u06C1\u0654; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+B; xn--8c3hu7971a.\u059A\uD850\u06C2; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+B; xn--8c3hu7971a.\u059A\uD850\u06C1\u0654; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+B; XN--8C3HU7971A.\u059A\uD850\u06C1\u0654; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+B; XN--8C3HU7971A.\u059A\uD850\u06C2; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+B; Xn--8C3hu7971a.\u059A\uD850\u06C2; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+B; Xn--8C3hu7971a.\u059A\uD850\u06C1\u0654; [B1 P1 V5 V6]; [B1 P1 V5 V6 A3] # 𝪣.֚ۂ
+T; \u0660\u200C。\u0757; [B1 C1 P1 V6]; [B1 P1 V6] # ٠.ݗ
+N; \u0660\u200C。\u0757; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ٠.ݗ
+B; xn--8hb82030l.xn--bpb; [B1 V6]; [B1 V6] # ٠.ݗ
+B; xn--8hb852ke991q.xn--bpb; [B1 C1 V6]; [B1 C1 V6] # ٠.ݗ
+T; \u103A\u200D\u200C。-\u200C; [C1 V3 V5]; [V3 V5] # ်.-
+N; \u103A\u200D\u200C。-\u200C; [C1 V3 V5]; [C1 V3 V5] # ်.-
+B; xn--bkd.-; [V3 V5]; [V3 V5] # ်.-
+B; xn--bkd412fca.xn----sgn; [C1 V3 V5]; [C1 V3 V5] # ်.-
+B; ︒。\u1B44ᡉ; [P1 V5 V6]; [P1 V5 V6] # ︒.᭄ᡉ
+B; 。。\u1B44ᡉ; [V5 A4_2]; [V5 A4_2] # ..᭄ᡉ
+B; ..xn--87e93m; [V5 A4_2]; [V5 A4_2] # ..᭄ᡉ
+B; xn--y86c.xn--87e93m; [V5 V6]; [V5 V6] # ︒.᭄ᡉ
+T; \u0758ß。ጫᢊ\u0768𝟐; [B2 B3 B5]; [B2 B3 B5] # ݘß.ጫᢊݨ2
+N; \u0758ß。ጫᢊ\u0768𝟐; [B2 B3 B5]; [B2 B3 B5] # ݘß.ጫᢊݨ2
+T; \u0758ß。ጫᢊ\u07682; [B2 B3 B5]; [B2 B3 B5] # ݘß.ጫᢊݨ2
+N; \u0758ß。ጫᢊ\u07682; [B2 B3 B5]; [B2 B3 B5] # ݘß.ጫᢊݨ2
+B; \u0758SS。ጫᢊ\u07682; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
+B; \u0758ss。ጫᢊ\u07682; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
+B; \u0758Ss。ጫᢊ\u07682; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
+B; xn--ss-gke.xn--2-b5c641gfmf; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
+B; xn--zca724a.xn--2-b5c641gfmf; [B2 B3 B5]; [B2 B3 B5] # ݘß.ጫᢊݨ2
+B; \u0758SS。ጫᢊ\u0768𝟐; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
+B; \u0758ss。ጫᢊ\u0768𝟐; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
+B; \u0758Ss。ጫᢊ\u0768𝟐; [B2 B3 B5]; [B2 B3 B5] # ݘss.ጫᢊݨ2
+B; \u07C3ᚲ.\u0902\u0353𝟚\u09CD; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ߃ᚲ.ं͓2্
+B; \u07C3ᚲ.\u0902\u03532\u09CD; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ߃ᚲ.ं͓2্
+B; xn--esb067enh07a.xn--2-lgb874bjxa; [B1 B2 B3 V5 V6]; [B1 B2 B3 V5 V6] # ߃ᚲ.ं͓2্
+T; -\u1BAB︒\u200D.; [C2 P1 V3 V6]; [P1 V3 V6] # -᮫︒.
+N; -\u1BAB︒\u200D.; [C2 P1 V3 V6]; [C2 P1 V3 V6] # -᮫︒.
+T; -\u1BAB。\u200D.; [C2 P1 V3 V6]; [P1 V3 V6 A4_2] # -᮫..
+N; -\u1BAB。\u200D.; [C2 P1 V3 V6]; [C2 P1 V3 V6] # -᮫..
+B; xn----qml..xn--x50zy803a; [V3 V6 A4_2]; [V3 V6 A4_2] # -᮫..
+B; xn----qml.xn--1ug.xn--x50zy803a; [C2 V3 V6]; [C2 V3 V6] # -᮫..
+B; xn----qml1407i.xn--x50zy803a; [V3 V6]; [V3 V6] # -᮫︒.
+B; xn----qmlv7tw180a.xn--x50zy803a; [C2 V3 V6]; [C2 V3 V6] # -᮫︒.
+B; .≯𞀆; [P1 V6]; [P1 V6]
+B; .>\u0338𞀆; [P1 V6]; [P1 V6]
+B; xn--t546e.xn--hdh5166o; [V6]; [V6]
+B; -𑄳𐹩。; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; xn----p26i72em2894c.xn--zw6h; [B1 V3 V6]; [B1 V3 V6]
+B; \u06B9.ᡳ\u115F; [P1 V6]; [P1 V6] # ڹ.ᡳ
+B; \u06B9.ᡳ\u115F; [P1 V6]; [P1 V6] # ڹ.ᡳ
+B; xn--skb.xn--osd737a; [V6]; [V6] # ڹ.ᡳ
+B; 㨛𘱎.︒𝟕\u0D01; [P1 V6]; [P1 V6] # 㨛.︒7ഁ
+B; 㨛𘱎.。7\u0D01; [P1 V6 A4_2]; [P1 V6 A4_2] # 㨛..7ഁ
+B; xn--mbm8237g..xn--7-7hf; [V6 A4_2]; [V6 A4_2] # 㨛..7ഁ
+B; xn--mbm8237g.xn--7-7hf1526p; [V6]; [V6] # 㨛.︒7ഁ
+B; \u06DD-。\u2064𞤣≮; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # -.𞤣≮
+B; \u06DD-。\u2064𞤣<\u0338; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # -.𞤣≮
+B; \u06DD-。\u2064𞤣≮; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # -.𞤣≮
+B; \u06DD-。\u2064𞤣<\u0338; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # -.𞤣≮
+B; \u06DD-。\u2064𞤁<\u0338; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # -.𞤣≮
+B; \u06DD-。\u2064𞤁≮; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # -.𞤣≮
+B; xn----dxc06304e.xn--gdh5020pk5c; [B1 B3 V3 V6]; [B1 B3 V3 V6] # -.𞤣≮
+B; \u06DD-。\u2064𞤁<\u0338; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # -.𞤣≮
+B; \u06DD-。\u2064𞤁≮; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # -.𞤣≮
+T; ß\u200C\uAAF6ᢥ.⊶ჁႶ; [C1 P1 V6]; [P1 V6] # ß꫶ᢥ.⊶ჁႶ
+N; ß\u200C\uAAF6ᢥ.⊶ჁႶ; [C1 P1 V6]; [C1 P1 V6] # ß꫶ᢥ.⊶ჁႶ
+T; ß\u200C\uAAF6ᢥ.⊶ჁႶ; [C1 P1 V6]; [P1 V6] # ß꫶ᢥ.⊶ჁႶ
+N; ß\u200C\uAAF6ᢥ.⊶ჁႶ; [C1 P1 V6]; [C1 P1 V6] # ß꫶ᢥ.⊶ჁႶ
+T; ß\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; xn--ss-4epx629f.xn--ifh802b6a # ß꫶ᢥ.⊶ⴡⴖ
+N; ß\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; [C1] # ß꫶ᢥ.⊶ⴡⴖ
+T; SS\u200C\uAAF6ᢥ.⊶ჁႶ; [C1 P1 V6]; [P1 V6] # ss꫶ᢥ.⊶ჁႶ
+N; SS\u200C\uAAF6ᢥ.⊶ჁႶ; [C1 P1 V6]; [C1 P1 V6] # ss꫶ᢥ.⊶ჁႶ
+T; ss\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; xn--ss-4epx629f.xn--ifh802b6a # ss꫶ᢥ.⊶ⴡⴖ
+N; ss\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; [C1] # ss꫶ᢥ.⊶ⴡⴖ
+T; Ss\u200C\uAAF6ᢥ.⊶Ⴡⴖ; [C1 P1 V6]; [P1 V6] # ss꫶ᢥ.⊶Ⴡⴖ
+N; Ss\u200C\uAAF6ᢥ.⊶Ⴡⴖ; [C1 P1 V6]; [C1 P1 V6] # ss꫶ᢥ.⊶Ⴡⴖ
+B; xn--ss-4epx629f.xn--5nd703gyrh; [V6]; [V6] # ss꫶ᢥ.⊶Ⴡⴖ
+B; xn--ss-4ep585bkm5p.xn--5nd703gyrh; [C1 V6]; [C1 V6] # ss꫶ᢥ.⊶Ⴡⴖ
+B; xn--ss-4epx629f.xn--ifh802b6a; ss\uAAF6ᢥ.⊶ⴡⴖ; xn--ss-4epx629f.xn--ifh802b6a; NV8 # ss꫶ᢥ.⊶ⴡⴖ
+B; ss\uAAF6ᢥ.⊶ⴡⴖ; ; xn--ss-4epx629f.xn--ifh802b6a; NV8 # ss꫶ᢥ.⊶ⴡⴖ
+B; SS\uAAF6ᢥ.⊶ჁႶ; [P1 V6]; [P1 V6] # ss꫶ᢥ.⊶ჁႶ
+B; Ss\uAAF6ᢥ.⊶Ⴡⴖ; [P1 V6]; [P1 V6] # ss꫶ᢥ.⊶Ⴡⴖ
+B; xn--ss-4epx629f.xn--undv409k; [V6]; [V6] # ss꫶ᢥ.⊶ჁႶ
+B; xn--ss-4ep585bkm5p.xn--ifh802b6a; [C1]; [C1] # ss꫶ᢥ.⊶ⴡⴖ
+B; xn--ss-4ep585bkm5p.xn--undv409k; [C1 V6]; [C1 V6] # ss꫶ᢥ.⊶ჁႶ
+B; xn--zca682johfi89m.xn--ifh802b6a; [C1]; [C1] # ß꫶ᢥ.⊶ⴡⴖ
+B; xn--zca682johfi89m.xn--undv409k; [C1 V6]; [C1 V6] # ß꫶ᢥ.⊶ჁႶ
+T; ß\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; xn--ss-4epx629f.xn--ifh802b6a # ß꫶ᢥ.⊶ⴡⴖ
+N; ß\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; [C1] # ß꫶ᢥ.⊶ⴡⴖ
+T; SS\u200C\uAAF6ᢥ.⊶ჁႶ; [C1 P1 V6]; [P1 V6] # ss꫶ᢥ.⊶ჁႶ
+N; SS\u200C\uAAF6ᢥ.⊶ჁႶ; [C1 P1 V6]; [C1 P1 V6] # ss꫶ᢥ.⊶ჁႶ
+T; ss\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; xn--ss-4epx629f.xn--ifh802b6a # ss꫶ᢥ.⊶ⴡⴖ
+N; ss\u200C\uAAF6ᢥ.⊶ⴡⴖ; [C1]; [C1] # ss꫶ᢥ.⊶ⴡⴖ
+T; Ss\u200C\uAAF6ᢥ.⊶Ⴡⴖ; [C1 P1 V6]; [P1 V6] # ss꫶ᢥ.⊶Ⴡⴖ
+N; Ss\u200C\uAAF6ᢥ.⊶Ⴡⴖ; [C1 P1 V6]; [C1 P1 V6] # ss꫶ᢥ.⊶Ⴡⴖ
+T; \u200D。ς; [C2 P1 V6]; [P1 V6 A4_2] # .ς
+N; \u200D。ς; [C2 P1 V6]; [C2 P1 V6] # .ς
+T; \u200D。Σ; [C2 P1 V6]; [P1 V6 A4_2] # .σ
+N; \u200D。Σ; [C2 P1 V6]; [C2 P1 V6] # .σ
+T; \u200D。σ; [C2 P1 V6]; [P1 V6 A4_2] # .σ
+N; \u200D。σ; [C2 P1 V6]; [C2 P1 V6] # .σ
+B; .xn--4xa24344p; [V6 A4_2]; [V6 A4_2]
+B; xn--1ug.xn--4xa24344p; [C2 V6]; [C2 V6] # .σ
+B; xn--1ug.xn--3xa44344p; [C2 V6]; [C2 V6] # .ς
+T; ß.\u0751\u200D𞤛-; [B2 B3 C2 P1 V3 V6]; [B2 B3 P1 V3 V6] # ß.ݑ𞤽-
+N; ß.\u0751\u200D𞤛-; [B2 B3 C2 P1 V3 V6]; [B2 B3 C2 P1 V3 V6] # ß.ݑ𞤽-
+T; ß.\u0751\u200D𞤽-; [B2 B3 C2 P1 V3 V6]; [B2 B3 P1 V3 V6] # ß.ݑ𞤽-
+N; ß.\u0751\u200D𞤽-; [B2 B3 C2 P1 V3 V6]; [B2 B3 C2 P1 V3 V6] # ß.ݑ𞤽-
+T; SS.\u0751\u200D𞤛-; [B2 B3 C2 P1 V3 V6]; [B2 B3 P1 V3 V6] # ss.ݑ𞤽-
+N; SS.\u0751\u200D𞤛-; [B2 B3 C2 P1 V3 V6]; [B2 B3 C2 P1 V3 V6] # ss.ݑ𞤽-
+T; ss.\u0751\u200D𞤽-; [B2 B3 C2 P1 V3 V6]; [B2 B3 P1 V3 V6] # ss.ݑ𞤽-
+N; ss.\u0751\u200D𞤽-; [B2 B3 C2 P1 V3 V6]; [B2 B3 C2 P1 V3 V6] # ss.ݑ𞤽-
+T; Ss.\u0751\u200D𞤽-; [B2 B3 C2 P1 V3 V6]; [B2 B3 P1 V3 V6] # ss.ݑ𞤽-
+N; Ss.\u0751\u200D𞤽-; [B2 B3 C2 P1 V3 V6]; [B2 B3 C2 P1 V3 V6] # ss.ݑ𞤽-
+B; xn--ss-2722a.xn----z3c03218a; [B2 B3 V3 V6]; [B2 B3 V3 V6] # ss.ݑ𞤽-
+B; xn--ss-2722a.xn----z3c011q9513b; [B2 B3 C2 V3 V6]; [B2 B3 C2 V3 V6] # ss.ݑ𞤽-
+B; xn--zca5423w.xn----z3c011q9513b; [B2 B3 C2 V3 V6]; [B2 B3 C2 V3 V6] # ß.ݑ𞤽-
+T; ss.\u0751\u200D𞤛-; [B2 B3 C2 P1 V3 V6]; [B2 B3 P1 V3 V6] # ss.ݑ𞤽-
+N; ss.\u0751\u200D𞤛-; [B2 B3 C2 P1 V3 V6]; [B2 B3 C2 P1 V3 V6] # ss.ݑ𞤽-
+T; Ss.\u0751\u200D𞤛-; [B2 B3 C2 P1 V3 V6]; [B2 B3 P1 V3 V6] # ss.ݑ𞤽-
+N; Ss.\u0751\u200D𞤛-; [B2 B3 C2 P1 V3 V6]; [B2 B3 C2 P1 V3 V6] # ss.ݑ𞤽-
+T; 𑘽\u200D𞤧.𐹧-; [B1 C2 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # 𑘽𞤧.𐹧-
+N; 𑘽\u200D𞤧.𐹧-; [B1 C2 P1 V3 V5 V6]; [B1 C2 P1 V3 V5 V6] # 𑘽𞤧.𐹧-
+T; 𑘽\u200D𞤧.𐹧-; [B1 C2 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # 𑘽𞤧.𐹧-
+N; 𑘽\u200D𞤧.𐹧-; [B1 C2 P1 V3 V5 V6]; [B1 C2 P1 V3 V5 V6] # 𑘽𞤧.𐹧-
+T; 𑘽\u200D𞤅.𐹧-; [B1 C2 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # 𑘽𞤧.𐹧-
+N; 𑘽\u200D𞤅.𐹧-; [B1 C2 P1 V3 V5 V6]; [B1 C2 P1 V3 V5 V6] # 𑘽𞤧.𐹧-
+B; xn--qb2ds317a.xn----k26iq1483f; [B1 V3 V5 V6]; [B1 V3 V5 V6]
+B; xn--1ugz808gdimf.xn----k26iq1483f; [B1 C2 V3 V5 V6]; [B1 C2 V3 V5 V6] # 𑘽𞤧.𐹧-
+T; 𑘽\u200D𞤅.𐹧-; [B1 C2 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # 𑘽𞤧.𐹧-
+N; 𑘽\u200D𞤅.𐹧-; [B1 C2 P1 V3 V5 V6]; [B1 C2 P1 V3 V5 V6] # 𑘽𞤧.𐹧-
+B; ⒒𑓀.-; [P1 V3 V6]; [P1 V3 V6]
+B; 11.𑓀.-; [P1 V3 V6]; [P1 V3 V6]
+B; 11.xn--uz1d59632bxujd.xn----x310m; [V3 V6]; [V3 V6]
+B; xn--3shy698frsu9dt1me.xn----x310m; [V3 V6]; [V3 V6]
+T; -。\u200D; [C2 V3]; [V3] # -.
+N; -。\u200D; [C2 V3]; [C2 V3] # -.
+T; -。\u200D; [C2 V3]; [V3] # -.
+N; -。\u200D; [C2 V3]; [C2 V3] # -.
+B; -.; [V3]; [V3]
+B; -.xn--1ug; [C2 V3]; [C2 V3] # -.
+T; ≮ᡬ.ς¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+N; ≮ᡬ.ς¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+T; <\u0338ᡬ.ς¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+N; <\u0338ᡬ.ς¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+T; ≮ᡬ.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+N; ≮ᡬ.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+T; <\u0338ᡬ.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+N; <\u0338ᡬ.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+B; <\u0338ᡬ.Σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; ≮ᡬ.Σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; ≮ᡬ.σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; <\u0338ᡬ.σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; xn--88e732c.σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; XN--88E732C.Σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+T; xn--88e732c.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+N; xn--88e732c.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+T; Xn--88E732c.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+N; Xn--88E732c.ς1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.ς1-
+B; Xn--88E732c.σ1-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; <\u0338ᡬ.Σ¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; ≮ᡬ.Σ¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; ≮ᡬ.σ¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; <\u0338ᡬ.σ¹-\uDB09; [P1 V6]; [P1 V6 A3] # ≮ᡬ.σ1-
+B; ቬ。𐨬𝟠; [P1 V6]; [P1 V6]
+B; ቬ。𐨬8; [P1 V6]; [P1 V6]
+B; xn--d0d41273c887z.xn--8-ob5i; [V6]; [V6]
+B; 。蔫\u0766; [B5 B6 P1 V6]; [B5 B6 P1 V6] # .蔫ݦ
+B; xn--389c.xn--qpb7055d; [B5 B6 V6]; [B5 B6 V6] # .蔫ݦ
+B; ₃。ꡚ𛇑󠄳\u0647; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 3.ꡚ𛇑ه
+B; 3。ꡚ𛇑󠄳\u0647; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 3.ꡚ𛇑ه
+B; xn--3-ep59g.xn--jhb5904fcp0h; [B5 B6 V6]; [B5 B6 V6] # 3.ꡚ𛇑ه
+T; 蓸\u0642≠.ß; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ß
+N; 蓸\u0642≠.ß; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ß
+T; 蓸\u0642=\u0338.ß; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ß
+N; 蓸\u0642=\u0338.ß; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ß
+B; 蓸\u0642=\u0338.SS; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ss
+B; 蓸\u0642≠.SS; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ss
+B; 蓸\u0642≠.ss; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ss
+B; 蓸\u0642=\u0338.ss; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ss
+B; 蓸\u0642=\u0338.Ss; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ss
+B; 蓸\u0642≠.Ss; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 蓸ق≠.ss
+B; xn--ehb015lnt1e.ss; [B5 B6 V6]; [B5 B6 V6] # 蓸ق≠.ss
+B; xn--ehb015lnt1e.xn--zca; [B5 B6 V6]; [B5 B6 V6] # 蓸ق≠.ß
+T; \u084E\u067A\u0DD3⒊.𐹹\u200C; [B1 C1 P1 V6]; [B1 P1 V6] # ࡎٺී⒊.𐹹
+N; \u084E\u067A\u0DD3⒊.𐹹\u200C; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ࡎٺී⒊.𐹹
+T; \u084E\u067A\u0DD33..𐹹\u200C; [B1 C1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ࡎٺී3..𐹹
+N; \u084E\u067A\u0DD33..𐹹\u200C; [B1 C1 P1 V6 A4_2]; [B1 C1 P1 V6 A4_2] # ࡎٺී3..𐹹
+B; xn--3-prc71ls9j..xn--xo0dw109an237f; [B1 V6 A4_2]; [B1 V6 A4_2] # ࡎٺී3..𐹹
+B; xn--3-prc71ls9j..xn--0ug3205g7eyf3c96h; [B1 C1 V6 A4_2]; [B1 C1 V6 A4_2] # ࡎٺී3..𐹹
+B; xn--zib94gfziuq1a.xn--xo0dw109an237f; [B1 V6]; [B1 V6] # ࡎٺී⒊.𐹹
+B; xn--zib94gfziuq1a.xn--0ug3205g7eyf3c96h; [B1 C1 V6]; [B1 C1 V6] # ࡎٺී⒊.𐹹
+T; ς\u200D-.Ⴣ𦟙; [C2 P1 V3 V6]; [P1 V3 V6] # ς-.Ⴣ𦟙
+N; ς\u200D-.Ⴣ𦟙; [C2 P1 V3 V6]; [C2 P1 V3 V6] # ς-.Ⴣ𦟙
+T; ς\u200D-.ⴣ𦟙; [C2 V3]; [V3] # ς-.ⴣ𦟙
+N; ς\u200D-.ⴣ𦟙; [C2 V3]; [C2 V3] # ς-.ⴣ𦟙
+T; Σ\u200D-.Ⴣ𦟙; [C2 P1 V3 V6]; [P1 V3 V6] # σ-.Ⴣ𦟙
+N; Σ\u200D-.Ⴣ𦟙; [C2 P1 V3 V6]; [C2 P1 V3 V6] # σ-.Ⴣ𦟙
+T; σ\u200D-.ⴣ𦟙; [C2 V3]; [V3] # σ-.ⴣ𦟙
+N; σ\u200D-.ⴣ𦟙; [C2 V3]; [C2 V3] # σ-.ⴣ𦟙
+B; xn----zmb.xn--rlj2573p; [V3]; [V3]
+B; xn----zmb048s.xn--rlj2573p; [C2 V3]; [C2 V3] # σ-.ⴣ𦟙
+B; xn----zmb.xn--7nd64871a; [V3 V6]; [V3 V6]
+B; xn----zmb048s.xn--7nd64871a; [C2 V3 V6]; [C2 V3 V6] # σ-.Ⴣ𦟙
+B; xn----xmb348s.xn--rlj2573p; [C2 V3]; [C2 V3] # ς-.ⴣ𦟙
+B; xn----xmb348s.xn--7nd64871a; [C2 V3 V6]; [C2 V3 V6] # ς-.Ⴣ𦟙
+B; ≠。🞳𝟲; [P1 V6]; [P1 V6]
+B; =\u0338。🞳𝟲; [P1 V6]; [P1 V6]
+B; ≠。🞳6; [P1 V6]; [P1 V6]
+B; =\u0338。🞳6; [P1 V6]; [P1 V6]
+B; xn--1ch.xn--6-dl4s; [V6]; [V6]
+B; .蠔; [P1 V6]; [P1 V6]
+B; xn--g747d.xn--xl2a; [V6]; [V6]
+T; \u08E6\u200D.뼽; [C2 V5]; [V5] # ࣦ.뼽
+N; \u08E6\u200D.뼽; [C2 V5]; [C2 V5] # ࣦ.뼽
+T; \u08E6\u200D.뼽; [C2 V5]; [V5] # ࣦ.뼽
+N; \u08E6\u200D.뼽; [C2 V5]; [C2 V5] # ࣦ.뼽
+T; \u08E6\u200D.뼽; [C2 V5]; [V5] # ࣦ.뼽
+N; \u08E6\u200D.뼽; [C2 V5]; [C2 V5] # ࣦ.뼽
+T; \u08E6\u200D.뼽; [C2 V5]; [V5] # ࣦ.뼽
+N; \u08E6\u200D.뼽; [C2 V5]; [C2 V5] # ࣦ.뼽
+B; xn--p0b.xn--e43b; [V5]; [V5] # ࣦ.뼽
+B; xn--p0b869i.xn--e43b; [C2 V5]; [C2 V5] # ࣦ.뼽
+B; ₇\u0BCD\u06D2。👖\u0675-; [B1 P1 V6]; [B1 P1 V6] # 7்ے.👖اٴ-
+B; 7\u0BCD\u06D2。👖\u0627\u0674-; [B1 P1 V6]; [B1 P1 V6] # 7்ے.👖اٴ-
+B; xn--7-rwc839aj3073c.xn----ymc5uv818oghka; [B1 V6]; [B1 V6] # 7்ے.👖اٴ-
+B; -。\u077B; [B1 V3]; [B1 V3] # -.ݻ
+B; -。\u077B; [B1 V3]; [B1 V3] # -.ݻ
+B; -.xn--cqb; [B1 V3]; [B1 V3] # -.ݻ
+B; 𑇌。-⒈ꡏ\u072B; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # 𑇌.-⒈ꡏܫ
+B; 𑇌。-1.ꡏ\u072B; [B1 B5 B6 P1 V3 V5 V6]; [B1 B5 B6 P1 V3 V5 V6] # 𑇌.-1.ꡏܫ
+B; xn--8d1dg030h.-1.xn--1nb7163f; [B1 B5 B6 V3 V5 V6]; [B1 B5 B6 V3 V5 V6] # 𑇌.-1.ꡏܫ
+B; xn--8d1dg030h.xn----u1c466tp10j; [B1 V3 V5 V6]; [B1 V3 V5 V6] # 𑇌.-⒈ꡏܫ
+B; 璛\u1734\u06AF.-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # 璛᜴گ.-
+B; xn--ikb175frt4e.-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # 璛᜴گ.-
+B; 󠆰\u08A1\u0A4D샕.𐹲휁; [B1 B2 B3]; [B1 B2 B3] # ࢡ੍샕.𐹲휁
+B; 󠆰\u08A1\u0A4D샕.𐹲휁; [B1 B2 B3]; [B1 B2 B3] # ࢡ੍샕.𐹲휁
+B; 󠆰\u08A1\u0A4D샕.𐹲휁; [B1 B2 B3]; [B1 B2 B3] # ࢡ੍샕.𐹲휁
+B; 󠆰\u08A1\u0A4D샕.𐹲휁; [B1 B2 B3]; [B1 B2 B3] # ࢡ੍샕.𐹲휁
+B; xn--qyb07fj857a.xn--728bv72h; [B1 B2 B3]; [B1 B2 B3] # ࢡ੍샕.𐹲휁
+B; .; [P1 V6]; [P1 V6]
+B; .; [P1 V6]; [P1 V6]
+B; xn--pr3x.xn--rv7w; [V6]; [V6]
+B; \u067D𞥕。𑑂𞤶Ⴍ-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ٽ𞥕.𑑂𞤶Ⴍ-
+B; \u067D𞥕。𑑂𞤶Ⴍ-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ٽ𞥕.𑑂𞤶Ⴍ-
+B; \u067D𞥕。𑑂𞤶ⴍ-; [B1 V3 V5]; [B1 V3 V5] # ٽ𞥕.𑑂𞤶ⴍ-
+B; \u067D𞥕。𑑂𞤔Ⴍ-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ٽ𞥕.𑑂𞤶Ⴍ-
+B; \u067D𞥕。𑑂𞤔ⴍ-; [B1 V3 V5]; [B1 V3 V5] # ٽ𞥕.𑑂𞤶ⴍ-
+B; xn--2ib0338v.xn----zvs0199fo91g; [B1 V3 V5]; [B1 V3 V5] # ٽ𞥕.𑑂𞤶ⴍ-
+B; xn--2ib0338v.xn----w0g2740ro9vg; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ٽ𞥕.𑑂𞤶Ⴍ-
+B; \u067D𞥕。𑑂𞤶ⴍ-; [B1 V3 V5]; [B1 V3 V5] # ٽ𞥕.𑑂𞤶ⴍ-
+B; \u067D𞥕。𑑂𞤔Ⴍ-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ٽ𞥕.𑑂𞤶Ⴍ-
+B; \u067D𞥕。𑑂𞤔ⴍ-; [B1 V3 V5]; [B1 V3 V5] # ٽ𞥕.𑑂𞤶ⴍ-
+B; 。₄Ⴋ; [P1 V6]; [P1 V6]
+B; 。4Ⴋ; [P1 V6]; [P1 V6]
+B; 。4ⴋ; [P1 V6]; [P1 V6]
+B; xn--039c42bq865a.xn--4-wvs27840bnrzm; [V6]; [V6]
+B; xn--039c42bq865a.xn--4-t0g49302fnrzm; [V6]; [V6]
+B; 。₄ⴋ; [P1 V6]; [P1 V6]
+B; 4\u06BD︒.≠; [B1 P1 V6]; [B1 P1 V6] # 4ڽ︒.≠
+B; 4\u06BD︒.=\u0338; [B1 P1 V6]; [B1 P1 V6] # 4ڽ︒.≠
+B; 4\u06BD。.≠; [B1 P1 V6]; [B1 P1 V6] # 4ڽ..≠
+B; 4\u06BD。.=\u0338; [B1 P1 V6]; [B1 P1 V6] # 4ڽ..≠
+B; xn--4-kvc.xn--5136e.xn--1ch; [B1 V6]; [B1 V6] # 4ڽ..≠
+B; xn--4-kvc5601q2h50i.xn--1ch; [B1 V6]; [B1 V6] # 4ڽ︒.≠
+B; 𝟓。\u06D7; [V5]; [V5] # 5.ۗ
+B; 5。\u06D7; [V5]; [V5] # 5.ۗ
+B; 5.xn--nlb; [V5]; [V5] # 5.ۗ
+T; \u200C.⾕; [C1 P1 V6]; [P1 V6] # .谷
+N; \u200C.⾕; [C1 P1 V6]; [C1 P1 V6] # .谷
+T; \u200C.谷; [C1 P1 V6]; [P1 V6] # .谷
+N; \u200C.谷; [C1 P1 V6]; [C1 P1 V6] # .谷
+B; xn--i183d.xn--6g3a; [V6]; [V6]
+B; xn--0ug26167i.xn--6g3a; [C1 V6]; [C1 V6] # .谷
+T; ︒\u200D.-\u073C\u200C; [C1 C2 P1 V3 V6]; [P1 V3 V6] # ︒.-ܼ
+N; ︒\u200D.-\u073C\u200C; [C1 C2 P1 V3 V6]; [C1 C2 P1 V3 V6] # ︒.-ܼ
+T; 。\u200D.-\u073C\u200C; [C1 C2 P1 V3 V6 A4_2]; [P1 V3 V6 A4_2] # ..-ܼ
+N; 。\u200D.-\u073C\u200C; [C1 C2 P1 V3 V6 A4_2]; [C1 C2 P1 V3 V6 A4_2] # ..-ܼ
+B; .xn--hh50e.xn----t2c; [V3 V6 A4_2]; [V3 V6 A4_2] # ..-ܼ
+B; .xn--1ug05310k.xn----t2c071q; [C1 C2 V3 V6 A4_2]; [C1 C2 V3 V6 A4_2] # ..-ܼ
+B; xn--y86c71305c.xn----t2c; [V3 V6]; [V3 V6] # ︒.-ܼ
+B; xn--1ug1658ftw26f.xn----t2c071q; [C1 C2 V3 V6]; [C1 C2 V3 V6] # ︒.-ܼ
+B; ≯𞤟。ᡨ; [B1 P1 V6]; [B1 P1 V6]
+B; >\u0338𞤟。ᡨ; [B1 P1 V6]; [B1 P1 V6]
+B; >\u0338𞥁。ᡨ; [B1 P1 V6]; [B1 P1 V6]
+B; ≯𞥁。ᡨ; [B1 P1 V6]; [B1 P1 V6]
+B; xn--hdhz520p.xn--48e; [B1 V6]; [B1 V6]
+B; \u0F74𫫰𝨄。\u0713𐹦; [B1 V5]; [B1 V5] # ུ𫫰𝨄.ܓ𐹦
+B; xn--ned8985uo92e.xn--dnb6395k; [B1 V5]; [B1 V5] # ུ𫫰𝨄.ܓ𐹦
+B; \u033C\u07DB⁷𝟹。𝟬; [B1 V5]; [B1 V5] # ̼ߛ73.0
+B; \u033C\u07DB73。0; [B1 V5]; [B1 V5] # ̼ߛ73.0
+B; xn--73-9yb648b.0; [B1 V5]; [B1 V5] # ̼ߛ73.0
+T; \u200D.𝟗; [C2]; [A4_2] # .9
+N; \u200D.𝟗; [C2]; [C2] # .9
+T; \u200D.9; [C2]; [A4_2] # .9
+N; \u200D.9; [C2]; [C2] # .9
+B; .9; [A4_2]; [A4_2]
+B; xn--1ug.9; [C2]; [C2] # .9
+B; 9; ;
+B; \u0779ᡭ𪕈。\u06B6\u08D9; [B2 B3]; [B2 B3] # ݹᡭ𪕈.ڶࣙ
+B; xn--9pb497fs270c.xn--pkb80i; [B2 B3]; [B2 B3] # ݹᡭ𪕈.ڶࣙ
+B; \u07265\u07E2겙。\u1CF4; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ܦ5ߢ겙.᳴
+B; \u07265\u07E2겙。\u1CF4; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ܦ5ߢ겙.᳴
+B; \u07265\u07E2겙。\u1CF4; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ܦ5ߢ겙.᳴
+B; \u07265\u07E2겙。\u1CF4; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ܦ5ߢ겙.᳴
+B; xn--5-j1c97c2483c.xn--e7f2093h; [B1 B2 B3 V5 V6]; [B1 B2 B3 V5 V6] # ܦ5ߢ겙.᳴
+T; Ⴍꡨ\u05AE。Ⴞ\u200C\u200C; [C1 P1 V6]; [P1 V6] # Ⴍꡨ֮.Ⴞ
+N; Ⴍꡨ\u05AE。Ⴞ\u200C\u200C; [C1 P1 V6]; [C1 P1 V6] # Ⴍꡨ֮.Ⴞ
+T; ⴍꡨ\u05AE。ⴞ\u200C\u200C; [C1 P1 V6]; [P1 V6] # ⴍꡨ֮.ⴞ
+N; ⴍꡨ\u05AE。ⴞ\u200C\u200C; [C1 P1 V6]; [C1 P1 V6] # ⴍꡨ֮.ⴞ
+B; xn--5cb172r175fug38a.xn--mlj; [V6]; [V6] # ⴍꡨ֮.ⴞ
+B; xn--5cb172r175fug38a.xn--0uga051h; [C1 V6]; [C1 V6] # ⴍꡨ֮.ⴞ
+B; xn--5cb347co96jug15a.xn--2nd; [V6]; [V6] # Ⴍꡨ֮.Ⴞ
+B; xn--5cb347co96jug15a.xn--2nd059ea; [C1 V6]; [C1 V6] # Ⴍꡨ֮.Ⴞ
+B; 𐋰。; [P1 V6]; [P1 V6]
+B; xn--k97c.xn--q031e; [V6]; [V6]
+B; \u17B4\u0B4D.𐹾; [B1 P1 V6]; [B1 P1 V6] # ୍.𐹾
+B; xn--9ic364dho91z.xn--2o0d; [B1 V6]; [B1 V6] # ୍.𐹾
+B; \u08DFႫ귤.𝟢휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟႫ귤.0휪ૣ
+B; \u08DFႫ귤.𝟢휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟႫ귤.0휪ૣ
+B; \u08DFႫ귤.0휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟႫ귤.0휪ૣ
+B; \u08DFႫ귤.0휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟႫ귤.0휪ૣ
+B; \u08DFⴋ귤.0휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟⴋ귤.0휪ૣ
+B; \u08DFⴋ귤.0휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟⴋ귤.0휪ૣ
+B; xn--i0b436pkl2g2h42a.xn--0-8le8997mulr5f; [V5 V6]; [V5 V6] # ࣟⴋ귤.0휪ૣ
+B; xn--i0b601b6r7l2hs0a.xn--0-8le8997mulr5f; [V5 V6]; [V5 V6] # ࣟႫ귤.0휪ૣ
+B; \u08DFⴋ귤.𝟢휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟⴋ귤.0휪ૣ
+B; \u08DFⴋ귤.𝟢휪\u0AE3; [P1 V5 V6]; [P1 V5 V6] # ࣟⴋ귤.0휪ૣ
+B; \u0784.𞡝\u0601; [P1 V6]; [P1 V6] # ބ.𞡝
+B; \u0784.𞡝\u0601; [P1 V6]; [P1 V6] # ބ.𞡝
+B; xn--lqb.xn--jfb1808v; [V6]; [V6] # ބ.𞡝
+T; \u0ACD₃.8\uA8C4\u200D🃤; [V5]; [V5] # ્3.8꣄🃤
+N; \u0ACD₃.8\uA8C4\u200D🃤; [V5]; [V5] # ્3.8꣄🃤
+T; \u0ACD3.8\uA8C4\u200D🃤; [V5]; [V5] # ્3.8꣄🃤
+N; \u0ACD3.8\uA8C4\u200D🃤; [V5]; [V5] # ્3.8꣄🃤
+B; xn--3-yke.xn--8-sl4et308f; [V5]; [V5] # ્3.8꣄🃤
+B; xn--3-yke.xn--8-ugnv982dbkwm; [V5]; [V5] # ્3.8꣄🃤
+B; ℻⩷𝆆。𞤠󠆁\u180C; [B6]; [B6]
+B; FAX⩷𝆆。𞤠󠆁\u180C; [B6]; [B6]
+B; fax⩷𝆆。𞥂󠆁\u180C; [B6]; [B6]
+B; Fax⩷𝆆。𞤠󠆁\u180C; [B6]; [B6]
+B; xn--fax-4c9a1676t.xn--6e6h; [B6]; [B6]
+B; ℻⩷𝆆。𞥂󠆁\u180C; [B6]; [B6]
+B; FAX⩷𝆆。𞥂󠆁\u180C; [B6]; [B6]
+B; fax⩷𝆆。𞤠󠆁\u180C; [B6]; [B6]
+B; fax⩷𝆆.𞥂; [B6]; [B6]
+B; FAX⩷𝆆.𞤠; [B6]; [B6]
+B; Fax⩷𝆆.𞤠; [B6]; [B6]
+B; FAX⩷𝆆.𞥂; [B6]; [B6]
+B; Fax⩷𝆆.𞥂; [B6]; [B6]
+B; ꡕ≠\u105E。󠄫\uFFA0; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ꡕ≠ၞ.
+B; ꡕ=\u0338\u105E。󠄫\uFFA0; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ꡕ≠ၞ.
+B; ꡕ≠\u105E。󠄫\u1160; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ꡕ≠ၞ.
+B; ꡕ=\u0338\u105E。󠄫\u1160; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ꡕ≠ၞ.
+B; xn--cld333gn31h0158l.xn--psd1510k; [B2 B3 V6]; [B2 B3 V6] # ꡕ≠ၞ.
+B; xn--cld333gn31h0158l.xn--cl7c96v; [B2 B3 V6]; [B2 B3 V6] # ꡕ≠ၞ.
+T; 鱊。\u200C; [C1]; xn--rt6a. # 鱊.
+N; 鱊。\u200C; [C1]; [C1] # 鱊.
+B; xn--rt6a.; 鱊.; xn--rt6a.
+B; 鱊.; ; xn--rt6a.
+B; xn--rt6a.xn--0ug; [C1]; [C1] # 鱊.
+B; 8𐹣.𑍨; [B1 B3 B6 V5]; [B1 B3 B6 V5]
+B; 8𐹣.𑍨; [B1 B3 B6 V5]; [B1 B3 B6 V5]
+B; xn--8-d26i.xn--0p1d; [B1 B3 B6 V5]; [B1 B3 B6 V5]
+B; ⏹𐧀.𐫯; [B1]; [B1]
+B; ⏹𐧀.𐫯; [B1]; [B1]
+B; xn--qoh9161g.xn--1x9c; [B1]; [B1]
+T; 𞤺\u07CC4.\u200D; [B1 C2]; xn--4-0bd15808a. # 𞤺ߌ4.
+N; 𞤺\u07CC4.\u200D; [B1 C2]; [B1 C2] # 𞤺ߌ4.
+T; 𞤺\u07CC4.\u200D; [B1 C2]; xn--4-0bd15808a. # 𞤺ߌ4.
+N; 𞤺\u07CC4.\u200D; [B1 C2]; [B1 C2] # 𞤺ߌ4.
+T; 𞤘\u07CC4.\u200D; [B1 C2]; xn--4-0bd15808a. # 𞤺ߌ4.
+N; 𞤘\u07CC4.\u200D; [B1 C2]; [B1 C2] # 𞤺ߌ4.
+B; xn--4-0bd15808a.; 𞤺\u07CC4.; xn--4-0bd15808a. # 𞤺ߌ4.
+B; 𞤺\u07CC4.; ; xn--4-0bd15808a. # 𞤺ߌ4.
+B; 𞤘\u07CC4.; 𞤺\u07CC4.; xn--4-0bd15808a. # 𞤺ߌ4.
+B; xn--4-0bd15808a.xn--1ug; [B1 C2]; [B1 C2] # 𞤺ߌ4.
+T; 𞤘\u07CC4.\u200D; [B1 C2]; xn--4-0bd15808a. # 𞤺ߌ4.
+N; 𞤘\u07CC4.\u200D; [B1 C2]; [B1 C2] # 𞤺ߌ4.
+B; ⒗\u0981\u20EF-.\u08E2•; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ⒗ঁ⃯-.•
+B; 16.\u0981\u20EF-.\u08E2•; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # 16.ঁ⃯-.•
+B; 16.xn----z0d801p.xn--l0b810j; [B1 V3 V5 V6]; [B1 V3 V5 V6] # 16.ঁ⃯-.•
+B; xn----z0d801p6kd.xn--l0b810j; [B1 V3 V6]; [B1 V3 V6] # ⒗ঁ⃯-.•
+B; -。䏛; [V3]; [V3]
+B; -。䏛; [V3]; [V3]
+B; -.xn--xco; [V3]; [V3]
+T; \u200C.\u200D; [C1 C2 P1 V6]; [P1 V6] # .
+N; \u200C.\u200D; [C1 C2 P1 V6]; [C1 C2 P1 V6] # .
+T; \u200C.\u200D; [C1 C2 P1 V6]; [P1 V6] # .
+N; \u200C.\u200D; [C1 C2 P1 V6]; [C1 C2 P1 V6] # .
+B; xn--dj8y.; [V6]; [V6]
+B; xn--0ugz7551c.xn--1ug; [C1 C2 V6]; [C1 C2 V6] # .
+T; ⒈⓰。𐹠\u200DႵ; [B1 C2 P1 V6]; [B1 P1 V6] # ⒈⓰.𐹠Ⴕ
+N; ⒈⓰。𐹠\u200DႵ; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ⒈⓰.𐹠Ⴕ
+T; 1.⓰。𐹠\u200DႵ; [B1 C2 P1 V6]; [B1 P1 V6] # 1.⓰.𐹠Ⴕ
+N; 1.⓰。𐹠\u200DႵ; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 1.⓰.𐹠Ⴕ
+T; 1.⓰。𐹠\u200Dⴕ; [B1 C2 P1 V6]; [B1 P1 V6] # 1.⓰.𐹠ⴕ
+N; 1.⓰。𐹠\u200Dⴕ; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 1.⓰.𐹠ⴕ
+B; 1.xn--svh00804k.xn--dljv223ee5t2d; [B1 V6]; [B1 V6]
+B; 1.xn--svh00804k.xn--1ug352csp0psg45e; [B1 C2 V6]; [B1 C2 V6] # 1.⓰.𐹠ⴕ
+B; 1.xn--svh00804k.xn--tnd1990ke579c; [B1 V6]; [B1 V6]
+B; 1.xn--svh00804k.xn--tnd969erj4psgl3e; [B1 C2 V6]; [B1 C2 V6] # 1.⓰.𐹠Ⴕ
+T; ⒈⓰。𐹠\u200Dⴕ; [B1 C2 P1 V6]; [B1 P1 V6] # ⒈⓰.𐹠ⴕ
+N; ⒈⓰。𐹠\u200Dⴕ; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ⒈⓰.𐹠ⴕ
+B; xn--tsh0nz9380h.xn--dljv223ee5t2d; [B1 V6]; [B1 V6]
+B; xn--tsh0nz9380h.xn--1ug352csp0psg45e; [B1 C2 V6]; [B1 C2 V6] # ⒈⓰.𐹠ⴕ
+B; xn--tsh0nz9380h.xn--tnd1990ke579c; [B1 V6]; [B1 V6]
+B; xn--tsh0nz9380h.xn--tnd969erj4psgl3e; [B1 C2 V6]; [B1 C2 V6] # ⒈⓰.𐹠Ⴕ
+T; 𞠊ᠮ-ß。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ß.᳐効
+N; 𞠊ᠮ-ß。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ß.᳐効
+T; 𞠊ᠮ-ß。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ß.᳐効
+N; 𞠊ᠮ-ß。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ß.᳐効
+B; 𞠊ᠮ-SS。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ss.᳐効
+B; 𞠊ᠮ-ss。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ss.᳐効
+B; 𞠊ᠮ-Ss。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ss.᳐効
+B; xn---ss-21t18904a.xn--jfb197i791bi6x4c; [B1 B2 B3 V5 V6]; [B1 B2 B3 V5 V6] # 𞠊ᠮ-ss.᳐効
+B; xn----qfa310pg973b.xn--jfb197i791bi6x4c; [B1 B2 B3 V5 V6]; [B1 B2 B3 V5 V6] # 𞠊ᠮ-ß.᳐効
+B; 𞠊ᠮ-SS。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ss.᳐効
+B; 𞠊ᠮ-ss。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ss.᳐効
+B; 𞠊ᠮ-Ss。\u1CD0効\u0601; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # 𞠊ᠮ-ss.᳐効
+B; 𑇀.; [P1 V5 V6]; [P1 V5 V6]
+B; xn--wd1d.xn--k946e; [V5 V6]; [V5 V6]
+B; ␒3\uFB88。𝟘𐨿; [B1 P1 V6]; [B1 P1 V6] # ␒3ڈ.0𐨿
+B; ␒3\u0688。0𐨿; [B1 P1 V6]; [B1 P1 V6] # ␒3ڈ.0𐨿
+B; xn--3-jsc897t.xn--0-sc5iy3h; [B1 V6]; [B1 V6] # ␒3ڈ.0𐨿
+B; \u076B6\u0A81\u08A6。\u1DE3; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ݫ6ઁࢦ.ᷣ
+B; \u076B6\u0A81\u08A6。\u1DE3; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ݫ6ઁࢦ.ᷣ
+B; xn--6-h5c06gj6c.xn--7eg; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ݫ6ઁࢦ.ᷣ
+T; \u0605-Ⴂ。\u200D; [B1 B6 C2 P1 V6]; [B1 P1 V6] # -Ⴂ.
+N; \u0605-Ⴂ。\u200D; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # -Ⴂ.
+T; \u0605-ⴂ。\u200D; [B1 B6 C2 P1 V6]; [B1 P1 V6] # -ⴂ.
+N; \u0605-ⴂ。\u200D; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # -ⴂ.
+B; xn----0kc8501a5399e.xn--ss06b; [B1 V6]; [B1 V6] # -ⴂ.
+B; xn----0kc8501a5399e.xn--1ugy3204f; [B1 B6 C2 V6]; [B1 B6 C2 V6] # -ⴂ.
+B; xn----0kc662fc152h.xn--ss06b; [B1 V6]; [B1 V6] # -Ⴂ.
+B; xn----0kc662fc152h.xn--1ugy3204f; [B1 B6 C2 V6]; [B1 B6 C2 V6] # -Ⴂ.
+T; ⾆.ꡈ5≯ß; [P1 V6]; [P1 V6]
+N; ⾆.ꡈ5≯ß; [P1 V6]; [P1 V6]
+T; ⾆.ꡈ5>\u0338ß; [P1 V6]; [P1 V6]
+N; ⾆.ꡈ5>\u0338ß; [P1 V6]; [P1 V6]
+T; 舌.ꡈ5≯ß; [P1 V6]; [P1 V6]
+N; 舌.ꡈ5≯ß; [P1 V6]; [P1 V6]
+T; 舌.ꡈ5>\u0338ß; [P1 V6]; [P1 V6]
+N; 舌.ꡈ5>\u0338ß; [P1 V6]; [P1 V6]
+B; 舌.ꡈ5>\u0338SS; [P1 V6]; [P1 V6]
+B; 舌.ꡈ5≯SS; [P1 V6]; [P1 V6]
+B; 舌.ꡈ5≯ss; [P1 V6]; [P1 V6]
+B; 舌.ꡈ5>\u0338ss; [P1 V6]; [P1 V6]
+B; 舌.ꡈ5>\u0338Ss; [P1 V6]; [P1 V6]
+B; 舌.ꡈ5≯Ss; [P1 V6]; [P1 V6]
+B; xn--tc1a.xn--5ss-3m2a5009e; [V6]; [V6]
+B; xn--tc1a.xn--5-qfa988w745i; [V6]; [V6]
+B; ⾆.ꡈ5>\u0338SS; [P1 V6]; [P1 V6]
+B; ⾆.ꡈ5≯SS; [P1 V6]; [P1 V6]
+B; ⾆.ꡈ5≯ss; [P1 V6]; [P1 V6]
+B; ⾆.ꡈ5>\u0338ss; [P1 V6]; [P1 V6]
+B; ⾆.ꡈ5>\u0338Ss; [P1 V6]; [P1 V6]
+B; ⾆.ꡈ5≯Ss; [P1 V6]; [P1 V6]
+T; \u0ACD8\u200D.\u075C; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ્8.ݜ
+N; \u0ACD8\u200D.\u075C; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 C2 P1 V5 V6] # ્8.ݜ
+T; \u0ACD8\u200D.\u075C; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ્8.ݜ
+N; \u0ACD8\u200D.\u075C; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 C2 P1 V5 V6] # ્8.ݜ
+B; xn--8-yke.xn--gpb79046m; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ્8.ݜ
+B; xn--8-yke534n.xn--gpb79046m; [B1 B5 B6 C2 V5 V6]; [B1 B5 B6 C2 V5 V6] # ્8.ݜ
+B; \u0A70≮.⁷\u06B6; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ੰ≮.7ڶ
+B; \u0A70<\u0338.⁷\u06B6; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ੰ≮.7ڶ
+B; \u0A70≮.7\u06B6; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ੰ≮.7ڶ
+B; \u0A70<\u0338.7\u06B6; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ੰ≮.7ڶ
+B; xn--ycc893jqh38rb6fa.xn--7-5uc53836ixt41c; [B5 B6 V6]; [B5 B6 V6] # ੰ≮.7ڶ
+T; 𞤪.ς; ; xn--ie6h.xn--4xa
+N; 𞤪.ς; ; xn--ie6h.xn--3xa
+B; 𞤈.Σ; 𞤪.σ; xn--ie6h.xn--4xa
+B; 𞤪.σ; ; xn--ie6h.xn--4xa
+B; 𞤈.σ; 𞤪.σ; xn--ie6h.xn--4xa
+B; xn--ie6h.xn--4xa; 𞤪.σ; xn--ie6h.xn--4xa
+T; 𞤈.ς; 𞤪.ς; xn--ie6h.xn--4xa
+N; 𞤈.ς; 𞤪.ς; xn--ie6h.xn--3xa
+B; xn--ie6h.xn--3xa; 𞤪.ς; xn--ie6h.xn--3xa
+B; 𞤪.Σ; 𞤪.σ; xn--ie6h.xn--4xa
+T; \u200CႺ。ς; [C1 P1 V6]; [P1 V6] # Ⴚ.ς
+N; \u200CႺ。ς; [C1 P1 V6]; [C1 P1 V6] # Ⴚ.ς
+T; \u200CႺ。ς; [C1 P1 V6]; [P1 V6] # Ⴚ.ς
+N; \u200CႺ。ς; [C1 P1 V6]; [C1 P1 V6] # Ⴚ.ς
+T; \u200Cⴚ。ς; [C1]; xn--ilj.xn--4xa # ⴚ.ς
+N; \u200Cⴚ。ς; [C1]; [C1] # ⴚ.ς
+T; \u200CႺ。Σ; [C1 P1 V6]; [P1 V6] # Ⴚ.σ
+N; \u200CႺ。Σ; [C1 P1 V6]; [C1 P1 V6] # Ⴚ.σ
+T; \u200Cⴚ。σ; [C1]; xn--ilj.xn--4xa # ⴚ.σ
+N; \u200Cⴚ。σ; [C1]; [C1] # ⴚ.σ
+B; xn--ilj.xn--4xa; ⴚ.σ; xn--ilj.xn--4xa
+B; ⴚ.σ; ; xn--ilj.xn--4xa
+B; Ⴚ.Σ; [P1 V6]; [P1 V6]
+T; ⴚ.ς; ; xn--ilj.xn--4xa
+N; ⴚ.ς; ; xn--ilj.xn--3xa
+T; Ⴚ.ς; [P1 V6]; [P1 V6]
+N; Ⴚ.ς; [P1 V6]; [P1 V6]
+B; xn--ynd.xn--4xa; [V6]; [V6]
+B; xn--ynd.xn--3xa; [V6]; [V6]
+B; xn--ilj.xn--3xa; ⴚ.ς; xn--ilj.xn--3xa
+B; Ⴚ.σ; [P1 V6]; [P1 V6]
+B; xn--0ug262c.xn--4xa; [C1]; [C1] # ⴚ.σ
+B; xn--ynd759e.xn--4xa; [C1 V6]; [C1 V6] # Ⴚ.σ
+B; xn--0ug262c.xn--3xa; [C1]; [C1] # ⴚ.ς
+B; xn--ynd759e.xn--3xa; [C1 V6]; [C1 V6] # Ⴚ.ς
+T; \u200Cⴚ。ς; [C1]; xn--ilj.xn--4xa # ⴚ.ς
+N; \u200Cⴚ。ς; [C1]; [C1] # ⴚ.ς
+T; \u200CႺ。Σ; [C1 P1 V6]; [P1 V6] # Ⴚ.σ
+N; \u200CႺ。Σ; [C1 P1 V6]; [C1 P1 V6] # Ⴚ.σ
+T; \u200Cⴚ。σ; [C1]; xn--ilj.xn--4xa # ⴚ.σ
+N; \u200Cⴚ。σ; [C1]; [C1] # ⴚ.σ
+B; 𞤃.𐹦; [B1]; [B1]
+B; 𞤃.𐹦; [B1]; [B1]
+B; 𞤥.𐹦; [B1]; [B1]
+B; xn--de6h.xn--eo0d; [B1]; [B1]
+B; 𞤥.𐹦; [B1]; [B1]
+T; \u200D⾕。\u200C\u0310\uA953ꡎ; [C1 C2]; [V5] # 谷.꥓̐ꡎ
+N; \u200D⾕。\u200C\u0310\uA953ꡎ; [C1 C2]; [C1 C2] # 谷.꥓̐ꡎ
+T; \u200D⾕。\u200C\uA953\u0310ꡎ; [C1 C2]; [V5] # 谷.꥓̐ꡎ
+N; \u200D⾕。\u200C\uA953\u0310ꡎ; [C1 C2]; [C1 C2] # 谷.꥓̐ꡎ
+T; \u200D谷。\u200C\uA953\u0310ꡎ; [C1 C2]; [V5] # 谷.꥓̐ꡎ
+N; \u200D谷。\u200C\uA953\u0310ꡎ; [C1 C2]; [C1 C2] # 谷.꥓̐ꡎ
+B; xn--6g3a.xn--0sa8175flwa; [V5]; [V5] # 谷.꥓̐ꡎ
+B; xn--1ug0273b.xn--0sa359l6n7g13a; [C1 C2]; [C1 C2] # 谷.꥓̐ꡎ
+T; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
+N; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
+T; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
+N; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
+T; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
+N; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
+T; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
+N; \u06AA-뉔.𞤐\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
+T; \u06AA-뉔.𞤲\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
+N; \u06AA-뉔.𞤲\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
+T; \u06AA-뉔.𞤲\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
+N; \u06AA-뉔.𞤲\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
+B; xn----guc3592k.xn--qe6h; [B2 B3]; [B2 B3] # ڪ-뉔.𞤲
+B; xn----guc3592k.xn--0ug7611p; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
+T; \u06AA-뉔.𞤲\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
+N; \u06AA-뉔.𞤲\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
+T; \u06AA-뉔.𞤲\u200C; [B2 B3 C1]; [B2 B3] # ڪ-뉔.𞤲
+N; \u06AA-뉔.𞤲\u200C; [B2 B3 C1]; [B2 B3 C1] # ڪ-뉔.𞤲
+T; 5ᦛς.\uA8C4\u077B\u1CD2\u0738; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛς.꣄ݻܸ᳒
+N; 5ᦛς.\uA8C4\u077B\u1CD2\u0738; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛς.꣄ݻܸ᳒
+T; 5ᦛς.\uA8C4\u077B\u0738\u1CD2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛς.꣄ݻܸ᳒
+N; 5ᦛς.\uA8C4\u077B\u0738\u1CD2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛς.꣄ݻܸ᳒
+T; 5ᦛς.\uA8C4\u077B\u0738\u1CD2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛς.꣄ݻܸ᳒
+N; 5ᦛς.\uA8C4\u077B\u0738\u1CD2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛς.꣄ݻܸ᳒
+B; 5ᦛΣ.\uA8C4\u077B\u0738\u1CD2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛσ.꣄ݻܸ᳒
+B; 5ᦛσ.\uA8C4\u077B\u0738\u1CD2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛσ.꣄ݻܸ᳒
+B; xn--5-0mb988ng603j.xn--fob7kk44dl41k; [B1 V5 V6]; [B1 V5 V6] # 5ᦛσ.꣄ݻܸ᳒
+B; xn--5-ymb298ng603j.xn--fob7kk44dl41k; [B1 V5 V6]; [B1 V5 V6] # 5ᦛς.꣄ݻܸ᳒
+B; 5ᦛΣ.\uA8C4\u077B\u0738\u1CD2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛσ.꣄ݻܸ᳒
+B; 5ᦛσ.\uA8C4\u077B\u0738\u1CD2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛσ.꣄ݻܸ᳒
+B; 5ᦛΣ.\uA8C4\u077B\u1CD2\u0738; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛσ.꣄ݻܸ᳒
+B; 5ᦛσ.\uA8C4\u077B\u1CD2\u0738; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 5ᦛσ.꣄ݻܸ᳒
+B; 淽。ᠾ; 淽.ᠾ; xn--34w.xn--x7e
+B; xn--34w.xn--x7e; 淽.ᠾ; xn--34w.xn--x7e
+B; 淽.ᠾ; ; xn--34w.xn--x7e
+B; 𐹴𑘷。-; [B1 V3]; [B1 V3]
+B; xn--so0do6k.-; [B1 V3]; [B1 V3]
+B; Ⴓ❓。𑄨; [P1 V5 V6]; [P1 V5 V6]
+B; Ⴓ❓。𑄨; [P1 V5 V6]; [P1 V5 V6]
+B; ⴓ❓。𑄨; [P1 V5 V6]; [P1 V5 V6]
+B; xn--8di78qvw32y.xn--k80d; [V5 V6]; [V5 V6]
+B; xn--rnd896i0j14q.xn--k80d; [V5 V6]; [V5 V6]
+B; ⴓ❓。𑄨; [P1 V5 V6]; [P1 V5 V6]
+T; \u200C𐹡𞤌Ⴇ。ßႣ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹡𞤮Ⴇ.ßႣ
+N; \u200C𐹡𞤌Ⴇ。ßႣ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹡𞤮Ⴇ.ßႣ
+T; \u200C𐹡𞤌Ⴇ。ßႣ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹡𞤮Ⴇ.ßႣ
+N; \u200C𐹡𞤌Ⴇ。ßႣ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹡𞤮Ⴇ.ßႣ
+T; \u200C𐹡𞤮ⴇ。ßⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ßⴃ
+N; \u200C𐹡𞤮ⴇ。ßⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ßⴃ
+T; \u200C𐹡𞤌Ⴇ。SSႣ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹡𞤮Ⴇ.ssႣ
+N; \u200C𐹡𞤌Ⴇ。SSႣ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹡𞤮Ⴇ.ssႣ
+T; \u200C𐹡𞤮ⴇ。ssⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ssⴃ
+N; \u200C𐹡𞤮ⴇ。ssⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ssⴃ
+T; \u200C𐹡𞤌ⴇ。Ssⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ssⴃ
+N; \u200C𐹡𞤌ⴇ。Ssⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ssⴃ
+B; xn--ykj9323eegwf.xn--ss-151a; [B1]; [B1]
+B; xn--0ug332c3q0pr56g.xn--ss-151a; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ssⴃ
+B; xn--fnd1201kegrf.xn--ss-fek; [B1 V6]; [B1 V6]
+B; xn--fnd599eyj4pr50g.xn--ss-fek; [B1 C1 V6]; [B1 C1 V6] # 𐹡𞤮Ⴇ.ssႣ
+B; xn--0ug332c3q0pr56g.xn--zca417t; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ßⴃ
+B; xn--fnd599eyj4pr50g.xn--zca681f; [B1 C1 V6]; [B1 C1 V6] # 𐹡𞤮Ⴇ.ßႣ
+T; \u200C𐹡𞤮ⴇ。ßⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ßⴃ
+N; \u200C𐹡𞤮ⴇ。ßⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ßⴃ
+T; \u200C𐹡𞤌Ⴇ。SSႣ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹡𞤮Ⴇ.ssႣ
+N; \u200C𐹡𞤌Ⴇ。SSႣ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹡𞤮Ⴇ.ssႣ
+T; \u200C𐹡𞤮ⴇ。ssⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ssⴃ
+N; \u200C𐹡𞤮ⴇ。ssⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ssⴃ
+T; \u200C𐹡𞤌ⴇ。Ssⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ssⴃ
+N; \u200C𐹡𞤌ⴇ。Ssⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ssⴃ
+T; \u200C𐹡𞤌ⴇ。ßⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ßⴃ
+N; \u200C𐹡𞤌ⴇ。ßⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ßⴃ
+T; \u200C𐹡𞤌ⴇ。ssⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ssⴃ
+N; \u200C𐹡𞤌ⴇ。ssⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ssⴃ
+T; \u200C𐹡𞤌Ⴇ。Ssⴃ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹡𞤮Ⴇ.ssⴃ
+N; \u200C𐹡𞤌Ⴇ。Ssⴃ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹡𞤮Ⴇ.ssⴃ
+B; xn--fnd1201kegrf.xn--ss-151a; [B1 V6]; [B1 V6]
+B; xn--fnd599eyj4pr50g.xn--ss-151a; [B1 C1 V6]; [B1 C1 V6] # 𐹡𞤮Ⴇ.ssⴃ
+T; \u200C𐹡𞤌ⴇ。ßⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ßⴃ
+N; \u200C𐹡𞤌ⴇ。ßⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ßⴃ
+T; \u200C𐹡𞤌ⴇ。ssⴃ; [B1 C1]; [B1] # 𐹡𞤮ⴇ.ssⴃ
+N; \u200C𐹡𞤌ⴇ。ssⴃ; [B1 C1]; [B1 C1] # 𐹡𞤮ⴇ.ssⴃ
+T; \u200C𐹡𞤌Ⴇ。Ssⴃ; [B1 C1 P1 V6]; [B1 P1 V6] # 𐹡𞤮Ⴇ.ssⴃ
+N; \u200C𐹡𞤌Ⴇ。Ssⴃ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹡𞤮Ⴇ.ssⴃ
+B; \u17FF。; [P1 V6]; [P1 V6] # .
+B; \u17FF。; [P1 V6]; [P1 V6] # .
+B; xn--45e.xn--et6h; [V6]; [V6] # .
+T; \u0652\u200D。\u0CCD𑚳; [C2 V5]; [V5] # ْ.್𑚳
+N; \u0652\u200D。\u0CCD𑚳; [C2 V5]; [C2 V5] # ْ.್𑚳
+T; \u0652\u200D。\u0CCD𑚳; [C2 V5]; [V5] # ْ.್𑚳
+N; \u0652\u200D。\u0CCD𑚳; [C2 V5]; [C2 V5] # ْ.್𑚳
+B; xn--uhb.xn--8tc4527k; [V5]; [V5] # ْ.್𑚳
+B; xn--uhb882k.xn--8tc4527k; [C2 V5]; [C2 V5] # ْ.್𑚳
+B; -≠ᠻ.\u076D𞥃≮; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -≠ᠻ.ݭ𞥃≮
+B; -=\u0338ᠻ.\u076D𞥃<\u0338; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -≠ᠻ.ݭ𞥃≮
+B; -≠ᠻ.\u076D𞥃≮; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -≠ᠻ.ݭ𞥃≮
+B; -=\u0338ᠻ.\u076D𞥃<\u0338; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -≠ᠻ.ݭ𞥃≮
+B; -=\u0338ᠻ.\u076D𞤡<\u0338; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -≠ᠻ.ݭ𞥃≮
+B; -≠ᠻ.\u076D𞤡≮; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -≠ᠻ.ݭ𞥃≮
+B; xn----g6j886c.xn--xpb049kk353abj99f; [B1 B2 B3 V3 V6]; [B1 B2 B3 V3 V6] # -≠ᠻ.ݭ𞥃≮
+B; -=\u0338ᠻ.\u076D𞤡<\u0338; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -≠ᠻ.ݭ𞥃≮
+B; -≠ᠻ.\u076D𞤡≮; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # -≠ᠻ.ݭ𞥃≮
+B; ≯\u07B5.≮𑁆\u084C; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ≯.≮𑁆ࡌ
+B; >\u0338\u07B5.<\u0338𑁆\u084C; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ≯.≮𑁆ࡌ
+B; ≯\u07B5.≮𑁆\u084C; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ≯.≮𑁆ࡌ
+B; >\u0338\u07B5.<\u0338𑁆\u084C; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ≯.≮𑁆ࡌ
+B; xn--zrb797kdm1oes34i.xn--bwb394k8k2o25n6d; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ≯.≮𑁆ࡌ
+B; ≠.\u0600\u0BCD-\u06B9; [B1 P1 V6]; [B1 P1 V6] # ≠.்-ڹ
+B; =\u0338.\u0600\u0BCD-\u06B9; [B1 P1 V6]; [B1 P1 V6] # ≠.்-ڹ
+B; xn--1ch22084l.xn----qkc07co6n; [B1 V6]; [B1 V6] # ≠.்-ڹ
+B; \u17DD≠。𐹼𐋤; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ៝≠.𐹼𐋤
+B; \u17DD=\u0338。𐹼𐋤; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ៝≠.𐹼𐋤
+B; \u17DD≠。𐹼𐋤; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ៝≠.𐹼𐋤
+B; \u17DD=\u0338。𐹼𐋤; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ៝≠.𐹼𐋤
+B; xn--54e694cn389z.xn--787ct8r; [B1 V5 V6]; [B1 V5 V6] # ៝≠.𐹼𐋤
+T; ß𰀻。𝩨🕮ß; [P1 V5 V6]; [P1 V5 V6]
+N; ß𰀻。𝩨🕮ß; [P1 V5 V6]; [P1 V5 V6]
+T; ß𰀻。𝩨🕮ß; [P1 V5 V6]; [P1 V5 V6]
+N; ß𰀻。𝩨🕮ß; [P1 V5 V6]; [P1 V5 V6]
+B; SS𰀻。𝩨🕮SS; [P1 V5 V6]; [P1 V5 V6]
+B; ss𰀻。𝩨🕮ss; [P1 V5 V6]; [P1 V5 V6]
+B; Ss𰀻。𝩨🕮Ss; [P1 V5 V6]; [P1 V5 V6]
+B; xn--ss-jl59biy67d.xn--ss-4d11aw87d; [V5 V6]; [V5 V6]
+B; xn--zca20040bgrkh.xn--zca3653v86qa; [V5 V6]; [V5 V6]
+B; SS𰀻。𝩨🕮SS; [P1 V5 V6]; [P1 V5 V6]
+B; ss𰀻。𝩨🕮ss; [P1 V5 V6]; [P1 V5 V6]
+B; Ss𰀻。𝩨🕮Ss; [P1 V5 V6]; [P1 V5 V6]
+T; \u200D。\u200C; [C1 C2]; [A4_2] # .
+N; \u200D。\u200C; [C1 C2]; [C1 C2] # .
+B; xn--1ug.xn--0ug; [C1 C2]; [C1 C2] # .
+T; \u0483𐭞\u200D.\u17B9; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ҃𐭞.ឹ
+N; \u0483𐭞\u200D.\u17B9; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ҃𐭞.ឹ
+B; xn--m3a6965k.xn--43e8670vmd79b; [B1 V5 V6]; [B1 V5 V6] # ҃𐭞.ឹ
+B; xn--m3a412lrr0o.xn--43e8670vmd79b; [B1 C2 V5 V6]; [B1 C2 V5 V6] # ҃𐭞.ឹ
+T; \u200C𐠨\u200C临。ꡢⶏ𐹣; [B1 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 P1 V6] # 𐠨临.ꡢⶏ𐹣
+N; \u200C𐠨\u200C临。ꡢⶏ𐹣; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # 𐠨临.ꡢⶏ𐹣
+B; xn--miq9646b.xn--uojv340bk71c99u9f; [B2 B3 B5 B6 V6]; [B2 B3 B5 B6 V6]
+B; xn--0uga2656aop9k.xn--uojv340bk71c99u9f; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # 𐠨临.ꡢⶏ𐹣
+B; .󠄮; [P1 V6]; [P1 V6]
+B; .󠄮; [P1 V6]; [P1 V6]
+B; xn--s136e.; [V6]; [V6]
+B; 𐫄\u0D4D.\uAAF6; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𐫄്.꫶
+B; 𐫄\u0D4D.\uAAF6; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𐫄്.꫶
+B; xn--wxc7880k.xn--2v9a; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𐫄്.꫶
+B; \uA9B7멹。⒛; [P1 V5 V6]; [P1 V5 V6] # ꦷ멹.⒛
+B; \uA9B7멹。⒛; [P1 V5 V6]; [P1 V5 V6] # ꦷ멹.⒛
+B; \uA9B7멹。20.; [P1 V5 V6]; [P1 V5 V6] # ꦷ멹.20.
+B; \uA9B7멹。20.; [P1 V5 V6]; [P1 V5 V6] # ꦷ멹.20.
+B; xn--ym9av13acp85w.20.xn--d846e; [V5 V6]; [V5 V6] # ꦷ멹.20.
+B; xn--ym9av13acp85w.xn--dth22121k; [V5 V6]; [V5 V6] # ꦷ멹.⒛
+B; Ⴅ릖.\u0777𐹳⒊; [B4 B6 P1 V6]; [B4 B6 P1 V6] # Ⴅ릖.ݷ𐹳⒊
+B; Ⴅ릖.\u0777𐹳⒊; [B4 B6 P1 V6]; [B4 B6 P1 V6] # Ⴅ릖.ݷ𐹳⒊
+B; Ⴅ릖.\u0777𐹳3.; [B4 B6 P1 V6]; [B4 B6 P1 V6] # Ⴅ릖.ݷ𐹳3.
+B; Ⴅ릖.\u0777𐹳3.; [B4 B6 P1 V6]; [B4 B6 P1 V6] # Ⴅ릖.ݷ𐹳3.
+B; ⴅ릖.\u0777𐹳3.; [B4 B6 P1 V6]; [B4 B6 P1 V6] # ⴅ릖.ݷ𐹳3.
+B; ⴅ릖.\u0777𐹳3.; [B4 B6 P1 V6]; [B4 B6 P1 V6] # ⴅ릖.ݷ𐹳3.
+B; xn--wkj8016bne45io02g.xn--3-55c6803r.; [B4 B6 V6]; [B4 B6 V6] # ⴅ릖.ݷ𐹳3.
+B; xn--dnd2167fnet0io02g.xn--3-55c6803r.; [B4 B6 V6]; [B4 B6 V6] # Ⴅ릖.ݷ𐹳3.
+B; ⴅ릖.\u0777𐹳⒊; [B4 B6 P1 V6]; [B4 B6 P1 V6] # ⴅ릖.ݷ𐹳⒊
+B; ⴅ릖.\u0777𐹳⒊; [B4 B6 P1 V6]; [B4 B6 P1 V6] # ⴅ릖.ݷ𐹳⒊
+B; xn--wkj8016bne45io02g.xn--7pb000mwm4n; [B4 B6 V6]; [B4 B6 V6] # ⴅ릖.ݷ𐹳⒊
+B; xn--dnd2167fnet0io02g.xn--7pb000mwm4n; [B4 B6 V6]; [B4 B6 V6] # Ⴅ릖.ݷ𐹳⒊
+T; \u200C。︒; [C1 P1 V6]; [P1 V6 A4_2] # .︒
+N; \u200C。︒; [C1 P1 V6]; [C1 P1 V6] # .︒
+T; \u200C。。; [C1 A4_2]; [A4_2] # ..
+N; \u200C。。; [C1 A4_2]; [C1 A4_2] # ..
+B; ..; [A4_2]; [A4_2]
+B; xn--0ug..; [C1 A4_2]; [C1 A4_2] # ..
+B; .xn--y86c; [V6 A4_2]; [V6 A4_2]
+B; xn--0ug.xn--y86c; [C1 V6]; [C1 V6] # .︒
+B; ≯\u076D.₄; [B1 P1 V6]; [B1 P1 V6] # ≯ݭ.4
+B; >\u0338\u076D.₄; [B1 P1 V6]; [B1 P1 V6] # ≯ݭ.4
+B; ≯\u076D.4; [B1 P1 V6]; [B1 P1 V6] # ≯ݭ.4
+B; >\u0338\u076D.4; [B1 P1 V6]; [B1 P1 V6] # ≯ݭ.4
+B; xn--xpb149k.4; [B1 V6]; [B1 V6] # ≯ݭ.4
+T; ᡲ-𝟹.ß-\u200C-; [C1 V3]; [V2 V3] # ᡲ-3.ß--
+N; ᡲ-𝟹.ß-\u200C-; [C1 V3]; [C1 V3] # ᡲ-3.ß--
+T; ᡲ-3.ß-\u200C-; [C1 V3]; [V2 V3] # ᡲ-3.ß--
+N; ᡲ-3.ß-\u200C-; [C1 V3]; [C1 V3] # ᡲ-3.ß--
+T; ᡲ-3.SS-\u200C-; [C1 V3]; [V2 V3] # ᡲ-3.ss--
+N; ᡲ-3.SS-\u200C-; [C1 V3]; [C1 V3] # ᡲ-3.ss--
+T; ᡲ-3.ss-\u200C-; [C1 V3]; [V2 V3] # ᡲ-3.ss--
+N; ᡲ-3.ss-\u200C-; [C1 V3]; [C1 V3] # ᡲ-3.ss--
+T; ᡲ-3.Ss-\u200C-; [C1 V3]; [V2 V3] # ᡲ-3.ss--
+N; ᡲ-3.Ss-\u200C-; [C1 V3]; [C1 V3] # ᡲ-3.ss--
+B; xn---3-p9o.ss--; [V2 V3]; [V2 V3]
+B; xn---3-p9o.xn--ss---276a; [C1 V3]; [C1 V3] # ᡲ-3.ss--
+B; xn---3-p9o.xn-----fia9303a; [C1 V3]; [C1 V3] # ᡲ-3.ß--
+T; ᡲ-𝟹.SS-\u200C-; [C1 V3]; [V2 V3] # ᡲ-3.ss--
+N; ᡲ-𝟹.SS-\u200C-; [C1 V3]; [C1 V3] # ᡲ-3.ss--
+T; ᡲ-𝟹.ss-\u200C-; [C1 V3]; [V2 V3] # ᡲ-3.ss--
+N; ᡲ-𝟹.ss-\u200C-; [C1 V3]; [C1 V3] # ᡲ-3.ss--
+T; ᡲ-𝟹.Ss-\u200C-; [C1 V3]; [V2 V3] # ᡲ-3.ss--
+N; ᡲ-𝟹.Ss-\u200C-; [C1 V3]; [C1 V3] # ᡲ-3.ss--
+B; \uFD08𝟦\u0647。Ӏ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ضي4ه.Ӏ
+B; \u0636\u064A4\u0647。Ӏ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ضي4ه.Ӏ
+B; \u0636\u064A4\u0647。ӏ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ضي4ه.ӏ
+B; xn--4-tnc6ck183523b.xn--s5a; [B2 B3 V6]; [B2 B3 V6] # ضي4ه.ӏ
+B; xn--4-tnc6ck183523b.xn--d5a; [B2 B3 V6]; [B2 B3 V6] # ضي4ه.Ӏ
+B; \uFD08𝟦\u0647。ӏ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ضي4ه.ӏ
+B; -.\u0602\u0622𑆾🐹; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.آ𑆾🐹
+B; -.\u0602\u0627\u0653𑆾🐹; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.آ𑆾🐹
+B; -.xn--kfb8dy983hgl7g; [B1 V3 V6]; [B1 V3 V6] # -.آ𑆾🐹
+B; ᢘ。\u1A7F⺢; [P1 V5 V6]; [P1 V5 V6] # ᢘ.᩿⺢
+B; xn--ibf35138o.xn--fpfz94g; [V5 V6]; [V5 V6] # ᢘ.᩿⺢
+B; ≠ႷᠤႫ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ႷᠤႫ.͌س觴
+B; =\u0338ႷᠤႫ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ႷᠤႫ.͌س觴
+B; ≠ႷᠤႫ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ႷᠤႫ.͌س觴
+B; =\u0338ႷᠤႫ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ႷᠤႫ.͌س觴
+B; =\u0338ⴗᠤⴋ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ⴗᠤⴋ.͌س觴
+B; ≠ⴗᠤⴋ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ⴗᠤⴋ.͌س觴
+B; ≠Ⴗᠤⴋ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠Ⴗᠤⴋ.͌س觴
+B; =\u0338Ⴗᠤⴋ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠Ⴗᠤⴋ.͌س觴
+B; xn--vnd619as6ig6k.\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠Ⴗᠤⴋ.͌س觴
+B; XN--VND619AS6IG6K.\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠Ⴗᠤⴋ.͌س觴
+B; Xn--Vnd619as6ig6k.\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠Ⴗᠤⴋ.͌س觴
+B; xn--66e353ce0ilb.\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ⴗᠤⴋ.͌س觴
+B; XN--66E353CE0ILB.\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ⴗᠤⴋ.͌س觴
+B; Xn--66E353ce0ilb.\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ⴗᠤⴋ.͌س觴
+B; xn--jndx718cnnl.\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ႷᠤႫ.͌س觴
+B; XN--JNDX718CNNL.\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ႷᠤႫ.͌س觴
+B; Xn--Jndx718cnnl.\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ႷᠤႫ.͌س觴
+B; =\u0338ⴗᠤⴋ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ⴗᠤⴋ.͌س觴
+B; ≠ⴗᠤⴋ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠ⴗᠤⴋ.͌س觴
+B; ≠Ⴗᠤⴋ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠Ⴗᠤⴋ.͌س觴
+B; =\u0338Ⴗᠤⴋ。\uD907\u034C\u0633觴; [B1 B5 P1 V6]; [B1 B5 P1 V6 A3] # ≠Ⴗᠤⴋ.͌س觴
+B; \u0667.; [B1 P1 V6]; [B1 P1 V6] # ٧.
+B; xn--gib.xn--vm9c; [B1 V6]; [B1 V6] # ٧.
+T; \uA9C0𝟯。\u200D𐹪\u1BF3; [B1 C2 P1 V5 V6]; [B5 P1 V5 V6] # ꧀3.𐹪᯳
+N; \uA9C0𝟯。\u200D𐹪\u1BF3; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ꧀3.𐹪᯳
+T; \uA9C03。\u200D𐹪\u1BF3; [B1 C2 P1 V5 V6]; [B5 P1 V5 V6] # ꧀3.𐹪᯳
+N; \uA9C03。\u200D𐹪\u1BF3; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ꧀3.𐹪᯳
+B; xn--3-5z4e.xn--1zfz754hncv8b; [B5 V5 V6]; [B5 V5 V6] # ꧀3.𐹪᯳
+B; xn--3-5z4e.xn--1zf96ony8ygd68c; [B1 C2 V5 V6]; [B1 C2 V5 V6] # ꧀3.𐹪᯳
+B; 4.≯\u0664𑀾; [B1 P1 V6]; [B1 P1 V6] # 4.≯٤𑀾
+B; 4.>\u0338\u0664𑀾; [B1 P1 V6]; [B1 P1 V6] # 4.≯٤𑀾
+B; xn--4-fg85dl688i.xn--dib174li86ntdy0i; [B1 V6]; [B1 V6] # 4.≯٤𑀾
+B; 𝟯。⒈\u1A76𝟚; [P1 V6]; [P1 V6] # 3.⒈᩶2
+B; 3。1.\u1A762; [P1 V5 V6]; [P1 V5 V6] # 3.1.᩶2
+B; xn--3-rj42h.1.xn--2-13k96240l; [V5 V6]; [V5 V6] # 3.1.᩶2
+B; xn--3-rj42h.xn--2-13k746cq465x; [V6]; [V6] # 3.⒈᩶2
+T; \u200D₅⒈。≯𝟴\u200D; [C2 P1 V6]; [P1 V6] # 5⒈.≯8
+N; \u200D₅⒈。≯𝟴\u200D; [C2 P1 V6]; [C2 P1 V6] # 5⒈.≯8
+T; \u200D₅⒈。>\u0338𝟴\u200D; [C2 P1 V6]; [P1 V6] # 5⒈.≯8
+N; \u200D₅⒈。>\u0338𝟴\u200D; [C2 P1 V6]; [C2 P1 V6] # 5⒈.≯8
+T; \u200D51.。≯8\u200D; [C2 P1 V6 A4_2]; [P1 V6 A4_2] # 51..≯8
+N; \u200D51.。≯8\u200D; [C2 P1 V6 A4_2]; [C2 P1 V6 A4_2] # 51..≯8
+T; \u200D51.。>\u03388\u200D; [C2 P1 V6 A4_2]; [P1 V6 A4_2] # 51..≯8
+N; \u200D51.。>\u03388\u200D; [C2 P1 V6 A4_2]; [C2 P1 V6 A4_2] # 51..≯8
+B; 51..xn--8-ogo; [V6 A4_2]; [V6 A4_2]
+B; xn--51-l1t..xn--8-ugn00i; [C2 V6 A4_2]; [C2 V6 A4_2] # 51..≯8
+B; xn--5-ecp.xn--8-ogo; [V6]; [V6]
+B; xn--5-tgnz5r.xn--8-ugn00i; [C2 V6]; [C2 V6] # 5⒈.≯8
+T; ꡰ\u0697\u1086.\u072F≠\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ꡰڗႆ.ܯ≠
+N; ꡰ\u0697\u1086.\u072F≠\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ꡰڗႆ.ܯ≠
+T; ꡰ\u0697\u1086.\u072F=\u0338\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ꡰڗႆ.ܯ≠
+N; ꡰ\u0697\u1086.\u072F=\u0338\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ꡰڗႆ.ܯ≠
+T; ꡰ\u0697\u1086.\u072F≠\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ꡰڗႆ.ܯ≠
+N; ꡰ\u0697\u1086.\u072F≠\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ꡰڗႆ.ܯ≠
+T; ꡰ\u0697\u1086.\u072F=\u0338\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ꡰڗႆ.ܯ≠
+N; ꡰ\u0697\u1086.\u072F=\u0338\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ꡰڗႆ.ܯ≠
+B; xn--tjb002cn51k.xn--5nb630lbj91q; [B5 B6 V6]; [B5 B6 V6] # ꡰڗႆ.ܯ≠
+B; xn--tjb002cn51k.xn--5nb448jcubcz547b; [B5 B6 C1 V6]; [B5 B6 C1 V6] # ꡰڗႆ.ܯ≠
+B; 𑄱。𐹵; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6]
+B; 𑄱。𐹵; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6]
+B; xn--t80d.xn--to0d14792b; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6]
+B; 𝟥\u0600。\u073D; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 3.ܽ
+B; 3\u0600。\u073D; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 3.ܽ
+B; xn--3-rkc.xn--kob; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # 3.ܽ
+B; \u0637𐹣\u0666.\u076D긷; [B2 B3]; [B2 B3] # ط𐹣٦.ݭ긷
+B; \u0637𐹣\u0666.\u076D긷; [B2 B3]; [B2 B3] # ط𐹣٦.ݭ긷
+B; xn--2gb8gu829f.xn--xpb0156f; [B2 B3]; [B2 B3] # ط𐹣٦.ݭ긷
+B; ︒Ↄ\u2DE7.Ⴗ; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ︒Ↄⷧ.Ⴗ
+B; 。Ↄ\u2DE7.Ⴗ; [B5 B6 P1 V6 A4_2]; [B5 B6 P1 V6 A4_2] # .Ↄⷧ.Ⴗ
+B; 。ↄ\u2DE7.ⴗ; [B5 B6 P1 V6 A4_2]; [B5 B6 P1 V6 A4_2] # .ↄⷧ.ⴗ
+B; .xn--r5gy00cll06u.xn--flj4541e; [B5 B6 V6 A4_2]; [B5 B6 V6 A4_2] # .ↄⷧ.ⴗ
+B; .xn--q5g000cll06u.xn--vnd8618j; [B5 B6 V6 A4_2]; [B5 B6 V6 A4_2] # .Ↄⷧ.Ⴗ
+B; ︒ↄ\u2DE7.ⴗ; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ︒ↄⷧ.ⴗ
+B; xn--r5gy00c056n0226g.xn--flj4541e; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ︒ↄⷧ.ⴗ
+B; xn--q5g000c056n0226g.xn--vnd8618j; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ︒Ↄⷧ.Ⴗ
+B; \u0600.\u05B1; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # .ֱ
+B; xn--ifb.xn--8cb; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # .ֱ
+T; ς≯。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+N; ς≯。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+T; ς>\u0338。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+N; ς>\u0338。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+T; ς≯。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+N; ς≯。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+T; ς>\u0338。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+N; ς>\u0338。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; Σ>\u0338。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; Σ≯。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; σ≯。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; σ>\u0338。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; xn--4xa818m.xn--1o0d; [B1 B6 V6]; [B1 B6 V6]
+B; xn--3xa028m.xn--1o0d; [B1 B6 V6]; [B1 B6 V6]
+B; Σ>\u0338。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; Σ≯。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; σ≯。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; σ>\u0338。𐹽; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+T; \u17D2\u200D\u075F。𐹶; [B1 V5]; [B1 V5] # ្ݟ.𐹶
+N; \u17D2\u200D\u075F。𐹶; [B1 V5]; [B1 V5] # ្ݟ.𐹶
+B; xn--jpb535f.xn--uo0d; [B1 V5]; [B1 V5] # ្ݟ.𐹶
+B; xn--jpb535fv9f.xn--uo0d; [B1 V5]; [B1 V5] # ្ݟ.𐹶
+B; \u0A42Ⴊ.≮; [P1 V6]; [P1 V6] # ੂႪ.≮
+B; \u0A42Ⴊ.<\u0338; [P1 V6]; [P1 V6] # ੂႪ.≮
+B; \u0A42ⴊ.<\u0338; [P1 V6]; [P1 V6] # ੂⴊ.≮
+B; \u0A42ⴊ.≮; [P1 V6]; [P1 V6] # ੂⴊ.≮
+B; xn--nbc229o4y27dgskb.xn--gdh; [V6]; [V6] # ੂⴊ.≮
+B; xn--nbc493aro75ggskb.xn--gdh; [V6]; [V6] # ੂႪ.≮
+B; ꡠ.۲; ꡠ.۲; xn--5c9a.xn--fmb
+B; ꡠ.۲; ; xn--5c9a.xn--fmb
+B; xn--5c9a.xn--fmb; ꡠ.۲; xn--5c9a.xn--fmb
+B; 𐹣。ꡬ🄄; [B1 P1 V6]; [B1 P1 V6]
+B; 𐹣。ꡬ3,; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; xn--bo0d0203l.xn--3,-yj9h; [B1 B6 P1 V6]; [B1 B6 P1 V6]
+B; xn--bo0d0203l.xn--id9a4443d; [B1 V6]; [B1 V6]
+T; -\u0C4D𑲓。\u200D\u0D4D; [B1 C2 P1 V3 V6]; [B1 B3 B6 P1 V3 V5 V6] # -్𑲓.്
+N; -\u0C4D𑲓。\u200D\u0D4D; [B1 C2 P1 V3 V6]; [B1 C2 P1 V3 V6] # -్𑲓.്
+T; -\u0C4D𑲓。\u200D\u0D4D; [B1 C2 P1 V3 V6]; [B1 B3 B6 P1 V3 V5 V6] # -్𑲓.്
+N; -\u0C4D𑲓。\u200D\u0D4D; [B1 C2 P1 V3 V6]; [B1 C2 P1 V3 V6] # -్𑲓.്
+B; xn----x6e0220sclug.xn--wxc; [B1 B3 B6 V3 V5 V6]; [B1 B3 B6 V3 V5 V6] # -్𑲓.്
+B; xn----x6e0220sclug.xn--wxc317g; [B1 C2 V3 V6]; [B1 C2 V3 V6] # -్𑲓.്
+T; \uA67D\u200C霣🄆。\u200C𑁂\u1B01; [C1 P1 V5 V6]; [P1 V5 V6] # ꙽霣🄆.𑁂ᬁ
+N; \uA67D\u200C霣🄆。\u200C𑁂\u1B01; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ꙽霣🄆.𑁂ᬁ
+T; \uA67D\u200C霣🄆。\u200C𑁂\u1B01; [C1 P1 V5 V6]; [P1 V5 V6] # ꙽霣🄆.𑁂ᬁ
+N; \uA67D\u200C霣🄆。\u200C𑁂\u1B01; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ꙽霣🄆.𑁂ᬁ
+T; \uA67D\u200C霣5,。\u200C𑁂\u1B01; [C1 P1 V5 V6]; [P1 V5 V6] # ꙽霣5,.𑁂ᬁ
+N; \uA67D\u200C霣5,。\u200C𑁂\u1B01; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ꙽霣5,.𑁂ᬁ
+B; xn--5,-op8g373c.xn--4sf0725i; [P1 V5 V6]; [P1 V5 V6] # ꙽霣5,.𑁂ᬁ
+B; xn--5,-i1tz135dnbqa.xn--4sf36u6u4w; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ꙽霣5,.𑁂ᬁ
+B; xn--2q5a751a653w.xn--4sf0725i; [V5 V6]; [V5 V6] # ꙽霣🄆.𑁂ᬁ
+B; xn--0ug4208b2vjuk63a.xn--4sf36u6u4w; [C1 V5 V6]; [C1 V5 V6] # ꙽霣🄆.𑁂ᬁ
+B; 兎。ᠼ𑚶𑰿; [P1 V6]; [P1 V6]
+B; 兎。ᠼ𑚶𑰿; [P1 V6]; [P1 V6]
+B; xn--b5q.xn--v7e6041kqqd4m251b; [V6]; [V6]
+T; 𝟙。\u200D𝟸\u200D⁷; [C2]; 1.27 # 1.27
+N; 𝟙。\u200D𝟸\u200D⁷; [C2]; [C2] # 1.27
+T; 1。\u200D2\u200D7; [C2]; 1.27 # 1.27
+N; 1。\u200D2\u200D7; [C2]; [C2] # 1.27
+B; 1.27; ;
+B; 1.xn--27-l1tb; [C2]; [C2] # 1.27
+B; ᡨ-。𝟷; [P1 V3 V6]; [P1 V3 V6]
+B; ᡨ-。1; [P1 V3 V6]; [P1 V3 V6]
+B; xn----z8j.xn--1-5671m; [V3 V6]; [V3 V6]
+B; 𑰻𐫚.\u0668⁹; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𑰻𐫚.٨9
+B; 𑰻𐫚.\u06689; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𑰻𐫚.٨9
+B; xn--gx9cr01aul57i.xn--9-oqc; [B1 V5 V6]; [B1 V5 V6] # 𑰻𐫚.٨9
+T; Ⴜ\u0F80⾇。Ⴏ♀\u200C\u200C; [C1 P1 V6]; [P1 V6] # Ⴜྀ舛.Ⴏ♀
+N; Ⴜ\u0F80⾇。Ⴏ♀\u200C\u200C; [C1 P1 V6]; [C1 P1 V6] # Ⴜྀ舛.Ⴏ♀
+T; Ⴜ\u0F80舛。Ⴏ♀\u200C\u200C; [C1 P1 V6]; [P1 V6] # Ⴜྀ舛.Ⴏ♀
+N; Ⴜ\u0F80舛。Ⴏ♀\u200C\u200C; [C1 P1 V6]; [C1 P1 V6] # Ⴜྀ舛.Ⴏ♀
+T; ⴜ\u0F80舛。ⴏ♀\u200C\u200C; [C1 P1 V6]; [P1 V6] # ⴜྀ舛.ⴏ♀
+N; ⴜ\u0F80舛。ⴏ♀\u200C\u200C; [C1 P1 V6]; [C1 P1 V6] # ⴜྀ舛.ⴏ♀
+B; xn--zed372mdj2do3v4h.xn--e5h11w; [V6]; [V6] # ⴜྀ舛.ⴏ♀
+B; xn--zed372mdj2do3v4h.xn--0uga678bgyh; [C1 V6]; [C1 V6] # ⴜྀ舛.ⴏ♀
+B; xn--zed54dz10wo343g.xn--nnd651i; [V6]; [V6] # Ⴜྀ舛.Ⴏ♀
+B; xn--zed54dz10wo343g.xn--nnd089ea464d; [C1 V6]; [C1 V6] # Ⴜྀ舛.Ⴏ♀
+T; ⴜ\u0F80⾇。ⴏ♀\u200C\u200C; [C1 P1 V6]; [P1 V6] # ⴜྀ舛.ⴏ♀
+N; ⴜ\u0F80⾇。ⴏ♀\u200C\u200C; [C1 P1 V6]; [C1 P1 V6] # ⴜྀ舛.ⴏ♀
+T; 𑁆𝟰.\u200D; [C2 V5]; [V5] # 𑁆4.
+N; 𑁆𝟰.\u200D; [C2 V5]; [C2 V5] # 𑁆4.
+T; 𑁆4.\u200D; [C2 V5]; [V5] # 𑁆4.
+N; 𑁆4.\u200D; [C2 V5]; [C2 V5] # 𑁆4.
+B; xn--4-xu7i.; [V5]; [V5]
+B; xn--4-xu7i.xn--1ug; [C2 V5]; [C2 V5] # 𑁆4.
+T; Ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [P1 V5 V6] # Ⴞ癀.𑘿붼
+N; Ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [C1 P1 V5 V6] # Ⴞ癀.𑘿붼
+T; Ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [P1 V5 V6] # Ⴞ癀.𑘿붼
+N; Ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [C1 P1 V5 V6] # Ⴞ癀.𑘿붼
+T; Ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [P1 V5 V6] # Ⴞ癀.𑘿붼
+N; Ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [C1 P1 V5 V6] # Ⴞ癀.𑘿붼
+T; Ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [P1 V5 V6] # Ⴞ癀.𑘿붼
+N; Ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [C1 P1 V5 V6] # Ⴞ癀.𑘿붼
+T; ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [P1 V5 V6] # ⴞ癀.𑘿붼
+N; ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ⴞ癀.𑘿붼
+T; ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [P1 V5 V6] # ⴞ癀.𑘿붼
+N; ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ⴞ癀.𑘿붼
+B; xn--mlju35u7qx2f.xn--et3bn23n; [V5 V6]; [V5 V6]
+B; xn--mlju35u7qx2f.xn--0ugb6122js83c; [C1 V5 V6]; [C1 V5 V6] # ⴞ癀.𑘿붼
+B; xn--2nd6803c7q37d.xn--et3bn23n; [V5 V6]; [V5 V6]
+B; xn--2nd6803c7q37d.xn--0ugb6122js83c; [C1 V5 V6]; [C1 V5 V6] # Ⴞ癀.𑘿붼
+T; ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [P1 V5 V6] # ⴞ癀.𑘿붼
+N; ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ⴞ癀.𑘿붼
+T; ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [P1 V5 V6] # ⴞ癀.𑘿붼
+N; ⴞ癀。𑘿\u200D\u200C붼; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ⴞ癀.𑘿붼
+B; -\u0BCD。\u06B9; [B6 P1 V6]; [B6 P1 V6] # -்.ڹ
+B; xn----mze84808x.xn--skb; [B6 V6]; [B6 V6] # -்.ڹ
+B; ᡃ𝟧≯ᠣ.氁ꁫ; [P1 V6]; [P1 V6]
+B; ᡃ𝟧>\u0338ᠣ.氁ꁫ; [P1 V6]; [P1 V6]
+B; ᡃ5≯ᠣ.氁ꁫ; [P1 V6]; [P1 V6]
+B; ᡃ5>\u0338ᠣ.氁ꁫ; [P1 V6]; [P1 V6]
+B; xn--5-24jyf768b.xn--lqw213ime95g; [V6]; [V6]
+B; 𐹬𝩇.\u0F76; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𐹬𝩇.ྲྀ
+B; 𐹬𝩇.\u0FB2\u0F80; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𐹬𝩇.ྲྀ
+B; 𐹬𝩇.\u0FB2\u0F80; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𐹬𝩇.ྲྀ
+B; xn--ko0d8295a.xn--zed3h; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𐹬𝩇.ྲྀ
+B; -𑈶⒏.⒎𰛢; [P1 V3 V6]; [P1 V3 V6]
+B; -𑈶8..7.𰛢; [P1 V3 V6 A4_2]; [P1 V3 V6 A4_2]
+B; xn---8-bv5o..7.xn--c35nf1622b; [V3 V6 A4_2]; [V3 V6 A4_2]
+B; xn----scp6252h.xn--zshy411yzpx2d; [V3 V6]; [V3 V6]
+T; \u200CႡ畝\u200D.≮; [C1 C2 P1 V6]; [P1 V6] # Ⴁ畝.≮
+N; \u200CႡ畝\u200D.≮; [C1 C2 P1 V6]; [C1 C2 P1 V6] # Ⴁ畝.≮
+T; \u200CႡ畝\u200D.<\u0338; [C1 C2 P1 V6]; [P1 V6] # Ⴁ畝.≮
+N; \u200CႡ畝\u200D.<\u0338; [C1 C2 P1 V6]; [C1 C2 P1 V6] # Ⴁ畝.≮
+T; \u200CႡ畝\u200D.≮; [C1 C2 P1 V6]; [P1 V6] # Ⴁ畝.≮
+N; \u200CႡ畝\u200D.≮; [C1 C2 P1 V6]; [C1 C2 P1 V6] # Ⴁ畝.≮
+T; \u200CႡ畝\u200D.<\u0338; [C1 C2 P1 V6]; [P1 V6] # Ⴁ畝.≮
+N; \u200CႡ畝\u200D.<\u0338; [C1 C2 P1 V6]; [C1 C2 P1 V6] # Ⴁ畝.≮
+T; \u200Cⴁ畝\u200D.<\u0338; [C1 C2 P1 V6]; [P1 V6] # ⴁ畝.≮
+N; \u200Cⴁ畝\u200D.<\u0338; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ⴁ畝.≮
+T; \u200Cⴁ畝\u200D.≮; [C1 C2 P1 V6]; [P1 V6] # ⴁ畝.≮
+N; \u200Cⴁ畝\u200D.≮; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ⴁ畝.≮
+B; xn--skjy82u.xn--gdh; [V6]; [V6]
+B; xn--0ugc160hb36e.xn--gdh; [C1 C2 V6]; [C1 C2 V6] # ⴁ畝.≮
+B; xn--8md0962c.xn--gdh; [V6]; [V6]
+B; xn--8md700fea3748f.xn--gdh; [C1 C2 V6]; [C1 C2 V6] # Ⴁ畝.≮
+T; \u200Cⴁ畝\u200D.<\u0338; [C1 C2 P1 V6]; [P1 V6] # ⴁ畝.≮
+N; \u200Cⴁ畝\u200D.<\u0338; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ⴁ畝.≮
+T; \u200Cⴁ畝\u200D.≮; [C1 C2 P1 V6]; [P1 V6] # ⴁ畝.≮
+N; \u200Cⴁ畝\u200D.≮; [C1 C2 P1 V6]; [C1 C2 P1 V6] # ⴁ畝.≮
+T; 歷。𐹻≯\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # 歷.𐹻≯
+N; 歷。𐹻≯\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 歷.𐹻≯
+T; 歷。𐹻>\u0338\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # 歷.𐹻≯
+N; 歷。𐹻>\u0338\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 歷.𐹻≯
+T; 歷。𐹻≯\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # 歷.𐹻≯
+N; 歷。𐹻≯\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 歷.𐹻≯
+T; 歷。𐹻>\u0338\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # 歷.𐹻≯
+N; 歷。𐹻>\u0338\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 歷.𐹻≯
+B; xn--nmw.xn--hdh7804gdms2h; [B1 V6]; [B1 V6]
+B; xn--nmw.xn--1ugx6gs128a1134j; [B1 C2 V6]; [B1 C2 V6] # 歷.𐹻≯
+T; \u0ECB\u200D.鎁; [C2 P1 V5 V6]; [P1 V5 V6] # ໋.鎁
+N; \u0ECB\u200D.鎁; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ໋.鎁
+T; \u0ECB\u200D.鎁; [C2 P1 V5 V6]; [P1 V5 V6] # ໋.鎁
+N; \u0ECB\u200D.鎁; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ໋.鎁
+B; xn--t8c.xn--iz4a43209d; [V5 V6]; [V5 V6] # ໋.鎁
+B; xn--t8c059f.xn--iz4a43209d; [C2 V5 V6]; [C2 V5 V6] # ໋.鎁
+T; \u200D\u200C𞤀。𱘅; [B1 B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # 𞤢.
+N; \u200D\u200C𞤀。𱘅; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 C1 C2 P1 V6] # 𞤢.
+T; \u200D\u200C𞤀。𱘅; [B1 B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # 𞤢.
+N; \u200D\u200C𞤀。𱘅; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 C1 C2 P1 V6] # 𞤢.
+T; \u200D\u200C𞤢。𱘅; [B1 B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # 𞤢.
+N; \u200D\u200C𞤢。𱘅; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 C1 C2 P1 V6] # 𞤢.
+B; xn--9d6h.xn--wh0dj799f; [B5 B6 V6]; [B5 B6 V6]
+B; xn--0ugb45126a.xn--wh0dj799f; [B1 B5 B6 C1 C2 V6]; [B1 B5 B6 C1 C2 V6] # 𞤢.
+T; \u200D\u200C𞤢。𱘅; [B1 B5 B6 C1 C2 P1 V6]; [B5 B6 P1 V6] # 𞤢.
+N; \u200D\u200C𞤢。𱘅; [B1 B5 B6 C1 C2 P1 V6]; [B1 B5 B6 C1 C2 P1 V6] # 𞤢.
+T; \u0628≠𝟫-.ς⒍𐹦≠; [B3 B5 B6 P1 V3 V6]; [B3 B5 B6 P1 V3 V6] # ب≠9-.ς⒍𐹦≠
+N; \u0628≠𝟫-.ς⒍𐹦≠; [B3 B5 B6 P1 V3 V6]; [B3 B5 B6 P1 V3 V6] # ب≠9-.ς⒍𐹦≠
+T; \u0628=\u0338𝟫-.ς⒍𐹦=\u0338; [B3 B5 B6 P1 V3 V6]; [B3 B5 B6 P1 V3 V6] # ب≠9-.ς⒍𐹦≠
+N; \u0628=\u0338𝟫-.ς⒍𐹦=\u0338; [B3 B5 B6 P1 V3 V6]; [B3 B5 B6 P1 V3 V6] # ب≠9-.ς⒍𐹦≠
+T; \u0628≠9-.ς6.𐹦≠; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # ب≠9-.ς6.𐹦≠
+N; \u0628≠9-.ς6.𐹦≠; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # ب≠9-.ς6.𐹦≠
+T; \u0628=\u03389-.ς6.𐹦=\u0338; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # ب≠9-.ς6.𐹦≠
+N; \u0628=\u03389-.ς6.𐹦=\u0338; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # ب≠9-.ς6.𐹦≠
+B; \u0628=\u03389-.Σ6.𐹦=\u0338; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # ب≠9-.σ6.𐹦≠
+B; \u0628≠9-.Σ6.𐹦≠; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # ب≠9-.σ6.𐹦≠
+B; \u0628≠9-.σ6.𐹦≠; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # ب≠9-.σ6.𐹦≠
+B; \u0628=\u03389-.σ6.𐹦=\u0338; [B1 B3 P1 V3 V6]; [B1 B3 P1 V3 V6] # ب≠9-.σ6.𐹦≠
+B; xn--9--etd0100a.xn--6-zmb.xn--1ch8704g; [B1 B3 V3 V6]; [B1 B3 V3 V6] # ب≠9-.σ6.𐹦≠
+B; xn--9--etd0100a.xn--6-xmb.xn--1ch8704g; [B1 B3 V3 V6]; [B1 B3 V3 V6] # ب≠9-.ς6.𐹦≠
+B; \u0628=\u0338𝟫-.Σ⒍𐹦=\u0338; [B3 B5 B6 P1 V3 V6]; [B3 B5 B6 P1 V3 V6] # ب≠9-.σ⒍𐹦≠
+B; \u0628≠𝟫-.Σ⒍𐹦≠; [B3 B5 B6 P1 V3 V6]; [B3 B5 B6 P1 V3 V6] # ب≠9-.σ⒍𐹦≠
+B; \u0628≠𝟫-.σ⒍𐹦≠; [B3 B5 B6 P1 V3 V6]; [B3 B5 B6 P1 V3 V6] # ب≠9-.σ⒍𐹦≠
+B; \u0628=\u0338𝟫-.σ⒍𐹦=\u0338; [B3 B5 B6 P1 V3 V6]; [B3 B5 B6 P1 V3 V6] # ب≠9-.σ⒍𐹦≠
+B; xn--9--etd0100a.xn--4xa887mzpbzz04b; [B3 B5 B6 V3 V6]; [B3 B5 B6 V3 V6] # ب≠9-.σ⒍𐹦≠
+B; xn--9--etd0100a.xn--3xa097mzpbzz04b; [B3 B5 B6 V3 V6]; [B3 B5 B6 V3 V6] # ب≠9-.ς⒍𐹦≠
+B; .-ᡢ\u0592𝨠; [P1 V3 V6]; [P1 V3 V6] # .-ᡢ֒𝨠
+B; xn--ep37b.xn----hec165lho83b; [V3 V6]; [V3 V6] # .-ᡢ֒𝨠
+T; \u06CB⒈ß󠄽。-; [B2 B3 B6 P1 V3 V6]; [B2 B3 B6 P1 V3 V6] # ۋ⒈ß.-
+N; \u06CB⒈ß󠄽。-; [B2 B3 B6 P1 V3 V6]; [B2 B3 B6 P1 V3 V6] # ۋ⒈ß.-
+T; \u06CB1.ß󠄽。-; [B6 P1 V3 V6]; [B6 P1 V3 V6] # ۋ1.ß.-
+N; \u06CB1.ß󠄽。-; [B6 P1 V3 V6]; [B6 P1 V3 V6] # ۋ1.ß.-
+B; \u06CB1.SS󠄽。-; [B6 P1 V3 V6]; [B6 P1 V3 V6] # ۋ1.ss.-
+B; \u06CB1.ss󠄽。-; [B6 P1 V3 V6]; [B6 P1 V3 V6] # ۋ1.ss.-
+B; \u06CB1.Ss󠄽。-; [B6 P1 V3 V6]; [B6 P1 V3 V6] # ۋ1.ss.-
+B; xn--1-cwc.ss.xn----q001f; [B6 V3 V6]; [B6 V3 V6] # ۋ1.ss.-
+B; xn--1-cwc.xn--zca.xn----q001f; [B6 V3 V6]; [B6 V3 V6] # ۋ1.ß.-
+B; \u06CB⒈SS󠄽。-; [B2 B3 B6 P1 V3 V6]; [B2 B3 B6 P1 V3 V6] # ۋ⒈ss.-
+B; \u06CB⒈ss󠄽。-; [B2 B3 B6 P1 V3 V6]; [B2 B3 B6 P1 V3 V6] # ۋ⒈ss.-
+B; \u06CB⒈Ss󠄽。-; [B2 B3 B6 P1 V3 V6]; [B2 B3 B6 P1 V3 V6] # ۋ⒈ss.-
+B; xn--ss-d7d6651a.xn----q001f; [B2 B3 B6 V3 V6]; [B2 B3 B6 V3 V6] # ۋ⒈ss.-
+B; xn--zca541ato3a.xn----q001f; [B2 B3 B6 V3 V6]; [B2 B3 B6 V3 V6] # ۋ⒈ß.-
+T; .\u1BAAςႦ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪ςႦ
+N; .\u1BAAςႦ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪ςႦ
+T; .\u1BAAςႦ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪ςႦ
+N; .\u1BAAςႦ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪ςႦ
+T; .\u1BAAςⴆ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪ςⴆ
+N; .\u1BAAςⴆ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪ςⴆ
+T; .\u1BAAΣႦ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪σႦ
+N; .\u1BAAΣႦ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪σႦ
+T; .\u1BAAσⴆ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪σⴆ
+N; .\u1BAAσⴆ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪σⴆ
+T; .\u1BAAΣⴆ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪σⴆ
+N; .\u1BAAΣⴆ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪σⴆ
+B; xn--nu4s.xn--4xa153j7im; [V5 V6]; [V5 V6] # .᮪σⴆ
+B; xn--nu4s.xn--4xa153jk8cs1q; [C2 V5 V6]; [C2 V5 V6] # .᮪σⴆ
+B; xn--nu4s.xn--4xa217dxri; [V5 V6]; [V5 V6] # .᮪σႦ
+B; xn--nu4s.xn--4xa217dxriome; [C2 V5 V6]; [C2 V5 V6] # .᮪σႦ
+B; xn--nu4s.xn--3xa353jk8cs1q; [C2 V5 V6]; [C2 V5 V6] # .᮪ςⴆ
+B; xn--nu4s.xn--3xa417dxriome; [C2 V5 V6]; [C2 V5 V6] # .᮪ςႦ
+T; .\u1BAAςⴆ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪ςⴆ
+N; .\u1BAAςⴆ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪ςⴆ
+T; .\u1BAAΣႦ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪σႦ
+N; .\u1BAAΣႦ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪σႦ
+T; .\u1BAAσⴆ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪σⴆ
+N; .\u1BAAσⴆ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪σⴆ
+T; .\u1BAAΣⴆ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # .᮪σⴆ
+N; .\u1BAAΣⴆ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # .᮪σⴆ
+B; ⾆\u08E2.𝈴; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # 舌.𝈴
+B; 舌\u08E2.𝈴; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # 舌.𝈴
+B; xn--l0b9413d.xn--kl1h; [B1 B5 B6 V6]; [B1 B5 B6 V6] # 舌.𝈴
+B; ⫞𐹶𖫴。⭠⒈; [B1 P1 V6]; [B1 P1 V6]
+B; ⫞𐹶𖫴。⭠1.; [B1]; [B1]
+B; xn--53ix188et88b.xn--1-h6r.; [B1]; [B1]
+B; xn--53ix188et88b.xn--tsh52w; [B1 V6]; [B1 V6]
+T; ⒈\u200C\uAAEC︒.\u0ACD; [C1 P1 V5 V6]; [P1 V5 V6] # ⒈ꫬ︒.્
+N; ⒈\u200C\uAAEC︒.\u0ACD; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ⒈ꫬ︒.્
+T; 1.\u200C\uAAEC。.\u0ACD; [C1 V5 A4_2]; [V5 A4_2] # 1.ꫬ..્
+N; 1.\u200C\uAAEC。.\u0ACD; [C1 V5 A4_2]; [C1 V5 A4_2] # 1.ꫬ..્
+B; 1.xn--sv9a..xn--mfc; [V5 A4_2]; [V5 A4_2] # 1.ꫬ..્
+B; 1.xn--0ug7185c..xn--mfc; [C1 V5 A4_2]; [C1 V5 A4_2] # 1.ꫬ..્
+B; xn--tsh0720cse8b.xn--mfc; [V5 V6]; [V5 V6] # ⒈ꫬ︒.્
+B; xn--0ug78o720myr1c.xn--mfc; [C1 V5 V6]; [C1 V5 V6] # ⒈ꫬ︒.્
+B; \u0C46。䰀\u0668󠅼; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ె.䰀٨
+B; xn--eqc.xn--hib5476aim6t; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # ె.䰀٨
+T; ß\u200D.\u1BF2; [C2 P1 V5 V6]; [P1 V5 V6] # ß.᯲
+N; ß\u200D.\u1BF2; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ß.᯲
+T; SS\u200D.\u1BF2; [C2 P1 V5 V6]; [P1 V5 V6] # ss.᯲
+N; SS\u200D.\u1BF2; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ss.᯲
+T; ss\u200D.\u1BF2; [C2 P1 V5 V6]; [P1 V5 V6] # ss.᯲
+N; ss\u200D.\u1BF2; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ss.᯲
+T; Ss\u200D.\u1BF2; [C2 P1 V5 V6]; [P1 V5 V6] # ss.᯲
+N; Ss\u200D.\u1BF2; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ss.᯲
+B; ss.xn--0zf22107b; [V5 V6]; [V5 V6] # ss.᯲
+B; xn--ss-n1t.xn--0zf22107b; [C2 V5 V6]; [C2 V5 V6] # ss.᯲
+B; xn--zca870n.xn--0zf22107b; [C2 V5 V6]; [C2 V5 V6] # ß.᯲
+T; 𑓂\u200C≮.≮; [P1 V5 V6]; [P1 V5 V6] # 𑓂≮.≮
+N; 𑓂\u200C≮.≮; [P1 V5 V6]; [P1 V5 V6] # 𑓂≮.≮
+T; 𑓂\u200C<\u0338.<\u0338; [P1 V5 V6]; [P1 V5 V6] # 𑓂≮.≮
+N; 𑓂\u200C<\u0338.<\u0338; [P1 V5 V6]; [P1 V5 V6] # 𑓂≮.≮
+B; xn--gdhz656g.xn--gdh; [V5 V6]; [V5 V6]
+B; xn--0ugy6glz29a.xn--gdh; [V5 V6]; [V5 V6] # 𑓂≮.≮
+B; 🕼.\uFFA0; [P1 V6]; [P1 V6] # 🕼.
+B; 🕼.\u1160; [P1 V6]; [P1 V6] # 🕼.
+B; xn--my8h.xn--psd; [V6]; [V6] # 🕼.
+B; xn--my8h.xn--cl7c; [V6]; [V6] # 🕼.
+B; ᡔ\uFD82。; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ᡔلحى.
+B; ᡔ\u0644\u062D\u0649。; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ᡔلحى.
+B; xn--sgb9bq785p.xn--bc31b; [B5 B6 V6]; [B5 B6 V6] # ᡔلحى.
+B; 爕.𝟰気; [P1 V6]; [P1 V6]
+B; 爕.4気; [P1 V6]; [P1 V6]
+B; xn--1zxq3199c.xn--4-678b; [V6]; [V6]
+B; ⒋𑍍Ⴝ-.\u0DCA\u05B5; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ⒋𑍍Ⴝ-.්ֵ
+B; 4.𑍍Ⴝ-.\u0DCA\u05B5; [B1 B6 P1 V3 V5 V6]; [B1 B6 P1 V3 V5 V6] # 4.𑍍Ⴝ-.්ֵ
+B; 4.𑍍ⴝ-.\u0DCA\u05B5; [B1 B6 P1 V3 V5 V6]; [B1 B6 P1 V3 V5 V6] # 4.𑍍ⴝ-.්ֵ
+B; 4.xn----wwsx259f.xn--ddb152b7y23b; [B1 B6 V3 V5 V6]; [B1 B6 V3 V5 V6] # 4.𑍍ⴝ-.්ֵ
+B; 4.xn----t1g9869q.xn--ddb152b7y23b; [B1 B6 V3 V5 V6]; [B1 B6 V3 V5 V6] # 4.𑍍Ⴝ-.්ֵ
+B; ⒋𑍍ⴝ-.\u0DCA\u05B5; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ⒋𑍍ⴝ-.්ֵ
+B; xn----jcp487avl3w.xn--ddb152b7y23b; [B1 V3 V6]; [B1 V3 V6] # ⒋𑍍ⴝ-.්ֵ
+B; xn----t1g323mnk9t.xn--ddb152b7y23b; [B1 V3 V6]; [B1 V3 V6] # ⒋𑍍Ⴝ-.්ֵ
+B; 。--; [P1 V2 V3 V6]; [P1 V2 V3 V6]
+B; xn--2y75e.xn-----1l15eer88n; [V2 V3 V6]; [V2 V3 V6]
+T; \u200D\u07DF。\u200C\uABED; [B1 C1 C2]; [B1 B3 B6 V5] # ߟ.꯭
+N; \u200D\u07DF。\u200C\uABED; [B1 C1 C2]; [B1 C1 C2] # ߟ.꯭
+T; \u200D\u07DF。\u200C\uABED; [B1 C1 C2]; [B1 B3 B6 V5] # ߟ.꯭
+N; \u200D\u07DF。\u200C\uABED; [B1 C1 C2]; [B1 C1 C2] # ߟ.꯭
+B; xn--6sb.xn--429a; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ߟ.꯭
+B; xn--6sb394j.xn--0ug1126c; [B1 C1 C2]; [B1 C1 C2] # ߟ.꯭
+B; \u07FF\u084E。ᢍ𐫘; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ࡎ.ᢍ𐫘
+B; \u07FF\u084E。ᢍ𐫘; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ࡎ.ᢍ𐫘
+B; xn--3tb2nz468k.xn--69e8615j5rn5d; [B5 B6 V6]; [B5 B6 V6] # ࡎ.ᢍ𐫘
+B; \u06ED𞺌𑄚\u1714.ꡞ\u08B7; [B1 B5 B6 V5]; [B1 B5 B6 V5] # ۭم𑄚᜔.ꡞࢷ
+B; \u06ED\u0645𑄚\u1714.ꡞ\u08B7; [B1 B5 B6 V5]; [B1 B5 B6 V5] # ۭم𑄚᜔.ꡞࢷ
+B; xn--hhb94ag41b739u.xn--dzb5582f; [B1 B5 B6 V5]; [B1 B5 B6 V5] # ۭم𑄚᜔.ꡞࢷ
+T; 킃𑘶\u07DC。ς\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.ςؼς
+N; 킃𑘶\u07DC。ς\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.ςؼς
+T; 킃𑘶\u07DC。ς\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.ςؼς
+N; 킃𑘶\u07DC。ς\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.ςؼς
+T; 킃𑘶\u07DC。ς\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.ςؼς
+N; 킃𑘶\u07DC。ς\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.ςؼς
+T; 킃𑘶\u07DC。ς\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.ςؼς
+N; 킃𑘶\u07DC。ς\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.ςؼς
+B; 킃𑘶\u07DC。Σ\u063CΣ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。Σ\u063CΣ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。σ\u063Cσ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。σ\u063Cσ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。Σ\u063Cσ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。Σ\u063Cσ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; xn--3sb7483hoyvbbe76g.xn--4xaa21q; [B5 B6 V6]; [B5 B6 V6] # 킃𑘶ߜ.σؼσ
+T; 킃𑘶\u07DC。Σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+N; 킃𑘶\u07DC。Σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+T; 킃𑘶\u07DC。Σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+N; 킃𑘶\u07DC。Σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+T; 킃𑘶\u07DC。σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+N; 킃𑘶\u07DC。σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+T; 킃𑘶\u07DC。σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+N; 킃𑘶\u07DC。σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+B; xn--3sb7483hoyvbbe76g.xn--3xab31q; [B5 B6 V6]; [B5 B6 V6] # 킃𑘶ߜ.σؼς
+B; xn--3sb7483hoyvbbe76g.xn--3xaa51q; [B5 B6 V6]; [B5 B6 V6] # 킃𑘶ߜ.ςؼς
+B; 킃𑘶\u07DC。Σ\u063CΣ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。Σ\u063CΣ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。σ\u063Cσ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。σ\u063Cσ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。Σ\u063Cσ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+B; 킃𑘶\u07DC。Σ\u063Cσ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼσ
+T; 킃𑘶\u07DC。Σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+N; 킃𑘶\u07DC。Σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+T; 킃𑘶\u07DC。Σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+N; 킃𑘶\u07DC。Σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+T; 킃𑘶\u07DC。σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+N; 킃𑘶\u07DC。σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+T; 킃𑘶\u07DC。σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+N; 킃𑘶\u07DC。σ\u063Cς; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 킃𑘶ߜ.σؼς
+B; 蔰。\u08DD-𑈵; [P1 V6]; [P1 V6] # 蔰.ࣝ-𑈵
+B; xn--sz1a.xn----mrd9984r3dl0i; [V6]; [V6] # 蔰.ࣝ-𑈵
+T; ςჅ。\u075A; [P1 V6]; [P1 V6] # ςჅ.ݚ
+N; ςჅ。\u075A; [P1 V6]; [P1 V6] # ςჅ.ݚ
+T; ςⴥ。\u075A; ςⴥ.\u075A; xn--4xa203s.xn--epb # ςⴥ.ݚ
+N; ςⴥ。\u075A; ςⴥ.\u075A; xn--3xa403s.xn--epb # ςⴥ.ݚ
+B; ΣჅ。\u075A; [P1 V6]; [P1 V6] # σჅ.ݚ
+B; σⴥ。\u075A; σⴥ.\u075A; xn--4xa203s.xn--epb # σⴥ.ݚ
+B; Σⴥ。\u075A; σⴥ.\u075A; xn--4xa203s.xn--epb # σⴥ.ݚ
+B; xn--4xa203s.xn--epb; σⴥ.\u075A; xn--4xa203s.xn--epb # σⴥ.ݚ
+B; σⴥ.\u075A; ; xn--4xa203s.xn--epb # σⴥ.ݚ
+B; ΣჅ.\u075A; [P1 V6]; [P1 V6] # σჅ.ݚ
+B; Σⴥ.\u075A; σⴥ.\u075A; xn--4xa203s.xn--epb # σⴥ.ݚ
+B; xn--4xa477d.xn--epb; [V6]; [V6] # σჅ.ݚ
+B; xn--3xa403s.xn--epb; ςⴥ.\u075A; xn--3xa403s.xn--epb # ςⴥ.ݚ
+T; ςⴥ.\u075A; ; xn--4xa203s.xn--epb # ςⴥ.ݚ
+N; ςⴥ.\u075A; ; xn--3xa403s.xn--epb # ςⴥ.ݚ
+B; xn--3xa677d.xn--epb; [V6]; [V6] # ςჅ.ݚ
+B; \u0C4DႩ.\u1B72; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ్Ⴉ.᭲
+B; \u0C4DႩ.\u1B72; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ్Ⴉ.᭲
+B; \u0C4Dⴉ.\u1B72; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ్ⴉ.᭲
+B; xn--lqc478nlr02a.xn--dwf; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # ్ⴉ.᭲
+B; xn--lqc64t7t26c.xn--dwf; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # ్Ⴉ.᭲
+B; \u0C4Dⴉ.\u1B72; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ్ⴉ.᭲
+B; ⮷≮󠄟。𐠄; [B1 P1 V6]; [B1 P1 V6]
+B; ⮷<\u0338󠄟。𐠄; [B1 P1 V6]; [B1 P1 V6]
+B; xn--gdh877a3513h.xn--pc9c; [B1 V6]; [B1 V6]
+T; \u06BC。\u200Dẏ\u200Cᡤ; [B1 C1 C2]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+N; \u06BC。\u200Dẏ\u200Cᡤ; [B1 C1 C2]; [B1 C1 C2] # ڼ.ẏᡤ
+T; \u06BC。\u200Dy\u0307\u200Cᡤ; [B1 C1 C2]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+N; \u06BC。\u200Dy\u0307\u200Cᡤ; [B1 C1 C2]; [B1 C1 C2] # ڼ.ẏᡤ
+T; \u06BC。\u200Dẏ\u200Cᡤ; [B1 C1 C2]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+N; \u06BC。\u200Dẏ\u200Cᡤ; [B1 C1 C2]; [B1 C1 C2] # ڼ.ẏᡤ
+T; \u06BC。\u200Dy\u0307\u200Cᡤ; [B1 C1 C2]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+N; \u06BC。\u200Dy\u0307\u200Cᡤ; [B1 C1 C2]; [B1 C1 C2] # ڼ.ẏᡤ
+T; \u06BC。\u200DY\u0307\u200Cᡤ; [B1 C1 C2]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+N; \u06BC。\u200DY\u0307\u200Cᡤ; [B1 C1 C2]; [B1 C1 C2] # ڼ.ẏᡤ
+T; \u06BC。\u200DẎ\u200Cᡤ; [B1 C1 C2]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+N; \u06BC。\u200DẎ\u200Cᡤ; [B1 C1 C2]; [B1 C1 C2] # ڼ.ẏᡤ
+B; xn--vkb.xn--08e172a; \u06BC.ẏᡤ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+B; \u06BC.ẏᡤ; ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+B; \u06BC.y\u0307ᡤ; \u06BC.ẏᡤ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+B; \u06BC.Y\u0307ᡤ; \u06BC.ẏᡤ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+B; \u06BC.Ẏᡤ; \u06BC.ẏᡤ; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+B; xn--vkb.xn--08e172ax6aca; [B1 C1 C2]; [B1 C1 C2] # ڼ.ẏᡤ
+T; \u06BC。\u200DY\u0307\u200Cᡤ; [B1 C1 C2]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+N; \u06BC。\u200DY\u0307\u200Cᡤ; [B1 C1 C2]; [B1 C1 C2] # ڼ.ẏᡤ
+T; \u06BC。\u200DẎ\u200Cᡤ; [B1 C1 C2]; xn--vkb.xn--08e172a # ڼ.ẏᡤ
+N; \u06BC。\u200DẎ\u200Cᡤ; [B1 C1 C2]; [B1 C1 C2] # ڼ.ẏᡤ
+B; 𐹹𑲛。\u0DCA; [B1 P1 V6]; [B1 P1 V6] # 𐹹𑲛.්
+B; xn--xo0dg5v.xn--h1c39876d; [B1 V6]; [B1 V6] # 𐹹𑲛.්
+B; -≠𑈵。嵕\uFEF1۴\uA953; [B1 B5 P1 V3 V6]; [B1 B5 P1 V3 V6] # -≠𑈵.嵕ي۴꥓
+B; -=\u0338𑈵。嵕\uFEF1۴\uA953; [B1 B5 P1 V3 V6]; [B1 B5 P1 V3 V6] # -≠𑈵.嵕ي۴꥓
+B; -≠𑈵。嵕\u064A۴\uA953; [B1 B5 P1 V3 V6]; [B1 B5 P1 V3 V6] # -≠𑈵.嵕ي۴꥓
+B; -=\u0338𑈵。嵕\u064A۴\uA953; [B1 B5 P1 V3 V6]; [B1 B5 P1 V3 V6] # -≠𑈵.嵕ي۴꥓
+B; xn----ufo4749h.xn--mhb45a235sns3c; [B1 B5 V3 V6]; [B1 B5 V3 V6] # -≠𑈵.嵕ي۴꥓
+T; \u200C𐹶\u076E.\u06C1\u200D≯\u200D; [B1 B3 C1 C2 P1 V6]; [B3 B5 B6 P1 V6] # 𐹶ݮ.ہ≯
+N; \u200C𐹶\u076E.\u06C1\u200D≯\u200D; [B1 B3 C1 C2 P1 V6]; [B1 B3 C1 C2 P1 V6] # 𐹶ݮ.ہ≯
+T; \u200C𐹶\u076E.\u06C1\u200D>\u0338\u200D; [B1 B3 C1 C2 P1 V6]; [B3 B5 B6 P1 V6] # 𐹶ݮ.ہ≯
+N; \u200C𐹶\u076E.\u06C1\u200D>\u0338\u200D; [B1 B3 C1 C2 P1 V6]; [B1 B3 C1 C2 P1 V6] # 𐹶ݮ.ہ≯
+T; \u200C𐹶\u076E.\u06C1\u200D≯\u200D; [B1 B3 C1 C2 P1 V6]; [B3 B5 B6 P1 V6] # 𐹶ݮ.ہ≯
+N; \u200C𐹶\u076E.\u06C1\u200D≯\u200D; [B1 B3 C1 C2 P1 V6]; [B1 B3 C1 C2 P1 V6] # 𐹶ݮ.ہ≯
+T; \u200C𐹶\u076E.\u06C1\u200D>\u0338\u200D; [B1 B3 C1 C2 P1 V6]; [B3 B5 B6 P1 V6] # 𐹶ݮ.ہ≯
+N; \u200C𐹶\u076E.\u06C1\u200D>\u0338\u200D; [B1 B3 C1 C2 P1 V6]; [B1 B3 C1 C2 P1 V6] # 𐹶ݮ.ہ≯
+B; xn--ypb5875khz9y.xn--0kb682l; [B3 B5 B6 V6]; [B3 B5 B6 V6] # 𐹶ݮ.ہ≯
+B; xn--ypb717jrx2o7v94a.xn--0kb660ka35v; [B1 B3 C1 C2 V6]; [B1 B3 C1 C2 V6] # 𐹶ݮ.ہ≯
+B; ≮.\u17B5\u0855𐫔; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≮.ࡕ𐫔
+B; <\u0338.\u17B5\u0855𐫔; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≮.ࡕ𐫔
+B; ≮.\u17B5\u0855𐫔; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≮.ࡕ𐫔
+B; <\u0338.\u17B5\u0855𐫔; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≮.ࡕ𐫔
+B; xn--gdh.xn--kwb589e217p; [B1 V5 V6]; [B1 V5 V6] # ≮.ࡕ𐫔
+T; 𐩗\u200D。ႩႵ; [B3 C2 P1 V6]; [P1 V6] # 𐩗.ႩႵ
+N; 𐩗\u200D。ႩႵ; [B3 C2 P1 V6]; [B3 C2 P1 V6] # 𐩗.ႩႵ
+T; 𐩗\u200D。ႩႵ; [B3 C2 P1 V6]; [P1 V6] # 𐩗.ႩႵ
+N; 𐩗\u200D。ႩႵ; [B3 C2 P1 V6]; [B3 C2 P1 V6] # 𐩗.ႩႵ
+T; 𐩗\u200D。ⴉⴕ; [B3 C2]; xn--pt9c.xn--0kjya # 𐩗.ⴉⴕ
+N; 𐩗\u200D。ⴉⴕ; [B3 C2]; [B3 C2] # 𐩗.ⴉⴕ
+T; 𐩗\u200D。Ⴉⴕ; [B3 C2 P1 V6]; [P1 V6] # 𐩗.Ⴉⴕ
+N; 𐩗\u200D。Ⴉⴕ; [B3 C2 P1 V6]; [B3 C2 P1 V6] # 𐩗.Ⴉⴕ
+B; xn--pt9c.xn--hnd666l; [V6]; [V6]
+B; xn--1ug4933g.xn--hnd666l; [B3 C2 V6]; [B3 C2 V6] # 𐩗.Ⴉⴕ
+B; xn--pt9c.xn--0kjya; 𐩗.ⴉⴕ; xn--pt9c.xn--0kjya; NV8
+B; 𐩗.ⴉⴕ; ; xn--pt9c.xn--0kjya; NV8
+B; 𐩗.ႩႵ; [P1 V6]; [P1 V6]
+B; 𐩗.Ⴉⴕ; [P1 V6]; [P1 V6]
+B; xn--pt9c.xn--hndy; [V6]; [V6]
+B; xn--1ug4933g.xn--0kjya; [B3 C2]; [B3 C2] # 𐩗.ⴉⴕ
+B; xn--1ug4933g.xn--hndy; [B3 C2 V6]; [B3 C2 V6] # 𐩗.ႩႵ
+T; 𐩗\u200D。ⴉⴕ; [B3 C2]; xn--pt9c.xn--0kjya # 𐩗.ⴉⴕ
+N; 𐩗\u200D。ⴉⴕ; [B3 C2]; [B3 C2] # 𐩗.ⴉⴕ
+T; 𐩗\u200D。Ⴉⴕ; [B3 C2 P1 V6]; [P1 V6] # 𐩗.Ⴉⴕ
+N; 𐩗\u200D。Ⴉⴕ; [B3 C2 P1 V6]; [B3 C2 P1 V6] # 𐩗.Ⴉⴕ
+T; \u200C\u200Cㄤ.\u032E\u09C2; [C1 P1 V5 V6]; [P1 V5 V6] # ㄤ.̮ূ
+N; \u200C\u200Cㄤ.\u032E\u09C2; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ㄤ.̮ূ
+T; \u200C\u200Cㄤ.\u032E\u09C2; [C1 P1 V5 V6]; [P1 V5 V6] # ㄤ.̮ূ
+N; \u200C\u200Cㄤ.\u032E\u09C2; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ㄤ.̮ূ
+B; xn--1fk.xn--vta284a9o563a; [V5 V6]; [V5 V6] # ㄤ.̮ূ
+B; xn--0uga242k.xn--vta284a9o563a; [C1 V5 V6]; [C1 V5 V6] # ㄤ.̮ূ
+T; 𐋻。-\u200C𐫄Ⴗ; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𐋻.-𐫄Ⴗ
+N; 𐋻。-\u200C𐫄Ⴗ; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𐋻.-𐫄Ⴗ
+T; 𐋻。-\u200C𐫄Ⴗ; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𐋻.-𐫄Ⴗ
+N; 𐋻。-\u200C𐫄Ⴗ; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𐋻.-𐫄Ⴗ
+T; 𐋻。-\u200C𐫄ⴗ; [B1 C1 V3]; [B1 V3] # 𐋻.-𐫄ⴗ
+N; 𐋻。-\u200C𐫄ⴗ; [B1 C1 V3]; [B1 C1 V3] # 𐋻.-𐫄ⴗ
+B; xn--v97c.xn----lws0526f; [B1 V3]; [B1 V3]
+B; xn--v97c.xn----sgnv20du99s; [B1 C1 V3]; [B1 C1 V3] # 𐋻.-𐫄ⴗ
+B; xn--v97c.xn----i1g2513q; [B1 V3 V6]; [B1 V3 V6]
+B; xn--v97c.xn----i1g888ih12u; [B1 C1 V3 V6]; [B1 C1 V3 V6] # 𐋻.-𐫄Ⴗ
+T; 𐋻。-\u200C𐫄ⴗ; [B1 C1 V3]; [B1 V3] # 𐋻.-𐫄ⴗ
+N; 𐋻。-\u200C𐫄ⴗ; [B1 C1 V3]; [B1 C1 V3] # 𐋻.-𐫄ⴗ
+T; 🙑.≠\u200C; [B1 C1 P1 V6]; [B1 P1 V6] # 🙑.≠
+N; 🙑.≠\u200C; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 🙑.≠
+T; 🙑.=\u0338\u200C; [B1 C1 P1 V6]; [B1 P1 V6] # 🙑.≠
+N; 🙑.=\u0338\u200C; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 🙑.≠
+T; 🙑.≠\u200C; [B1 C1 P1 V6]; [B1 P1 V6] # 🙑.≠
+N; 🙑.≠\u200C; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 🙑.≠
+T; 🙑.=\u0338\u200C; [B1 C1 P1 V6]; [B1 P1 V6] # 🙑.≠
+N; 🙑.=\u0338\u200C; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 🙑.≠
+B; xn--bl0dh970b.xn--1ch; [B1 V6]; [B1 V6]
+B; xn--bl0dh970b.xn--0ug83g; [B1 C1 V6]; [B1 C1 V6] # 🙑.≠
+B; \u064C\u1CD2。\u2D7F⧎; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ٌ᳒.⵿⧎
+B; \u064C\u1CD2。\u2D7F⧎; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ٌ᳒.⵿⧎
+B; xn--ohb646i.xn--ewi38jf765c; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # ٌ᳒.⵿⧎
+B; Ⴔ𝨨₃.𝟳𑂹\u0B82; [P1 V6]; [P1 V6] # Ⴔ𝨨3.7𑂹ஂ
+B; Ⴔ𝨨3.7𑂹\u0B82; [P1 V6]; [P1 V6] # Ⴔ𝨨3.7𑂹ஂ
+B; ⴔ𝨨3.7𑂹\u0B82; [P1 V6]; [P1 V6] # ⴔ𝨨3.7𑂹ஂ
+B; xn--3-ews6985n35s3g.xn--7-cve6271r; [V6]; [V6] # ⴔ𝨨3.7𑂹ஂ
+B; xn--3-b1g83426a35t0g.xn--7-cve6271r; [V6]; [V6] # Ⴔ𝨨3.7𑂹ஂ
+B; ⴔ𝨨₃.𝟳𑂹\u0B82; [P1 V6]; [P1 V6] # ⴔ𝨨3.7𑂹ஂ
+T; 䏈\u200C。\u200C⒈; [C1 P1 V6]; [P1 V6] # 䏈.⒈
+N; 䏈\u200C。\u200C⒈; [C1 P1 V6]; [C1 P1 V6] # 䏈.⒈
+T; 䏈\u200C。\u200C1.; [C1 P1 V6]; [P1 V6] # 䏈.1.
+N; 䏈\u200C。\u200C1.; [C1 P1 V6]; [C1 P1 V6] # 䏈.1.
+B; xn--eco.1.xn--ms39a; [V6]; [V6]
+B; xn--0ug491l.xn--1-rgn.xn--ms39a; [C1 V6]; [C1 V6] # 䏈.1.
+B; xn--eco.xn--tsh21126d; [V6]; [V6]
+B; xn--0ug491l.xn--0ug88oot66q; [C1 V6]; [C1 V6] # 䏈.⒈
+T; 1\uAAF6ß𑲥。\u1DD8; [V5]; [V5] # 1꫶ß𑲥.ᷘ
+N; 1\uAAF6ß𑲥。\u1DD8; [V5]; [V5] # 1꫶ß𑲥.ᷘ
+T; 1\uAAF6ß𑲥。\u1DD8; [V5]; [V5] # 1꫶ß𑲥.ᷘ
+N; 1\uAAF6ß𑲥。\u1DD8; [V5]; [V5] # 1꫶ß𑲥.ᷘ
+B; 1\uAAF6SS𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
+B; 1\uAAF6ss𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
+B; 1\uAAF6Ss𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
+B; xn--1ss-ir6ln166b.xn--weg; [V5]; [V5] # 1꫶ss𑲥.ᷘ
+B; xn--1-qfa2471kdb0d.xn--weg; [V5]; [V5] # 1꫶ß𑲥.ᷘ
+B; 1\uAAF6SS𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
+B; 1\uAAF6ss𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
+B; 1\uAAF6Ss𑲥。\u1DD8; [V5]; [V5] # 1꫶ss𑲥.ᷘ
+T; \u200D\u0CCD。\u077C⒈; [B1 C2 P1 V6]; [B5 B6 P1 V6] # ್.ݼ⒈
+N; \u200D\u0CCD。\u077C⒈; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ್.ݼ⒈
+T; \u200D\u0CCD。\u077C1.; [B1 C2 P1 V6]; [B5 B6 P1 V6] # ್.ݼ1.
+N; \u200D\u0CCD。\u077C1.; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ್.ݼ1.
+B; xn--8tc9875v5is1a.xn--1-g6c.; [B5 B6 V6]; [B5 B6 V6] # ್.ݼ1.
+B; xn--8tc969gzn94a4lm8a.xn--1-g6c.; [B1 C2 V6]; [B1 C2 V6] # ್.ݼ1.
+B; xn--8tc9875v5is1a.xn--dqb689l; [B5 B6 V6]; [B5 B6 V6] # ್.ݼ⒈
+B; xn--8tc969gzn94a4lm8a.xn--dqb689l; [B1 C2 V6]; [B1 C2 V6] # ್.ݼ⒈
+B; \u1AB6.𞤳\u07D7; [B1 B2 B3 B6 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # ᪶.𞤳ߗ
+B; \u1AB6.𞤳\u07D7; [B1 B2 B3 B6 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # ᪶.𞤳ߗ
+B; \u1AB6.𞤑\u07D7; [B1 B2 B3 B6 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # ᪶.𞤳ߗ
+B; xn--zqf.xn--ysb9657vuiz5bj0ep; [B1 B2 B3 B6 V5 V6]; [B1 B2 B3 B6 V5 V6] # ᪶.𞤳ߗ
+B; \u1AB6.𞤑\u07D7; [B1 B2 B3 B6 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # ᪶.𞤳ߗ
+B; \u0842⒈.8\u0770; [B1 P1 V6]; [B1 P1 V6] # ࡂ⒈.8ݰ
+B; \u08421..8\u0770; [B1 P1 V6 A4_2]; [B1 P1 V6 A4_2] # ࡂ1..8ݰ
+B; xn--1-rid26318a..xn--8-s5c22427ox454a; [B1 V6 A4_2]; [B1 V6 A4_2] # ࡂ1..8ݰ
+B; xn--0vb095ldg52a.xn--8-s5c22427ox454a; [B1 V6]; [B1 V6] # ࡂ⒈.8ݰ
+B; \u0361𐫫\u0369ᡷ。-鞰; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ͡𐫫ͩᡷ.-鞰
+B; xn--cvaq482npv5t.xn----yg7dt1332g; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ͡𐫫ͩᡷ.-鞰
+T; -.\u0ACD剘ß𐫃; [B1 V3 V5]; [B1 V3 V5] # -.્剘ß𐫃
+N; -.\u0ACD剘ß𐫃; [B1 V3 V5]; [B1 V3 V5] # -.્剘ß𐫃
+B; -.\u0ACD剘SS𐫃; [B1 V3 V5]; [B1 V3 V5] # -.્剘ss𐫃
+B; -.\u0ACD剘ss𐫃; [B1 V3 V5]; [B1 V3 V5] # -.્剘ss𐫃
+B; -.\u0ACD剘Ss𐫃; [B1 V3 V5]; [B1 V3 V5] # -.્剘ss𐫃
+B; -.xn--ss-bqg4734erywk; [B1 V3 V5]; [B1 V3 V5] # -.્剘ss𐫃
+B; -.xn--zca791c493duf8i; [B1 V3 V5]; [B1 V3 V5] # -.્剘ß𐫃
+B; \u08FB。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ࣻ.-
+B; \u08FB。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ࣻ.-
+B; xn--b1b2719v.-; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ࣻ.-
+B; ⒈𐹲。≠\u0603𐹽; [B1 P1 V6]; [B1 P1 V6] # ⒈𐹲.≠𐹽
+B; ⒈𐹲。=\u0338\u0603𐹽; [B1 P1 V6]; [B1 P1 V6] # ⒈𐹲.≠𐹽
+B; 1.𐹲。≠\u0603𐹽; [B1 P1 V6]; [B1 P1 V6] # 1.𐹲.≠𐹽
+B; 1.𐹲。=\u0338\u0603𐹽; [B1 P1 V6]; [B1 P1 V6] # 1.𐹲.≠𐹽
+B; 1.xn--qo0dl3077c.xn--lfb536lb35n; [B1 V6]; [B1 V6] # 1.𐹲.≠𐹽
+B; xn--tshw766f1153g.xn--lfb536lb35n; [B1 V6]; [B1 V6] # ⒈𐹲.≠𐹽
+T; 𐹢Ⴎ\u200C.㖾𐹡; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # 𐹢Ⴎ.㖾𐹡
+N; 𐹢Ⴎ\u200C.㖾𐹡; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # 𐹢Ⴎ.㖾𐹡
+T; 𐹢ⴎ\u200C.㖾𐹡; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # 𐹢ⴎ.㖾𐹡
+N; 𐹢ⴎ\u200C.㖾𐹡; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # 𐹢ⴎ.㖾𐹡
+B; xn--5kjx323em053g.xn--pelu572d; [B1 B5 B6 V6]; [B1 B5 B6 V6]
+B; xn--0ug342clq0pqxv4i.xn--pelu572d; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # 𐹢ⴎ.㖾𐹡
+B; xn--mnd9001km0o0g.xn--pelu572d; [B1 B5 B6 V6]; [B1 B5 B6 V6]
+B; xn--mnd289ezj4pqxp0i.xn--pelu572d; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # 𐹢Ⴎ.㖾𐹡
+B; .\u07C7ᡖႳႧ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # .߇ᡖႳႧ
+B; .\u07C7ᡖႳႧ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # .߇ᡖႳႧ
+B; .\u07C7ᡖⴓⴇ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # .߇ᡖⴓⴇ
+B; .\u07C7ᡖႳⴇ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # .߇ᡖႳⴇ
+B; xn--te28c.xn--isb286btrgo7w; [B2 B3 V6]; [B2 B3 V6] # .߇ᡖႳⴇ
+B; xn--te28c.xn--isb295fbtpmb; [B2 B3 V6]; [B2 B3 V6] # .߇ᡖⴓⴇ
+B; xn--te28c.xn--isb856b9a631d; [B2 B3 V6]; [B2 B3 V6] # .߇ᡖႳႧ
+B; .\u07C7ᡖⴓⴇ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # .߇ᡖⴓⴇ
+B; .\u07C7ᡖႳⴇ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # .߇ᡖႳⴇ
+T; \u200D.\u06B3\u0775; [B1 C2 P1 V6]; [P1 V6] # .ڳݵ
+N; \u200D.\u06B3\u0775; [B1 C2 P1 V6]; [B1 C2 P1 V6] # .ڳݵ
+B; xn--3j78f.xn--mkb20b; [V6]; [V6] # .ڳݵ
+B; xn--1ug39444n.xn--mkb20b; [B1 C2 V6]; [B1 C2 V6] # .ڳݵ
+B; ⒛⾳.ꡦ⒈; [P1 V6]; [P1 V6]
+B; 20.音.ꡦ1.; [P1 V6]; [P1 V6]
+B; xn--20-9802c.xn--0w5a.xn--1-eg4e.; [V6]; [V6]
+B; xn--dth6033bzbvx.xn--tsh9439b; [V6]; [V6]
+B; \u07DC8-。𑁿𐩥\u09CD; [B2 B3 B5 B6 P1 V3 V6]; [B2 B3 B5 B6 P1 V3 V6] # ߜ8-.𑁿𐩥্
+B; \u07DC8-。𑁿𐩥\u09CD; [B2 B3 B5 B6 P1 V3 V6]; [B2 B3 B5 B6 P1 V3 V6] # ߜ8-.𑁿𐩥্
+B; xn--8--rve13079p.xn--b7b9842k42df776x; [B2 B3 B5 B6 V3 V6]; [B2 B3 B5 B6 V3 V6] # ߜ8-.𑁿𐩥্
+T; Ⴕ。۰≮ß\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ß݅
+N; Ⴕ。۰≮ß\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ß݅
+T; Ⴕ。۰<\u0338ß\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ß݅
+N; Ⴕ。۰<\u0338ß\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ß݅
+T; ⴕ。۰<\u0338ß\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ß݅
+N; ⴕ。۰<\u0338ß\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ß݅
+T; ⴕ。۰≮ß\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ß݅
+N; ⴕ。۰≮ß\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ß݅
+B; Ⴕ。۰≮SS\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ss݅
+B; Ⴕ。۰<\u0338SS\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ss݅
+B; ⴕ。۰<\u0338ss\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ss݅
+B; ⴕ。۰≮ss\u0745; [P1 V6]; [P1 V6] # ⴕ.۰≮ss݅
+B; Ⴕ。۰≮Ss\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ss݅
+B; Ⴕ。۰<\u0338Ss\u0745; [P1 V6]; [P1 V6] # Ⴕ.۰≮ss݅
+B; xn--tnd.xn--ss-jbe65aw27i; [V6]; [V6] # Ⴕ.۰≮ss݅
+B; xn--dlj.xn--ss-jbe65aw27i; [V6]; [V6] # ⴕ.۰≮ss݅
+B; xn--dlj.xn--zca912alh227g; [V6]; [V6] # ⴕ.۰≮ß݅
+B; xn--tnd.xn--zca912alh227g; [V6]; [V6] # Ⴕ.۰≮ß݅
+B; \u07E9-.𝨗꒱\u1B72; [B1 B3 V3 V5]; [B1 B3 V3 V5] # ߩ-.𝨗꒱᭲
+B; xn----odd.xn--dwf8994dc8wj; [B1 B3 V3 V5]; [B1 B3 V3 V5] # ߩ-.𝨗꒱᭲
+T; \u200C.≯䕵⫧; [B1 B3 C1 P1 V6]; [B1 P1 V6] # .≯䕵⫧
+N; \u200C.≯䕵⫧; [B1 B3 C1 P1 V6]; [B1 B3 C1 P1 V6] # .≯䕵⫧
+T; \u200C.>\u0338䕵⫧; [B1 B3 C1 P1 V6]; [B1 P1 V6] # .≯䕵⫧
+N; \u200C.>\u0338䕵⫧; [B1 B3 C1 P1 V6]; [B1 B3 C1 P1 V6] # .≯䕵⫧
+B; xn--sn7h.xn--hdh754ax6w; [B1 V6]; [B1 V6]
+B; xn--0ugx453p.xn--hdh754ax6w; [B1 B3 C1 V6]; [B1 B3 C1 V6] # .≯䕵⫧
+T; 𐨅ß\uFC57.\u06AC۳︒; [B1 B3 P1 V5 V6]; [B1 B3 P1 V5 V6] # 𐨅ßيخ.ڬ۳︒
+N; 𐨅ß\uFC57.\u06AC۳︒; [B1 B3 P1 V5 V6]; [B1 B3 P1 V5 V6] # 𐨅ßيخ.ڬ۳︒
+T; 𐨅ß\u064A\u062E.\u06AC۳。; [B1 V5]; [B1 V5] # 𐨅ßيخ.ڬ۳.
+N; 𐨅ß\u064A\u062E.\u06AC۳。; [B1 V5]; [B1 V5] # 𐨅ßيخ.ڬ۳.
+B; 𐨅SS\u064A\u062E.\u06AC۳。; [B1 V5]; [B1 V5] # 𐨅ssيخ.ڬ۳.
+B; 𐨅ss\u064A\u062E.\u06AC۳。; [B1 V5]; [B1 V5] # 𐨅ssيخ.ڬ۳.
+B; 𐨅Ss\u064A\u062E.\u06AC۳。; [B1 V5]; [B1 V5] # 𐨅ssيخ.ڬ۳.
+B; xn--ss-ytd5i7765l.xn--fkb6l.; [B1 V5]; [B1 V5] # 𐨅ssيخ.ڬ۳.
+B; xn--zca23yncs877j.xn--fkb6l.; [B1 V5]; [B1 V5] # 𐨅ßيخ.ڬ۳.
+B; 𐨅SS\uFC57.\u06AC۳︒; [B1 B3 P1 V5 V6]; [B1 B3 P1 V5 V6] # 𐨅ssيخ.ڬ۳︒
+B; 𐨅ss\uFC57.\u06AC۳︒; [B1 B3 P1 V5 V6]; [B1 B3 P1 V5 V6] # 𐨅ssيخ.ڬ۳︒
+B; 𐨅Ss\uFC57.\u06AC۳︒; [B1 B3 P1 V5 V6]; [B1 B3 P1 V5 V6] # 𐨅ssيخ.ڬ۳︒
+B; xn--ss-ytd5i7765l.xn--fkb6lp314e; [B1 B3 V5 V6]; [B1 B3 V5 V6] # 𐨅ssيخ.ڬ۳︒
+B; xn--zca23yncs877j.xn--fkb6lp314e; [B1 B3 V5 V6]; [B1 B3 V5 V6] # 𐨅ßيخ.ڬ۳︒
+B; -≮🡒\u1CED.Ⴁ\u0714; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -≮🡒᳭.Ⴁܔ
+B; -<\u0338🡒\u1CED.Ⴁ\u0714; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -≮🡒᳭.Ⴁܔ
+B; -<\u0338🡒\u1CED.ⴁ\u0714; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -≮🡒᳭.ⴁܔ
+B; -≮🡒\u1CED.ⴁ\u0714; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -≮🡒᳭.ⴁܔ
+B; xn----44l04zxt68c.xn--enb135qf106f; [B1 V3 V6]; [B1 V3 V6] # -≮🡒᳭.ⴁܔ
+B; xn----44l04zxt68c.xn--enb300c1597h; [B1 V3 V6]; [B1 V3 V6] # -≮🡒᳭.Ⴁܔ
+T; 𞤨。ꡏ\u200D\u200C; [B6 C1 C2]; xn--ge6h.xn--oc9a # 𞤨.ꡏ
+N; 𞤨。ꡏ\u200D\u200C; [B6 C1 C2]; [B6 C1 C2] # 𞤨.ꡏ
+T; 𞤨。ꡏ\u200D\u200C; [B6 C1 C2]; xn--ge6h.xn--oc9a # 𞤨.ꡏ
+N; 𞤨。ꡏ\u200D\u200C; [B6 C1 C2]; [B6 C1 C2] # 𞤨.ꡏ
+T; 𞤆。ꡏ\u200D\u200C; [B6 C1 C2]; xn--ge6h.xn--oc9a # 𞤨.ꡏ
+N; 𞤆。ꡏ\u200D\u200C; [B6 C1 C2]; [B6 C1 C2] # 𞤨.ꡏ
+B; xn--ge6h.xn--oc9a; 𞤨.ꡏ; xn--ge6h.xn--oc9a
+B; 𞤨.ꡏ; ; xn--ge6h.xn--oc9a
+B; 𞤆.ꡏ; 𞤨.ꡏ; xn--ge6h.xn--oc9a
+B; xn--ge6h.xn--0ugb9575h; [B6 C1 C2]; [B6 C1 C2] # 𞤨.ꡏ
+T; 𞤆。ꡏ\u200D\u200C; [B6 C1 C2]; xn--ge6h.xn--oc9a # 𞤨.ꡏ
+N; 𞤆。ꡏ\u200D\u200C; [B6 C1 C2]; [B6 C1 C2] # 𞤨.ꡏ
+B; 󠅹𑂶.ᢌ𑂹\u0669; [B1 B3 B5 B6 V5]; [B1 B3 B5 B6 V5] # 𑂶.ᢌ𑂹٩
+B; 󠅹𑂶.ᢌ𑂹\u0669; [B1 B3 B5 B6 V5]; [B1 B3 B5 B6 V5] # 𑂶.ᢌ𑂹٩
+B; xn--b50d.xn--iib993gyp5p; [B1 B3 B5 B6 V5]; [B1 B3 B5 B6 V5] # 𑂶.ᢌ𑂹٩
+B; Ⅎ󠅺。≯⾑; [P1 V6]; [P1 V6]
+B; Ⅎ󠅺。>\u0338⾑; [P1 V6]; [P1 V6]
+B; Ⅎ󠅺。≯襾; [P1 V6]; [P1 V6]
+B; Ⅎ󠅺。>\u0338襾; [P1 V6]; [P1 V6]
+B; ⅎ󠅺。>\u0338襾; [P1 V6]; [P1 V6]
+B; ⅎ󠅺。≯襾; [P1 V6]; [P1 V6]
+B; xn--73g39298c.xn--hdhz171b; [V6]; [V6]
+B; xn--f3g73398c.xn--hdhz171b; [V6]; [V6]
+B; ⅎ󠅺。>\u0338⾑; [P1 V6]; [P1 V6]
+B; ⅎ󠅺。≯⾑; [P1 V6]; [P1 V6]
+T; ς\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 V3] # ςු٠.-
+N; ς\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 C2 V3] # ςු٠.-
+T; ς\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 V3] # ςු٠.-
+N; ς\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 C2 V3] # ςු٠.-
+T; Σ\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 V3] # σු٠.-
+N; Σ\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 C2 V3] # σු٠.-
+T; σ\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 V3] # σු٠.-
+N; σ\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 C2 V3] # σු٠.-
+B; xn--4xa25ks2j.-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # σු٠.-
+B; xn--4xa25ks2jenu.-; [B1 B5 B6 C2 V3]; [B1 B5 B6 C2 V3] # σු٠.-
+B; xn--3xa45ks2jenu.-; [B1 B5 B6 C2 V3]; [B1 B5 B6 C2 V3] # ςු٠.-
+T; Σ\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 V3] # σු٠.-
+N; Σ\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 C2 V3] # σු٠.-
+T; σ\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 V3] # σු٠.-
+N; σ\u200D\u0DD4\u0660。-; [B1 B5 B6 C2 V3]; [B1 B5 B6 C2 V3] # σු٠.-
+T; \u200C.ßႩ-; [C1 P1 V3 V6]; [P1 V3 V6 A4_2] # .ßႩ-
+N; \u200C.ßႩ-; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .ßႩ-
+T; \u200C.ßⴉ-; [C1 V3]; [V3 A4_2] # .ßⴉ-
+N; \u200C.ßⴉ-; [C1 V3]; [C1 V3] # .ßⴉ-
+T; \u200C.SSႩ-; [C1 P1 V3 V6]; [P1 V3 V6 A4_2] # .ssႩ-
+N; \u200C.SSႩ-; [C1 P1 V3 V6]; [C1 P1 V3 V6] # .ssႩ-
+T; \u200C.ssⴉ-; [C1 V3]; [V3 A4_2] # .ssⴉ-
+N; \u200C.ssⴉ-; [C1 V3]; [C1 V3] # .ssⴉ-
+T; \u200C.Ssⴉ-; [C1 V3]; [V3 A4_2] # .ssⴉ-
+N; \u200C.Ssⴉ-; [C1 V3]; [C1 V3] # .ssⴉ-
+B; .xn--ss--bi1b; [V3 A4_2]; [V3 A4_2]
+B; xn--0ug.xn--ss--bi1b; [C1 V3]; [C1 V3] # .ssⴉ-
+B; .xn--ss--4rn; [V3 V6 A4_2]; [V3 V6 A4_2]
+B; xn--0ug.xn--ss--4rn; [C1 V3 V6]; [C1 V3 V6] # .ssႩ-
+B; xn--0ug.xn----pfa2305a; [C1 V3]; [C1 V3] # .ßⴉ-
+B; xn--0ug.xn----pfa042j; [C1 V3 V6]; [C1 V3 V6] # .ßႩ-
+B; 𐫍㓱。⾑; [B5 P1 V6]; [B5 P1 V6]
+B; 𐫍㓱。襾; [B5 P1 V6]; [B5 P1 V6]
+B; xn--u7kt691dlj09f.xn--9v2a; [B5 V6]; [B5 V6]
+T; \u06A0𐮋𐹰≮。≯\u200D; [B1 B3 C2 P1 V6]; [B1 B3 P1 V6] # ڠ𐮋𐹰≮.≯
+N; \u06A0𐮋𐹰≮。≯\u200D; [B1 B3 C2 P1 V6]; [B1 B3 C2 P1 V6] # ڠ𐮋𐹰≮.≯
+T; \u06A0𐮋𐹰<\u0338。>\u0338\u200D; [B1 B3 C2 P1 V6]; [B1 B3 P1 V6] # ڠ𐮋𐹰≮.≯
+N; \u06A0𐮋𐹰<\u0338。>\u0338\u200D; [B1 B3 C2 P1 V6]; [B1 B3 C2 P1 V6] # ڠ𐮋𐹰≮.≯
+B; xn--2jb053lf13nyoc.xn--hdh08821l; [B1 B3 V6]; [B1 B3 V6] # ڠ𐮋𐹰≮.≯
+B; xn--2jb053lf13nyoc.xn--1ugx6gc8096c; [B1 B3 C2 V6]; [B1 B3 C2 V6] # ڠ𐮋𐹰≮.≯
+B; 𝟞。\u0777\u08B0⩋; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # 6.ݷࢰ⩋
+B; 6。\u0777\u08B0⩋; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # 6.ݷࢰ⩋
+B; 6.xn--7pb04do15eq748f; [B1 B5 B6 V6]; [B1 B5 B6 V6] # 6.ݷࢰ⩋
+B; -\uFCFD。𑇀𑍴; [B1 V3 V5]; [B1 V3 V5] # -شى.𑇀𑍴
+B; -\uFCFD。𑇀𑍴; [B1 V3 V5]; [B1 V3 V5] # -شى.𑇀𑍴
+B; -\u0634\u0649。𑇀𑍴; [B1 V3 V5]; [B1 V3 V5] # -شى.𑇀𑍴
+B; xn----qnc7d.xn--wd1d62a; [B1 V3 V5]; [B1 V3 V5] # -شى.𑇀𑍴
+T; \u200C𝟏.\u0D43𐹬; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 1.ൃ𐹬
+N; \u200C𝟏.\u0D43𐹬; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 1.ൃ𐹬
+T; \u200C1.\u0D43𐹬; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 1.ൃ𐹬
+N; \u200C1.\u0D43𐹬; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 1.ൃ𐹬
+B; xn--1-f521m.xn--mxc0872kcu37dnmem; [B1 V5 V6]; [B1 V5 V6] # 1.ൃ𐹬
+B; xn--1-rgnu0071n.xn--mxc0872kcu37dnmem; [B1 C1 V5 V6]; [B1 C1 V5 V6] # 1.ൃ𐹬
+T; 齙--𝟰.ß; 齙--4.ß; xn----4-p16k.ss
+N; 齙--𝟰.ß; 齙--4.ß; xn----4-p16k.xn--zca
+T; 齙--4.ß; ; xn----4-p16k.ss
+N; 齙--4.ß; ; xn----4-p16k.xn--zca
+B; 齙--4.SS; 齙--4.ss; xn----4-p16k.ss
+B; 齙--4.ss; ; xn----4-p16k.ss
+B; 齙--4.Ss; 齙--4.ss; xn----4-p16k.ss
+B; xn----4-p16k.ss; 齙--4.ss; xn----4-p16k.ss
+B; xn----4-p16k.xn--zca; 齙--4.ß; xn----4-p16k.xn--zca
+B; 齙--𝟰.SS; 齙--4.ss; xn----4-p16k.ss
+B; 齙--𝟰.ss; 齙--4.ss; xn----4-p16k.ss
+B; 齙--𝟰.Ss; 齙--4.ss; xn----4-p16k.ss
+T; \u1BF2.𐹢𞀖\u200C; [B1 C1 V5]; [B1 V5] # ᯲.𐹢𞀖
+N; \u1BF2.𐹢𞀖\u200C; [B1 C1 V5]; [B1 C1 V5] # ᯲.𐹢𞀖
+B; xn--0zf.xn--9n0d2296a; [B1 V5]; [B1 V5] # ᯲.𐹢𞀖
+B; xn--0zf.xn--0ug9894grqqf; [B1 C1 V5]; [B1 C1 V5] # ᯲.𐹢𞀖
+T; 。\uDEDE-\u200D; [C2 P1 V6]; [P1 V3 V6 A3] # .-
+N; 。\uDEDE-\u200D; [C2 P1 V6]; [C2 P1 V6 A3] # .-
+T; 。\uDEDE-\u200D; [C2 P1 V6]; [P1 V3 V6 A3] # .-
+N; 。\uDEDE-\u200D; [C2 P1 V6]; [C2 P1 V6 A3] # .-
+B; xn--ct86d8w51a.\uDEDE-; [P1 V3 V6]; [P1 V3 V6 A3] # .-
+B; XN--CT86D8W51A.\uDEDE-; [P1 V3 V6]; [P1 V3 V6 A3] # .-
+B; Xn--Ct86d8w51a.\uDEDE-; [P1 V3 V6]; [P1 V3 V6 A3] # .-
+T; xn--ct86d8w51a.\uDEDE-\u200D; [C2 P1 V6]; [P1 V3 V6 A3] # .-
+N; xn--ct86d8w51a.\uDEDE-\u200D; [C2 P1 V6]; [C2 P1 V6 A3] # .-
+T; XN--CT86D8W51A.\uDEDE-\u200D; [C2 P1 V6]; [P1 V3 V6 A3] # .-
+N; XN--CT86D8W51A.\uDEDE-\u200D; [C2 P1 V6]; [C2 P1 V6 A3] # .-
+T; Xn--Ct86d8w51a.\uDEDE-\u200D; [C2 P1 V6]; [P1 V3 V6 A3] # .-
+N; Xn--Ct86d8w51a.\uDEDE-\u200D; [C2 P1 V6]; [C2 P1 V6 A3] # .-
+B; \u1A60.-𝪩悎; [B1 B2 B3 B6 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # ᩠.-𝪩悎
+B; \u1A60.-𝪩悎; [B1 B2 B3 B6 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # ᩠.-𝪩悎
+B; xn--jof.xn----gf4bq282iezpa; [B1 B2 B3 B6 V5 V6]; [B1 B2 B3 B6 V5 V6] # ᩠.-𝪩悎
+B; .𞤳; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6]
+B; .𞤳; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6]
+B; .𞤑; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6]
+B; xn--xx5gy2741c.xn--re6hw266j; [B2 B3 B6 V6]; [B2 B3 B6 V6]
+B; .𞤑; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6]
+B; \u071C𐫒\u062E.𐋲; [B1]; [B1] # ܜ𐫒خ.𐋲
+B; xn--tgb98b8643d.xn--m97c; [B1]; [B1] # ܜ𐫒خ.𐋲
+B; 𐼑𞤓\u0637\u08E2.\uDF56; [P1 V6]; [P1 V6 A3] # 𞤵ط.
+B; 𐼑𞤵\u0637\u08E2.\uDF56; [P1 V6]; [P1 V6 A3] # 𞤵ط.
+B; xn--2gb08k9w69agm0g.\uDF56; [P1 V6]; [P1 V6 A3] # 𞤵ط.
+B; XN--2GB08K9W69AGM0G.\uDF56; [P1 V6]; [P1 V6 A3] # 𞤵ط.
+B; Xn--2Gb08k9w69agm0g.\uDF56; [P1 V6]; [P1 V6 A3] # 𞤵ط.
+B; Ↄ。\u0A4D\u1CD4; [B1 P1 V5 V6]; [B1 P1 V5 V6] # Ↄ.᳔੍
+B; Ↄ。\u1CD4\u0A4D; [B1 P1 V5 V6]; [B1 P1 V5 V6] # Ↄ.᳔੍
+B; ↄ。\u1CD4\u0A4D; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ↄ.᳔੍
+B; xn--r5g.xn--ybc995g0835a; [B1 V5 V6]; [B1 V5 V6] # ↄ.᳔੍
+B; xn--q5g.xn--ybc995g0835a; [B1 V5 V6]; [B1 V5 V6] # Ↄ.᳔੍
+B; ↄ。\u0A4D\u1CD4; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ↄ.᳔੍
+B; -。≮𑜫; [P1 V3 V6]; [P1 V3 V6]
+B; -。<\u0338𑜫; [P1 V3 V6]; [P1 V3 V6]
+B; xn----bh61m.xn--gdhz157g0em1d; [V3 V6]; [V3 V6]
+T; \u200C\u200D。≮Ⴉ; [C1 C2 P1 V6]; [P1 V6] # .≮Ⴉ
+N; \u200C\u200D。≮Ⴉ; [C1 C2 P1 V6]; [C1 C2 P1 V6] # .≮Ⴉ
+T; \u200C\u200D。<\u0338Ⴉ; [C1 C2 P1 V6]; [P1 V6] # .≮Ⴉ
+N; \u200C\u200D。<\u0338Ⴉ; [C1 C2 P1 V6]; [C1 C2 P1 V6] # .≮Ⴉ
+T; \u200C\u200D。<\u0338ⴉ; [C1 C2 P1 V6]; [P1 V6] # .≮ⴉ
+N; \u200C\u200D。<\u0338ⴉ; [C1 C2 P1 V6]; [C1 C2 P1 V6] # .≮ⴉ
+T; \u200C\u200D。≮ⴉ; [C1 C2 P1 V6]; [P1 V6] # .≮ⴉ
+N; \u200C\u200D。≮ⴉ; [C1 C2 P1 V6]; [C1 C2 P1 V6] # .≮ⴉ
+B; xn--3n36e.xn--gdh992byu01p; [V6]; [V6]
+B; xn--0ugc90904y.xn--gdh992byu01p; [C1 C2 V6]; [C1 C2 V6] # .≮ⴉ
+B; xn--3n36e.xn--hnd112gpz83n; [V6]; [V6]
+B; xn--0ugc90904y.xn--hnd112gpz83n; [C1 C2 V6]; [C1 C2 V6] # .≮Ⴉ
+B; 𐹯-𑄴\u08BC。︒䖐⾆; [B1 P1 V6]; [B1 P1 V6] # 𐹯-𑄴ࢼ.︒䖐舌
+B; 𐹯-𑄴\u08BC。。䖐舌; [B1 A4_2]; [B1 A4_2] # 𐹯-𑄴ࢼ..䖐舌
+B; xn----rpd7902rclc..xn--fpo216m; [B1 A4_2]; [B1 A4_2] # 𐹯-𑄴ࢼ..䖐舌
+B; xn----rpd7902rclc.xn--fpo216mn07e; [B1 V6]; [B1 V6] # 𐹯-𑄴ࢼ.︒䖐舌
+B; 𝪞Ⴐ。쪡; [P1 V5 V6]; [P1 V5 V6]
+B; 𝪞Ⴐ。쪡; [P1 V5 V6]; [P1 V5 V6]
+B; 𝪞Ⴐ。쪡; [P1 V5 V6]; [P1 V5 V6]
+B; 𝪞Ⴐ。쪡; [P1 V5 V6]; [P1 V5 V6]
+B; 𝪞ⴐ。쪡; [V5]; [V5]
+B; 𝪞ⴐ。쪡; [V5]; [V5]
+B; xn--7kj1858k.xn--pi6b; [V5]; [V5]
+B; xn--ond3755u.xn--pi6b; [V5 V6]; [V5 V6]
+B; 𝪞ⴐ。쪡; [V5]; [V5]
+B; 𝪞ⴐ。쪡; [V5]; [V5]
+B; \u0E3A쩁𐹬.; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ฺ쩁𐹬.
+B; \u0E3A쩁𐹬.; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ฺ쩁𐹬.
+B; xn--o4c4837g2zvb.xn--5f70g; [B1 V5 V6]; [B1 V5 V6] # ฺ쩁𐹬.
+T; ᡅ0\u200C。⎢; [C1 P1 V6]; [P1 V6] # ᡅ0.⎢
+N; ᡅ0\u200C。⎢; [C1 P1 V6]; [C1 P1 V6] # ᡅ0.⎢
+T; ᡅ0\u200C。⎢; [C1 P1 V6]; [P1 V6] # ᡅ0.⎢
+N; ᡅ0\u200C。⎢; [C1 P1 V6]; [C1 P1 V6] # ᡅ0.⎢
+B; xn--0-z6j.xn--8lh28773l; [V6]; [V6]
+B; xn--0-z6jy93b.xn--8lh28773l; [C1 V6]; [C1 V6] # ᡅ0.⎢
+T; 9ꍩ\u17D3.\u200Dß; [C2 P1 V6]; [P1 V6] # 9ꍩ៓.ß
+N; 9ꍩ\u17D3.\u200Dß; [C2 P1 V6]; [C2 P1 V6] # 9ꍩ៓.ß
+T; 9ꍩ\u17D3.\u200Dß; [C2 P1 V6]; [P1 V6] # 9ꍩ៓.ß
+N; 9ꍩ\u17D3.\u200Dß; [C2 P1 V6]; [C2 P1 V6] # 9ꍩ៓.ß
+T; 9ꍩ\u17D3.\u200DSS; [C2 P1 V6]; [P1 V6] # 9ꍩ៓.ss
+N; 9ꍩ\u17D3.\u200DSS; [C2 P1 V6]; [C2 P1 V6] # 9ꍩ៓.ss
+T; 9ꍩ\u17D3.\u200Dss; [C2 P1 V6]; [P1 V6] # 9ꍩ៓.ss
+N; 9ꍩ\u17D3.\u200Dss; [C2 P1 V6]; [C2 P1 V6] # 9ꍩ៓.ss
+T; 9ꍩ\u17D3.\u200DSs; [C2 P1 V6]; [P1 V6] # 9ꍩ៓.ss
+N; 9ꍩ\u17D3.\u200DSs; [C2 P1 V6]; [C2 P1 V6] # 9ꍩ៓.ss
+B; xn--9-i0j5967eg3qz.ss; [V6]; [V6] # 9ꍩ៓.ss
+B; xn--9-i0j5967eg3qz.xn--ss-l1t; [C2 V6]; [C2 V6] # 9ꍩ៓.ss
+B; xn--9-i0j5967eg3qz.xn--zca770n; [C2 V6]; [C2 V6] # 9ꍩ៓.ß
+T; 9ꍩ\u17D3.\u200DSS; [C2 P1 V6]; [P1 V6] # 9ꍩ៓.ss
+N; 9ꍩ\u17D3.\u200DSS; [C2 P1 V6]; [C2 P1 V6] # 9ꍩ៓.ss
+T; 9ꍩ\u17D3.\u200Dss; [C2 P1 V6]; [P1 V6] # 9ꍩ៓.ss
+N; 9ꍩ\u17D3.\u200Dss; [C2 P1 V6]; [C2 P1 V6] # 9ꍩ៓.ss
+T; 9ꍩ\u17D3.\u200DSs; [C2 P1 V6]; [P1 V6] # 9ꍩ៓.ss
+N; 9ꍩ\u17D3.\u200DSs; [C2 P1 V6]; [C2 P1 V6] # 9ꍩ៓.ss
+B; ꗷ𑆀.\u075D𐩒; ; xn--ju8a625r.xn--hpb0073k; NV8 # ꗷ𑆀.ݝ𐩒
+B; xn--ju8a625r.xn--hpb0073k; ꗷ𑆀.\u075D𐩒; xn--ju8a625r.xn--hpb0073k; NV8 # ꗷ𑆀.ݝ𐩒
+B; ⒐≯-。︒-; [P1 V3 V6]; [P1 V3 V6]
+B; ⒐>\u0338-。︒-; [P1 V3 V6]; [P1 V3 V6]
+B; 9.≯-。。-; [P1 V3 V6 A4_2]; [P1 V3 V6 A4_2]
+B; 9.>\u0338-。。-; [P1 V3 V6 A4_2]; [P1 V3 V6 A4_2]
+B; 9.xn----ogo..xn----xj54d1s69k; [V3 V6 A4_2]; [V3 V6 A4_2]
+B; xn----ogot9g.xn----n89hl0522az9u2a; [V3 V6]; [V3 V6]
+B; \u0CE3Ⴡ.\u061D; [B6 P1 V6]; [B6 P1 V6] # ೣჁ.
+B; \u0CE3Ⴡ.\u061D; [B6 P1 V6]; [B6 P1 V6] # ೣჁ.
+B; \u0CE3ⴡ.\u061D; [B6 P1 V6]; [B6 P1 V6] # ೣⴡ.
+B; xn--vuc226n8n28lmju7a.xn--cgb; [B6 V6]; [B6 V6] # ೣⴡ.
+B; xn--vuc49qvu85xmju7a.xn--cgb; [B6 V6]; [B6 V6] # ೣჁ.
+B; \u0CE3ⴡ.\u061D; [B6 P1 V6]; [B6 P1 V6] # ೣⴡ.
+B; \u1DEB。𐋩\u0638-𐫮; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ᷫ.𐋩ظ-𐫮
+B; xn--gfg.xn----xnc0815qyyg; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ᷫ.𐋩ظ-𐫮
+B; 싇。⾇𐳋Ⴝ; [B5 P1 V6]; [B5 P1 V6]
+B; 싇。⾇𐳋Ⴝ; [B5 P1 V6]; [B5 P1 V6]
+B; 싇。舛𐳋Ⴝ; [B5 P1 V6]; [B5 P1 V6]
+B; 싇。舛𐳋Ⴝ; [B5 P1 V6]; [B5 P1 V6]
+B; 싇。舛𐳋ⴝ; [B5]; [B5]
+B; 싇。舛𐳋ⴝ; [B5]; [B5]
+B; 싇。舛𐲋Ⴝ; [B5 P1 V6]; [B5 P1 V6]
+B; 싇。舛𐲋Ⴝ; [B5 P1 V6]; [B5 P1 V6]
+B; 싇。舛𐲋ⴝ; [B5]; [B5]
+B; 싇。舛𐲋ⴝ; [B5]; [B5]
+B; xn--9u4b.xn--llj123yh74e; [B5]; [B5]
+B; xn--9u4b.xn--1nd7519ch79d; [B5 V6]; [B5 V6]
+B; 싇。⾇𐳋ⴝ; [B5]; [B5]
+B; 싇。⾇𐳋ⴝ; [B5]; [B5]
+B; 싇。⾇𐲋Ⴝ; [B5 P1 V6]; [B5 P1 V6]
+B; 싇。⾇𐲋Ⴝ; [B5 P1 V6]; [B5 P1 V6]
+B; 싇。⾇𐲋ⴝ; [B5]; [B5]
+B; 싇。⾇𐲋ⴝ; [B5]; [B5]
+T; 𐹠ς。\u200C\u06BFჀ; [B1 C1 P1 V6]; [B1 B2 B3 P1 V6] # 𐹠ς.ڿჀ
+N; 𐹠ς。\u200C\u06BFჀ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹠ς.ڿჀ
+T; 𐹠ς。\u200C\u06BFⴠ; [B1 C1]; [B1 B2 B3] # 𐹠ς.ڿⴠ
+N; 𐹠ς。\u200C\u06BFⴠ; [B1 C1]; [B1 C1] # 𐹠ς.ڿⴠ
+T; 𐹠Σ。\u200C\u06BFჀ; [B1 C1 P1 V6]; [B1 B2 B3 P1 V6] # 𐹠σ.ڿჀ
+N; 𐹠Σ。\u200C\u06BFჀ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 𐹠σ.ڿჀ
+T; 𐹠σ。\u200C\u06BFⴠ; [B1 C1]; [B1 B2 B3] # 𐹠σ.ڿⴠ
+N; 𐹠σ。\u200C\u06BFⴠ; [B1 C1]; [B1 C1] # 𐹠σ.ڿⴠ
+B; xn--4xa9167k.xn--ykb467q; [B1 B2 B3]; [B1 B2 B3] # 𐹠σ.ڿⴠ
+B; xn--4xa9167k.xn--ykb760k9hj; [B1 C1]; [B1 C1] # 𐹠σ.ڿⴠ
+B; xn--4xa9167k.xn--ykb632c; [B1 B2 B3 V6]; [B1 B2 B3 V6] # 𐹠σ.ڿჀ
+B; xn--4xa9167k.xn--ykb632cvxm; [B1 C1 V6]; [B1 C1 V6] # 𐹠σ.ڿჀ
+B; xn--3xa1267k.xn--ykb760k9hj; [B1 C1]; [B1 C1] # 𐹠ς.ڿⴠ
+B; xn--3xa1267k.xn--ykb632cvxm; [B1 C1 V6]; [B1 C1 V6] # 𐹠ς.ڿჀ
+T; \u200C\u0604.\u069A-ß; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 P1 V6] # .ښ-ß
+N; \u200C\u0604.\u069A-ß; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 C1 P1 V6] # .ښ-ß
+T; \u200C\u0604.\u069A-SS; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 P1 V6] # .ښ-ss
+N; \u200C\u0604.\u069A-SS; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 C1 P1 V6] # .ښ-ss
+T; \u200C\u0604.\u069A-ss; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 P1 V6] # .ښ-ss
+N; \u200C\u0604.\u069A-ss; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 C1 P1 V6] # .ښ-ss
+T; \u200C\u0604.\u069A-Ss; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 P1 V6] # .ښ-ss
+N; \u200C\u0604.\u069A-Ss; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 C1 P1 V6] # .ښ-ss
+B; xn--mfb98261i.xn---ss-sdf; [B2 B3 B5 B6 V6]; [B2 B3 B5 B6 V6] # .ښ-ss
+B; xn--mfb144kqo32m.xn---ss-sdf; [B2 B3 B5 B6 C1 V6]; [B2 B3 B5 B6 C1 V6] # .ښ-ss
+B; xn--mfb144kqo32m.xn----qfa315b; [B2 B3 B5 B6 C1 V6]; [B2 B3 B5 B6 C1 V6] # .ښ-ß
+T; \u200C\u200D\u17B5\u067A.-\uFBB0; [B1 C1 C2 P1 V3 V6]; [B1 P1 V3 V5 V6] # ٺ.-ۓ
+N; \u200C\u200D\u17B5\u067A.-\uFBB0; [B1 C1 C2 P1 V3 V6]; [B1 C1 C2 P1 V3 V6] # ٺ.-ۓ
+T; \u200C\u200D\u17B5\u067A.-\u06D3; [B1 C1 C2 P1 V3 V6]; [B1 P1 V3 V5 V6] # ٺ.-ۓ
+N; \u200C\u200D\u17B5\u067A.-\u06D3; [B1 C1 C2 P1 V3 V6]; [B1 C1 C2 P1 V3 V6] # ٺ.-ۓ
+T; \u200C\u200D\u17B5\u067A.-\u06D2\u0654; [B1 C1 C2 P1 V3 V6]; [B1 P1 V3 V5 V6] # ٺ.-ۓ
+N; \u200C\u200D\u17B5\u067A.-\u06D2\u0654; [B1 C1 C2 P1 V3 V6]; [B1 C1 C2 P1 V3 V6] # ٺ.-ۓ
+B; xn--zib539f.xn----twc1133r17r6g; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ٺ.-ۓ
+B; xn--zib539f8igea.xn----twc1133r17r6g; [B1 C1 C2 V3 V6]; [B1 C1 C2 V3 V6] # ٺ.-ۓ
+B; 。𐮬≠; [B3 P1 V6]; [B3 P1 V6]
+B; 。𐮬=\u0338; [B3 P1 V6]; [B3 P1 V6]
+B; 。𐮬≠; [B3 P1 V6]; [B3 P1 V6]
+B; 。𐮬=\u0338; [B3 P1 V6]; [B3 P1 V6]
+B; xn--dd55c.xn--1ch3003g; [B3 V6]; [B3 V6]
+B; \u0FB2。𐹮𐹷덝۵; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ྲ.𐹮𐹷덝۵
+B; \u0FB2。𐹮𐹷덝۵; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ྲ.𐹮𐹷덝۵
+B; \u0FB2。𐹮𐹷덝۵; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ྲ.𐹮𐹷덝۵
+B; \u0FB2。𐹮𐹷덝۵; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ྲ.𐹮𐹷덝۵
+B; xn--fgd0675v.xn--imb5839fidpcbba; [B1 V5 V6]; [B1 V5 V6] # ྲ.𐹮𐹷덝۵
+T; Ⴏ󠅋-.\u200DႩ; [C2 P1 V3 V6]; [P1 V3 V6] # Ⴏ-.Ⴉ
+N; Ⴏ󠅋-.\u200DႩ; [C2 P1 V3 V6]; [C2 P1 V3 V6] # Ⴏ-.Ⴉ
+T; Ⴏ󠅋-.\u200DႩ; [C2 P1 V3 V6]; [P1 V3 V6] # Ⴏ-.Ⴉ
+N; Ⴏ󠅋-.\u200DႩ; [C2 P1 V3 V6]; [C2 P1 V3 V6] # Ⴏ-.Ⴉ
+T; ⴏ󠅋-.\u200Dⴉ; [C2 V3]; [V3] # ⴏ-.ⴉ
+N; ⴏ󠅋-.\u200Dⴉ; [C2 V3]; [C2 V3] # ⴏ-.ⴉ
+B; xn----3vs.xn--0kj; [V3]; [V3]
+B; xn----3vs.xn--1ug532c; [C2 V3]; [C2 V3] # ⴏ-.ⴉ
+B; xn----00g.xn--hnd; [V3 V6]; [V3 V6]
+B; xn----00g.xn--hnd399e; [C2 V3 V6]; [C2 V3 V6] # Ⴏ-.Ⴉ
+T; ⴏ󠅋-.\u200Dⴉ; [C2 V3]; [V3] # ⴏ-.ⴉ
+N; ⴏ󠅋-.\u200Dⴉ; [C2 V3]; [C2 V3] # ⴏ-.ⴉ
+B; ⇧𐨏。\u0600󠆉; [B1 P1 V6]; [B1 P1 V6] # ⇧𐨏.
+B; xn--l8g5552g64t4g46xf.xn--ifb08144p; [B1 V6]; [B1 V6] # ⇧𐨏.
+B; ≠𐮂.↑🄇⒈; [B1 P1 V6]; [B1 P1 V6]
+B; =\u0338𐮂.↑🄇⒈; [B1 P1 V6]; [B1 P1 V6]
+B; ≠𐮂.↑6,1.; [B1 P1 V6]; [B1 P1 V6]
+B; =\u0338𐮂.↑6,1.; [B1 P1 V6]; [B1 P1 V6]
+B; xn--1chy492g.xn--6,1-pw1a.; [B1 P1 V6]; [B1 P1 V6]
+B; xn--1chy492g.xn--45gx9iuy44d; [B1 V6]; [B1 V6]
+T; 𝩏ß.ᢤ\u200C𐹫; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𝩏ß.ᢤ𐹫
+N; 𝩏ß.ᢤ\u200C𐹫; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 C1 P1 V5 V6] # 𝩏ß.ᢤ𐹫
+T; 𝩏SS.ᢤ\u200C𐹫; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𝩏ss.ᢤ𐹫
+N; 𝩏SS.ᢤ\u200C𐹫; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 C1 P1 V5 V6] # 𝩏ss.ᢤ𐹫
+T; 𝩏ss.ᢤ\u200C𐹫; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𝩏ss.ᢤ𐹫
+N; 𝩏ss.ᢤ\u200C𐹫; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 C1 P1 V5 V6] # 𝩏ss.ᢤ𐹫
+T; 𝩏Ss.ᢤ\u200C𐹫; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𝩏ss.ᢤ𐹫
+N; 𝩏Ss.ᢤ\u200C𐹫; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 C1 P1 V5 V6] # 𝩏ss.ᢤ𐹫
+B; xn--ss-zb11ap1427e.xn--ubf2596jbt61c; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6]
+B; xn--ss-zb11ap1427e.xn--ubf609atw1tynn3d; [B1 B5 B6 C1 V5 V6]; [B1 B5 B6 C1 V5 V6] # 𝩏ss.ᢤ𐹫
+B; xn--zca3153vupz3e.xn--ubf609atw1tynn3d; [B1 B5 B6 C1 V5 V6]; [B1 B5 B6 C1 V5 V6] # 𝩏ß.ᢤ𐹫
+T; ßႧ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ßႧ.ꙺ
+N; ßႧ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ßႧ.ꙺ
+T; ßႧ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ßႧ.ꙺ
+N; ßႧ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ßႧ.ꙺ
+T; ßⴇ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ßⴇ.ꙺ
+N; ßⴇ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ßⴇ.ꙺ
+B; SSႧ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ssႧ.ꙺ
+B; ssⴇ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ssⴇ.ꙺ
+B; SsႧ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ssႧ.ꙺ
+B; xn--ss-rek7420r4hs7b.xn--9x8a; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # ssႧ.ꙺ
+B; xn--ss-e61ar955h4hs7b.xn--9x8a; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # ssⴇ.ꙺ
+B; xn--zca227tpy4lkns1b.xn--9x8a; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # ßⴇ.ꙺ
+B; xn--zca491fci5qkn79a.xn--9x8a; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # ßႧ.ꙺ
+T; ßⴇ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ßⴇ.ꙺ
+N; ßⴇ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ßⴇ.ꙺ
+B; SSႧ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ssႧ.ꙺ
+B; ssⴇ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ssⴇ.ꙺ
+B; SsႧ。\uA67A; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # ssႧ.ꙺ
+B; \u1714。󠆣-𑋪; [V3 V5]; [V3 V5] # ᜔.-𑋪
+B; xn--fze.xn----ly8i; [V3 V5]; [V3 V5] # ᜔.-𑋪
+T; \uABE8-.\u05BDß; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽß
+N; \uABE8-.\u05BDß; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽß
+T; \uABE8-.\u05BDß; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽß
+N; \uABE8-.\u05BDß; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽß
+B; \uABE8-.\u05BDSS; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
+B; \uABE8-.\u05BDss; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
+B; \uABE8-.\u05BDSs; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
+B; xn----pw5e.xn--ss-7jd10716y; [V3 V5 V6]; [V3 V5 V6] # ꯨ-.ֽss
+B; xn----pw5e.xn--zca50wfv060a; [V3 V5 V6]; [V3 V5 V6] # ꯨ-.ֽß
+B; \uABE8-.\u05BDSS; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
+B; \uABE8-.\u05BDss; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
+B; \uABE8-.\u05BDSs; [P1 V3 V5 V6]; [P1 V3 V5 V6] # ꯨ-.ֽss
+B; ᡓ-≮。\u066B󠅱ᡄ; [B1 B6 P1 V6]; [B1 B6 P1 V6] # ᡓ-≮.٫ᡄ
+B; ᡓ-<\u0338。\u066B󠅱ᡄ; [B1 B6 P1 V6]; [B1 B6 P1 V6] # ᡓ-≮.٫ᡄ
+B; xn----s7j866c.xn--kib252g; [B1 B6 V6]; [B1 B6 V6] # ᡓ-≮.٫ᡄ
+B; 𝟥♮𑜫\u08ED.\u17D2𑜫8󠆏; [V5]; [V5] # 3♮𑜫࣭.្𑜫8
+B; 3♮𑜫\u08ED.\u17D2𑜫8󠆏; [V5]; [V5] # 3♮𑜫࣭.្𑜫8
+B; xn--3-ksd277tlo7s.xn--8-f0jx021l; [V5]; [V5] # 3♮𑜫࣭.្𑜫8
+T; -。\u200D❡; [C2 P1 V3 V6]; [P1 V3 V6] # -.❡
+N; -。\u200D❡; [C2 P1 V3 V6]; [C2 P1 V3 V6] # -.❡
+T; -。\u200D❡; [C2 P1 V3 V6]; [P1 V3 V6] # -.❡
+N; -。\u200D❡; [C2 P1 V3 V6]; [C2 P1 V3 V6] # -.❡
+B; -.xn--nei54421f; [V3 V6]; [V3 V6]
+B; -.xn--1ug800aq795s; [C2 V3 V6]; [C2 V3 V6] # -.❡
+B; 𝟓☱𝟐。𝪮; [P1 V5 V6]; [P1 V5 V6]
+B; 5☱2。𝪮; [P1 V5 V6]; [P1 V5 V6]
+B; xn--52-dwx47758j.xn--kd3hk431k; [V5 V6]; [V5 V6]
+B; -.-├; [P1 V3 V6]; [P1 V3 V6]
+B; -.xn----ukp70432h; [V3 V6]; [V3 V6]
+T; \u05A5\u076D。\u200D; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ֥ݭ.
+N; \u05A5\u076D。\u200D; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ֥ݭ.
+T; \u05A5\u076D。\u200D; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ֥ݭ.
+N; \u05A5\u076D。\u200D; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ֥ݭ.
+B; xn--wcb62g.xn--p526e; [B1 V5 V6]; [B1 V5 V6] # ֥ݭ.
+B; xn--wcb62g.xn--1ugy8001l; [B1 C2 V5 V6]; [B1 C2 V5 V6] # ֥ݭ.
+T; 쥥Ⴎ.\u200C⒈⒈𐫒; [B1 C1 P1 V6]; [B1 P1 V6] # 쥥Ⴎ.⒈⒈𐫒
+N; 쥥Ⴎ.\u200C⒈⒈𐫒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 쥥Ⴎ.⒈⒈𐫒
+T; 쥥Ⴎ.\u200C⒈⒈𐫒; [B1 C1 P1 V6]; [B1 P1 V6] # 쥥Ⴎ.⒈⒈𐫒
+N; 쥥Ⴎ.\u200C⒈⒈𐫒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 쥥Ⴎ.⒈⒈𐫒
+T; 쥥Ⴎ.\u200C1.1.𐫒; [B1 C1 P1 V6]; [B1 P1 V6] # 쥥Ⴎ.1.1.𐫒
+N; 쥥Ⴎ.\u200C1.1.𐫒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 쥥Ⴎ.1.1.𐫒
+T; 쥥Ⴎ.\u200C1.1.𐫒; [B1 C1 P1 V6]; [B1 P1 V6] # 쥥Ⴎ.1.1.𐫒
+N; 쥥Ⴎ.\u200C1.1.𐫒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 쥥Ⴎ.1.1.𐫒
+T; 쥥ⴎ.\u200C1.1.𐫒; [B1 C1 P1 V6]; [B1 P1 V6] # 쥥ⴎ.1.1.𐫒
+N; 쥥ⴎ.\u200C1.1.𐫒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 쥥ⴎ.1.1.𐫒
+T; 쥥ⴎ.\u200C1.1.𐫒; [B1 C1 P1 V6]; [B1 P1 V6] # 쥥ⴎ.1.1.𐫒
+N; 쥥ⴎ.\u200C1.1.𐫒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 쥥ⴎ.1.1.𐫒
+B; xn--5kj3511ccyw3h.1.1.xn--7w9c; [B1 V6]; [B1 V6]
+B; xn--5kj3511ccyw3h.xn--1-rgn.1.xn--7w9c; [B1 C1 V6]; [B1 C1 V6] # 쥥ⴎ.1.1.𐫒
+B; xn--mnd7865gcy28g.1.1.xn--7w9c; [B1 V6]; [B1 V6]
+B; xn--mnd7865gcy28g.xn--1-rgn.1.xn--7w9c; [B1 C1 V6]; [B1 C1 V6] # 쥥Ⴎ.1.1.𐫒
+T; 쥥ⴎ.\u200C⒈⒈𐫒; [B1 C1 P1 V6]; [B1 P1 V6] # 쥥ⴎ.⒈⒈𐫒
+N; 쥥ⴎ.\u200C⒈⒈𐫒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 쥥ⴎ.⒈⒈𐫒
+T; 쥥ⴎ.\u200C⒈⒈𐫒; [B1 C1 P1 V6]; [B1 P1 V6] # 쥥ⴎ.⒈⒈𐫒
+N; 쥥ⴎ.\u200C⒈⒈𐫒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # 쥥ⴎ.⒈⒈𐫒
+B; xn--5kj3511ccyw3h.xn--tsha6797o; [B1 V6]; [B1 V6]
+B; xn--5kj3511ccyw3h.xn--0ug88oa0396u; [B1 C1 V6]; [B1 C1 V6] # 쥥ⴎ.⒈⒈𐫒
+B; xn--mnd7865gcy28g.xn--tsha6797o; [B1 V6]; [B1 V6]
+B; xn--mnd7865gcy28g.xn--0ug88oa0396u; [B1 C1 V6]; [B1 C1 V6] # 쥥Ⴎ.⒈⒈𐫒
+B; \u0827𝟶\u06A0-。𑄳; [B1 B3 B6 V3 V5]; [B1 B3 B6 V3 V5] # ࠧ0ڠ-.𑄳
+B; \u08270\u06A0-。𑄳; [B1 B3 B6 V3 V5]; [B1 B3 B6 V3 V5] # ࠧ0ڠ-.𑄳
+B; xn--0--p3d67m.xn--v80d; [B1 B3 B6 V3 V5]; [B1 B3 B6 V3 V5] # ࠧ0ڠ-.𑄳
+T; ς.\uFDC1🞛⒈; [P1 V6]; [P1 V6] # ς.فمي🞛⒈
+N; ς.\uFDC1🞛⒈; [P1 V6]; [P1 V6] # ς.فمي🞛⒈
+T; ς.\u0641\u0645\u064A🞛1.; ; xn--4xa.xn--1-gocmu97674d.; NV8 # ς.فمي🞛1.
+N; ς.\u0641\u0645\u064A🞛1.; ; xn--3xa.xn--1-gocmu97674d.; NV8 # ς.فمي🞛1.
+B; Σ.\u0641\u0645\u064A🞛1.; σ.\u0641\u0645\u064A🞛1.; xn--4xa.xn--1-gocmu97674d.; NV8 # σ.فمي🞛1.
+B; σ.\u0641\u0645\u064A🞛1.; ; xn--4xa.xn--1-gocmu97674d.; NV8 # σ.فمي🞛1.
+B; xn--4xa.xn--1-gocmu97674d.; σ.\u0641\u0645\u064A🞛1.; xn--4xa.xn--1-gocmu97674d.; NV8 # σ.فمي🞛1.
+B; xn--3xa.xn--1-gocmu97674d.; ς.\u0641\u0645\u064A🞛1.; xn--3xa.xn--1-gocmu97674d.; NV8 # ς.فمي🞛1.
+B; Σ.\uFDC1🞛⒈; [P1 V6]; [P1 V6] # σ.فمي🞛⒈
+B; σ.\uFDC1🞛⒈; [P1 V6]; [P1 V6] # σ.فمي🞛⒈
+B; xn--4xa.xn--dhbip2802atb20c; [V6]; [V6] # σ.فمي🞛⒈
+B; xn--3xa.xn--dhbip2802atb20c; [V6]; [V6] # ς.فمي🞛⒈
+B; 🗩-。𐹻; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; 🗩-。𐹻; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; xn----6t3s.xn--zo0d4811u6ru6a; [B1 V3 V6]; [B1 V3 V6]
+T; 𐡜-🔪。𝟻\u200C𐿀; [B1 B3 C1 P1 V6]; [B1 B3 P1 V6] # 𐡜-🔪.5
+N; 𐡜-🔪。𝟻\u200C𐿀; [B1 B3 C1 P1 V6]; [B1 B3 C1 P1 V6] # 𐡜-🔪.5
+T; 𐡜-🔪。5\u200C𐿀; [B1 B3 C1 P1 V6]; [B1 B3 P1 V6] # 𐡜-🔪.5
+N; 𐡜-🔪。5\u200C𐿀; [B1 B3 C1 P1 V6]; [B1 B3 C1 P1 V6] # 𐡜-🔪.5
+B; xn----5j4iv089c.xn--5-bn7i; [B1 B3 V6]; [B1 B3 V6]
+B; xn----5j4iv089c.xn--5-sgn7149h; [B1 B3 C1 V6]; [B1 B3 C1 V6] # 𐡜-🔪.5
+T; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ß.ߏ0ּ
+N; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ß.ߏ0ּ
+T; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ß.ߏ0ּ
+N; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ß.ߏ0ּ
+T; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ß.ߏ0ּ
+N; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ß.ߏ0ּ
+T; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ß.ߏ0ּ
+N; 𐹣늿\u200Dß.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ß.ߏ0ּ
+T; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+B; xn--ss-i05i7041a.xn--0-vgc50n; [B1]; [B1] # 𐹣늿ss.ߏ0ּ
+B; xn--ss-l1tu910fo0xd.xn--0-vgc50n; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+B; xn--zca770n5s4hev6c.xn--0-vgc50n; [B1 C2]; [B1 C2] # 𐹣늿ß.ߏ0ּ
+T; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200DSS.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200Dss.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+T; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1] # 𐹣늿ss.ߏ0ּ
+N; 𐹣늿\u200DSs.\u07CF0\u05BC; [B1 C2]; [B1 C2] # 𐹣늿ss.ߏ0ּ
+B; 9󠇥.ᢓ; [P1 V6]; [P1 V6]
+B; 9󠇥.ᢓ; [P1 V6]; [P1 V6]
+B; 9.xn--dbf91222q; [V6]; [V6]
+T; \u200C\uFFA0.𐫭🠗ß⽟; [B1 B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # .𐫭🠗ß玉
+N; \u200C\uFFA0.𐫭🠗ß⽟; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .𐫭🠗ß玉
+T; \u200C\u1160.𐫭🠗ß玉; [B1 B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # .𐫭🠗ß玉
+N; \u200C\u1160.𐫭🠗ß玉; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .𐫭🠗ß玉
+T; \u200C\u1160.𐫭🠗SS玉; [B1 B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # .𐫭🠗ss玉
+N; \u200C\u1160.𐫭🠗SS玉; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .𐫭🠗ss玉
+T; \u200C\u1160.𐫭🠗ss玉; [B1 B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # .𐫭🠗ss玉
+N; \u200C\u1160.𐫭🠗ss玉; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .𐫭🠗ss玉
+T; \u200C\u1160.𐫭🠗Ss玉; [B1 B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # .𐫭🠗ss玉
+N; \u200C\u1160.𐫭🠗Ss玉; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .𐫭🠗ss玉
+B; xn--psd.xn--ss-je6eq954cp25j; [B2 B3 V6]; [B2 B3 V6] # .𐫭🠗ss玉
+B; xn--psd526e.xn--ss-je6eq954cp25j; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # .𐫭🠗ss玉
+B; xn--psd526e.xn--zca2289c550e0iwi; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # .𐫭🠗ß玉
+T; \u200C\uFFA0.𐫭🠗SS⽟; [B1 B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # .𐫭🠗ss玉
+N; \u200C\uFFA0.𐫭🠗SS⽟; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .𐫭🠗ss玉
+T; \u200C\uFFA0.𐫭🠗ss⽟; [B1 B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # .𐫭🠗ss玉
+N; \u200C\uFFA0.𐫭🠗ss⽟; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .𐫭🠗ss玉
+T; \u200C\uFFA0.𐫭🠗Ss⽟; [B1 B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # .𐫭🠗ss玉
+N; \u200C\uFFA0.𐫭🠗Ss⽟; [B1 B2 B3 C1 P1 V6]; [B1 B2 B3 C1 P1 V6] # .𐫭🠗ss玉
+B; xn--cl7c.xn--ss-je6eq954cp25j; [B2 B3 V6]; [B2 B3 V6] # .𐫭🠗ss玉
+B; xn--0ug7719f.xn--ss-je6eq954cp25j; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # .𐫭🠗ss玉
+B; xn--0ug7719f.xn--zca2289c550e0iwi; [B1 B2 B3 C1 V6]; [B1 B2 B3 C1 V6] # .𐫭🠗ß玉
+T; ︒Ⴖ\u0366.\u200C; [C1 P1 V6]; [P1 V6] # ︒Ⴖͦ.
+N; ︒Ⴖ\u0366.\u200C; [C1 P1 V6]; [C1 P1 V6] # ︒Ⴖͦ.
+T; 。Ⴖ\u0366.\u200C; [C1 P1 V6 A4_2]; [P1 V6 A4_2] # .Ⴖͦ.
+N; 。Ⴖ\u0366.\u200C; [C1 P1 V6 A4_2]; [C1 P1 V6 A4_2] # .Ⴖͦ.
+T; 。ⴖ\u0366.\u200C; [C1 A4_2]; [A4_2] # .ⴖͦ.
+N; 。ⴖ\u0366.\u200C; [C1 A4_2]; [C1 A4_2] # .ⴖͦ.
+B; .xn--hva754s.; [A4_2]; [A4_2] # .ⴖͦ.
+B; .xn--hva754s.xn--0ug; [C1 A4_2]; [C1 A4_2] # .ⴖͦ.
+B; .xn--hva929d.; [V6 A4_2]; [V6 A4_2] # .Ⴖͦ.
+B; .xn--hva929d.xn--0ug; [C1 V6 A4_2]; [C1 V6 A4_2] # .Ⴖͦ.
+T; ︒ⴖ\u0366.\u200C; [C1 P1 V6]; [P1 V6] # ︒ⴖͦ.
+N; ︒ⴖ\u0366.\u200C; [C1 P1 V6]; [C1 P1 V6] # ︒ⴖͦ.
+B; xn--hva754sy94k.; [V6]; [V6] # ︒ⴖͦ.
+B; xn--hva754sy94k.xn--0ug; [C1 V6]; [C1 V6] # ︒ⴖͦ.
+B; xn--hva929dl29p.; [V6]; [V6] # ︒Ⴖͦ.
+B; xn--hva929dl29p.xn--0ug; [C1 V6]; [C1 V6] # ︒Ⴖͦ.
+B; xn--hva754s.; ⴖ\u0366.; xn--hva754s. # ⴖͦ.
+B; ⴖ\u0366.; ; xn--hva754s. # ⴖͦ.
+B; Ⴖ\u0366.; [P1 V6]; [P1 V6] # Ⴖͦ.
+B; xn--hva929d.; [V6]; [V6] # Ⴖͦ.
+T; \u08BB.\u200CႣ𞀒; [B1 C1 P1 V6]; [P1 V6] # ࢻ.Ⴃ𞀒
+N; \u08BB.\u200CႣ𞀒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ࢻ.Ⴃ𞀒
+T; \u08BB.\u200CႣ𞀒; [B1 C1 P1 V6]; [P1 V6] # ࢻ.Ⴃ𞀒
+N; \u08BB.\u200CႣ𞀒; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ࢻ.Ⴃ𞀒
+T; \u08BB.\u200Cⴃ𞀒; [B1 C1]; xn--hzb.xn--ukj4430l # ࢻ.ⴃ𞀒
+N; \u08BB.\u200Cⴃ𞀒; [B1 C1]; [B1 C1] # ࢻ.ⴃ𞀒
+B; xn--hzb.xn--ukj4430l; \u08BB.ⴃ𞀒; xn--hzb.xn--ukj4430l # ࢻ.ⴃ𞀒
+B; \u08BB.ⴃ𞀒; ; xn--hzb.xn--ukj4430l # ࢻ.ⴃ𞀒
+B; \u08BB.Ⴃ𞀒; [P1 V6]; [P1 V6] # ࢻ.Ⴃ𞀒
+B; xn--hzb.xn--bnd2938u; [V6]; [V6] # ࢻ.Ⴃ𞀒
+B; xn--hzb.xn--0ug822cp045a; [B1 C1]; [B1 C1] # ࢻ.ⴃ𞀒
+B; xn--hzb.xn--bnd300f7225a; [B1 C1 V6]; [B1 C1 V6] # ࢻ.Ⴃ𞀒
+T; \u08BB.\u200Cⴃ𞀒; [B1 C1]; xn--hzb.xn--ukj4430l # ࢻ.ⴃ𞀒
+N; \u08BB.\u200Cⴃ𞀒; [B1 C1]; [B1 C1] # ࢻ.ⴃ𞀒
+T; \u200D\u200C。2䫷; [C1 C2 P1 V6]; [P1 V6 A4_2] # .2䫷
+N; \u200D\u200C。2䫷; [C1 C2 P1 V6]; [C1 C2 P1 V6] # .2䫷
+T; \u200D\u200C。2䫷; [C1 C2 P1 V6]; [P1 V6 A4_2] # .2䫷
+N; \u200D\u200C。2䫷; [C1 C2 P1 V6]; [C1 C2 P1 V6] # .2䫷
+B; .xn--2-me5ay1273i; [V6 A4_2]; [V6 A4_2]
+B; xn--0ugb.xn--2-me5ay1273i; [C1 C2 V6]; [C1 C2 V6] # .2䫷
+B; -𞀤。; [P1 V3 V6]; [P1 V3 V6]
+B; xn----rq4re4997d.xn--l707b; [V3 V6]; [V3 V6]
+T; ︒\u200C㟀.\u0624⒈; [C1 P1 V6]; [P1 V6] # ︒㟀.ؤ⒈
+N; ︒\u200C㟀.\u0624⒈; [C1 P1 V6]; [C1 P1 V6] # ︒㟀.ؤ⒈
+T; ︒\u200C㟀.\u0648\u0654⒈; [C1 P1 V6]; [P1 V6] # ︒㟀.ؤ⒈
+N; ︒\u200C㟀.\u0648\u0654⒈; [C1 P1 V6]; [C1 P1 V6] # ︒㟀.ؤ⒈
+T; 。\u200C㟀.\u06241.; [B1 C1 P1 V6]; [P1 V6] # .㟀.ؤ1.
+N; 。\u200C㟀.\u06241.; [B1 C1 P1 V6]; [B1 C1 P1 V6] # .㟀.ؤ1.
+T; 。\u200C㟀.\u0648\u06541.; [B1 C1 P1 V6]; [P1 V6] # .㟀.ؤ1.
+N; 。\u200C㟀.\u0648\u06541.; [B1 C1 P1 V6]; [B1 C1 P1 V6] # .㟀.ؤ1.
+B; xn--z272f.xn--etl.xn--1-smc.; [V6]; [V6] # .㟀.ؤ1.
+B; xn--z272f.xn--0ug754g.xn--1-smc.; [B1 C1 V6]; [B1 C1 V6] # .㟀.ؤ1.
+B; xn--etlt457ccrq7h.xn--jgb476m; [V6]; [V6] # ︒㟀.ؤ⒈
+B; xn--0ug754gxl4ldlt0k.xn--jgb476m; [C1 V6]; [C1 V6] # ︒㟀.ؤ⒈
+T; 𑲜\u07CA𝅼。-\u200D; [B1 C2 V3 V5]; [B1 V3 V5] # 𑲜ߊ𝅼.-
+N; 𑲜\u07CA𝅼。-\u200D; [B1 C2 V3 V5]; [B1 C2 V3 V5] # 𑲜ߊ𝅼.-
+B; xn--lsb5482l7nre.-; [B1 V3 V5]; [B1 V3 V5] # 𑲜ߊ𝅼.-
+B; xn--lsb5482l7nre.xn----ugn; [B1 C2 V3 V5]; [B1 C2 V3 V5] # 𑲜ߊ𝅼.-
+T; \u200C.Ⴉ≠𐫶; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .Ⴉ≠𐫶
+N; \u200C.Ⴉ≠𐫶; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .Ⴉ≠𐫶
+T; \u200C.Ⴉ=\u0338𐫶; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .Ⴉ≠𐫶
+N; \u200C.Ⴉ=\u0338𐫶; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .Ⴉ≠𐫶
+T; \u200C.Ⴉ≠𐫶; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .Ⴉ≠𐫶
+N; \u200C.Ⴉ≠𐫶; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .Ⴉ≠𐫶
+T; \u200C.Ⴉ=\u0338𐫶; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .Ⴉ≠𐫶
+N; \u200C.Ⴉ=\u0338𐫶; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .Ⴉ≠𐫶
+T; \u200C.ⴉ=\u0338𐫶; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ⴉ≠𐫶
+N; \u200C.ⴉ=\u0338𐫶; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ⴉ≠𐫶
+T; \u200C.ⴉ≠𐫶; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ⴉ≠𐫶
+N; \u200C.ⴉ≠𐫶; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ⴉ≠𐫶
+B; .xn--1chx23bzj4p; [B5 B6 V6 A4_2]; [B5 B6 V6 A4_2]
+B; xn--0ug.xn--1chx23bzj4p; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # .ⴉ≠𐫶
+B; .xn--hnd481gv73o; [B5 B6 V6 A4_2]; [B5 B6 V6 A4_2]
+B; xn--0ug.xn--hnd481gv73o; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # .Ⴉ≠𐫶
+T; \u200C.ⴉ=\u0338𐫶; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ⴉ≠𐫶
+N; \u200C.ⴉ=\u0338𐫶; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ⴉ≠𐫶
+T; \u200C.ⴉ≠𐫶; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ⴉ≠𐫶
+N; \u200C.ⴉ≠𐫶; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ⴉ≠𐫶
+T; \u0750。≯ς; [B1 P1 V6]; [B1 P1 V6] # ݐ.≯ς
+N; \u0750。≯ς; [B1 P1 V6]; [B1 P1 V6] # ݐ.≯ς
+T; \u0750。>\u0338ς; [B1 P1 V6]; [B1 P1 V6] # ݐ.≯ς
+N; \u0750。>\u0338ς; [B1 P1 V6]; [B1 P1 V6] # ݐ.≯ς
+B; \u0750。>\u0338Σ; [B1 P1 V6]; [B1 P1 V6] # ݐ.≯σ
+B; \u0750。≯Σ; [B1 P1 V6]; [B1 P1 V6] # ݐ.≯σ
+B; \u0750。≯σ; [B1 P1 V6]; [B1 P1 V6] # ݐ.≯σ
+B; \u0750。>\u0338σ; [B1 P1 V6]; [B1 P1 V6] # ݐ.≯σ
+B; xn--3ob.xn--4xa718m; [B1 V6]; [B1 V6] # ݐ.≯σ
+B; xn--3ob.xn--3xa918m; [B1 V6]; [B1 V6] # ݐ.≯ς
+B; \u07FC.︒Ⴐ; [P1 V6]; [P1 V6] # .︒Ⴐ
+B; \u07FC.。Ⴐ; [P1 V6]; [P1 V6] # ..Ⴐ
+B; \u07FC.。ⴐ; [P1 V6]; [P1 V6] # ..ⴐ
+B; xn--0tb8725k.xn--tu8d.xn--7kj73887a; [V6]; [V6] # ..ⴐ
+B; xn--0tb8725k.xn--tu8d.xn--ond97931d; [V6]; [V6] # ..Ⴐ
+B; \u07FC.︒ⴐ; [P1 V6]; [P1 V6] # .︒ⴐ
+B; xn--0tb8725k.xn--7kj9008dt18a7py9c; [V6]; [V6] # .︒ⴐ
+B; xn--0tb8725k.xn--ond3562jt18a7py9c; [V6]; [V6] # .︒Ⴐ
+B; Ⴥ⚭⋃。𑌼; [P1 V5 V6]; [P1 V5 V6]
+B; Ⴥ⚭⋃。𑌼; [P1 V5 V6]; [P1 V5 V6]
+B; ⴥ⚭⋃。𑌼; [P1 V5 V6]; [P1 V5 V6]
+B; xn--vfh16m67gx1162b.xn--ro1d; [V5 V6]; [V5 V6]
+B; xn--9nd623g4zc5z060c.xn--ro1d; [V5 V6]; [V5 V6]
+B; ⴥ⚭⋃。𑌼; [P1 V5 V6]; [P1 V5 V6]
+B; 🄈。\u0844; [B1 P1 V6]; [B1 P1 V6] # 🄈.ࡄ
+B; 7,。\u0844; [B1 P1 V6]; [B1 P1 V6] # 7,.ࡄ
+B; 7,.xn--2vb13094p; [B1 P1 V6]; [B1 P1 V6] # 7,.ࡄ
+B; xn--107h.xn--2vb13094p; [B1 V6]; [B1 V6] # 🄈.ࡄ
+T; ≮\u0846。섖쮖ß; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ß
+N; ≮\u0846。섖쮖ß; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ß
+T; <\u0338\u0846。섖쮖ß; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ß
+N; <\u0338\u0846。섖쮖ß; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ß
+B; <\u0338\u0846。섖쮖SS; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ss
+B; ≮\u0846。섖쮖SS; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ss
+B; ≮\u0846。섖쮖ss; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ss
+B; <\u0338\u0846。섖쮖ss; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ss
+B; <\u0338\u0846。섖쮖Ss; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ss
+B; ≮\u0846。섖쮖Ss; [B1 P1 V6]; [B1 P1 V6] # ≮ࡆ.섖쮖ss
+B; xn--4vb505k.xn--ss-5z4j006a; [B1 V6]; [B1 V6] # ≮ࡆ.섖쮖ss
+B; xn--4vb505k.xn--zca7259goug; [B1 V6]; [B1 V6] # ≮ࡆ.섖쮖ß
+B; 󠆓⛏-。ꡒ; [V3]; [V3]
+B; xn----o9p.xn--rc9a; [V3]; [V3]
+T; \u07BB𐹳\u0626𑁆。\u08A7\u06B0\u200Cᢒ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐹳ئ𑁆.ࢧڰᢒ
+N; \u07BB𐹳\u0626𑁆。\u08A7\u06B0\u200Cᢒ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐹳ئ𑁆.ࢧڰᢒ
+T; \u07BB𐹳\u064A𑁆\u0654。\u08A7\u06B0\u200Cᢒ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐹳ئ𑁆.ࢧڰᢒ
+N; \u07BB𐹳\u064A𑁆\u0654。\u08A7\u06B0\u200Cᢒ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐹳ئ𑁆.ࢧڰᢒ
+B; xn--lgb32f2753cosb.xn--jkb91hlz1a; [B2 B3 V6]; [B2 B3 V6] # 𐹳ئ𑁆.ࢧڰᢒ
+B; xn--lgb32f2753cosb.xn--jkb91hlz1azih; [B2 B3 V6]; [B2 B3 V6] # 𐹳ئ𑁆.ࢧڰᢒ
+B; \u0816.𐨕; [B1 B2 B3 B6 P1 V5 V6]; [B1 B2 B3 B6 P1 V5 V6] # ࠖ.𐨕
+B; xn--rub.xn--tr9c248x; [B1 B2 B3 B6 V5 V6]; [B1 B2 B3 B6 V5 V6] # ࠖ.𐨕
+B; --。\u0767𐽋𞠬; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # --.ݧ𞠬
+B; --.xn--rpb6226k77pfh58p; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6] # --.ݧ𞠬
+B; 𐋥.≯\u08B0\u08A6; [B1 P1 V6]; [B1 P1 V6] # 𐋥.≯ࢰࢦ
+B; 𐋥.>\u0338\u08B0\u08A6; [B1 P1 V6]; [B1 P1 V6] # 𐋥.≯ࢰࢦ
+B; xn--887c2298i5mv6a.xn--vybt688qm8981a; [B1 V6]; [B1 V6] # 𐋥.≯ࢰࢦ
+B; 䔛󠇒𐹧.-䤷; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6]
+B; 䔛󠇒𐹧.-䤷; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6]
+B; xn--2loy662coo60e.xn----0n4a; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6]
+T; 𐹩.\u200D-; [B1 C2 V3]; [B1 V3] # 𐹩.-
+N; 𐹩.\u200D-; [B1 C2 V3]; [B1 C2 V3] # 𐹩.-
+T; 𐹩.\u200D-; [B1 C2 V3]; [B1 V3] # 𐹩.-
+N; 𐹩.\u200D-; [B1 C2 V3]; [B1 C2 V3] # 𐹩.-
+B; xn--ho0d.-; [B1 V3]; [B1 V3]
+B; xn--ho0d.xn----tgn; [B1 C2 V3]; [B1 C2 V3] # 𐹩.-
+B; 帷。≯萺\u1DC8-; [P1 V3 V6]; [P1 V3 V6] # 帷.≯萺᷈-
+B; 帷。>\u0338萺\u1DC8-; [P1 V3 V6]; [P1 V3 V6] # 帷.≯萺᷈-
+B; 帷。≯萺\u1DC8-; [P1 V3 V6]; [P1 V3 V6] # 帷.≯萺᷈-
+B; 帷。>\u0338萺\u1DC8-; [P1 V3 V6]; [P1 V3 V6] # 帷.≯萺᷈-
+B; xn--qutw175s.xn----mimu6tf67j; [V3 V6]; [V3 V6] # 帷.≯萺᷈-
+T; \u200D攌\uABED。ᢖ-Ⴘ; [C2 P1 V6]; [P1 V6] # 攌꯭.ᢖ-Ⴘ
+N; \u200D攌\uABED。ᢖ-Ⴘ; [C2 P1 V6]; [C2 P1 V6] # 攌꯭.ᢖ-Ⴘ
+T; \u200D攌\uABED。ᢖ-ⴘ; [C2]; xn--p9ut19m.xn----mck373i # 攌꯭.ᢖ-ⴘ
+N; \u200D攌\uABED。ᢖ-ⴘ; [C2]; [C2] # 攌꯭.ᢖ-ⴘ
+B; xn--p9ut19m.xn----mck373i; 攌\uABED.ᢖ-ⴘ; xn--p9ut19m.xn----mck373i # 攌꯭.ᢖ-ⴘ
+B; 攌\uABED.ᢖ-ⴘ; ; xn--p9ut19m.xn----mck373i # 攌꯭.ᢖ-ⴘ
+B; 攌\uABED.ᢖ-Ⴘ; [P1 V6]; [P1 V6] # 攌꯭.ᢖ-Ⴘ
+B; xn--p9ut19m.xn----k1g451d; [V6]; [V6] # 攌꯭.ᢖ-Ⴘ
+B; xn--1ug592ykp6b.xn----mck373i; [C2]; [C2] # 攌꯭.ᢖ-ⴘ
+B; xn--1ug592ykp6b.xn----k1g451d; [C2 V6]; [C2 V6] # 攌꯭.ᢖ-Ⴘ
+T; \u200Cꖨ.⒗3툒۳; [C1 P1 V6]; [P1 V6] # ꖨ.⒗3툒۳
+N; \u200Cꖨ.⒗3툒۳; [C1 P1 V6]; [C1 P1 V6] # ꖨ.⒗3툒۳
+T; \u200Cꖨ.⒗3툒۳; [C1 P1 V6]; [P1 V6] # ꖨ.⒗3툒۳
+N; \u200Cꖨ.⒗3툒۳; [C1 P1 V6]; [C1 P1 V6] # ꖨ.⒗3툒۳
+T; \u200Cꖨ.16.3툒۳; [C1]; xn--9r8a.16.xn--3-nyc0117m # ꖨ.16.3툒۳
+N; \u200Cꖨ.16.3툒۳; [C1]; [C1] # ꖨ.16.3툒۳
+T; \u200Cꖨ.16.3툒۳; [C1]; xn--9r8a.16.xn--3-nyc0117m # ꖨ.16.3툒۳
+N; \u200Cꖨ.16.3툒۳; [C1]; [C1] # ꖨ.16.3툒۳
+B; xn--9r8a.16.xn--3-nyc0117m; ꖨ.16.3툒۳; xn--9r8a.16.xn--3-nyc0117m
+B; ꖨ.16.3툒۳; ; xn--9r8a.16.xn--3-nyc0117m
+B; ꖨ.16.3툒۳; ꖨ.16.3툒۳; xn--9r8a.16.xn--3-nyc0117m
+B; xn--0ug2473c.16.xn--3-nyc0117m; [C1]; [C1] # ꖨ.16.3툒۳
+B; xn--9r8a.xn--3-nyc678tu07m; [V6]; [V6]
+B; xn--0ug2473c.xn--3-nyc678tu07m; [C1 V6]; [C1 V6] # ꖨ.⒗3툒۳
+B; ⒈걾6.𐱁\u06D0; [B1 P1 V6]; [B1 P1 V6] # ⒈걾6.𐱁ې
+B; ⒈걾6.𐱁\u06D0; [B1 P1 V6]; [B1 P1 V6] # ⒈걾6.𐱁ې
+B; 1.걾6.𐱁\u06D0; [B1]; [B1] # 1.걾6.𐱁ې
+B; 1.걾6.𐱁\u06D0; [B1]; [B1] # 1.걾6.𐱁ې
+B; 1.xn--6-945e.xn--glb1794k; [B1]; [B1] # 1.걾6.𐱁ې
+B; xn--6-dcps419c.xn--glb1794k; [B1 V6]; [B1 V6] # ⒈걾6.𐱁ې
+B; 𐲞𝟶≮≮.\u0639; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 𐳞0≮≮.ع
+B; 𐲞𝟶<\u0338<\u0338.\u0639; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 𐳞0≮≮.ع
+B; 𐲞0≮≮.\u0639; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 𐳞0≮≮.ع
+B; 𐲞0<\u0338<\u0338.\u0639; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 𐳞0≮≮.ع
+B; 𐳞0<\u0338<\u0338.\u0639; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 𐳞0≮≮.ع
+B; 𐳞0≮≮.\u0639; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 𐳞0≮≮.ع
+B; xn--0-ngoa5711v.xn--4gb31034p; [B1 B3 V6]; [B1 B3 V6] # 𐳞0≮≮.ع
+B; 𐳞𝟶<\u0338<\u0338.\u0639; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 𐳞0≮≮.ع
+B; 𐳞𝟶≮≮.\u0639; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 𐳞0≮≮.ع
+B; \u0AE3.𐹺\u115F; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ૣ.𐹺
+B; xn--8fc.xn--osd3070k; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # ૣ.𐹺
+T; 𝟏𝨙⸖.\u200D; [C2]; xn--1-5bt6845n. # 1𝨙⸖.
+N; 𝟏𝨙⸖.\u200D; [C2]; [C2] # 1𝨙⸖.
+T; 1𝨙⸖.\u200D; [C2]; xn--1-5bt6845n. # 1𝨙⸖.
+N; 1𝨙⸖.\u200D; [C2]; [C2] # 1𝨙⸖.
+B; xn--1-5bt6845n.; 1𝨙⸖.; xn--1-5bt6845n.; NV8
+B; 1𝨙⸖.; ; xn--1-5bt6845n.; NV8
+B; xn--1-5bt6845n.xn--1ug; [C2]; [C2] # 1𝨙⸖.
+T; 𞤐≠\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+N; 𞤐≠\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+T; 𞤐=\u0338\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+N; 𞤐=\u0338\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+T; 𞤐≠\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+N; 𞤐≠\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+T; 𞤐=\u0338\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+N; 𞤐=\u0338\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+T; 𞤲=\u0338\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+N; 𞤲=\u0338\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+T; 𞤲≠\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+N; 𞤲≠\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+B; xn--wnb859grzfzw60c.xn----kcd; [B1 V3 V6]; [B1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+B; xn--wnb859grzfzw60c.xn----kcd017p; [B1 C1 V3 V6]; [B1 C1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+T; 𞤲=\u0338\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+N; 𞤲=\u0338\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+T; 𞤲≠\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+N; 𞤲≠\u0726\u1A60。-\u200C\u07D5; [B1 C1 P1 V3 V6]; [B1 C1 P1 V3 V6] # 𞤲≠ܦ᩠.-ߕ
+B; 𐹰\u0368-ꡧ。\u0675; [B1]; [B1] # 𐹰ͨ-ꡧ.اٴ
+B; 𐹰\u0368-ꡧ。\u0627\u0674; [B1]; [B1] # 𐹰ͨ-ꡧ.اٴ
+B; xn----shb2387jgkqd.xn--mgb8m; [B1]; [B1] # 𐹰ͨ-ꡧ.اٴ
+B; F󠅟。♚; [P1 V6]; [P1 V6]
+B; F󠅟。♚; [P1 V6]; [P1 V6]
+B; f󠅟。♚; [P1 V6]; [P1 V6]
+B; f.xn--45hz6953f; [V6]; [V6]
+B; f󠅟。♚; [P1 V6]; [P1 V6]
+B; \u0B4D𑄴\u1DE9。𝟮Ⴘ𞀨; [P1 V5 V6]; [P1 V5 V6] # ୍𑄴ᷩ.2Ⴘ𞀨
+B; \u0B4D𑄴\u1DE9。2Ⴘ𞀨; [P1 V5 V6]; [P1 V5 V6] # ୍𑄴ᷩ.2Ⴘ𞀨
+B; \u0B4D𑄴\u1DE9。2ⴘ𞀨; [P1 V5 V6]; [P1 V5 V6] # ୍𑄴ᷩ.2ⴘ𞀨
+B; xn--9ic246gs21p.xn--2-nws2918ndrjr; [V5 V6]; [V5 V6] # ୍𑄴ᷩ.2ⴘ𞀨
+B; xn--9ic246gs21p.xn--2-k1g43076adrwq; [V5 V6]; [V5 V6] # ୍𑄴ᷩ.2Ⴘ𞀨
+B; \u0B4D𑄴\u1DE9。𝟮ⴘ𞀨; [P1 V5 V6]; [P1 V5 V6] # ୍𑄴ᷩ.2ⴘ𞀨
+T; \u200C\u200C⒈。勉𑁅; [C1 P1 V6]; [P1 V6] # ⒈.勉𑁅
+N; \u200C\u200C⒈。勉𑁅; [C1 P1 V6]; [C1 P1 V6] # ⒈.勉𑁅
+T; \u200C\u200C1.。勉𑁅; [C1 P1 V6 A4_2]; [P1 V6 A4_2] # 1..勉𑁅
+N; \u200C\u200C1.。勉𑁅; [C1 P1 V6 A4_2]; [C1 P1 V6 A4_2] # 1..勉𑁅
+B; xn--1-yi00h..xn--4grs325b; [V6 A4_2]; [V6 A4_2]
+B; xn--1-rgna61159u..xn--4grs325b; [C1 V6 A4_2]; [C1 V6 A4_2] # 1..勉𑁅
+B; xn--tsh11906f.xn--4grs325b; [V6]; [V6]
+B; xn--0uga855aez302a.xn--4grs325b; [C1 V6]; [C1 V6] # ⒈.勉𑁅
+B; ᡃ.玿; [P1 V6]; [P1 V6]
+B; xn--27e.xn--7cy81125a0yq4a; [V6]; [V6]
+T; \u200C\u200C。⒈≯𝟵; [C1 P1 V6]; [P1 V6 A4_2] # .⒈≯9
+N; \u200C\u200C。⒈≯𝟵; [C1 P1 V6]; [C1 P1 V6] # .⒈≯9
+T; \u200C\u200C。⒈>\u0338𝟵; [C1 P1 V6]; [P1 V6 A4_2] # .⒈≯9
+N; \u200C\u200C。⒈>\u0338𝟵; [C1 P1 V6]; [C1 P1 V6] # .⒈≯9
+T; \u200C\u200C。1.≯9; [C1 P1 V6]; [P1 V6 A4_2] # .1.≯9
+N; \u200C\u200C。1.≯9; [C1 P1 V6]; [C1 P1 V6] # .1.≯9
+T; \u200C\u200C。1.>\u03389; [C1 P1 V6]; [P1 V6 A4_2] # .1.≯9
+N; \u200C\u200C。1.>\u03389; [C1 P1 V6]; [C1 P1 V6] # .1.≯9
+B; .1.xn--9-ogo; [V6 A4_2]; [V6 A4_2]
+B; xn--0uga.1.xn--9-ogo; [C1 V6]; [C1 V6] # .1.≯9
+B; .xn--9-ogo37g; [V6 A4_2]; [V6 A4_2]
+B; xn--0uga.xn--9-ogo37g; [C1 V6]; [C1 V6] # .⒈≯9
+B; \u115F\u1DE0.≯𐮁; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ᷠ.≯𐮁
+B; \u115F\u1DE0.>\u0338𐮁; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ᷠ.≯𐮁
+B; xn--osd615d5659o.xn--hdh5192gkm6r; [B5 B6 V6]; [B5 B6 V6] # ᷠ.≯𐮁
+T; 󠄫𝩤\u200D\u063E.𝩩-\u081E; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # 𝩤ؾ.𝩩-ࠞ
+N; 󠄫𝩤\u200D\u063E.𝩩-\u081E; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # 𝩤ؾ.𝩩-ࠞ
+B; xn--9gb5080v.xn----qgd52296avol4f; [B1 V5 V6]; [B1 V5 V6] # 𝩤ؾ.𝩩-ࠞ
+B; xn--9gb723kg862a.xn----qgd52296avol4f; [B1 C2 V5 V6]; [B1 C2 V5 V6] # 𝩤ؾ.𝩩-ࠞ
+B; \u20DA.𑘿-; [V3 V5]; [V3 V5] # ⃚.𑘿-
+B; \u20DA.𑘿-; [V3 V5]; [V3 V5] # ⃚.𑘿-
+B; xn--w0g.xn----bd0j; [V3 V5]; [V3 V5] # ⃚.𑘿-
+T; 䮸ß.紙\u08A8; [B1 P1 V6]; [B1 P1 V6] # 䮸ß.紙ࢨ
+N; 䮸ß.紙\u08A8; [B1 P1 V6]; [B1 P1 V6] # 䮸ß.紙ࢨ
+B; 䮸SS.紙\u08A8; [B1 P1 V6]; [B1 P1 V6] # 䮸ss.紙ࢨ
+B; 䮸ss.紙\u08A8; [B1 P1 V6]; [B1 P1 V6] # 䮸ss.紙ࢨ
+B; 䮸Ss.紙\u08A8; [B1 P1 V6]; [B1 P1 V6] # 䮸ss.紙ࢨ
+B; xn--ss-sf1c.xn--xyb1370div70kpzba; [B1 V6]; [B1 V6] # 䮸ss.紙ࢨ
+B; xn--zca5349a.xn--xyb1370div70kpzba; [B1 V6]; [B1 V6] # 䮸ß.紙ࢨ
+B; -Ⴞ.-𝩨⅔𐦕; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; -Ⴞ.-𝩨2⁄3𐦕; [B1 P1 V3 V6]; [B1 P1 V3 V6]
+B; -ⴞ.-𝩨2⁄3𐦕; [B1 V3]; [B1 V3]
+B; xn----zws.xn---23-pt0a0433lk3jj; [B1 V3]; [B1 V3]
+B; xn----w1g.xn---23-pt0a0433lk3jj; [B1 V3 V6]; [B1 V3 V6]
+B; -ⴞ.-𝩨⅔𐦕; [B1 V3]; [B1 V3]
+B; 𐹯\u0AC2。𐮁ᡂ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 𐹯ૂ.𐮁ᡂ
+B; 𐹯\u0AC2。𐮁ᡂ; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 𐹯ૂ.𐮁ᡂ
+B; xn--bfc7604kv8m3g.xn--17e5565jl7zw4h16a; [B5 B6 V6]; [B5 B6 V6] # 𐹯ૂ.𐮁ᡂ
+T; \u1082-\u200D\uA8EA.ꡊ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # ႂ-꣪.ꡊ
+N; \u1082-\u200D\uA8EA.ꡊ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ႂ-꣪.ꡊ
+T; \u1082-\u200D\uA8EA.ꡊ\u200D; [C2 P1 V5 V6]; [P1 V5 V6] # ႂ-꣪.ꡊ
+N; \u1082-\u200D\uA8EA.ꡊ\u200D; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ႂ-꣪.ꡊ
+B; xn----gyg3618i.xn--jc9ao4185a; [V5 V6]; [V5 V6] # ႂ-꣪.ꡊ
+B; xn----gyg250jio7k.xn--1ug8774cri56d; [C2 V5 V6]; [C2 V5 V6] # ႂ-꣪.ꡊ
+B; ۱。≠\u0668; [B1 P1 V6]; [B1 P1 V6] # ۱.≠٨
+B; ۱。=\u0338\u0668; [B1 P1 V6]; [B1 P1 V6] # ۱.≠٨
+B; xn--emb.xn--hib334l; [B1 V6]; [B1 V6] # ۱.≠٨
+B; 𑈵廊.𐠍; [V5]; [V5]
+B; xn--xytw701b.xn--yc9c; [V5]; [V5]
+T; \u200D\u0356-.-Ⴐ\u0661; [B1 C2 P1 V3 V6]; [B1 P1 V3 V5 V6] # ͖-.-Ⴐ١
+N; \u200D\u0356-.-Ⴐ\u0661; [B1 C2 P1 V3 V6]; [B1 C2 P1 V3 V6] # ͖-.-Ⴐ١
+T; \u200D\u0356-.-Ⴐ\u0661; [B1 C2 P1 V3 V6]; [B1 P1 V3 V5 V6] # ͖-.-Ⴐ١
+N; \u200D\u0356-.-Ⴐ\u0661; [B1 C2 P1 V3 V6]; [B1 C2 P1 V3 V6] # ͖-.-Ⴐ١
+T; \u200D\u0356-.-ⴐ\u0661; [B1 C2 V3]; [B1 V3 V5] # ͖-.-ⴐ١
+N; \u200D\u0356-.-ⴐ\u0661; [B1 C2 V3]; [B1 C2 V3] # ͖-.-ⴐ١
+B; xn----rgb.xn----bqc2280a; [B1 V3 V5]; [B1 V3 V5] # ͖-.-ⴐ١
+B; xn----rgb661t.xn----bqc2280a; [B1 C2 V3]; [B1 C2 V3] # ͖-.-ⴐ١
+B; xn----rgb.xn----bqc030f; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ͖-.-Ⴐ١
+B; xn----rgb661t.xn----bqc030f; [B1 C2 V3 V6]; [B1 C2 V3 V6] # ͖-.-Ⴐ١
+T; \u200D\u0356-.-ⴐ\u0661; [B1 C2 V3]; [B1 V3 V5] # ͖-.-ⴐ١
+N; \u200D\u0356-.-ⴐ\u0661; [B1 C2 V3]; [B1 C2 V3] # ͖-.-ⴐ١
+B; \u063A\u0661挏.-; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # غ١挏.-
+B; xn--5gb2f4205aqi47p.-; [B1 B2 B3 V3 V6]; [B1 B2 B3 V3 V6] # غ١挏.-
+B; \u06EF。𐹧𞤽; [B1]; [B1] # ۯ.𐹧𞤽
+B; \u06EF。𐹧𞤽; [B1]; [B1] # ۯ.𐹧𞤽
+B; \u06EF。𐹧𞤛; [B1]; [B1] # ۯ.𐹧𞤽
+B; xn--cmb.xn--fo0dy848a; [B1]; [B1] # ۯ.𐹧𞤽
+B; \u06EF。𐹧𞤛; [B1]; [B1] # ۯ.𐹧𞤽
+B; Ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
+B; Ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
+B; Ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
+B; Ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
+B; ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
+B; ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
+B; xn--mlj0486jgl2j.xn--hbf6853f; [V6]; [V6]
+B; xn--2nd8876sgl2j.xn--hbf6853f; [V6]; [V6]
+B; ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
+B; ⴞ.ᢗ릫; [P1 V6]; [P1 V6]
+T; \u06B7𐹷。≯\u200C\u1DFE; [B1 C1 P1 V6]; [B1 P1 V6] # ڷ𐹷.≯᷾
+N; \u06B7𐹷。≯\u200C\u1DFE; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ڷ𐹷.≯᷾
+T; \u06B7𐹷。>\u0338\u200C\u1DFE; [B1 C1 P1 V6]; [B1 P1 V6] # ڷ𐹷.≯᷾
+N; \u06B7𐹷。>\u0338\u200C\u1DFE; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ڷ𐹷.≯᷾
+T; \u06B7𐹷。≯\u200C\u1DFE; [B1 C1 P1 V6]; [B1 P1 V6] # ڷ𐹷.≯᷾
+N; \u06B7𐹷。≯\u200C\u1DFE; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ڷ𐹷.≯᷾
+T; \u06B7𐹷。>\u0338\u200C\u1DFE; [B1 C1 P1 V6]; [B1 P1 V6] # ڷ𐹷.≯᷾
+N; \u06B7𐹷。>\u0338\u200C\u1DFE; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ڷ𐹷.≯᷾
+B; xn--qkb4516kbi06fg2id.xn--zfg31q; [B1 V6]; [B1 V6] # ڷ𐹷.≯᷾
+B; xn--qkb4516kbi06fg2id.xn--zfg59fm0c; [B1 C1 V6]; [B1 C1 V6] # ڷ𐹷.≯᷾
+T; ᛎ󠅍\u200D。𐹾𐹪-; [B1 B6 C2 P1 V3 V6]; [B1 B6 P1 V3 V6] # ᛎ.𐹾𐹪-
+N; ᛎ󠅍\u200D。𐹾𐹪-; [B1 B6 C2 P1 V3 V6]; [B1 B6 C2 P1 V3 V6] # ᛎ.𐹾𐹪-
+T; ᛎ󠅍\u200D。𐹾𐹪-; [B1 B6 C2 P1 V3 V6]; [B1 B6 P1 V3 V6] # ᛎ.𐹾𐹪-
+N; ᛎ󠅍\u200D。𐹾𐹪-; [B1 B6 C2 P1 V3 V6]; [B1 B6 C2 P1 V3 V6] # ᛎ.𐹾𐹪-
+B; xn--fxe63563p.xn----q26i2bvu; [B1 B6 V3 V6]; [B1 B6 V3 V6]
+B; xn--fxe848bq3411a.xn----q26i2bvu; [B1 B6 C2 V3 V6]; [B1 B6 C2 V3 V6] # ᛎ.𐹾𐹪-
+B; 𐹶.𐫂; [B1]; [B1]
+B; xn--uo0d.xn--rw9c; [B1]; [B1]
+T; ß\u200D\u103A。⒈; [C2 P1 V6]; [P1 V6] # ß်.⒈
+N; ß\u200D\u103A。⒈; [C2 P1 V6]; [C2 P1 V6] # ß်.⒈
+T; ß\u200D\u103A。1.; [C2]; xn--ss-f4j.1. # ß်.1.
+N; ß\u200D\u103A。1.; [C2]; [C2] # ß်.1.
+T; SS\u200D\u103A。1.; [C2]; xn--ss-f4j.1. # ss်.1.
+N; SS\u200D\u103A。1.; [C2]; [C2] # ss်.1.
+T; ss\u200D\u103A。1.; [C2]; xn--ss-f4j.1. # ss်.1.
+N; ss\u200D\u103A。1.; [C2]; [C2] # ss်.1.
+T; Ss\u200D\u103A。1.; [C2]; xn--ss-f4j.1. # ss်.1.
+N; Ss\u200D\u103A。1.; [C2]; [C2] # ss်.1.
+B; xn--ss-f4j.1.; ss\u103A.1.; xn--ss-f4j.1. # ss်.1.
+B; ss\u103A.1.; ; xn--ss-f4j.1. # ss်.1.
+B; SS\u103A.1.; ss\u103A.1.; xn--ss-f4j.1. # ss်.1.
+B; Ss\u103A.1.; ss\u103A.1.; xn--ss-f4j.1. # ss်.1.
+B; xn--ss-f4j585j.1.; [C2]; [C2] # ss်.1.
+B; xn--zca679eh2l.1.; [C2]; [C2] # ß်.1.
+T; SS\u200D\u103A。⒈; [C2 P1 V6]; [P1 V6] # ss်.⒈
+N; SS\u200D\u103A。⒈; [C2 P1 V6]; [C2 P1 V6] # ss်.⒈
+T; ss\u200D\u103A。⒈; [C2 P1 V6]; [P1 V6] # ss်.⒈
+N; ss\u200D\u103A。⒈; [C2 P1 V6]; [C2 P1 V6] # ss်.⒈
+T; Ss\u200D\u103A。⒈; [C2 P1 V6]; [P1 V6] # ss်.⒈
+N; Ss\u200D\u103A。⒈; [C2 P1 V6]; [C2 P1 V6] # ss်.⒈
+B; xn--ss-f4j.xn--tsh; [V6]; [V6] # ss်.⒈
+B; xn--ss-f4j585j.xn--tsh; [C2 V6]; [C2 V6] # ss်.⒈
+B; xn--zca679eh2l.xn--tsh; [C2 V6]; [C2 V6] # ß်.⒈
+T; \u0B4D\u200C。\u200D; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ୍.
+N; \u0B4D\u200C。\u200D; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ୍.
+B; xn--9ic6417rn4xb.; [B1 V5 V6]; [B1 V5 V6] # ୍.
+B; xn--9ic637hz82z32jc.xn--1ug; [B1 C2 V5 V6]; [B1 C2 V5 V6] # ୍.
+B; 𐮅。\u06BC🁕; [B3]; [B3] # 𐮅.ڼ🁕
+B; 𐮅。\u06BC🁕; [B3]; [B3] # 𐮅.ڼ🁕
+B; xn--c29c.xn--vkb8871w; [B3]; [B3] # 𐮅.ڼ🁕
+T; \u0620\u17D2。𐫔\u200C𑈵; [B2 B3 C1 P1 V6]; [B2 B3 P1 V6] # ؠ្.𐫔𑈵
+N; \u0620\u17D2。𐫔\u200C𑈵; [B2 B3 C1 P1 V6]; [B2 B3 C1 P1 V6] # ؠ្.𐫔𑈵
+B; xn--fgb471g.xn--9w9c29jw3931a; [B2 B3 V6]; [B2 B3 V6] # ؠ្.𐫔𑈵
+B; xn--fgb471g.xn--0ug9853g7verp838a; [B2 B3 C1 V6]; [B2 B3 C1 V6] # ؠ្.𐫔𑈵
+B; .𞣕𞤊; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+B; .𞣕𞤬; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+B; xn--tf5w.xn--2b6hof; [B1 V5 V6]; [B1 V5 V6]
+T; \u06CC𐨿.ß\u0F84𑍬; \u06CC𐨿.ß\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ß྄𑍬
+N; \u06CC𐨿.ß\u0F84𑍬; \u06CC𐨿.ß\u0F84𑍬; xn--clb2593k.xn--zca216edt0r # ی𐨿.ß྄𑍬
+T; \u06CC𐨿.ß\u0F84𑍬; ; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ß྄𑍬
+N; \u06CC𐨿.ß\u0F84𑍬; ; xn--clb2593k.xn--zca216edt0r # ی𐨿.ß྄𑍬
+B; \u06CC𐨿.SS\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
+B; \u06CC𐨿.ss\u0F84𑍬; ; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
+B; \u06CC𐨿.Ss\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
+B; xn--clb2593k.xn--ss-toj6092t; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
+B; xn--clb2593k.xn--zca216edt0r; \u06CC𐨿.ß\u0F84𑍬; xn--clb2593k.xn--zca216edt0r # ی𐨿.ß྄𑍬
+B; \u06CC𐨿.SS\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
+B; \u06CC𐨿.ss\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
+B; \u06CC𐨿.Ss\u0F84𑍬; \u06CC𐨿.ss\u0F84𑍬; xn--clb2593k.xn--ss-toj6092t # ی𐨿.ss྄𑍬
+T; 𝟠≮\u200C。󠅱\u17B4; [C1 P1 V5 V6]; [P1 V5 V6] # 8≮.
+N; 𝟠≮\u200C。󠅱\u17B4; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 8≮.
+T; 𝟠<\u0338\u200C。󠅱\u17B4; [C1 P1 V5 V6]; [P1 V5 V6] # 8≮.
+N; 𝟠<\u0338\u200C。󠅱\u17B4; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 8≮.
+T; 8≮\u200C。󠅱\u17B4; [C1 P1 V5 V6]; [P1 V5 V6] # 8≮.
+N; 8≮\u200C。󠅱\u17B4; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 8≮.
+T; 8<\u0338\u200C。󠅱\u17B4; [C1 P1 V5 V6]; [P1 V5 V6] # 8≮.
+N; 8<\u0338\u200C。󠅱\u17B4; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 8≮.
+B; xn--8-ngo.xn--z3e; [V5 V6]; [V5 V6] # 8≮.
+B; xn--8-sgn10i.xn--z3e; [C1 V5 V6]; [C1 V5 V6] # 8≮.
+B; ᢕ≯︒.Ⴀ; [P1 V6]; [P1 V6]
+B; ᢕ>\u0338︒.Ⴀ; [P1 V6]; [P1 V6]
+B; ᢕ≯。.Ⴀ; [P1 V6]; [P1 V6]
+B; ᢕ>\u0338。.Ⴀ; [P1 V6]; [P1 V6]
+B; ᢕ>\u0338。.ⴀ; [P1 V6]; [P1 V6]
+B; ᢕ≯。.ⴀ; [P1 V6]; [P1 V6]
+B; xn--fbf851c.xn--ko1u.xn--rkj; [V6]; [V6]
+B; xn--fbf851c.xn--ko1u.xn--7md; [V6]; [V6]
+B; ᢕ>\u0338︒.ⴀ; [P1 V6]; [P1 V6]
+B; ᢕ≯︒.ⴀ; [P1 V6]; [P1 V6]
+B; xn--fbf851cq98poxw1a.xn--rkj; [V6]; [V6]
+B; xn--fbf851cq98poxw1a.xn--7md; [V6]; [V6]
+B; \u0F9F.-\u082A; [V3 V5]; [V3 V5] # ྟ.-ࠪ
+B; \u0F9F.-\u082A; [V3 V5]; [V3 V5] # ྟ.-ࠪ
+B; xn--vfd.xn----fhd; [V3 V5]; [V3 V5] # ྟ.-ࠪ
+B; ᵬ󠆠.핒⒒⒈; [P1 V6]; [P1 V6]
+B; ᵬ󠆠.핒⒒⒈; [P1 V6]; [P1 V6]
+B; ᵬ󠆠.핒11.1.; [P1 V6]; [P1 V6]
+B; ᵬ󠆠.핒11.1.; [P1 V6]; [P1 V6]
+B; xn--tbg.xn--11-5o7k.1.xn--k469f; [V6]; [V6]
+B; xn--tbg.xn--tsht7586kyts9l; [V6]; [V6]
+T; ς𑓂𐋢.\u0668; [B1]; [B1] # ς𑓂𐋢.٨
+N; ς𑓂𐋢.\u0668; [B1]; [B1] # ς𑓂𐋢.٨
+T; ς𑓂𐋢.\u0668; [B1]; [B1] # ς𑓂𐋢.٨
+N; ς𑓂𐋢.\u0668; [B1]; [B1] # ς𑓂𐋢.٨
+B; Σ𑓂𐋢.\u0668; [B1]; [B1] # σ𑓂𐋢.٨
+B; σ𑓂𐋢.\u0668; [B1]; [B1] # σ𑓂𐋢.٨
+B; xn--4xa6371khhl.xn--hib; [B1]; [B1] # σ𑓂𐋢.٨
+B; xn--3xa8371khhl.xn--hib; [B1]; [B1] # ς𑓂𐋢.٨
+B; Σ𑓂𐋢.\u0668; [B1]; [B1] # σ𑓂𐋢.٨
+B; σ𑓂𐋢.\u0668; [B1]; [B1] # σ𑓂𐋢.٨
+T; \uA953\u200C𐋻\u200D.\u2DF8𐹲; [B1 B6 C2 P1 V5 V6]; [B1 P1 V5 V6] # ꥓𐋻.ⷸ𐹲
+N; \uA953\u200C𐋻\u200D.\u2DF8𐹲; [B1 B6 C2 P1 V5 V6]; [B1 B6 C2 P1 V5 V6] # ꥓𐋻.ⷸ𐹲
+B; xn--3j9a531o.xn--urju692efj0f; [B1 V5 V6]; [B1 V5 V6] # ꥓𐋻.ⷸ𐹲
+B; xn--0ugc8356he76c.xn--urju692efj0f; [B1 B6 C2 V5 V6]; [B1 B6 C2 V5 V6] # ꥓𐋻.ⷸ𐹲
+B; ⊼。\u0695; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ⊼.ڕ
+B; xn--ofh.xn--rjb13118f; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ⊼.ڕ
+B; 。; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; xn--949co370q.xn--7g25e; [B2 B3 V6]; [B2 B3 V6]
+T; \u0601𑍧\u07DD。ς🀞\u17B5; [B1 B6 P1 V6]; [B1 B6 P1 V6] # 𑍧ߝ.ς🀞
+N; \u0601𑍧\u07DD。ς🀞\u17B5; [B1 B6 P1 V6]; [B1 B6 P1 V6] # 𑍧ߝ.ς🀞
+B; \u0601𑍧\u07DD。Σ🀞\u17B5; [B1 B6 P1 V6]; [B1 B6 P1 V6] # 𑍧ߝ.σ🀞
+B; \u0601𑍧\u07DD。σ🀞\u17B5; [B1 B6 P1 V6]; [B1 B6 P1 V6] # 𑍧ߝ.σ🀞
+B; xn--jfb66gt010c.xn--4xa623h9p95ars26d; [B1 B6 V6]; [B1 B6 V6] # 𑍧ߝ.σ🀞
+B; xn--jfb66gt010c.xn--3xa823h9p95ars26d; [B1 B6 V6]; [B1 B6 V6] # 𑍧ߝ.ς🀞
+B; -𐳲\u0646。\uABED𝟥; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -𐳲ن.꯭3
+B; -𐳲\u0646。\uABED3; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -𐳲ن.꯭3
+B; -𐲲\u0646。\uABED3; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -𐳲ن.꯭3
+B; xn----roc5482rek10i.xn--3-zw5e; [B1 V3 V5 V6]; [B1 V3 V5 V6] # -𐳲ن.꯭3
+B; -𐲲\u0646。\uABED𝟥; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # -𐳲ن.꯭3
+T; \u200C。≮𐦜; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # .≮𐦜
+N; \u200C。≮𐦜; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .≮𐦜
+T; \u200C。<\u0338𐦜; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # .≮𐦜
+N; \u200C。<\u0338𐦜; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .≮𐦜
+T; \u200C。≮𐦜; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # .≮𐦜
+N; \u200C。≮𐦜; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .≮𐦜
+T; \u200C。<\u0338𐦜; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 P1 V6] # .≮𐦜
+N; \u200C。<\u0338𐦜; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .≮𐦜
+B; xn--6v56e.xn--gdhz712gzlr6b; [B1 B5 B6 V6]; [B1 B5 B6 V6]
+B; xn--0ug22251l.xn--gdhz712gzlr6b; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # .≮𐦜
+B; ⒈✌.𝟡; [P1 V6]; [P1 V6]
+B; 1.✌.9; [P1 V6]; [P1 V6]
+B; 1.xn--7bi44996f.xn--9-o706d; [V6]; [V6]
+B; xn--tsh24g49550b.xn--9-o706d; [V6]; [V6]
+B; 𑆾𞤬𐮆.\u0666\u1DD4; [B1 V5]; [B1 V5] # 𑆾𞤬𐮆.٦ᷔ
+B; 𑆾𞤊𐮆.\u0666\u1DD4; [B1 V5]; [B1 V5] # 𑆾𞤬𐮆.٦ᷔ
+B; xn--d29c79hf98r.xn--fib011j; [B1 V5]; [B1 V5] # 𑆾𞤬𐮆.٦ᷔ
+T; ς.\uA9C0\uA8C4; [V5]; [V5] # ς.꧀꣄
+N; ς.\uA9C0\uA8C4; [V5]; [V5] # ς.꧀꣄
+T; ς.\uA9C0\uA8C4; [V5]; [V5] # ς.꧀꣄
+N; ς.\uA9C0\uA8C4; [V5]; [V5] # ς.꧀꣄
+B; Σ.\uA9C0\uA8C4; [V5]; [V5] # σ.꧀꣄
+B; σ.\uA9C0\uA8C4; [V5]; [V5] # σ.꧀꣄
+B; xn--4xa.xn--0f9ars; [V5]; [V5] # σ.꧀꣄
+B; xn--3xa.xn--0f9ars; [V5]; [V5] # ς.꧀꣄
+B; Σ.\uA9C0\uA8C4; [V5]; [V5] # σ.꧀꣄
+B; σ.\uA9C0\uA8C4; [V5]; [V5] # σ.꧀꣄
+T; 𑰶\u200C≯𐳐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑰶≯𐳐.࡛
+N; 𑰶\u200C≯𐳐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 C1 P1 V5 V6] # 𑰶≯𐳐.࡛
+T; 𑰶\u200C>\u0338𐳐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑰶≯𐳐.࡛
+N; 𑰶\u200C>\u0338𐳐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 C1 P1 V5 V6] # 𑰶≯𐳐.࡛
+T; 𑰶\u200C≯𐳐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑰶≯𐳐.࡛
+N; 𑰶\u200C≯𐳐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 C1 P1 V5 V6] # 𑰶≯𐳐.࡛
+T; 𑰶\u200C>\u0338𐳐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑰶≯𐳐.࡛
+N; 𑰶\u200C>\u0338𐳐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 C1 P1 V5 V6] # 𑰶≯𐳐.࡛
+T; 𑰶\u200C>\u0338𐲐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑰶≯𐳐.࡛
+N; 𑰶\u200C>\u0338𐲐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 C1 P1 V5 V6] # 𑰶≯𐳐.࡛
+T; 𑰶\u200C≯𐲐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑰶≯𐳐.࡛
+N; 𑰶\u200C≯𐲐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 C1 P1 V5 V6] # 𑰶≯𐳐.࡛
+B; xn--hdhz343g3wj.xn--qwb; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # 𑰶≯𐳐.࡛
+B; xn--0ug06g7697ap4ma.xn--qwb; [B1 B3 B6 C1 V5 V6]; [B1 B3 B6 C1 V5 V6] # 𑰶≯𐳐.࡛
+T; 𑰶\u200C>\u0338𐲐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑰶≯𐳐.࡛
+N; 𑰶\u200C>\u0338𐲐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 C1 P1 V5 V6] # 𑰶≯𐳐.࡛
+T; 𑰶\u200C≯𐲐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𑰶≯𐳐.࡛
+N; 𑰶\u200C≯𐲐.\u085B; [B1 B3 B6 C1 P1 V5 V6]; [B1 B3 B6 C1 P1 V5 V6] # 𑰶≯𐳐.࡛
+B; 羚。≯; [P1 V6]; [P1 V6]
+B; 羚。>\u0338; [P1 V6]; [P1 V6]
+B; 羚。≯; [P1 V6]; [P1 V6]
+B; 羚。>\u0338; [P1 V6]; [P1 V6]
+B; xn--xt0a.xn--hdh; [V6]; [V6]
+B; 𑓂\u1759.\u08A8; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𑓂.ࢨ
+B; 𑓂\u1759.\u08A8; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𑓂.ࢨ
+B; xn--e1e9580k.xn--xyb; [B1 V5 V6]; [B1 V5 V6] # 𑓂.ࢨ
+T; 󠇀\u200D。\u0663ҠჀ𝟑; [B1 B6 C2 P1 V6]; [B1 P1 V6] # .٣ҡჀ3
+N; 󠇀\u200D。\u0663ҠჀ𝟑; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # .٣ҡჀ3
+T; 󠇀\u200D。\u0663ҠჀ3; [B1 B6 C2 P1 V6]; [B1 P1 V6] # .٣ҡჀ3
+N; 󠇀\u200D。\u0663ҠჀ3; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # .٣ҡჀ3
+T; 󠇀\u200D。\u0663ҡⴠ3; [B1 B6 C2 P1 V6]; [B1 P1 V6] # .٣ҡⴠ3
+N; 󠇀\u200D。\u0663ҡⴠ3; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # .٣ҡⴠ3
+T; 󠇀\u200D。\u0663Ҡⴠ3; [B1 B6 C2 P1 V6]; [B1 P1 V6] # .٣ҡⴠ3
+N; 󠇀\u200D。\u0663Ҡⴠ3; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # .٣ҡⴠ3
+B; xn--1r19e.xn--3-ozb36ko13f; [B1 V6]; [B1 V6] # .٣ҡⴠ3
+B; xn--1ug89936l.xn--3-ozb36ko13f; [B1 B6 C2 V6]; [B1 B6 C2 V6] # .٣ҡⴠ3
+B; xn--1r19e.xn--3-ozb36kixu; [B1 V6]; [B1 V6] # .٣ҡჀ3
+B; xn--1ug89936l.xn--3-ozb36kixu; [B1 B6 C2 V6]; [B1 B6 C2 V6] # .٣ҡჀ3
+T; 󠇀\u200D。\u0663ҡⴠ𝟑; [B1 B6 C2 P1 V6]; [B1 P1 V6] # .٣ҡⴠ3
+N; 󠇀\u200D。\u0663ҡⴠ𝟑; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # .٣ҡⴠ3
+T; 󠇀\u200D。\u0663Ҡⴠ𝟑; [B1 B6 C2 P1 V6]; [B1 P1 V6] # .٣ҡⴠ3
+N; 󠇀\u200D。\u0663Ҡⴠ𝟑; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # .٣ҡⴠ3
+B; ᡷ。𐹢\u08E0; [B1]; [B1] # ᡷ.𐹢࣠
+B; xn--k9e.xn--j0b5005k; [B1]; [B1] # ᡷ.𐹢࣠
+T; \u1BF3。\u0666\u17D2ß; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ß
+N; \u1BF3。\u0666\u17D2ß; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ß
+T; \u1BF3。\u0666\u17D2ß; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ß
+N; \u1BF3。\u0666\u17D2ß; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ß
+B; \u1BF3。\u0666\u17D2SS; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ss
+B; \u1BF3。\u0666\u17D2ss; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ss
+B; \u1BF3。\u0666\u17D2Ss; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ss
+B; xn--1zf58212h.xn--ss-pyd459o3258m; [B1 V6]; [B1 V6] # ᯳.٦្ss
+B; xn--1zf58212h.xn--zca34zk4qx711k; [B1 V6]; [B1 V6] # ᯳.٦្ß
+B; \u1BF3。\u0666\u17D2SS; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ss
+B; \u1BF3。\u0666\u17D2ss; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ss
+B; \u1BF3。\u0666\u17D2Ss; [B1 P1 V6]; [B1 P1 V6] # ᯳.٦្ss
+B; \u0664𑲛.︒≠; [B1 P1 V6]; [B1 P1 V6] # ٤𑲛.︒≠
+B; \u0664𑲛.︒=\u0338; [B1 P1 V6]; [B1 P1 V6] # ٤𑲛.︒≠
+B; \u0664𑲛.。≠; [B1 P1 V6]; [B1 P1 V6] # ٤𑲛..≠
+B; \u0664𑲛.。=\u0338; [B1 P1 V6]; [B1 P1 V6] # ٤𑲛..≠
+B; xn--dib0653l2i02d.xn--k736e.xn--1ch; [B1 V6]; [B1 V6] # ٤𑲛..≠
+B; xn--dib0653l2i02d.xn--1ch7467f14u4g; [B1 V6]; [B1 V6] # ٤𑲛.︒≠
+B; ➆ỗ⒈.\u085B𝟫; [P1 V6]; [P1 V6] # ➆ỗ⒈.࡛9
+B; ➆o\u0302\u0303⒈.\u085B𝟫; [P1 V6]; [P1 V6] # ➆ỗ⒈.࡛9
+B; ➆ỗ1..\u085B9; [P1 V6 A4_2]; [P1 V6 A4_2] # ➆ỗ1..࡛9
+B; ➆o\u0302\u03031..\u085B9; [P1 V6 A4_2]; [P1 V6 A4_2] # ➆ỗ1..࡛9
+B; ➆O\u0302\u03031..\u085B9; [P1 V6 A4_2]; [P1 V6 A4_2] # ➆ỗ1..࡛9
+B; ➆Ỗ1..\u085B9; [P1 V6 A4_2]; [P1 V6 A4_2] # ➆ỗ1..࡛9
+B; xn--1-3xm292b6044r..xn--9-6jd87310jtcqs; [V6 A4_2]; [V6 A4_2] # ➆ỗ1..࡛9
+B; ➆O\u0302\u0303⒈.\u085B𝟫; [P1 V6]; [P1 V6] # ➆ỗ⒈.࡛9
+B; ➆Ỗ⒈.\u085B𝟫; [P1 V6]; [P1 V6] # ➆ỗ⒈.࡛9
+B; xn--6lg26tvvc6v99z.xn--9-6jd87310jtcqs; [V6]; [V6] # ➆ỗ⒈.࡛9
+T; \u200D。𞤘; [B1 C2]; [A4_2] # .𞤺
+N; \u200D。𞤘; [B1 C2]; [B1 C2] # .𞤺
+T; \u200D。𞤘; [B1 C2]; [A4_2] # .𞤺
+N; \u200D。𞤘; [B1 C2]; [B1 C2] # .𞤺
+T; \u200D。𞤺; [B1 C2]; [A4_2] # .𞤺
+N; \u200D。𞤺; [B1 C2]; [B1 C2] # .𞤺
+B; .xn--ye6h; [A4_2]; [A4_2]
+B; xn--1ug.xn--ye6h; [B1 C2]; [B1 C2] # .𞤺
+T; \u200D。𞤺; [B1 C2]; [A4_2] # .𞤺
+N; \u200D。𞤺; [B1 C2]; [B1 C2] # .𞤺
+B; xn--ye6h; 𞤺; xn--ye6h
+B; 𞤺; ; xn--ye6h
+B; 𞤘; 𞤺; xn--ye6h
+B; \u0829\u0724.ᢣ; [B1 V5]; [B1 V5] # ࠩܤ.ᢣ
+B; xn--unb53c.xn--tbf; [B1 V5]; [B1 V5] # ࠩܤ.ᢣ
+T; \u073C\u200C-。ß; [C1 P1 V3 V5 V6]; [P1 V3 V5 V6] # ܼ-.ß
+N; \u073C\u200C-。ß; [C1 P1 V3 V5 V6]; [C1 P1 V3 V5 V6] # ܼ-.ß
+T; \u073C\u200C-。SS; [C1 P1 V3 V5 V6]; [P1 V3 V5 V6] # ܼ-.ss
+N; \u073C\u200C-。SS; [C1 P1 V3 V5 V6]; [C1 P1 V3 V5 V6] # ܼ-.ss
+T; \u073C\u200C-。ss; [C1 P1 V3 V5 V6]; [P1 V3 V5 V6] # ܼ-.ss
+N; \u073C\u200C-。ss; [C1 P1 V3 V5 V6]; [C1 P1 V3 V5 V6] # ܼ-.ss
+T; \u073C\u200C-。Ss; [C1 P1 V3 V5 V6]; [P1 V3 V5 V6] # ܼ-.ss
+N; \u073C\u200C-。Ss; [C1 P1 V3 V5 V6]; [C1 P1 V3 V5 V6] # ܼ-.ss
+B; xn----s2c.xn--ss-066q; [V3 V5 V6]; [V3 V5 V6] # ܼ-.ss
+B; xn----s2c071q.xn--ss-066q; [C1 V3 V5 V6]; [C1 V3 V5 V6] # ܼ-.ss
+B; xn----s2c071q.xn--zca7848m; [C1 V3 V5 V6]; [C1 V3 V5 V6] # ܼ-.ß
+T; \u200Cς🃡⒗.\u0CC6仧\u0756; [B1 B5 B6 C1 P1 V5 V6]; [B5 B6 P1 V5 V6] # ς🃡⒗.ೆ仧ݖ
+N; \u200Cς🃡⒗.\u0CC6仧\u0756; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 C1 P1 V5 V6] # ς🃡⒗.ೆ仧ݖ
+T; \u200Cς🃡16..\u0CC6仧\u0756; [B1 B5 B6 C1 V5 A4_2]; [B5 B6 V5 A4_2] # ς🃡16..ೆ仧ݖ
+N; \u200Cς🃡16..\u0CC6仧\u0756; [B1 B5 B6 C1 V5 A4_2]; [B1 B5 B6 C1 V5 A4_2] # ς🃡16..ೆ仧ݖ
+T; \u200CΣ🃡16..\u0CC6仧\u0756; [B1 B5 B6 C1 V5 A4_2]; [B5 B6 V5 A4_2] # σ🃡16..ೆ仧ݖ
+N; \u200CΣ🃡16..\u0CC6仧\u0756; [B1 B5 B6 C1 V5 A4_2]; [B1 B5 B6 C1 V5 A4_2] # σ🃡16..ೆ仧ݖ
+T; \u200Cσ🃡16..\u0CC6仧\u0756; [B1 B5 B6 C1 V5 A4_2]; [B5 B6 V5 A4_2] # σ🃡16..ೆ仧ݖ
+N; \u200Cσ🃡16..\u0CC6仧\u0756; [B1 B5 B6 C1 V5 A4_2]; [B1 B5 B6 C1 V5 A4_2] # σ🃡16..ೆ仧ݖ
+B; xn--16-ubc66061c..xn--9ob79ycx2e; [B5 B6 V5 A4_2]; [B5 B6 V5 A4_2] # σ🃡16..ೆ仧ݖ
+B; xn--16-ubc7700avy99b..xn--9ob79ycx2e; [B1 B5 B6 C1 V5 A4_2]; [B1 B5 B6 C1 V5 A4_2] # σ🃡16..ೆ仧ݖ
+B; xn--16-rbc1800avy99b..xn--9ob79ycx2e; [B1 B5 B6 C1 V5 A4_2]; [B1 B5 B6 C1 V5 A4_2] # ς🃡16..ೆ仧ݖ
+T; \u200CΣ🃡⒗.\u0CC6仧\u0756; [B1 B5 B6 C1 P1 V5 V6]; [B5 B6 P1 V5 V6] # σ🃡⒗.ೆ仧ݖ
+N; \u200CΣ🃡⒗.\u0CC6仧\u0756; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 C1 P1 V5 V6] # σ🃡⒗.ೆ仧ݖ
+T; \u200Cσ🃡⒗.\u0CC6仧\u0756; [B1 B5 B6 C1 P1 V5 V6]; [B5 B6 P1 V5 V6] # σ🃡⒗.ೆ仧ݖ
+N; \u200Cσ🃡⒗.\u0CC6仧\u0756; [B1 B5 B6 C1 P1 V5 V6]; [B1 B5 B6 C1 P1 V5 V6] # σ🃡⒗.ೆ仧ݖ
+B; xn--4xa229nbu92a.xn--9ob79ycx2e; [B5 B6 V5 V6]; [B5 B6 V5 V6] # σ🃡⒗.ೆ仧ݖ
+B; xn--4xa595lz9czy52d.xn--9ob79ycx2e; [B1 B5 B6 C1 V5 V6]; [B1 B5 B6 C1 V5 V6] # σ🃡⒗.ೆ仧ݖ
+B; xn--3xa795lz9czy52d.xn--9ob79ycx2e; [B1 B5 B6 C1 V5 V6]; [B1 B5 B6 C1 V5 V6] # ς🃡⒗.ೆ仧ݖ
+B; -.𞸚; [B1 V3]; [B1 V3] # -.ظ
+B; -.\u0638; [B1 V3]; [B1 V3] # -.ظ
+B; -.xn--3gb; [B1 V3]; [B1 V3] # -.ظ
+B; \u0683.\u0F7E\u0634; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ڃ.ཾش
+B; xn--8ib92728i.xn--zgb968b; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ڃ.ཾش
+B; \u0FE6\u0843.𐮏; [B5 P1 V6]; [B5 P1 V6] # ࡃ.𐮏
+B; xn--1vb320b5m04p.xn--m29c; [B5 V6]; [B5 V6] # ࡃ.𐮏
+T; 2\u07CBß。ᠽ; [B1 P1 V6]; [B1 P1 V6] # 2ߋß.ᠽ
+N; 2\u07CBß。ᠽ; [B1 P1 V6]; [B1 P1 V6] # 2ߋß.ᠽ
+B; 2\u07CBSS。ᠽ; [B1 P1 V6]; [B1 P1 V6] # 2ߋss.ᠽ
+B; 2\u07CBss。ᠽ; [B1 P1 V6]; [B1 P1 V6] # 2ߋss.ᠽ
+B; 2\u07CBSs。ᠽ; [B1 P1 V6]; [B1 P1 V6] # 2ߋss.ᠽ
+B; xn--2ss-odg83511n.xn--w7e; [B1 V6]; [B1 V6] # 2ߋss.ᠽ
+B; xn--2-qfa924cez02l.xn--w7e; [B1 V6]; [B1 V6] # 2ߋß.ᠽ
+T; 㸳\u07CA≮.\u06CEß-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێß-
+N; 㸳\u07CA≮.\u06CEß-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێß-
+T; 㸳\u07CA<\u0338.\u06CEß-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێß-
+N; 㸳\u07CA<\u0338.\u06CEß-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێß-
+T; 㸳\u07CA≮.\u06CEß-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێß-
+N; 㸳\u07CA≮.\u06CEß-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێß-
+T; 㸳\u07CA<\u0338.\u06CEß-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێß-
+N; 㸳\u07CA<\u0338.\u06CEß-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێß-
+T; 㸳\u07CA<\u0338.\u06CESS-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA<\u0338.\u06CESS-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA≮.\u06CESS-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA≮.\u06CESS-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA≮.\u06CEss-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA≮.\u06CEss-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA<\u0338.\u06CEss-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA<\u0338.\u06CEss-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA<\u0338.\u06CESs-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA<\u0338.\u06CESs-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA≮.\u06CESs-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA≮.\u06CESs-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+B; xn--lsb457kkut.xn--ss--qjf; [B2 B3 B5 B6 V3 V6]; [B2 B3 B5 B6 V3 V6] # 㸳ߊ≮.ێss-
+B; xn--lsb457kkut.xn--ss--qjf2343a; [B2 B3 B5 B6 C2 V6]; [B2 B3 B5 B6 C2 V6] # 㸳ߊ≮.ێss-
+B; xn--lsb457kkut.xn----pfa076bys4a; [B2 B3 B5 B6 C2 V6]; [B2 B3 B5 B6 C2 V6] # 㸳ߊ≮.ێß-
+T; 㸳\u07CA<\u0338.\u06CESS-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA<\u0338.\u06CESS-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA≮.\u06CESS-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA≮.\u06CESS-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA≮.\u06CEss-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA≮.\u06CEss-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA<\u0338.\u06CEss-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA<\u0338.\u06CEss-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA<\u0338.\u06CESs-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA<\u0338.\u06CESs-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+T; 㸳\u07CA≮.\u06CESs-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V3 V6] # 㸳ߊ≮.ێss-
+N; 㸳\u07CA≮.\u06CESs-\u200D; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # 㸳ߊ≮.ێss-
+B; -\u135E𑜧.\u1DEB-︒; [P1 V3 V5 V6]; [P1 V3 V5 V6] # -፞𑜧.ᷫ-︒
+B; -\u135E𑜧.\u1DEB-。; [P1 V3 V5 V6]; [P1 V3 V5 V6] # -፞𑜧.ᷫ-.
+B; xn----b5h1837n2ok9f.xn----mkm.; [V3 V5 V6]; [V3 V5 V6] # -፞𑜧.ᷫ-.
+B; xn----b5h1837n2ok9f.xn----mkmw278h; [V3 V5 V6]; [V3 V5 V6] # -፞𑜧.ᷫ-︒
+B; ︒.\u1A59; [P1 V6]; [P1 V6] # ︒.ᩙ
+B; 。.\u1A59; [P1 V6 A4_2]; [P1 V6 A4_2] # ..ᩙ
+B; ..xn--cof61594i; [V6 A4_2]; [V6 A4_2] # ..ᩙ
+B; xn--y86c.xn--cof61594i; [V6]; [V6] # ︒.ᩙ
+T; \u0323\u2DE1。\u200C⓾\u200C\u06B9; [B1 B3 B6 C1 V5]; [B1 B3 B6 V5] # ̣ⷡ.⓾ڹ
+N; \u0323\u2DE1。\u200C⓾\u200C\u06B9; [B1 B3 B6 C1 V5]; [B1 B3 B6 C1 V5] # ̣ⷡ.⓾ڹ
+B; xn--kta899s.xn--skb116m; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ̣ⷡ.⓾ڹ
+B; xn--kta899s.xn--skb970ka771c; [B1 B3 B6 C1 V5]; [B1 B3 B6 C1 V5] # ̣ⷡ.⓾ڹ
+B; 𞠶ᠴ\u06DD。\u1074𞤵󠅦; [B1 B2 P1 V5 V6]; [B1 B2 P1 V5 V6] # 𞠶ᠴ.ၴ𞤵
+B; 𞠶ᠴ\u06DD。\u1074𞤵󠅦; [B1 B2 P1 V5 V6]; [B1 B2 P1 V5 V6] # 𞠶ᠴ.ၴ𞤵
+B; 𞠶ᠴ\u06DD。\u1074𞤓󠅦; [B1 B2 P1 V5 V6]; [B1 B2 P1 V5 V6] # 𞠶ᠴ.ၴ𞤵
+B; xn--tlb199fwl35a.xn--yld4613v; [B1 B2 V5 V6]; [B1 B2 V5 V6] # 𞠶ᠴ.ၴ𞤵
+B; 𞠶ᠴ\u06DD。\u1074𞤓󠅦; [B1 B2 P1 V5 V6]; [B1 B2 P1 V5 V6] # 𞠶ᠴ.ၴ𞤵
+B; 𑰺.-; [P1 V3 V5 V6]; [P1 V3 V5 V6]
+B; xn--jk3d.xn----iz68g; [V3 V5 V6]; [V3 V5 V6]
+B; .赏; [P1 V6]; [P1 V6]
+B; .赏; [P1 V6]; [P1 V6]
+B; xn--2856e.xn--6o3a; [V6]; [V6]
+B; \u06B0ᠡ。Ⴁ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ڰᠡ.Ⴁ
+B; \u06B0ᠡ。Ⴁ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # ڰᠡ.Ⴁ
+B; \u06B0ᠡ。ⴁ; [B2 B3]; [B2 B3] # ڰᠡ.ⴁ
+B; xn--jkb440g.xn--skj; [B2 B3]; [B2 B3] # ڰᠡ.ⴁ
+B; xn--jkb440g.xn--8md; [B2 B3 V6]; [B2 B3 V6] # ڰᠡ.Ⴁ
+B; \u06B0ᠡ。ⴁ; [B2 B3]; [B2 B3] # ڰᠡ.ⴁ
+T; \u20DEႪ\u06BBς。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ⃞Ⴊڻς.-
+N; \u20DEႪ\u06BBς。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ⃞Ⴊڻς.-
+T; \u20DEႪ\u06BBς。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ⃞Ⴊڻς.-
+N; \u20DEႪ\u06BBς。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ⃞Ⴊڻς.-
+T; \u20DEⴊ\u06BBς。-; [B1 V3 V5]; [B1 V3 V5] # ⃞ⴊڻς.-
+N; \u20DEⴊ\u06BBς。-; [B1 V3 V5]; [B1 V3 V5] # ⃞ⴊڻς.-
+B; \u20DEႪ\u06BBΣ。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ⃞Ⴊڻσ.-
+B; \u20DEⴊ\u06BBσ。-; [B1 V3 V5]; [B1 V3 V5] # ⃞ⴊڻσ.-
+B; \u20DEႪ\u06BBσ。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ⃞Ⴊڻσ.-
+B; xn--4xa33m7zmb0q.-; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ⃞Ⴊڻσ.-
+B; xn--4xa33mr38aeel.-; [B1 V3 V5]; [B1 V3 V5] # ⃞ⴊڻσ.-
+B; xn--3xa53mr38aeel.-; [B1 V3 V5]; [B1 V3 V5] # ⃞ⴊڻς.-
+B; xn--3xa53m7zmb0q.-; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ⃞Ⴊڻς.-
+T; \u20DEⴊ\u06BBς。-; [B1 V3 V5]; [B1 V3 V5] # ⃞ⴊڻς.-
+N; \u20DEⴊ\u06BBς。-; [B1 V3 V5]; [B1 V3 V5] # ⃞ⴊڻς.-
+B; \u20DEႪ\u06BBΣ。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ⃞Ⴊڻσ.-
+B; \u20DEⴊ\u06BBσ。-; [B1 V3 V5]; [B1 V3 V5] # ⃞ⴊڻσ.-
+B; \u20DEႪ\u06BBσ。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ⃞Ⴊڻσ.-
+T; Ⴍ.\u200C; [C1 P1 V6]; [P1 V6] # Ⴍ.
+N; Ⴍ.\u200C; [C1 P1 V6]; [C1 P1 V6] # Ⴍ.
+T; Ⴍ.\u200C; [C1 P1 V6]; [P1 V6] # Ⴍ.
+N; Ⴍ.\u200C; [C1 P1 V6]; [C1 P1 V6] # Ⴍ.
+T; ⴍ.\u200C; [C1 P1 V6]; [P1 V6] # ⴍ.
+N; ⴍ.\u200C; [C1 P1 V6]; [C1 P1 V6] # ⴍ.
+B; xn--4kj.xn--p01x; [V6]; [V6]
+B; xn--4kj.xn--0ug56448b; [C1 V6]; [C1 V6] # ⴍ.
+B; xn--lnd.xn--p01x; [V6]; [V6]
+B; xn--lnd.xn--0ug56448b; [C1 V6]; [C1 V6] # Ⴍ.
+T; ⴍ.\u200C; [C1 P1 V6]; [P1 V6] # ⴍ.
+N; ⴍ.\u200C; [C1 P1 V6]; [C1 P1 V6] # ⴍ.
+B; .𐫫\u1A60\u1B44; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # .𐫫᩠᭄
+B; xn--9u37blu98h.xn--jof13bt568cork1j; [B2 B3 B6 V6]; [B2 B3 B6 V6] # .𐫫᩠᭄
+B; ≯❊ᠯ。𐹱⺨; [B1 P1 V6]; [B1 P1 V6]
+B; >\u0338❊ᠯ。𐹱⺨; [B1 P1 V6]; [B1 P1 V6]
+B; ≯❊ᠯ。𐹱⺨; [B1 P1 V6]; [B1 P1 V6]
+B; >\u0338❊ᠯ。𐹱⺨; [B1 P1 V6]; [B1 P1 V6]
+B; xn--i7e163ct2d.xn--vwj7372e; [B1 V6]; [B1 V6]
+B; 𐹧𐹩。Ⴈ𐫮Ⴏ; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; 𐹧𐹩。ⴈ𐫮ⴏ; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; xn--fo0de1270ope54j.xn--zkjo0151o; [B5 B6 V6]; [B5 B6 V6]
+B; xn--fo0de1270ope54j.xn--gndo2033q; [B5 B6 V6]; [B5 B6 V6]
+B; 𞠂。\uA926; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𞠂.ꤦ
+B; xn--145h.xn--ti9a; [B1 B3 B6 V5]; [B1 B3 B6 V5] # 𞠂.ꤦ
+B; 𝟔𐹫.\u0733\u10379ꡇ; [B1 V5]; [B1 V5] # 6𐹫.့ܳ9ꡇ
+B; 𝟔𐹫.\u1037\u07339ꡇ; [B1 V5]; [B1 V5] # 6𐹫.့ܳ9ꡇ
+B; 6𐹫.\u1037\u07339ꡇ; [B1 V5]; [B1 V5] # 6𐹫.့ܳ9ꡇ
+B; xn--6-t26i.xn--9-91c730e8u8n; [B1 V5]; [B1 V5] # 6𐹫.့ܳ9ꡇ
+B; \u0724\u0603.\u06D8; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ܤ.ۘ
+B; \u0724\u0603.\u06D8; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # ܤ.ۘ
+B; xn--lfb19ct414i.xn--olb; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # ܤ.ۘ
+T; ✆ꡋ.\u0632\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # ✆ꡋ.ز
+N; ✆ꡋ.\u0632\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ✆ꡋ.ز
+T; ✆ꡋ.\u0632\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # ✆ꡋ.ز
+N; ✆ꡋ.\u0632\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ✆ꡋ.ز
+B; xn--1biv525bcix0d.xn--xgb6828v; [B1 V6]; [B1 V6] # ✆ꡋ.ز
+B; xn--1biv525bcix0d.xn--xgb253k0m73a; [B1 C2 V6]; [B1 C2 V6] # ✆ꡋ.ز
+B; \u0845𞸍-.≠𑋪; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # ࡅن-.≠𑋪
+B; \u0845𞸍-.=\u0338𑋪; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # ࡅن-.≠𑋪
+B; \u0845\u0646-.≠𑋪; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # ࡅن-.≠𑋪
+B; \u0845\u0646-.=\u0338𑋪; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # ࡅن-.≠𑋪
+B; xn----qoc64my971s.xn--1ch7585g76o3c; [B1 B2 B3 V3 V6]; [B1 B2 B3 V3 V6] # ࡅن-.≠𑋪
+B; 𝟛.笠; 3.笠; 3.xn--6vz
+B; 𝟛.笠; 3.笠; 3.xn--6vz
+B; 3.笠; ; 3.xn--6vz
+B; 3.xn--6vz; 3.笠; 3.xn--6vz
+T; -\u200D.Ⴞ𐋷; [C2 P1 V3 V6]; [P1 V3 V6] # -.Ⴞ𐋷
+N; -\u200D.Ⴞ𐋷; [C2 P1 V3 V6]; [C2 P1 V3 V6] # -.Ⴞ𐋷
+T; -\u200D.ⴞ𐋷; [C2 V3]; [V3] # -.ⴞ𐋷
+N; -\u200D.ⴞ𐋷; [C2 V3]; [C2 V3] # -.ⴞ𐋷
+B; -.xn--mlj8559d; [V3]; [V3]
+B; xn----ugn.xn--mlj8559d; [C2 V3]; [C2 V3] # -.ⴞ𐋷
+B; -.xn--2nd2315j; [V3 V6]; [V3 V6]
+B; xn----ugn.xn--2nd2315j; [C2 V3 V6]; [C2 V3 V6] # -.Ⴞ𐋷
+T; \u200Dςß\u0731.\u0BCD; [C2 V5]; [V5] # ςßܱ.்
+N; \u200Dςß\u0731.\u0BCD; [C2 V5]; [C2 V5] # ςßܱ.்
+T; \u200Dςß\u0731.\u0BCD; [C2 V5]; [V5] # ςßܱ.்
+N; \u200Dςß\u0731.\u0BCD; [C2 V5]; [C2 V5] # ςßܱ.்
+T; \u200DΣSS\u0731.\u0BCD; [C2 V5]; [V5] # σssܱ.்
+N; \u200DΣSS\u0731.\u0BCD; [C2 V5]; [C2 V5] # σssܱ.்
+T; \u200Dσss\u0731.\u0BCD; [C2 V5]; [V5] # σssܱ.்
+N; \u200Dσss\u0731.\u0BCD; [C2 V5]; [C2 V5] # σssܱ.்
+T; \u200DΣss\u0731.\u0BCD; [C2 V5]; [V5] # σssܱ.்
+N; \u200DΣss\u0731.\u0BCD; [C2 V5]; [C2 V5] # σssܱ.்
+B; xn--ss-ubc826a.xn--xmc; [V5]; [V5] # σssܱ.்
+B; xn--ss-ubc826ab34b.xn--xmc; [C2 V5]; [C2 V5] # σssܱ.்
+T; \u200DΣß\u0731.\u0BCD; [C2 V5]; [V5] # σßܱ.்
+N; \u200DΣß\u0731.\u0BCD; [C2 V5]; [C2 V5] # σßܱ.்
+T; \u200Dσß\u0731.\u0BCD; [C2 V5]; [V5] # σßܱ.்
+N; \u200Dσß\u0731.\u0BCD; [C2 V5]; [C2 V5] # σßܱ.்
+B; xn--zca39lk1di19a.xn--xmc; [C2 V5]; [C2 V5] # σßܱ.்
+B; xn--zca19ln1di19a.xn--xmc; [C2 V5]; [C2 V5] # ςßܱ.்
+T; \u200DΣSS\u0731.\u0BCD; [C2 V5]; [V5] # σssܱ.்
+N; \u200DΣSS\u0731.\u0BCD; [C2 V5]; [C2 V5] # σssܱ.்
+T; \u200Dσss\u0731.\u0BCD; [C2 V5]; [V5] # σssܱ.்
+N; \u200Dσss\u0731.\u0BCD; [C2 V5]; [C2 V5] # σssܱ.்
+T; \u200DΣss\u0731.\u0BCD; [C2 V5]; [V5] # σssܱ.்
+N; \u200DΣss\u0731.\u0BCD; [C2 V5]; [C2 V5] # σssܱ.்
+T; \u200DΣß\u0731.\u0BCD; [C2 V5]; [V5] # σßܱ.்
+N; \u200DΣß\u0731.\u0BCD; [C2 V5]; [C2 V5] # σßܱ.்
+T; \u200Dσß\u0731.\u0BCD; [C2 V5]; [V5] # σßܱ.்
+N; \u200Dσß\u0731.\u0BCD; [C2 V5]; [C2 V5] # σßܱ.்
+T; ≠.\u200D; [C2 P1 V6]; [P1 V6] # ≠.
+N; ≠.\u200D; [C2 P1 V6]; [C2 P1 V6] # ≠.
+T; =\u0338.\u200D; [C2 P1 V6]; [P1 V6] # ≠.
+N; =\u0338.\u200D; [C2 P1 V6]; [C2 P1 V6] # ≠.
+T; ≠.\u200D; [C2 P1 V6]; [P1 V6] # ≠.
+N; ≠.\u200D; [C2 P1 V6]; [C2 P1 V6] # ≠.
+T; =\u0338.\u200D; [C2 P1 V6]; [P1 V6] # ≠.
+N; =\u0338.\u200D; [C2 P1 V6]; [C2 P1 V6] # ≠.
+B; xn--1ch.; [V6]; [V6]
+B; xn--1ch.xn--1ug; [C2 V6]; [C2 V6] # ≠.
+B; \uFC01。\u0C81ᠼ▗; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ئح.ಁᠼ▗
+B; \u0626\u062D。\u0C81ᠼ▗; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ئح.ಁᠼ▗
+B; \u064A\u0654\u062D。\u0C81ᠼ▗; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ئح.ಁᠼ▗
+B; xn--lgbo.xn--2rc021dcxkrx55t; [B1 V5 V6]; [B1 V5 V6] # ئح.ಁᠼ▗
+T; \u09CDς.ς𐨿; [P1 V6]; [P1 V6] # ্ς.ς𐨿
+N; \u09CDς.ς𐨿; [P1 V6]; [P1 V6] # ্ς.ς𐨿
+T; \u09CDς.ς𐨿; [P1 V6]; [P1 V6] # ্ς.ς𐨿
+N; \u09CDς.ς𐨿; [P1 V6]; [P1 V6] # ্ς.ς𐨿
+B; \u09CDΣ.Σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
+T; \u09CDσ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
+N; \u09CDσ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
+B; \u09CDσ.σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
+B; \u09CDΣ.σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
+B; xn--4xa502av8297a.xn--4xa6055k; [V6]; [V6] # ্σ.σ𐨿
+T; \u09CDΣ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
+N; \u09CDΣ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
+B; xn--4xa502av8297a.xn--3xa8055k; [V6]; [V6] # ্σ.ς𐨿
+B; xn--3xa702av8297a.xn--3xa8055k; [V6]; [V6] # ্ς.ς𐨿
+B; \u09CDΣ.Σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
+T; \u09CDσ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
+N; \u09CDσ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
+B; \u09CDσ.σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
+B; \u09CDΣ.σ𐨿; [P1 V6]; [P1 V6] # ্σ.σ𐨿
+T; \u09CDΣ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
+N; \u09CDΣ.ς𐨿; [P1 V6]; [P1 V6] # ্σ.ς𐨿
+B; 𐫓\u07D8牅\u08F8。\u1A17Ⴙ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐫓ߘ牅ࣸ.ᨗႹ
+B; 𐫓\u07D8牅\u08F8。\u1A17Ⴙ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐫓ߘ牅ࣸ.ᨗႹ
+B; 𐫓\u07D8牅\u08F8。\u1A17ⴙ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐫓ߘ牅ࣸ.ᨗⴙ
+B; xn--zsb09cu46vjs6f.xn--gmf469fr883am5r1e; [B2 B3 V6]; [B2 B3 V6] # 𐫓ߘ牅ࣸ.ᨗⴙ
+B; xn--zsb09cu46vjs6f.xn--xnd909bv540bm5k9d; [B2 B3 V6]; [B2 B3 V6] # 𐫓ߘ牅ࣸ.ᨗႹ
+B; 𐫓\u07D8牅\u08F8。\u1A17ⴙ; [B2 B3 P1 V6]; [B2 B3 P1 V6] # 𐫓ߘ牅ࣸ.ᨗⴙ
+B; 。륧; [P1 V6]; [P1 V6]
+B; 。륧; [P1 V6]; [P1 V6]
+B; 。륧; [P1 V6]; [P1 V6]
+B; 。륧; [P1 V6]; [P1 V6]
+B; xn--s264a.xn--pw2b; [V6]; [V6]
+T; 𐹷\u200D。; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹷.
+N; 𐹷\u200D。; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹷.
+B; xn--vo0d.xn--8088d; [B1 V6]; [B1 V6]
+B; xn--1ugx205g.xn--8088d; [B1 C2 V6]; [B1 C2 V6] # 𐹷.
+B; Ⴘ\u06C2𑲭。-; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # Ⴘۂ𑲭.-
+B; Ⴘ\u06C1\u0654𑲭。-; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # Ⴘۂ𑲭.-
+B; Ⴘ\u06C2𑲭。-; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # Ⴘۂ𑲭.-
+B; Ⴘ\u06C1\u0654𑲭。-; [B1 B5 B6 P1 V3 V6]; [B1 B5 B6 P1 V3 V6] # Ⴘۂ𑲭.-
+B; ⴘ\u06C1\u0654𑲭。-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # ⴘۂ𑲭.-
+B; ⴘ\u06C2𑲭。-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # ⴘۂ𑲭.-
+B; xn--1kb147qfk3n.-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # ⴘۂ𑲭.-
+B; xn--1kb312c139t.-; [B1 B5 B6 V3 V6]; [B1 B5 B6 V3 V6] # Ⴘۂ𑲭.-
+B; ⴘ\u06C1\u0654𑲭。-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # ⴘۂ𑲭.-
+B; ⴘ\u06C2𑲭。-; [B1 B5 B6 V3]; [B1 B5 B6 V3] # ⴘۂ𑲭.-
+B; \uA806\u067B₆ᡐ。🛇\uFCDD; [B1 V5]; [B1 V5] # ꠆ٻ6ᡐ.🛇يم
+B; \uA806\u067B6ᡐ。🛇\u064A\u0645; [B1 V5]; [B1 V5] # ꠆ٻ6ᡐ.🛇يم
+B; xn--6-rrc018krt9k.xn--hhbj61429a; [B1 V5]; [B1 V5] # ꠆ٻ6ᡐ.🛇يم
+B; .㇄ᡟ𐫂\u0622; [B1 P1 V6]; [B1 P1 V6] # .㇄ᡟ𐫂آ
+B; .㇄ᡟ𐫂\u0627\u0653; [B1 P1 V6]; [B1 P1 V6] # .㇄ᡟ𐫂آ
+B; xn--p292d.xn--hgb154ghrsvm2r; [B1 V6]; [B1 V6] # .㇄ᡟ𐫂آ
+B; \u07DF。-\u07E9; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # ߟ.-ߩ
+B; xn--6sb88139l.xn----pdd; [B1 B2 B3 V3 V6]; [B1 B2 B3 V3 V6] # ߟ.-ߩ
+T; ς\u0643⾑.\u200Cᢟ\u200C⒈; [B1 B5 C1 P1 V6]; [B5 P1 V6] # ςك襾.ᢟ⒈
+N; ς\u0643⾑.\u200Cᢟ\u200C⒈; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # ςك襾.ᢟ⒈
+T; ς\u0643襾.\u200Cᢟ\u200C1.; [B1 B5 C1]; [B5] # ςك襾.ᢟ1.
+N; ς\u0643襾.\u200Cᢟ\u200C1.; [B1 B5 C1]; [B1 B5 C1] # ςك襾.ᢟ1.
+T; Σ\u0643襾.\u200Cᢟ\u200C1.; [B1 B5 C1]; [B5] # σك襾.ᢟ1.
+N; Σ\u0643襾.\u200Cᢟ\u200C1.; [B1 B5 C1]; [B1 B5 C1] # σك襾.ᢟ1.
+T; σ\u0643襾.\u200Cᢟ\u200C1.; [B1 B5 C1]; [B5] # σك襾.ᢟ1.
+N; σ\u0643襾.\u200Cᢟ\u200C1.; [B1 B5 C1]; [B1 B5 C1] # σك襾.ᢟ1.
+B; xn--4xa49jux8r.xn--1-4ck.; [B5]; [B5] # σك襾.ᢟ1.
+B; xn--4xa49jux8r.xn--1-4ck691bba.; [B1 B5 C1]; [B1 B5 C1] # σك襾.ᢟ1.
+B; xn--3xa69jux8r.xn--1-4ck691bba.; [B1 B5 C1]; [B1 B5 C1] # ςك襾.ᢟ1.
+T; Σ\u0643⾑.\u200Cᢟ\u200C⒈; [B1 B5 C1 P1 V6]; [B5 P1 V6] # σك襾.ᢟ⒈
+N; Σ\u0643⾑.\u200Cᢟ\u200C⒈; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # σك襾.ᢟ⒈
+T; σ\u0643⾑.\u200Cᢟ\u200C⒈; [B1 B5 C1 P1 V6]; [B5 P1 V6] # σك襾.ᢟ⒈
+N; σ\u0643⾑.\u200Cᢟ\u200C⒈; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # σك襾.ᢟ⒈
+B; xn--4xa49jux8r.xn--pbf212d; [B5 V6]; [B5 V6] # σك襾.ᢟ⒈
+B; xn--4xa49jux8r.xn--pbf519aba607b; [B1 B5 C1 V6]; [B1 B5 C1 V6] # σك襾.ᢟ⒈
+B; xn--3xa69jux8r.xn--pbf519aba607b; [B1 B5 C1 V6]; [B1 B5 C1 V6] # ςك襾.ᢟ⒈
+B; ᡆ.; [P1 V6]; [P1 V6]
+B; ᡆ.; [P1 V6]; [P1 V6]
+B; xn--57e0440k.xn--k86h; [V6]; [V6]
+T; \u0A4D𦍓\u1DEE。\u200C\u08BD; [B1 C1 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ੍𦍓ᷮ.ࢽ
+N; \u0A4D𦍓\u1DEE。\u200C\u08BD; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # ੍𦍓ᷮ.ࢽ
+T; \u0A4D𦍓\u1DEE。\u200C\u08BD; [B1 C1 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ੍𦍓ᷮ.ࢽ
+N; \u0A4D𦍓\u1DEE。\u200C\u08BD; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # ੍𦍓ᷮ.ࢽ
+B; xn--ybc461hph93b.xn--jzb29857e; [B1 B2 B3 V5 V6]; [B1 B2 B3 V5 V6] # ੍𦍓ᷮ.ࢽ
+B; xn--ybc461hph93b.xn--jzb740j1y45h; [B1 C1 V5 V6]; [B1 C1 V5 V6] # ੍𦍓ᷮ.ࢽ
+T; \u062E\u0748-.\u200C먿; [B1 B2 B3 C1 P1 V3 V6]; [B2 B3 P1 V3 V6] # خ݈-.먿
+N; \u062E\u0748-.\u200C먿; [B1 B2 B3 C1 P1 V3 V6]; [B1 B2 B3 C1 P1 V3 V6] # خ݈-.먿
+T; \u062E\u0748-.\u200C먿; [B1 B2 B3 C1 P1 V3 V6]; [B2 B3 P1 V3 V6] # خ݈-.먿
+N; \u062E\u0748-.\u200C먿; [B1 B2 B3 C1 P1 V3 V6]; [B1 B2 B3 C1 P1 V3 V6] # خ݈-.먿
+T; \u062E\u0748-.\u200C먿; [B1 B2 B3 C1 P1 V3 V6]; [B2 B3 P1 V3 V6] # خ݈-.먿
+N; \u062E\u0748-.\u200C먿; [B1 B2 B3 C1 P1 V3 V6]; [B1 B2 B3 C1 P1 V3 V6] # خ݈-.먿
+T; \u062E\u0748-.\u200C먿; [B1 B2 B3 C1 P1 V3 V6]; [B2 B3 P1 V3 V6] # خ݈-.먿
+N; \u062E\u0748-.\u200C먿; [B1 B2 B3 C1 P1 V3 V6]; [B1 B2 B3 C1 P1 V3 V6] # خ݈-.먿
+B; xn----dnc06f42153a.xn--v22b; [B2 B3 V3 V6]; [B2 B3 V3 V6] # خ݈-.먿
+B; xn----dnc06f42153a.xn--0ug1581d; [B1 B2 B3 C1 V3 V6]; [B1 B2 B3 C1 V3 V6] # خ݈-.먿
+B; 。ᠽ; [P1 V6]; [P1 V6]
+B; 。ᠽ; [P1 V6]; [P1 V6]
+B; xn--j890g.xn--w7e; [V6]; [V6]
+T; 嬃𝍌.\u200D\u0B44; [C2]; [V5] # 嬃𝍌.ୄ
+N; 嬃𝍌.\u200D\u0B44; [C2]; [C2] # 嬃𝍌.ୄ
+T; 嬃𝍌.\u200D\u0B44; [C2]; [V5] # 嬃𝍌.ୄ
+N; 嬃𝍌.\u200D\u0B44; [C2]; [C2] # 嬃𝍌.ୄ
+B; xn--b6s0078f.xn--0ic; [V5]; [V5] # 嬃𝍌.ୄ
+B; xn--b6s0078f.xn--0ic557h; [C2]; [C2] # 嬃𝍌.ୄ
+B; \u0602𝌪≯.; [B1 P1 V6]; [B1 P1 V6] # 𝌪≯.
+B; \u0602𝌪>\u0338.; [B1 P1 V6]; [B1 P1 V6] # 𝌪≯.
+B; \u0602𝌪≯.; [B1 P1 V6]; [B1 P1 V6] # 𝌪≯.
+B; \u0602𝌪>\u0338.; [B1 P1 V6]; [B1 P1 V6] # 𝌪≯.
+B; xn--kfb866llx01a.xn--wp1gm3570b; [B1 V6]; [B1 V6] # 𝌪≯.
+B; \u08B7\u17CC\uA9C0.; [B5 P1 V6]; [B5 P1 V6] # ࢷ៌꧀.
+B; xn--dzb638ewm4i1iy1h.xn--3m7h; [B5 V6]; [B5 V6] # ࢷ៌꧀.
+T; \u200C.; [C1 P1 V6]; [P1 V6 A4_2] # .
+N; \u200C.; [C1 P1 V6]; [C1 P1 V6] # .
+B; .xn--q823a; [V6 A4_2]; [V6 A4_2]
+B; xn--0ug.xn--q823a; [C1 V6]; [C1 V6] # .
+B; Ⴃ䠅.; [P1 V6]; [P1 V6]
+B; Ⴃ䠅.; [P1 V6]; [P1 V6]
+B; ⴃ䠅.; [P1 V6]; [P1 V6]
+B; xn--ukju77frl47r.xn--yl0d; [V6]; [V6]
+B; xn--bnd074zr557n.xn--yl0d; [V6]; [V6]
+B; ⴃ䠅.; [P1 V6]; [P1 V6]
+B; \u1BF1𐹳𐹵𞤚。𝟨Ⴅ; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ᯱ𐹳𐹵𞤼.6Ⴅ
+B; \u1BF1𐹳𐹵𞤚。6Ⴅ; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ᯱ𐹳𐹵𞤼.6Ⴅ
+B; \u1BF1𐹳𐹵𞤼。6ⴅ; [B1 V5]; [B1 V5] # ᯱ𐹳𐹵𞤼.6ⴅ
+B; xn--zzfy954hga2415t.xn--6-kvs; [B1 V5]; [B1 V5] # ᯱ𐹳𐹵𞤼.6ⴅ
+B; xn--zzfy954hga2415t.xn--6-h0g; [B1 V5 V6]; [B1 V5 V6] # ᯱ𐹳𐹵𞤼.6Ⴅ
+B; \u1BF1𐹳𐹵𞤼。𝟨ⴅ; [B1 V5]; [B1 V5] # ᯱ𐹳𐹵𞤼.6ⴅ
+B; \u1BF1𐹳𐹵𞤚。6ⴅ; [B1 V5]; [B1 V5] # ᯱ𐹳𐹵𞤼.6ⴅ
+B; \u1BF1𐹳𐹵𞤚。𝟨ⴅ; [B1 V5]; [B1 V5] # ᯱ𐹳𐹵𞤼.6ⴅ
+B; -。︒; [P1 V3 V6]; [P1 V3 V6]
+B; -。。; [V3 A4_2]; [V3 A4_2]
+B; -..; [V3 A4_2]; [V3 A4_2]
+B; -.xn--y86c; [V3 V6]; [V3 V6]
+B; \u07DBჀ。-⁵--; [B1 B2 B3 P1 V2 V3 V6]; [B1 B2 B3 P1 V2 V3 V6] # ߛჀ.-5--
+B; \u07DBჀ。-5--; [B1 B2 B3 P1 V2 V3 V6]; [B1 B2 B3 P1 V2 V3 V6] # ߛჀ.-5--
+B; \u07DBⴠ。-5--; [B1 B2 B3 V2 V3]; [B1 B2 B3 V2 V3] # ߛⴠ.-5--
+B; xn--2sb691q.-5--; [B1 B2 B3 V2 V3]; [B1 B2 B3 V2 V3] # ߛⴠ.-5--
+B; xn--2sb866b.-5--; [B1 B2 B3 V2 V3 V6]; [B1 B2 B3 V2 V3 V6] # ߛჀ.-5--
+B; \u07DBⴠ。-⁵--; [B1 B2 B3 V2 V3]; [B1 B2 B3 V2 V3] # ߛⴠ.-5--
+B; ≯\uD8DD。𐹷𐹻≯; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+B; >\u0338\uD8DD。𐹷𐹻>\u0338; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+B; ≯\uD8DD。𐹷𐹻≯; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+B; >\u0338\uD8DD。𐹷𐹻>\u0338; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+B; ≯\uD8DD.xn--hdh8283gdoaqa; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+B; >\u0338\uD8DD.xn--hdh8283gdoaqa; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+B; >\u0338\uD8DD.XN--HDH8283GDOAQA; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+B; ≯\uD8DD.XN--HDH8283GDOAQA; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+B; ≯\uD8DD.Xn--Hdh8283gdoaqa; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+B; >\u0338\uD8DD.Xn--Hdh8283gdoaqa; [B1 P1 V6]; [B1 P1 V6 A3] # ≯.𐹷𐹻≯
+T; ㍔\u08E6\u077C\u200D。\u0346\u0604; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ルーブルࣦݼ.͆
+N; ㍔\u08E6\u077C\u200D。\u0346\u0604; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 C2 P1 V5 V6] # ルーブルࣦݼ.͆
+T; ルーブル\u08E6\u077C\u200D。\u0346\u0604; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ルーブルࣦݼ.͆
+N; ルーブル\u08E6\u077C\u200D。\u0346\u0604; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 C2 P1 V5 V6] # ルーブルࣦݼ.͆
+T; ルーフ\u3099ル\u08E6\u077C\u200D。\u0346\u0604; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ルーブルࣦݼ.͆
+N; ルーフ\u3099ル\u08E6\u077C\u200D。\u0346\u0604; [B1 B5 B6 C2 P1 V5 V6]; [B1 B5 B6 C2 P1 V5 V6] # ルーブルࣦݼ.͆
+B; xn--dqb73el09fncab4h.xn--kua81ls548d3608b; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ルーブルࣦݼ.͆
+B; xn--dqb73ec22c9kp8cb1j.xn--kua81ls548d3608b; [B1 B5 B6 C2 V5 V6]; [B1 B5 B6 C2 V5 V6] # ルーブルࣦݼ.͆
+T; \u200D.F; [C2]; [A4_2] # .f
+N; \u200D.F; [C2]; [C2] # .f
+T; \u200D.f; [C2]; [A4_2] # .f
+N; \u200D.f; [C2]; [C2] # .f
+B; .f; [A4_2]; [A4_2]
+B; xn--1ug.f; [C2]; [C2] # .f
+B; f; ;
+T; \u200D㨲。ß; [C2]; xn--9bm.ss # 㨲.ß
+N; \u200D㨲。ß; [C2]; [C2] # 㨲.ß
+T; \u200D㨲。ß; [C2]; xn--9bm.ss # 㨲.ß
+N; \u200D㨲。ß; [C2]; [C2] # 㨲.ß
+T; \u200D㨲。SS; [C2]; xn--9bm.ss # 㨲.ss
+N; \u200D㨲。SS; [C2]; [C2] # 㨲.ss
+T; \u200D㨲。ss; [C2]; xn--9bm.ss # 㨲.ss
+N; \u200D㨲。ss; [C2]; [C2] # 㨲.ss
+T; \u200D㨲。Ss; [C2]; xn--9bm.ss # 㨲.ss
+N; \u200D㨲。Ss; [C2]; [C2] # 㨲.ss
+B; xn--9bm.ss; 㨲.ss; xn--9bm.ss
+B; 㨲.ss; ; xn--9bm.ss
+B; 㨲.SS; 㨲.ss; xn--9bm.ss
+B; 㨲.Ss; 㨲.ss; xn--9bm.ss
+B; xn--1ug914h.ss; [C2]; [C2] # 㨲.ss
+B; xn--1ug914h.xn--zca; [C2]; [C2] # 㨲.ß
+T; \u200D㨲。SS; [C2]; xn--9bm.ss # 㨲.ss
+N; \u200D㨲。SS; [C2]; [C2] # 㨲.ss
+T; \u200D㨲。ss; [C2]; xn--9bm.ss # 㨲.ss
+N; \u200D㨲。ss; [C2]; [C2] # 㨲.ss
+T; \u200D㨲。Ss; [C2]; xn--9bm.ss # 㨲.ss
+N; \u200D㨲。Ss; [C2]; [C2] # 㨲.ss
+B; \u0605\u067E。\u08A8; [B1 P1 V6]; [B1 P1 V6] # پ.ࢨ
+B; \u0605\u067E。\u08A8; [B1 P1 V6]; [B1 P1 V6] # پ.ࢨ
+B; xn--nfb6v.xn--xyb; [B1 V6]; [B1 V6] # پ.ࢨ
+B; ⾑\u0753𞤁。𐹵\u0682; [B1 B5 B6]; [B1 B5 B6] # 襾ݓ𞤣.𐹵ڂ
+B; 襾\u0753𞤁。𐹵\u0682; [B1 B5 B6]; [B1 B5 B6] # 襾ݓ𞤣.𐹵ڂ
+B; 襾\u0753𞤣。𐹵\u0682; [B1 B5 B6]; [B1 B5 B6] # 襾ݓ𞤣.𐹵ڂ
+B; xn--6ob9577deqwl.xn--7ib5526k; [B1 B5 B6]; [B1 B5 B6] # 襾ݓ𞤣.𐹵ڂ
+B; ⾑\u0753𞤣。𐹵\u0682; [B1 B5 B6]; [B1 B5 B6] # 襾ݓ𞤣.𐹵ڂ
+T; ς-\u20EB。\u0754-ꡛ; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # ς-⃫.ݔ-ꡛ
+N; ς-\u20EB。\u0754-ꡛ; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # ς-⃫.ݔ-ꡛ
+T; ς-\u20EB。\u0754-ꡛ; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # ς-⃫.ݔ-ꡛ
+N; ς-\u20EB。\u0754-ꡛ; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # ς-⃫.ݔ-ꡛ
+B; Σ-\u20EB。\u0754-ꡛ; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # σ-⃫.ݔ-ꡛ
+B; σ-\u20EB。\u0754-ꡛ; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # σ-⃫.ݔ-ꡛ
+B; xn----zmb705tuo34l.xn----53c4874j; [B2 B3 B6 V6]; [B2 B3 B6 V6] # σ-⃫.ݔ-ꡛ
+B; xn----xmb015tuo34l.xn----53c4874j; [B2 B3 B6 V6]; [B2 B3 B6 V6] # ς-⃫.ݔ-ꡛ
+B; Σ-\u20EB。\u0754-ꡛ; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # σ-⃫.ݔ-ꡛ
+B; σ-\u20EB。\u0754-ꡛ; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # σ-⃫.ݔ-ꡛ
+T; \u200D.; [C2 P1 V6]; [P1 V6 A4_2] # .
+N; \u200D.; [C2 P1 V6]; [C2 P1 V6] # .
+T; \u200D.; [C2 P1 V6]; [P1 V6 A4_2] # .
+N; \u200D.; [C2 P1 V6]; [C2 P1 V6] # .
+B; .xn--h327f; [V6 A4_2]; [V6 A4_2]
+B; xn--1ug.xn--h327f; [C2 V6]; [C2 V6] # .
+B; 。≠𝟲; [P1 V6]; [P1 V6]
+B; 。=\u0338𝟲; [P1 V6]; [P1 V6]
+B; 。≠6; [P1 V6]; [P1 V6]
+B; 。=\u03386; [P1 V6]; [P1 V6]
+B; xn--h79w4z99a.xn--6-tfo; [V6]; [V6]
+T; 󠅊ᡭ\u200D.; [B6 C2 P1 V6]; [P1 V6] # ᡭ.
+N; 󠅊ᡭ\u200D.; [B6 C2 P1 V6]; [B6 C2 P1 V6] # ᡭ.
+B; xn--98e.xn--om9c; [V6]; [V6]
+B; xn--98e810b.xn--om9c; [B6 C2 V6]; [B6 C2 V6] # ᡭ.
+B; \u0C40\u0855𑄴.; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ీࡕ𑄴.
+B; \u0C40\u0855𑄴.; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ీࡕ𑄴.
+B; xn--kwb91r5112avtg.xn--o580f; [B1 V5 V6]; [B1 V5 V6] # ీࡕ𑄴.
+T; 𞤮。𑇊\u200C≯\u1CE6; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤮.𑇊≯᳦
+N; 𞤮。𑇊\u200C≯\u1CE6; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𞤮.𑇊≯᳦
+T; 𞤮。𑇊\u200C>\u0338\u1CE6; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤮.𑇊≯᳦
+N; 𞤮。𑇊\u200C>\u0338\u1CE6; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𞤮.𑇊≯᳦
+T; 𞤌。𑇊\u200C>\u0338\u1CE6; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤮.𑇊≯᳦
+N; 𞤌。𑇊\u200C>\u0338\u1CE6; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𞤮.𑇊≯᳦
+T; 𞤌。𑇊\u200C≯\u1CE6; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤮.𑇊≯᳦
+N; 𞤌。𑇊\u200C≯\u1CE6; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𞤮.𑇊≯᳦
+B; xn--me6h.xn--z6fz8ueq2v; [B1 V5 V6]; [B1 V5 V6] # 𞤮.𑇊≯᳦
+B; xn--me6h.xn--z6f16kn9b2642b; [B1 C1 V5 V6]; [B1 C1 V5 V6] # 𞤮.𑇊≯᳦
+B; 󠄀𝟕.𞤌Ⴉ; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6]
+B; 󠄀7.𞤌Ⴉ; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6]
+B; 󠄀7.𞤮ⴉ; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6]
+B; 7.xn--0kjz523lv1vv; [B1 B2 B3 V6]; [B1 B2 B3 V6]
+B; 7.xn--hnd3403vv1vv; [B1 B2 B3 V6]; [B1 B2 B3 V6]
+B; 󠄀𝟕.𞤮ⴉ; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6]
+B; 󠄀7.𞤌ⴉ; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6]
+B; 󠄀𝟕.𞤌ⴉ; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6]
+B; 閃9𝩍。Ↄ\u0669\u08B1\u0B4D; [B5 B6 P1 V6]; [B5 B6 P1 V6] # 閃9𝩍.Ↄ٩ࢱ୍
+B; 閃9𝩍。ↄ\u0669\u08B1\u0B4D; [B5 B6]; [B5 B6] # 閃9𝩍.ↄ٩ࢱ୍
+B; xn--9-3j6dk517f.xn--iib28ij3c4t9a; [B5 B6]; [B5 B6] # 閃9𝩍.ↄ٩ࢱ୍
+B; xn--9-3j6dk517f.xn--iib28ij3c0t9a; [B5 B6 V6]; [B5 B6 V6] # 閃9𝩍.Ↄ٩ࢱ୍
+B; \uAAF6ᢏ\u0E3A2.𐋢\u0745\u0F9F︒; [P1 V5 V6]; [P1 V5 V6] # ꫶ᢏฺ2.𐋢݅ྟ︒
+B; \uAAF6ᢏ\u0E3A2.𐋢\u0745\u0F9F。; [V5]; [V5] # ꫶ᢏฺ2.𐋢݅ྟ.
+B; xn--2-2zf840fk16m.xn--sob093b2m7s.; [V5]; [V5] # ꫶ᢏฺ2.𐋢݅ྟ.
+B; xn--2-2zf840fk16m.xn--sob093bj62sz9d; [V5 V6]; [V5 V6] # ꫶ᢏฺ2.𐋢݅ྟ︒
+B; 。≠-⾛; [P1 V6]; [P1 V6]
+B; 。=\u0338-⾛; [P1 V6]; [P1 V6]
+B; 。≠-走; [P1 V6]; [P1 V6]
+B; 。=\u0338-走; [P1 V6]; [P1 V6]
+B; xn--gm57d.xn----tfo4949b3664m; [V6]; [V6]
+B; \u076E\u0604Ⴊ。-≠\u1160; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # ݮႪ.-≠
+B; \u076E\u0604Ⴊ。-=\u0338\u1160; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # ݮႪ.-≠
+B; \u076E\u0604ⴊ。-=\u0338\u1160; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # ݮⴊ.-≠
+B; \u076E\u0604ⴊ。-≠\u1160; [B1 B2 B3 P1 V3 V6]; [B1 B2 B3 P1 V3 V6] # ݮⴊ.-≠
+B; xn--mfb73ek93f.xn----5bh589i; [B1 B2 B3 V3 V6]; [B1 B2 B3 V3 V6] # ݮⴊ.-≠
+B; xn--mfb73ex6r.xn----5bh589i; [B1 B2 B3 V3 V6]; [B1 B2 B3 V3 V6] # ݮႪ.-≠
+T; \uFB4F𐹧𝟒≯。\u200C; [B1 B3 B4 C1 P1 V6]; [B3 B4 P1 V6] # אל𐹧4≯.
+N; \uFB4F𐹧𝟒≯。\u200C; [B1 B3 B4 C1 P1 V6]; [B1 B3 B4 C1 P1 V6] # אל𐹧4≯.
+T; \uFB4F𐹧𝟒>\u0338。\u200C; [B1 B3 B4 C1 P1 V6]; [B3 B4 P1 V6] # אל𐹧4≯.
+N; \uFB4F𐹧𝟒>\u0338。\u200C; [B1 B3 B4 C1 P1 V6]; [B1 B3 B4 C1 P1 V6] # אל𐹧4≯.
+T; \u05D0\u05DC𐹧4≯。\u200C; [B1 B3 B4 C1 P1 V6]; [B3 B4 P1 V6] # אל𐹧4≯.
+N; \u05D0\u05DC𐹧4≯。\u200C; [B1 B3 B4 C1 P1 V6]; [B1 B3 B4 C1 P1 V6] # אל𐹧4≯.
+T; \u05D0\u05DC𐹧4>\u0338。\u200C; [B1 B3 B4 C1 P1 V6]; [B3 B4 P1 V6] # אל𐹧4≯.
+N; \u05D0\u05DC𐹧4>\u0338。\u200C; [B1 B3 B4 C1 P1 V6]; [B1 B3 B4 C1 P1 V6] # אל𐹧4≯.
+B; xn--4-zhc0by36txt0w.; [B3 B4 V6]; [B3 B4 V6] # אל𐹧4≯.
+B; xn--4-zhc0by36txt0w.xn--0ug; [B1 B3 B4 C1 V6]; [B1 B3 B4 C1 V6] # אל𐹧4≯.
+B; 𝟎。甯; 0.甯; 0.xn--qny
+B; 0。甯; 0.甯; 0.xn--qny
+B; 0.xn--qny; 0.甯; 0.xn--qny
+B; 0.甯; ; 0.xn--qny
+B; -⾆.\uAAF6; [V3 V5]; [V3 V5] # -舌.꫶
+B; -舌.\uAAF6; [V3 V5]; [V3 V5] # -舌.꫶
+B; xn----ef8c.xn--2v9a; [V3 V5]; [V3 V5] # -舌.꫶
+B; -。ᢘ; [V3]; [V3]
+B; -。ᢘ; [V3]; [V3]
+B; -.xn--ibf; [V3]; [V3]
+B; 🂴Ⴋ.≮; [P1 V6]; [P1 V6]
+B; 🂴Ⴋ.<\u0338; [P1 V6]; [P1 V6]
+B; 🂴ⴋ.<\u0338; [P1 V6]; [P1 V6]
+B; 🂴ⴋ.≮; [P1 V6]; [P1 V6]
+B; xn--2kj7565l.xn--gdh; [V6]; [V6]
+B; xn--jnd1986v.xn--gdh; [V6]; [V6]
+T; 璼𝨭。\u200C󠇟; [C1]; xn--gky8837e. # 璼𝨭.
+N; 璼𝨭。\u200C󠇟; [C1]; [C1] # 璼𝨭.
+T; 璼𝨭。\u200C󠇟; [C1]; xn--gky8837e. # 璼𝨭.
+N; 璼𝨭。\u200C󠇟; [C1]; [C1] # 璼𝨭.
+B; xn--gky8837e.; 璼𝨭.; xn--gky8837e.
+B; 璼𝨭.; ; xn--gky8837e.
+B; xn--gky8837e.xn--0ug; [C1]; [C1] # 璼𝨭.
+B; \u06698。-5🞥; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ٩8.-5🞥
+B; \u06698。-5🞥; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ٩8.-5🞥
+B; xn--8-qqc97891f.xn---5-rp92a; [B1 V3 V6]; [B1 V3 V6] # ٩8.-5🞥
+T; \u200C.\u200C; [C1]; [A4_2] # .
+N; \u200C.\u200C; [C1]; [C1] # .
+B; xn--0ug.xn--0ug; [C1]; [C1] # .
+T; \u200D튛.\u0716; [B1 C2]; xn--157b.xn--gnb # 튛.ܖ
+N; \u200D튛.\u0716; [B1 C2]; [B1 C2] # 튛.ܖ
+T; \u200D튛.\u0716; [B1 C2]; xn--157b.xn--gnb # 튛.ܖ
+N; \u200D튛.\u0716; [B1 C2]; [B1 C2] # 튛.ܖ
+B; xn--157b.xn--gnb; 튛.\u0716; xn--157b.xn--gnb # 튛.ܖ
+B; 튛.\u0716; ; xn--157b.xn--gnb # 튛.ܖ
+B; 튛.\u0716; 튛.\u0716; xn--157b.xn--gnb # 튛.ܖ
+B; xn--1ug4441e.xn--gnb; [B1 C2]; [B1 C2] # 튛.ܖ
+B; ᡋ𐹰.\u0779ⴞ; [B2 B3 B5 B6 P1 V6]; [B2 B3 B5 B6 P1 V6] # ᡋ𐹰.ݹⴞ
+B; ᡋ𐹰.\u0779Ⴞ; [B2 B3 B5 B6 P1 V6]; [B2 B3 B5 B6 P1 V6] # ᡋ𐹰.ݹႾ
+B; xn--b8e0417jocvf.xn--9pb068b; [B2 B3 B5 B6 V6]; [B2 B3 B5 B6 V6] # ᡋ𐹰.ݹႾ
+B; xn--b8e0417jocvf.xn--9pb883q; [B2 B3 B5 B6 V6]; [B2 B3 B5 B6 V6] # ᡋ𐹰.ݹⴞ
+B; \u0662𝅻𝟧.𐹮𐹬Ⴇ; [B1 B4 P1 V6]; [B1 B4 P1 V6] # ٢𝅻5.𐹮𐹬Ⴇ
+B; \u0662𝅻5.𐹮𐹬Ⴇ; [B1 B4 P1 V6]; [B1 B4 P1 V6] # ٢𝅻5.𐹮𐹬Ⴇ
+B; \u0662𝅻5.𐹮𐹬ⴇ; [B1 B4 P1 V6]; [B1 B4 P1 V6] # ٢𝅻5.𐹮𐹬ⴇ
+B; xn--5-cqc8833rhv7f.xn--ykjz523efa; [B1 B4 V6]; [B1 B4 V6] # ٢𝅻5.𐹮𐹬ⴇ
+B; xn--5-cqc8833rhv7f.xn--fnd3401kfa; [B1 B4 V6]; [B1 B4 V6] # ٢𝅻5.𐹮𐹬Ⴇ
+B; \u0662𝅻𝟧.𐹮𐹬ⴇ; [B1 B4 P1 V6]; [B1 B4 P1 V6] # ٢𝅻5.𐹮𐹬ⴇ
+B; Ⴗ.\u05C2𑄴\uA9B7; [P1 V5 V6]; [P1 V5 V6] # Ⴗ.𑄴ׂꦷ
+B; Ⴗ.𑄴\u05C2\uA9B7; [P1 V5 V6]; [P1 V5 V6] # Ⴗ.𑄴ׂꦷ
+B; Ⴗ.𑄴\u05C2\uA9B7; [P1 V5 V6]; [P1 V5 V6] # Ⴗ.𑄴ׂꦷ
+B; ⴗ.𑄴\u05C2\uA9B7; [P1 V5 V6]; [P1 V5 V6] # ⴗ.𑄴ׂꦷ
+B; xn--flj.xn--qdb0605f14ycrms3c; [V5 V6]; [V5 V6] # ⴗ.𑄴ׂꦷ
+B; xn--vnd.xn--qdb0605f14ycrms3c; [V5 V6]; [V5 V6] # Ⴗ.𑄴ׂꦷ
+B; ⴗ.𑄴\u05C2\uA9B7; [P1 V5 V6]; [P1 V5 V6] # ⴗ.𑄴ׂꦷ
+B; ⴗ.\u05C2𑄴\uA9B7; [P1 V5 V6]; [P1 V5 V6] # ⴗ.𑄴ׂꦷ
+B; 𝟾.\u066C; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # 8.٬
+B; 8.\u066C; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # 8.٬
+B; xn--8-kh23b.xn--lib78461i; [B1 B5 B6 V6]; [B1 B5 B6 V6] # 8.٬
+B; ⒈酫︒。\u08D6; [P1 V5 V6]; [P1 V5 V6] # ⒈酫︒.ࣖ
+B; 1.酫。。\u08D6; [V5 A4_2]; [V5 A4_2] # 1.酫..ࣖ
+B; 1.xn--8j4a..xn--8zb; [V5 A4_2]; [V5 A4_2] # 1.酫..ࣖ
+B; xn--tsh4490bfe8c.xn--8zb; [V5 V6]; [V5 V6] # ⒈酫︒.ࣖ
+T; \u2DE3\u200C≮\u1A6B.\u200C\u0E3A; [C1 P1 V5 V6]; [P1 V5 V6] # ⷣ≮ᩫ.ฺ
+N; \u2DE3\u200C≮\u1A6B.\u200C\u0E3A; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ⷣ≮ᩫ.ฺ
+T; \u2DE3\u200C<\u0338\u1A6B.\u200C\u0E3A; [C1 P1 V5 V6]; [P1 V5 V6] # ⷣ≮ᩫ.ฺ
+N; \u2DE3\u200C<\u0338\u1A6B.\u200C\u0E3A; [C1 P1 V5 V6]; [C1 P1 V5 V6] # ⷣ≮ᩫ.ฺ
+B; xn--uof548an0j.xn--o4c; [V5 V6]; [V5 V6] # ⷣ≮ᩫ.ฺ
+B; xn--uof63xk4bf3s.xn--o4c732g; [C1 V5 V6]; [C1 V5 V6] # ⷣ≮ᩫ.ฺ
+T; 。ႷႽ¹\u200D; [B6 C2 P1 V6]; [P1 V6] # .ႷႽ1
+N; 。ႷႽ¹\u200D; [B6 C2 P1 V6]; [B6 C2 P1 V6] # .ႷႽ1
+T; 。ႷႽ1\u200D; [B6 C2 P1 V6]; [P1 V6] # .ႷႽ1
+N; 。ႷႽ1\u200D; [B6 C2 P1 V6]; [B6 C2 P1 V6] # .ႷႽ1
+T; 。ⴗⴝ1\u200D; [B6 C2 P1 V6]; [P1 V6] # .ⴗⴝ1
+N; 。ⴗⴝ1\u200D; [B6 C2 P1 V6]; [B6 C2 P1 V6] # .ⴗⴝ1
+T; 。Ⴗⴝ1\u200D; [B6 C2 P1 V6]; [P1 V6] # .Ⴗⴝ1
+N; 。Ⴗⴝ1\u200D; [B6 C2 P1 V6]; [B6 C2 P1 V6] # .Ⴗⴝ1
+B; xn--co6h.xn--1-h1g429s; [V6]; [V6]
+B; xn--co6h.xn--1-h1g398iewm; [B6 C2 V6]; [B6 C2 V6] # .Ⴗⴝ1
+B; xn--co6h.xn--1-kwssa; [V6]; [V6]
+B; xn--co6h.xn--1-ugn710dya; [B6 C2 V6]; [B6 C2 V6] # .ⴗⴝ1
+B; xn--co6h.xn--1-h1gs; [V6]; [V6]
+B; xn--co6h.xn--1-h1gs597m; [B6 C2 V6]; [B6 C2 V6] # .ႷႽ1
+T; 。ⴗⴝ¹\u200D; [B6 C2 P1 V6]; [P1 V6] # .ⴗⴝ1
+N; 。ⴗⴝ¹\u200D; [B6 C2 P1 V6]; [B6 C2 P1 V6] # .ⴗⴝ1
+T; 。Ⴗⴝ¹\u200D; [B6 C2 P1 V6]; [P1 V6] # .Ⴗⴝ1
+N; 。Ⴗⴝ¹\u200D; [B6 C2 P1 V6]; [B6 C2 P1 V6] # .Ⴗⴝ1
+B; 𑄴𑄳2.-; [B1 B3 P1 V3 V5 V6]; [B1 B3 P1 V3 V5 V6]
+B; xn--2-h87ic.xn----s39r33498d; [B1 B3 V3 V5 V6]; [B1 B3 V3 V5 V6]
+B; \u0665。𑄳𞤃\u0710; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ٥.𑄳𞤥ܐ
+B; \u0665。𑄳𞤃\u0710; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ٥.𑄳𞤥ܐ
+B; \u0665。𑄳𞤥\u0710; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ٥.𑄳𞤥ܐ
+B; xn--eib57614py3ea.xn--9mb5737kqnpfzkwr; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ٥.𑄳𞤥ܐ
+B; \u0665。𑄳𞤥\u0710; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ٥.𑄳𞤥ܐ
+T; \u0720𐹢\u17BB。ςᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 P1 V6] # ܠ𐹢ុ.ςᢈ🝭
+N; \u0720𐹢\u17BB。ςᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 C1 P1 V6] # ܠ𐹢ុ.ςᢈ🝭
+T; \u0720𐹢\u17BB。ςᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 P1 V6] # ܠ𐹢ុ.ςᢈ🝭
+N; \u0720𐹢\u17BB。ςᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 C1 P1 V6] # ܠ𐹢ុ.ςᢈ🝭
+T; \u0720𐹢\u17BB。Σᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 P1 V6] # ܠ𐹢ុ.σᢈ🝭
+N; \u0720𐹢\u17BB。Σᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 C1 P1 V6] # ܠ𐹢ុ.σᢈ🝭
+T; \u0720𐹢\u17BB。σᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 P1 V6] # ܠ𐹢ុ.σᢈ🝭
+N; \u0720𐹢\u17BB。σᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 C1 P1 V6] # ܠ𐹢ុ.σᢈ🝭
+B; xn--qnb616fis0qzt36f.xn--4xa847hli46a; [B2 B6 V6]; [B2 B6 V6] # ܠ𐹢ុ.σᢈ🝭
+B; xn--qnb616fis0qzt36f.xn--4xa847h6ofgl44c; [B2 B6 C1 V6]; [B2 B6 C1 V6] # ܠ𐹢ុ.σᢈ🝭
+B; xn--qnb616fis0qzt36f.xn--3xa057h6ofgl44c; [B2 B6 C1 V6]; [B2 B6 C1 V6] # ܠ𐹢ុ.ςᢈ🝭
+T; \u0720𐹢\u17BB。Σᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 P1 V6] # ܠ𐹢ុ.σᢈ🝭
+N; \u0720𐹢\u17BB。Σᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 C1 P1 V6] # ܠ𐹢ុ.σᢈ🝭
+T; \u0720𐹢\u17BB。σᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 P1 V6] # ܠ𐹢ុ.σᢈ🝭
+N; \u0720𐹢\u17BB。σᢈ🝭\u200C; [B2 B6 C1 P1 V6]; [B2 B6 C1 P1 V6] # ܠ𐹢ុ.σᢈ🝭
+T; \u200D--≮。𐹧; [B1 C2 P1 V6]; [B1 P1 V3 V6] # --≮.𐹧
+N; \u200D--≮。𐹧; [B1 C2 P1 V6]; [B1 C2 P1 V6] # --≮.𐹧
+T; \u200D--<\u0338。𐹧; [B1 C2 P1 V6]; [B1 P1 V3 V6] # --≮.𐹧
+N; \u200D--<\u0338。𐹧; [B1 C2 P1 V6]; [B1 C2 P1 V6] # --≮.𐹧
+B; xn-----ujv.xn--fo0d; [B1 V3 V6]; [B1 V3 V6]
+B; xn-----l1tz1k.xn--fo0d; [B1 C2 V6]; [B1 C2 V6] # --≮.𐹧
+B; \uA806。\u0FB0⒕; [P1 V5 V6]; [P1 V5 V6] # ꠆.ྰ⒕
+B; \uA806。\u0FB014.; [P1 V5 V6]; [P1 V5 V6] # ꠆.ྰ14.
+B; xn--l98a.xn--14-jsj57880f.; [V5 V6]; [V5 V6] # ꠆.ྰ14.
+B; xn--l98a.xn--dgd218hhp28d; [V5 V6]; [V5 V6] # ꠆.ྰ⒕
+B; \u06BC.𑆺\u0669; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ڼ.𑆺٩
+B; \u06BC.𑆺\u0669; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # ڼ.𑆺٩
+B; xn--vkb92243l.xn--iib9797k; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # ڼ.𑆺٩
+B; \u06D0-。𞤴; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ې-.𞤴
+B; \u06D0-。𞤒; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ې-.𞤴
+B; xn----mwc72685y.xn--se6h; [B1 V3 V6]; [B1 V3 V6] # ې-.𞤴
+T; 𝟠4󠇗𝈻.\u200D𐋵⛧\u200D; [C2]; xn--84-s850a.xn--59h6326e # 84𝈻.𐋵⛧
+N; 𝟠4󠇗𝈻.\u200D𐋵⛧\u200D; [C2]; [C2] # 84𝈻.𐋵⛧
+T; 84󠇗𝈻.\u200D𐋵⛧\u200D; [C2]; xn--84-s850a.xn--59h6326e # 84𝈻.𐋵⛧
+N; 84󠇗𝈻.\u200D𐋵⛧\u200D; [C2]; [C2] # 84𝈻.𐋵⛧
+B; xn--84-s850a.xn--59h6326e; 84𝈻.𐋵⛧; xn--84-s850a.xn--59h6326e; NV8
+B; 84𝈻.𐋵⛧; ; xn--84-s850a.xn--59h6326e; NV8
+B; xn--84-s850a.xn--1uga573cfq1w; [C2]; [C2] # 84𝈻.𐋵⛧
+B; -\u0601。ᡪ; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.ᡪ
+B; -\u0601。ᡪ; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.ᡪ
+B; xn----tkc.xn--68e; [B1 V3 V6]; [B1 V3 V6] # -.ᡪ
+T; ≮𝟕.謖ß≯; [P1 V6]; [P1 V6]
+N; ≮𝟕.謖ß≯; [P1 V6]; [P1 V6]
+T; <\u0338𝟕.謖ß>\u0338; [P1 V6]; [P1 V6]
+N; <\u0338𝟕.謖ß>\u0338; [P1 V6]; [P1 V6]
+T; ≮7.謖ß≯; [P1 V6]; [P1 V6]
+N; ≮7.謖ß≯; [P1 V6]; [P1 V6]
+T; <\u03387.謖ß>\u0338; [P1 V6]; [P1 V6]
+N; <\u03387.謖ß>\u0338; [P1 V6]; [P1 V6]
+B; <\u03387.謖SS>\u0338; [P1 V6]; [P1 V6]
+B; ≮7.謖SS≯; [P1 V6]; [P1 V6]
+B; ≮7.謖ss≯; [P1 V6]; [P1 V6]
+B; <\u03387.謖ss>\u0338; [P1 V6]; [P1 V6]
+B; <\u03387.謖Ss>\u0338; [P1 V6]; [P1 V6]
+B; ≮7.謖Ss≯; [P1 V6]; [P1 V6]
+B; xn--7-mgo.xn--ss-xjvv174c; [V6]; [V6]
+B; xn--7-mgo.xn--zca892oly5e; [V6]; [V6]
+B; <\u0338𝟕.謖SS>\u0338; [P1 V6]; [P1 V6]
+B; ≮𝟕.謖SS≯; [P1 V6]; [P1 V6]
+B; ≮𝟕.謖ss≯; [P1 V6]; [P1 V6]
+B; <\u0338𝟕.謖ss>\u0338; [P1 V6]; [P1 V6]
+B; <\u0338𝟕.謖Ss>\u0338; [P1 V6]; [P1 V6]
+B; ≮𝟕.謖Ss≯; [P1 V6]; [P1 V6]
+B; 朶Ⴉ.𝨽\u0825📻-; [B1 B5 B6 P1 V3 V5 V6]; [B1 B5 B6 P1 V3 V5 V6] # 朶Ⴉ.𝨽ࠥ📻-
+B; 朶ⴉ.𝨽\u0825📻-; [B1 B5 B6 P1 V3 V5 V6]; [B1 B5 B6 P1 V3 V5 V6] # 朶ⴉ.𝨽ࠥ📻-
+B; xn--0kjz47pd57t.xn----3gd37096apmwa; [B1 B5 B6 V3 V5 V6]; [B1 B5 B6 V3 V5 V6] # 朶ⴉ.𝨽ࠥ📻-
+B; xn--hnd7245bd56p.xn----3gd37096apmwa; [B1 B5 B6 V3 V5 V6]; [B1 B5 B6 V3 V5 V6] # 朶Ⴉ.𝨽ࠥ📻-
+T; 𐤎。\u200C≮\u200D; [B6 C1 C2 P1 V6]; [B6 P1 V6] # 𐤎.≮
+N; 𐤎。\u200C≮\u200D; [B6 C1 C2 P1 V6]; [B6 C1 C2 P1 V6] # 𐤎.≮
+T; 𐤎。\u200C<\u0338\u200D; [B6 C1 C2 P1 V6]; [B6 P1 V6] # 𐤎.≮
+N; 𐤎。\u200C<\u0338\u200D; [B6 C1 C2 P1 V6]; [B6 C1 C2 P1 V6] # 𐤎.≮
+B; xn--bk9c.xn--gdhx6802k; [B6 V6]; [B6 V6]
+B; xn--bk9c.xn--0ugc04p2u638c; [B6 C1 C2 V6]; [B6 C1 C2 V6] # 𐤎.≮
+T; ⒈。\u200C𝟤; [C1 P1 V6]; [P1 V6] # ⒈.2
+N; ⒈。\u200C𝟤; [C1 P1 V6]; [C1 P1 V6] # ⒈.2
+T; 1.。\u200C2; [C1 P1 V6 A4_2]; [P1 V6 A4_2] # 1..2
+N; 1.。\u200C2; [C1 P1 V6 A4_2]; [C1 P1 V6 A4_2] # 1..2
+B; xn--1-ex54e..2; [V6 A4_2]; [V6 A4_2]
+B; xn--1-ex54e..xn--2-rgn; [C1 V6 A4_2]; [C1 V6 A4_2] # 1..2
+B; xn--tsh94183d.2; [V6]; [V6]
+B; xn--tsh94183d.xn--2-rgn; [C1 V6]; [C1 V6] # ⒈.2
+T; 𐹤\u200D.𐹳𐹶; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹤.𐹳𐹶
+N; 𐹤\u200D.𐹳𐹶; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹤.𐹳𐹶
+T; 𐹤\u200D.𐹳𐹶; [B1 C2 P1 V6]; [B1 P1 V6] # 𐹤.𐹳𐹶
+N; 𐹤\u200D.𐹳𐹶; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 𐹤.𐹳𐹶
+B; xn--co0d98977c.xn--ro0dga22807v; [B1 V6]; [B1 V6]
+B; xn--1ugy994g7k93g.xn--ro0dga22807v; [B1 C2 V6]; [B1 C2 V6] # 𐹤.𐹳𐹶
+B; 𞤴𐹻𑓂𐭝.\u094D\uFE07; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤴𐹻𑓂𐭝.्
+B; 𞤴𐹻𑓂𐭝.\u094D\uFE07; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤴𐹻𑓂𐭝.्
+B; 𞤒𐹻𑓂𐭝.\u094D\uFE07; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤴𐹻𑓂𐭝.्
+B; xn--609c96c09grp2w.xn--n3b28708s; [B1 V5 V6]; [B1 V5 V6] # 𞤴𐹻𑓂𐭝.्
+B; 𞤒𐹻𑓂𐭝.\u094D\uFE07; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𞤴𐹻𑓂𐭝.्
+B; \u0668。𐹠𐹽; [B1 P1 V6]; [B1 P1 V6] # ٨.𐹠𐹽
+B; \u0668。𐹠𐹽; [B1 P1 V6]; [B1 P1 V6] # ٨.𐹠𐹽
+B; xn--hib.xn--7n0d2bu9196b; [B1 V6]; [B1 V6] # ٨.𐹠𐹽
+B; \u1160.8\u069C; [B1 P1 V6]; [B1 P1 V6] # .8ڜ
+B; xn--psd85033d.xn--8-otc61545t; [B1 V6]; [B1 V6] # .8ڜ
+T; \u200D\u200C󠆪。ß𑓃; [C1 C2]; [A4_2] # .ß𑓃
+N; \u200D\u200C󠆪。ß𑓃; [C1 C2]; [C1 C2] # .ß𑓃
+T; \u200D\u200C󠆪。ß𑓃; [C1 C2]; [A4_2] # .ß𑓃
+N; \u200D\u200C󠆪。ß𑓃; [C1 C2]; [C1 C2] # .ß𑓃
+T; \u200D\u200C󠆪。SS𑓃; [C1 C2]; [A4_2] # .ss𑓃
+N; \u200D\u200C󠆪。SS𑓃; [C1 C2]; [C1 C2] # .ss𑓃
+T; \u200D\u200C󠆪。ss𑓃; [C1 C2]; [A4_2] # .ss𑓃
+N; \u200D\u200C󠆪。ss𑓃; [C1 C2]; [C1 C2] # .ss𑓃
+T; \u200D\u200C󠆪。Ss𑓃; [C1 C2]; [A4_2] # .ss𑓃
+N; \u200D\u200C󠆪。Ss𑓃; [C1 C2]; [C1 C2] # .ss𑓃
+B; .xn--ss-bh7o; [A4_2]; [A4_2]
+B; xn--0ugb.xn--ss-bh7o; [C1 C2]; [C1 C2] # .ss𑓃
+B; xn--0ugb.xn--zca0732l; [C1 C2]; [C1 C2] # .ß𑓃
+T; \u200D\u200C󠆪。SS𑓃; [C1 C2]; [A4_2] # .ss𑓃
+N; \u200D\u200C󠆪。SS𑓃; [C1 C2]; [C1 C2] # .ss𑓃
+T; \u200D\u200C󠆪。ss𑓃; [C1 C2]; [A4_2] # .ss𑓃
+N; \u200D\u200C󠆪。ss𑓃; [C1 C2]; [C1 C2] # .ss𑓃
+T; \u200D\u200C󠆪。Ss𑓃; [C1 C2]; [A4_2] # .ss𑓃
+N; \u200D\u200C󠆪。Ss𑓃; [C1 C2]; [C1 C2] # .ss𑓃
+B; xn--ss-bh7o; ss𑓃; xn--ss-bh7o
+B; ss𑓃; ; xn--ss-bh7o
+B; SS𑓃; ss𑓃; xn--ss-bh7o
+B; Ss𑓃; ss𑓃; xn--ss-bh7o
+T; ︒\u200Cヶ䒩.ꡪ; [C1 P1 V6]; [P1 V6] # ︒ヶ䒩.ꡪ
+N; ︒\u200Cヶ䒩.ꡪ; [C1 P1 V6]; [C1 P1 V6] # ︒ヶ䒩.ꡪ
+T; 。\u200Cヶ䒩.ꡪ; [C1 A4_2]; [A4_2] # .ヶ䒩.ꡪ
+N; 。\u200Cヶ䒩.ꡪ; [C1 A4_2]; [C1 A4_2] # .ヶ䒩.ꡪ
+B; .xn--qekw60d.xn--gd9a; [A4_2]; [A4_2]
+B; .xn--0ug287dj0o.xn--gd9a; [C1 A4_2]; [C1 A4_2] # .ヶ䒩.ꡪ
+B; xn--qekw60dns9k.xn--gd9a; [V6]; [V6]
+B; xn--0ug287dj0or48o.xn--gd9a; [C1 V6]; [C1 V6] # ︒ヶ䒩.ꡪ
+B; xn--qekw60d.xn--gd9a; ヶ䒩.ꡪ; xn--qekw60d.xn--gd9a
+B; ヶ䒩.ꡪ; ; xn--qekw60d.xn--gd9a
+T; \u200C⒈𤮍.\u1A60; [C1 P1 V6]; [P1 V6] # ⒈𤮍.᩠
+N; \u200C⒈𤮍.\u1A60; [C1 P1 V6]; [C1 P1 V6] # ⒈𤮍.᩠
+T; \u200C1.𤮍.\u1A60; [C1 P1 V6]; [P1 V6] # 1.𤮍.᩠
+N; \u200C1.𤮍.\u1A60; [C1 P1 V6]; [C1 P1 V6] # 1.𤮍.᩠
+B; 1.xn--4x6j.xn--jof45148n; [V6]; [V6] # 1.𤮍.᩠
+B; xn--1-rgn.xn--4x6j.xn--jof45148n; [C1 V6]; [C1 V6] # 1.𤮍.᩠
+B; xn--tshw462r.xn--jof45148n; [V6]; [V6] # ⒈𤮍.᩠
+B; xn--0ug88o7471d.xn--jof45148n; [C1 V6]; [C1 V6] # ⒈𤮍.᩠
+T; ⒈\u200C𐫓。\u1A60\u200D; [B1 C1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ⒈𐫓.᩠
+N; ⒈\u200C𐫓。\u1A60\u200D; [B1 C1 C2 P1 V5 V6]; [B1 C1 C2 P1 V5 V6] # ⒈𐫓.᩠
+T; 1.\u200C𐫓。\u1A60\u200D; [B1 C1 C2 P1 V5 V6]; [B1 B3 P1 V5 V6] # 1.𐫓.᩠
+N; 1.\u200C𐫓。\u1A60\u200D; [B1 C1 C2 P1 V5 V6]; [B1 C1 C2 P1 V5 V6] # 1.𐫓.᩠
+B; 1.xn--8w9c40377c.xn--jofz5294e; [B1 B3 V5 V6]; [B1 B3 V5 V6] # 1.𐫓.᩠
+B; 1.xn--0ug8853gk263g.xn--jof95xex98m; [B1 C1 C2 V5 V6]; [B1 C1 C2 V5 V6] # 1.𐫓.᩠
+B; xn--tsh4435fk263g.xn--jofz5294e; [B1 V5 V6]; [B1 V5 V6] # ⒈𐫓.᩠
+B; xn--0ug78ol75wzcx4i.xn--jof95xex98m; [B1 C1 C2 V5 V6]; [B1 C1 C2 V5 V6] # ⒈𐫓.᩠
+B; 。𝟫𞀈䬺⒈; [P1 V6]; [P1 V6]
+B; 。9𞀈䬺1.; [P1 V6]; [P1 V6]
+B; xn--3f1h.xn--91-030c1650n.; [V6]; [V6]
+B; xn--3f1h.xn--9-ecp936non25a; [V6]; [V6]
+B; ≯。盚\u0635; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ≯.盚ص
+B; >\u0338。盚\u0635; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ≯.盚ص
+B; xn--hdh30181h.xn--0gb7878c; [B5 B6 V6]; [B5 B6 V6] # ≯.盚ص
+B; -\u05B4。-≯; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ִ.-≯
+B; -\u05B4。->\u0338; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ִ.-≯
+B; xn----fgc06667m.xn----pgoy615he5y4i; [B1 V3 V6]; [B1 V3 V6] # -ִ.-≯
+T; \u1B44\u200C\u0A4D.𐭛; [B2 B3 B6 P1 V6]; [B2 B3 P1 V6] # ᭄੍.𐭛
+N; \u1B44\u200C\u0A4D.𐭛; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # ᭄੍.𐭛
+T; \u1B44\u200C\u0A4D.𐭛; [B2 B3 B6 P1 V6]; [B2 B3 P1 V6] # ᭄੍.𐭛
+N; \u1B44\u200C\u0A4D.𐭛; [B2 B3 B6 P1 V6]; [B2 B3 B6 P1 V6] # ᭄੍.𐭛
+B; xn--ybc997fb5881a.xn--409c6100y; [B2 B3 V6]; [B2 B3 V6] # ᭄੍.𐭛
+B; xn--ybc997f6rd2n772c.xn--409c6100y; [B2 B3 B6 V6]; [B2 B3 B6 V6] # ᭄੍.𐭛
+T; ⾇.\u067D𞤴\u06BB\u200D; [B3 C2]; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
+N; ⾇.\u067D𞤴\u06BB\u200D; [B3 C2]; [B3 C2] # 舛.ٽ𞤴ڻ
+T; 舛.\u067D𞤴\u06BB\u200D; [B3 C2]; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
+N; 舛.\u067D𞤴\u06BB\u200D; [B3 C2]; [B3 C2] # 舛.ٽ𞤴ڻ
+T; 舛.\u067D𞤒\u06BB\u200D; [B3 C2]; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
+N; 舛.\u067D𞤒\u06BB\u200D; [B3 C2]; [B3 C2] # 舛.ٽ𞤴ڻ
+B; xn--8c1a.xn--2ib8jn539l; 舛.\u067D𞤴\u06BB; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
+B; 舛.\u067D𞤴\u06BB; ; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
+B; 舛.\u067D𞤒\u06BB; 舛.\u067D𞤴\u06BB; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
+B; xn--8c1a.xn--2ib8jv19e6413b; [B3 C2]; [B3 C2] # 舛.ٽ𞤴ڻ
+T; ⾇.\u067D𞤒\u06BB\u200D; [B3 C2]; xn--8c1a.xn--2ib8jn539l # 舛.ٽ𞤴ڻ
+N; ⾇.\u067D𞤒\u06BB\u200D; [B3 C2]; [B3 C2] # 舛.ٽ𞤴ڻ
+B; 4。\u0767≯; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 4.ݧ≯
+B; 4。\u0767>\u0338; [B1 B3 P1 V6]; [B1 B3 P1 V6] # 4.ݧ≯
+B; xn--4-xn17i.xn--rpb459k; [B1 B3 V6]; [B1 B3 V6] # 4.ݧ≯
+B; 硲.\u06AD; [B5 P1 V6]; [B5 P1 V6] # 硲.ڭ
+B; 硲.\u06AD; [B5 P1 V6]; [B5 P1 V6] # 硲.ڭ
+B; xn--lcz1610fn78gk609a.xn--gkb; [B5 V6]; [B5 V6] # 硲.ڭ
+T; \u200C.\uFE08\u0666Ⴆ℮; [B1 C1 P1 V6]; [B1 P1 V6 A4_2] # .٦Ⴆ℮
+N; \u200C.\uFE08\u0666Ⴆ℮; [B1 C1 P1 V6]; [B1 C1 P1 V6] # .٦Ⴆ℮
+T; \u200C.\uFE08\u0666ⴆ℮; [B1 C1]; [B1 A4_2] # .٦ⴆ℮
+N; \u200C.\uFE08\u0666ⴆ℮; [B1 C1]; [B1 C1] # .٦ⴆ℮
+B; .xn--fib628k4li; [B1 A4_2]; [B1 A4_2] # .٦ⴆ℮
+B; xn--0ug.xn--fib628k4li; [B1 C1]; [B1 C1] # .٦ⴆ℮
+B; .xn--fib263c0yn; [B1 V6 A4_2]; [B1 V6 A4_2] # .٦Ⴆ℮
+B; xn--0ug.xn--fib263c0yn; [B1 C1 V6]; [B1 C1 V6] # .٦Ⴆ℮
+T; \u06A3.\u0D4D\u200DϞ; [B1 V5]; [B1 V5] # ڣ.്ϟ
+N; \u06A3.\u0D4D\u200DϞ; [B1 V5]; [B1 V5] # ڣ.്ϟ
+T; \u06A3.\u0D4D\u200DϞ; [B1 V5]; [B1 V5] # ڣ.്ϟ
+N; \u06A3.\u0D4D\u200DϞ; [B1 V5]; [B1 V5] # ڣ.്ϟ
+T; \u06A3.\u0D4D\u200Dϟ; [B1 V5]; [B1 V5] # ڣ.്ϟ
+N; \u06A3.\u0D4D\u200Dϟ; [B1 V5]; [B1 V5] # ڣ.്ϟ
+B; xn--5jb.xn--xya149b; [B1 V5]; [B1 V5] # ڣ.്ϟ
+B; xn--5jb.xn--xya149bpvp; [B1 V5]; [B1 V5] # ڣ.്ϟ
+T; \u06A3.\u0D4D\u200Dϟ; [B1 V5]; [B1 V5] # ڣ.്ϟ
+N; \u06A3.\u0D4D\u200Dϟ; [B1 V5]; [B1 V5] # ڣ.്ϟ
+T; \u200C𞸇𑘿。\u0623𐮂-腍; [B1 B2 B3 C1]; [B2 B3] # ح𑘿.أ𐮂-腍
+N; \u200C𞸇𑘿。\u0623𐮂-腍; [B1 B2 B3 C1]; [B1 B2 B3 C1] # ح𑘿.أ𐮂-腍
+T; \u200C𞸇𑘿。\u0627\u0654𐮂-腍; [B1 B2 B3 C1]; [B2 B3] # ح𑘿.أ𐮂-腍
+N; \u200C𞸇𑘿。\u0627\u0654𐮂-腍; [B1 B2 B3 C1]; [B1 B2 B3 C1] # ح𑘿.أ𐮂-腍
+T; \u200C\u062D𑘿。\u0623𐮂-腍; [B1 B2 B3 C1]; [B2 B3] # ح𑘿.أ𐮂-腍
+N; \u200C\u062D𑘿。\u0623𐮂-腍; [B1 B2 B3 C1]; [B1 B2 B3 C1] # ح𑘿.أ𐮂-腍
+T; \u200C\u062D𑘿。\u0627\u0654𐮂-腍; [B1 B2 B3 C1]; [B2 B3] # ح𑘿.أ𐮂-腍
+N; \u200C\u062D𑘿。\u0627\u0654𐮂-腍; [B1 B2 B3 C1]; [B1 B2 B3 C1] # ح𑘿.أ𐮂-腍
+B; xn--sgb4140l.xn----qmc5075grs9e; [B2 B3]; [B2 B3] # ح𑘿.أ𐮂-腍
+B; xn--sgb953kmi8o.xn----qmc5075grs9e; [B1 B2 B3 C1]; [B1 B2 B3 C1] # ح𑘿.أ𐮂-腍
+B; -\u066B纛。𝟛🄅; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -٫纛.3🄅
+B; -\u066B纛。34,; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -٫纛.34,
+B; xn----vqc8143g0tt4i.xn--34,-8787l; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -٫纛.34,
+B; xn----vqc8143g0tt4i.xn--3-os1sn476y; [B1 V3 V6]; [B1 V3 V6] # -٫纛.3🄅
+B; 🔔.Ⴂ\u07CC\u0BCD𐋮; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 🔔.Ⴂߌ்𐋮
+B; 🔔.Ⴂ\u07CC\u0BCD𐋮; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 🔔.Ⴂߌ்𐋮
+B; 🔔.ⴂ\u07CC\u0BCD𐋮; [B1 B5]; [B1 B5] # 🔔.ⴂߌ்𐋮
+B; xn--nv8h.xn--nsb46rvz1b222p; [B1 B5]; [B1 B5] # 🔔.ⴂߌ்𐋮
+B; xn--nv8h.xn--nsb46r83e8112a; [B1 B5 V6]; [B1 B5 V6] # 🔔.Ⴂߌ்𐋮
+B; 🔔.ⴂ\u07CC\u0BCD𐋮; [B1 B5]; [B1 B5] # 🔔.ⴂߌ்𐋮
+B; 軥\u06B3.-𖬵; [B1 B5 B6 V3]; [B1 B5 B6 V3] # 軥ڳ.-𖬵
+B; xn--mkb5480e.xn----6u5m; [B1 B5 B6 V3]; [B1 B5 B6 V3] # 軥ڳ.-𖬵
+B; 𐹤\u07CA\u06B6.𐨂-; [B1 V3 V5]; [B1 V3 V5] # 𐹤ߊڶ.𐨂-
+B; xn--pkb56cn614d.xn----974i; [B1 V3 V5]; [B1 V3 V5] # 𐹤ߊڶ.𐨂-
+B; -󠅱0。\u17CF\u1DFD톇십; [V3 V5]; [V3 V5] # -0.៏᷽톇십
+B; -󠅱0。\u17CF\u1DFD톇십; [V3 V5]; [V3 V5] # -0.៏᷽톇십
+B; -󠅱0。\u17CF\u1DFD톇십; [V3 V5]; [V3 V5] # -0.៏᷽톇십
+B; -󠅱0。\u17CF\u1DFD톇십; [V3 V5]; [V3 V5] # -0.៏᷽톇십
+B; -0.xn--r4e872ah77nghm; [V3 V5]; [V3 V5] # -0.៏᷽톇십
+B; ꡰ︒--。\u17CC靈𐹢; [B1 B6 P1 V2 V3 V5 V6]; [B1 B6 P1 V2 V3 V5 V6] # ꡰ︒--.៌靈𐹢
+B; ꡰ。--。\u17CC靈𐹢; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ꡰ.--.៌靈𐹢
+B; xn--md9a.--.xn--o4e6836dpxudz0v1c; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ꡰ.--.៌靈𐹢
+B; xn-----bk9hu24z.xn--o4e6836dpxudz0v1c; [B1 B6 V2 V3 V5 V6]; [B1 B6 V2 V3 V5 V6] # ꡰ︒--.៌靈𐹢
+B; \u115FႿႵრ。\u0B4D; [P1 V5 V6]; [P1 V5 V6] # ႿႵრ.୍
+B; \u115FႿႵრ。\u0B4D; [P1 V5 V6]; [P1 V5 V6] # ႿႵრ.୍
+B; \u115Fⴟⴕრ。\u0B4D; [P1 V5 V6]; [P1 V5 V6] # ⴟⴕრ.୍
+B; \u115FႿⴕრ。\u0B4D; [P1 V5 V6]; [P1 V5 V6] # Ⴟⴕრ.୍
+B; xn--3nd0etsm92g.xn--9ic; [V5 V6]; [V5 V6] # Ⴟⴕრ.୍
+B; xn--1od7wz74eeb.xn--9ic; [V5 V6]; [V5 V6] # ⴟⴕრ.୍
+B; xn--tndt4hvw.xn--9ic; [V5 V6]; [V5 V6] # ႿႵრ.୍
+B; \u115Fⴟⴕრ。\u0B4D; [P1 V5 V6]; [P1 V5 V6] # ⴟⴕრ.୍
+B; \u115FႿⴕრ。\u0B4D; [P1 V5 V6]; [P1 V5 V6] # Ⴟⴕრ.୍
+B; 🄃𐹠.\u0664󠅇; [B1 P1 V6]; [B1 P1 V6] # 🄃𐹠.٤
+B; 2,𐹠.\u0664󠅇; [B1 P1 V6]; [B1 P1 V6] # 2,𐹠.٤
+B; xn--2,-5g3o.xn--dib; [B1 P1 V6]; [B1 P1 V6] # 2,𐹠.٤
+B; xn--7n0d1189a.xn--dib; [B1 V6]; [B1 V6] # 🄃𐹠.٤
+T; \u200C\uFC5B.\u07D2\u0848\u1BF3; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 P1 V6] # ذٰ.ߒࡈ᯳
+N; \u200C\uFC5B.\u07D2\u0848\u1BF3; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 C1 P1 V6] # ذٰ.ߒࡈ᯳
+T; \u200C\u0630\u0670.\u07D2\u0848\u1BF3; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 P1 V6] # ذٰ.ߒࡈ᯳
+N; \u200C\u0630\u0670.\u07D2\u0848\u1BF3; [B2 B3 B5 B6 C1 P1 V6]; [B2 B3 B5 B6 C1 P1 V6] # ذٰ.ߒࡈ᯳
+B; xn--vgb2kp1223g.xn--tsb0vz43c; [B2 B3 B5 B6 V6]; [B2 B3 B5 B6 V6] # ذٰ.ߒࡈ᯳
+B; xn--vgb2kq00fl213y.xn--tsb0vz43c; [B2 B3 B5 B6 C1 V6]; [B2 B3 B5 B6 C1 V6] # ذٰ.ߒࡈ᯳
+T; \u200D\u200D\u200C。ᡘ𑲭\u17B5; [B1 C1 C2 P1 V6]; [P1 V6] # .ᡘ𑲭
+N; \u200D\u200D\u200C。ᡘ𑲭\u17B5; [B1 C1 C2 P1 V6]; [B1 C1 C2 P1 V6] # .ᡘ𑲭
+B; xn--l96h.xn--03e93aq365d; [V6]; [V6] # .ᡘ𑲭
+B; xn--0ugba05538b.xn--03e93aq365d; [B1 C1 C2 V6]; [B1 C1 C2 V6] # .ᡘ𑲭
+B; 。⚄𑁿; [B1 P1 V6]; [B1 P1 V6]
+B; xn--qe7h.xn--c7h2966f7so4a; [B1 V6]; [B1 V6]
+B; \uA8C4≠.𞠨\u0667; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ꣄≠.𞠨٧
+B; \uA8C4=\u0338.𞠨\u0667; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ꣄≠.𞠨٧
+B; \uA8C4≠.𞠨\u0667; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ꣄≠.𞠨٧
+B; \uA8C4=\u0338.𞠨\u0667; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ꣄≠.𞠨٧
+B; xn--1chy504c.xn--gib1777v; [B1 V5 V6]; [B1 V5 V6] # ꣄≠.𞠨٧
+B; 𝟛𝆪\uA8C4。\uA8EA-; [V3 V5]; [V3 V5] # 3꣄𝆪.꣪-
+B; 𝟛\uA8C4𝆪。\uA8EA-; [V3 V5]; [V3 V5] # 3꣄𝆪.꣪-
+B; 3\uA8C4𝆪。\uA8EA-; [V3 V5]; [V3 V5] # 3꣄𝆪.꣪-
+B; xn--3-sl4eu679e.xn----xn4e; [V3 V5]; [V3 V5] # 3꣄𝆪.꣪-
+B; \u075F\u1BA2\u103AႧ.4; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # ݟᮢ်Ⴇ.4
+B; \u075F\u1BA2\u103Aⴇ.4; [B1 B2 B3]; [B1 B2 B3] # ݟᮢ်ⴇ.4
+B; xn--jpb846bjzj7pr.4; [B1 B2 B3]; [B1 B2 B3] # ݟᮢ်ⴇ.4
+B; xn--jpb846bmjw88a.4; [B1 B2 B3 V6]; [B1 B2 B3 V6] # ݟᮢ်Ⴇ.4
+B; ᄹ。\u0ECA󠄞; [P1 V5 V6]; [P1 V5 V6] # ᄹ.໊
+B; ᄹ。\u0ECA󠄞; [P1 V5 V6]; [P1 V5 V6] # ᄹ.໊
+B; xn--lrd.xn--s8c05302k; [V5 V6]; [V5 V6] # ᄹ.໊
+B; Ⴆ.󠆡\uFE09𞤍; [P1 V6]; [P1 V6]
+B; Ⴆ.󠆡\uFE09𞤍; [P1 V6]; [P1 V6]
+B; ⴆ.󠆡\uFE09𞤯; [P1 V6]; [P1 V6]
+B; xn--xkjw3965g.xn--ne6h; [V6]; [V6]
+B; xn--end82983m.xn--ne6h; [V6]; [V6]
+B; ⴆ.󠆡\uFE09𞤯; [P1 V6]; [P1 V6]
+B; ⴆ.󠆡\uFE09𞤍; [P1 V6]; [P1 V6]
+B; ⴆ.󠆡\uFE09𞤍; [P1 V6]; [P1 V6]
+T; ß\u080B︒\u067B.帼F∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ßࠋ︒ٻ.帼f∫∫
+N; ß\u080B︒\u067B.帼F∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ßࠋ︒ٻ.帼f∫∫
+T; ß\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6] # ßࠋ.ٻ.帼f∫∫
+N; ß\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ßࠋ.ٻ.帼f∫∫
+T; ß\u080B。\u067B.帼f∫∫\u200C; [B5 B6 C1]; [B5 B6] # ßࠋ.ٻ.帼f∫∫
+N; ß\u080B。\u067B.帼f∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ßࠋ.ٻ.帼f∫∫
+T; SS\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6] # ssࠋ.ٻ.帼f∫∫
+N; SS\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ssࠋ.ٻ.帼f∫∫
+T; ss\u080B。\u067B.帼f∫∫\u200C; [B5 B6 C1]; [B5 B6] # ssࠋ.ٻ.帼f∫∫
+N; ss\u080B。\u067B.帼f∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ssࠋ.ٻ.帼f∫∫
+T; Ss\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6] # ssࠋ.ٻ.帼f∫∫
+N; Ss\u080B。\u067B.帼F∫∫\u200C; [B5 B6 C1]; [B5 B6 C1] # ssࠋ.ٻ.帼f∫∫
+B; xn--ss-uze.xn--0ib.xn--f-tcoa9162d; [B5 B6]; [B5 B6] # ssࠋ.ٻ.帼f∫∫
+B; xn--ss-uze.xn--0ib.xn--f-sgn48ga6997e; [B5 B6 C1]; [B5 B6 C1] # ssࠋ.ٻ.帼f∫∫
+B; xn--zca687a.xn--0ib.xn--f-sgn48ga6997e; [B5 B6 C1]; [B5 B6 C1] # ßࠋ.ٻ.帼f∫∫
+T; ß\u080B︒\u067B.帼f∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ßࠋ︒ٻ.帼f∫∫
+N; ß\u080B︒\u067B.帼f∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ßࠋ︒ٻ.帼f∫∫
+T; SS\u080B︒\u067B.帼F∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ssࠋ︒ٻ.帼f∫∫
+N; SS\u080B︒\u067B.帼F∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ssࠋ︒ٻ.帼f∫∫
+T; ss\u080B︒\u067B.帼f∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ssࠋ︒ٻ.帼f∫∫
+N; ss\u080B︒\u067B.帼f∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ssࠋ︒ٻ.帼f∫∫
+T; Ss\u080B︒\u067B.帼F∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # ssࠋ︒ٻ.帼f∫∫
+N; Ss\u080B︒\u067B.帼F∬\u200C; [B5 B6 C1 P1 V6]; [B5 B6 C1 P1 V6] # ssࠋ︒ٻ.帼f∫∫
+B; xn--ss-k0d31nu121d.xn--f-tcoa9162d; [B5 B6 V6]; [B5 B6 V6] # ssࠋ︒ٻ.帼f∫∫
+B; xn--ss-k0d31nu121d.xn--f-sgn48ga6997e; [B5 B6 C1 V6]; [B5 B6 C1 V6] # ssࠋ︒ٻ.帼f∫∫
+B; xn--zca68zj8ac956c.xn--f-sgn48ga6997e; [B5 B6 C1 V6]; [B5 B6 C1 V6] # ßࠋ︒ٻ.帼f∫∫
+T; 。𐹴\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # .𐹴
+N; 。𐹴\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # .𐹴
+T; 。𐹴\u200D; [B1 C2 P1 V6]; [B1 P1 V6] # .𐹴
+N; 。𐹴\u200D; [B1 C2 P1 V6]; [B1 C2 P1 V6] # .𐹴
+B; xn--8l83e.xn--so0dw168a; [B1 V6]; [B1 V6]
+B; xn--8l83e.xn--1ug4105gsxwf; [B1 C2 V6]; [B1 C2 V6] # .𐹴
+B; .𝟨\uA8C4; [P1 V6]; [P1 V6] # .6꣄
+B; .6\uA8C4; [P1 V6]; [P1 V6] # .6꣄
+B; xn--mi60a.xn--6-sl4es8023c; [V6]; [V6] # .6꣄
+B; \u1AB2\uFD8E。-۹ႱႨ; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ᪲مخج.-۹ႱႨ
+B; \u1AB2\u0645\u062E\u062C。-۹ႱႨ; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ᪲مخج.-۹ႱႨ
+B; \u1AB2\u0645\u062E\u062C。-۹ⴑⴈ; [B1 V3 V5]; [B1 V3 V5] # ᪲مخج.-۹ⴑⴈ
+B; \u1AB2\u0645\u062E\u062C。-۹Ⴑⴈ; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ᪲مخج.-۹Ⴑⴈ
+B; xn--rgbd2e831i.xn----zyc875efr3a; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ᪲مخج.-۹Ⴑⴈ
+B; xn--rgbd2e831i.xn----zyc3430a9a; [B1 V3 V5]; [B1 V3 V5] # ᪲مخج.-۹ⴑⴈ
+B; xn--rgbd2e831i.xn----zyc155e9a; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ᪲مخج.-۹ႱႨ
+B; \u1AB2\uFD8E。-۹ⴑⴈ; [B1 V3 V5]; [B1 V3 V5] # ᪲مخج.-۹ⴑⴈ
+B; \u1AB2\uFD8E。-۹Ⴑⴈ; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ᪲مخج.-۹Ⴑⴈ
+B; 𞤤.-\u08A3︒; [B1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤤.-ࢣ︒
+B; 𞤤.-\u08A3。; [B1 V3]; [B1 V3] # 𞤤.-ࢣ.
+B; 𞤂.-\u08A3。; [B1 V3]; [B1 V3] # 𞤤.-ࢣ.
+B; xn--ce6h.xn----cod.; [B1 V3]; [B1 V3] # 𞤤.-ࢣ.
+B; 𞤂.-\u08A3︒; [B1 P1 V3 V6]; [B1 P1 V3 V6] # 𞤤.-ࢣ︒
+B; xn--ce6h.xn----cod7069p; [B1 V3 V6]; [B1 V3 V6] # 𞤤.-ࢣ︒
+T; \u200C𐺨.\u0859--; [B1 C1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # .࡙--
+N; \u200C𐺨.\u0859--; [B1 C1 P1 V3 V5 V6]; [B1 C1 P1 V3 V5 V6] # .࡙--
+B; xn--9p0d.xn-----h6e; [B1 V3 V5 V6]; [B1 V3 V5 V6] # .࡙--
+B; xn--0ug7905g.xn-----h6e; [B1 C1 V3 V5 V6]; [B1 C1 V3 V5 V6] # .࡙--
+B; 𐋸Ⴢ.Ⴁ; [P1 V6]; [P1 V6]
+B; 𐋸ⴢ.ⴁ; [P1 V6]; [P1 V6]
+B; 𐋸Ⴢ.ⴁ; [P1 V6]; [P1 V6]
+B; xn--6nd5215jr2u0h.xn--skj; [V6]; [V6]
+B; xn--qlj1559dr224h.xn--skj; [V6]; [V6]
+B; xn--6nd5215jr2u0h.xn--8md; [V6]; [V6]
+T; \uA806₄。ς; [P1 V6]; [P1 V6] # ꠆4.ς
+N; \uA806₄。ς; [P1 V6]; [P1 V6] # ꠆4.ς
+T; \uA8064。ς; [P1 V6]; [P1 V6] # ꠆4.ς
+N; \uA8064。ς; [P1 V6]; [P1 V6] # ꠆4.ς
+B; \uA8064。Σ; [P1 V6]; [P1 V6] # ꠆4.σ
+B; \uA8064。σ; [P1 V6]; [P1 V6] # ꠆4.σ
+B; xn--4-w93ej7463a9io5a.xn--4xa31142bk3f0d; [V6]; [V6] # ꠆4.σ
+B; xn--4-w93ej7463a9io5a.xn--3xa51142bk3f0d; [V6]; [V6] # ꠆4.ς
+B; \uA806₄。Σ; [P1 V6]; [P1 V6] # ꠆4.σ
+B; \uA806₄。σ; [P1 V6]; [P1 V6] # ꠆4.σ
+B; 󠆀\u0723。\u1DF4\u0775; [B1 V5]; [B1 V5] # ܣ.ᷴݵ
+B; xn--tnb.xn--5pb136i; [B1 V5]; [B1 V5] # ܣ.ᷴݵ
+T; 𐹱\u0842𝪨。𬼖Ⴑ\u200D; [B1 B6 C2 P1 V6]; [B1 P1 V6] # 𐹱ࡂ𝪨.𬼖Ⴑ
+N; 𐹱\u0842𝪨。𬼖Ⴑ\u200D; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # 𐹱ࡂ𝪨.𬼖Ⴑ
+T; 𐹱\u0842𝪨。𬼖Ⴑ\u200D; [B1 B6 C2 P1 V6]; [B1 P1 V6] # 𐹱ࡂ𝪨.𬼖Ⴑ
+N; 𐹱\u0842𝪨。𬼖Ⴑ\u200D; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # 𐹱ࡂ𝪨.𬼖Ⴑ
+T; 𐹱\u0842𝪨。𬼖ⴑ\u200D; [B1 B6 C2]; [B1] # 𐹱ࡂ𝪨.𬼖ⴑ
+N; 𐹱\u0842𝪨。𬼖ⴑ\u200D; [B1 B6 C2]; [B1 B6 C2] # 𐹱ࡂ𝪨.𬼖ⴑ
+B; xn--0vb1535kdb6e.xn--8kjz186s; [B1]; [B1] # 𐹱ࡂ𝪨.𬼖ⴑ
+B; xn--0vb1535kdb6e.xn--1ug742c5714c; [B1 B6 C2]; [B1 B6 C2] # 𐹱ࡂ𝪨.𬼖ⴑ
+B; xn--0vb1535kdb6e.xn--pnd93707a; [B1 V6]; [B1 V6] # 𐹱ࡂ𝪨.𬼖Ⴑ
+B; xn--0vb1535kdb6e.xn--pnd879eqy33c; [B1 B6 C2 V6]; [B1 B6 C2 V6] # 𐹱ࡂ𝪨.𬼖Ⴑ
+T; 𐹱\u0842𝪨。𬼖ⴑ\u200D; [B1 B6 C2]; [B1] # 𐹱ࡂ𝪨.𬼖ⴑ
+N; 𐹱\u0842𝪨。𬼖ⴑ\u200D; [B1 B6 C2]; [B1 B6 C2] # 𐹱ࡂ𝪨.𬼖ⴑ
+T; \u1714𐭪\u200D。-𐹴; [B1 C2 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ᜔𐭪.-𐹴
+N; \u1714𐭪\u200D。-𐹴; [B1 C2 P1 V3 V5 V6]; [B1 C2 P1 V3 V5 V6] # ᜔𐭪.-𐹴
+T; \u1714𐭪\u200D。-𐹴; [B1 C2 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ᜔𐭪.-𐹴
+N; \u1714𐭪\u200D。-𐹴; [B1 C2 P1 V3 V5 V6]; [B1 C2 P1 V3 V5 V6] # ᜔𐭪.-𐹴
+B; xn--fze4126jujt0g.xn----c36i; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ᜔𐭪.-𐹴
+B; xn--fze807bso0spy14i.xn----c36i; [B1 C2 V3 V5 V6]; [B1 C2 V3 V5 V6] # ᜔𐭪.-𐹴
+B; 。\u0729︒쯙𝟧; [B2 P1 V6]; [B2 P1 V6] # .ܩ︒쯙5
+B; 。\u0729︒쯙𝟧; [B2 P1 V6]; [B2 P1 V6] # .ܩ︒쯙5
+B; 。\u0729。쯙5; [P1 V6]; [P1 V6] # .ܩ.쯙5
+B; 。\u0729。쯙5; [P1 V6]; [P1 V6] # .ܩ.쯙5
+B; xn--t92s.xn--znb.xn--5-y88f; [V6]; [V6] # .ܩ.쯙5
+B; xn--t92s.xn--5-p1c0712mm8rb; [B2 V6]; [B2 V6] # .ܩ︒쯙5
+B; 𞤟-。\u0762≮뻐; [B2 B3 P1 V3 V6]; [B2 B3 P1 V3 V6] # 𞥁-.ݢ≮뻐
+B; 𞤟-。\u0762<\u0338뻐; [B2 B3 P1 V3 V6]; [B2 B3 P1 V3 V6] # 𞥁-.ݢ≮뻐
+B; 𞥁-。\u0762<\u0338뻐; [B2 B3 P1 V3 V6]; [B2 B3 P1 V3 V6] # 𞥁-.ݢ≮뻐
+B; 𞥁-。\u0762≮뻐; [B2 B3 P1 V3 V6]; [B2 B3 P1 V3 V6] # 𞥁-.ݢ≮뻐
+B; xn----1j8r.xn--mpb269krv4i; [B2 B3 V3 V6]; [B2 B3 V3 V6] # 𞥁-.ݢ≮뻐
+B; -.\u08B4≠; [B2 B3 P1 V6]; [B2 B3 P1 V6] # -.ࢴ≠
+B; -.\u08B4=\u0338; [B2 B3 P1 V6]; [B2 B3 P1 V6] # -.ࢴ≠
+B; -.\u08B4≠; [B2 B3 P1 V6]; [B2 B3 P1 V6] # -.ࢴ≠
+B; -.\u08B4=\u0338; [B2 B3 P1 V6]; [B2 B3 P1 V6] # -.ࢴ≠
+B; xn----cm8rp3609a.xn--9yb852k; [B2 B3 V6]; [B2 B3 V6] # -.ࢴ≠
+T; -ςႼ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ςႼ.١
+N; -ςႼ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ςႼ.١
+T; -ςႼ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ςႼ.١
+N; -ςႼ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ςႼ.١
+T; -ςⴜ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ςⴜ.١
+N; -ςⴜ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ςⴜ.١
+B; -ΣႼ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -σႼ.١
+B; -σⴜ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -σⴜ.١
+B; -Σⴜ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -σⴜ.١
+B; xn----0mb9682aov12f.xn--9hb; [B1 V3 V6]; [B1 V3 V6] # -σⴜ.١
+B; xn----0mb770hun11i.xn--9hb; [B1 V3 V6]; [B1 V3 V6] # -σႼ.١
+B; xn----ymb2782aov12f.xn--9hb; [B1 V3 V6]; [B1 V3 V6] # -ςⴜ.١
+B; xn----ymb080hun11i.xn--9hb; [B1 V3 V6]; [B1 V3 V6] # -ςႼ.١
+T; -ςⴜ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ςⴜ.١
+N; -ςⴜ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ςⴜ.١
+B; -ΣႼ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -σႼ.١
+B; -σⴜ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -σⴜ.١
+B; -Σⴜ.\u0661; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -σⴜ.١
+T; \u17CA.\u200D𝟮𑀿; [C2 V5]; [V5] # ៊.2𑀿
+N; \u17CA.\u200D𝟮𑀿; [C2 V5]; [C2 V5] # ៊.2𑀿
+T; \u17CA.\u200D2𑀿; [C2 V5]; [V5] # ៊.2𑀿
+N; \u17CA.\u200D2𑀿; [C2 V5]; [C2 V5] # ៊.2𑀿
+B; xn--m4e.xn--2-ku7i; [V5]; [V5] # ៊.2𑀿
+B; xn--m4e.xn--2-tgnv469h; [C2 V5]; [C2 V5] # ៊.2𑀿
+B; ≯𝟖。\u1A60𐫓; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≯8.᩠𐫓
+B; >\u0338𝟖。\u1A60𐫓; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≯8.᩠𐫓
+B; ≯8。\u1A60𐫓; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≯8.᩠𐫓
+B; >\u03388。\u1A60𐫓; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≯8.᩠𐫓
+B; xn--8-ogo.xn--jof5303iv1z5d; [B1 V5 V6]; [B1 V5 V6] # ≯8.᩠𐫓
+T; 𑲫Ↄ\u0664。\u200C; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𑲫Ↄ٤.
+N; 𑲫Ↄ\u0664。\u200C; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𑲫Ↄ٤.
+T; 𑲫Ↄ\u0664。\u200C; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # 𑲫Ↄ٤.
+N; 𑲫Ↄ\u0664。\u200C; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # 𑲫Ↄ٤.
+T; 𑲫ↄ\u0664。\u200C; [B1 C1 V5]; [B1 V5] # 𑲫ↄ٤.
+N; 𑲫ↄ\u0664。\u200C; [B1 C1 V5]; [B1 C1 V5] # 𑲫ↄ٤.
+B; xn--dib100l8x1p.; [B1 V5]; [B1 V5] # 𑲫ↄ٤.
+B; xn--dib100l8x1p.xn--0ug; [B1 C1 V5]; [B1 C1 V5] # 𑲫ↄ٤.
+B; xn--dib999kcy1p.; [B1 V5 V6]; [B1 V5 V6] # 𑲫Ↄ٤.
+B; xn--dib999kcy1p.xn--0ug; [B1 C1 V5 V6]; [B1 C1 V5 V6] # 𑲫Ↄ٤.
+T; 𑲫ↄ\u0664。\u200C; [B1 C1 V5]; [B1 V5] # 𑲫ↄ٤.
+N; 𑲫ↄ\u0664。\u200C; [B1 C1 V5]; [B1 C1 V5] # 𑲫ↄ٤.
+T; \u0C00𝟵\u200D\uFC9D.\u200D\u0750⒈; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ఀ9بح.ݐ⒈
+N; \u0C00𝟵\u200D\uFC9D.\u200D\u0750⒈; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ఀ9بح.ݐ⒈
+T; \u0C009\u200D\u0628\u062D.\u200D\u07501.; [B1 C2 V5]; [B1 V5] # ఀ9بح.ݐ1.
+N; \u0C009\u200D\u0628\u062D.\u200D\u07501.; [B1 C2 V5]; [B1 C2 V5] # ఀ9بح.ݐ1.
+B; xn--9-1mcp570d.xn--1-x3c.; [B1 V5]; [B1 V5] # ఀ9بح.ݐ1.
+B; xn--9-1mcp570dl51a.xn--1-x3c211q.; [B1 C2 V5]; [B1 C2 V5] # ఀ9بح.ݐ1.
+B; xn--9-1mcp570d.xn--3ob470m; [B1 V5 V6]; [B1 V5 V6] # ఀ9بح.ݐ⒈
+B; xn--9-1mcp570dl51a.xn--3ob977jmfd; [B1 C2 V5 V6]; [B1 C2 V5 V6] # ఀ9بح.ݐ⒈
+T; \uAAF6。嬶ß葽; [V5]; [V5] # ꫶.嬶ß葽
+N; \uAAF6。嬶ß葽; [V5]; [V5] # ꫶.嬶ß葽
+B; \uAAF6。嬶SS葽; [V5]; [V5] # ꫶.嬶ss葽
+B; \uAAF6。嬶ss葽; [V5]; [V5] # ꫶.嬶ss葽
+B; \uAAF6。嬶Ss葽; [V5]; [V5] # ꫶.嬶ss葽
+B; xn--2v9a.xn--ss-q40dp97m; [V5]; [V5] # ꫶.嬶ss葽
+B; xn--2v9a.xn--zca7637b14za; [V5]; [V5] # ꫶.嬶ß葽
+B; 𑚶⒈。𐹺; [B5 B6 P1 V5 V6]; [B5 B6 P1 V5 V6]
+B; 𑚶1.。𐹺; [B5 B6 P1 V5 V6 A4_2]; [B5 B6 P1 V5 V6 A4_2]
+B; xn--1-3j0j..xn--yo0d5914s; [B5 B6 V5 V6 A4_2]; [B5 B6 V5 V6 A4_2]
+B; xn--tshz969f.xn--yo0d5914s; [B5 B6 V5 V6]; [B5 B6 V5 V6]
+B; 𑜤︒≮.\u05D8; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𑜤︒≮.ט
+B; 𑜤︒<\u0338.\u05D8; [B1 B5 B6 P1 V5 V6]; [B1 B5 B6 P1 V5 V6] # 𑜤︒≮.ט
+B; 𑜤。≮.\u05D8; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # 𑜤.≮.ט
+B; 𑜤。<\u0338.\u05D8; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # 𑜤.≮.ט
+B; xn--ci2d.xn--gdh.xn--deb0091w5q9u; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # 𑜤.≮.ט
+B; xn--gdh5267fdzpa.xn--deb0091w5q9u; [B1 B5 B6 V5 V6]; [B1 B5 B6 V5 V6] # 𑜤︒≮.ט
+T; 󠆋\u0603.⇁ς; [B1 P1 V6]; [B1 P1 V6] # .⇁ς
+N; 󠆋\u0603.⇁ς; [B1 P1 V6]; [B1 P1 V6] # .⇁ς
+B; 󠆋\u0603.⇁Σ; [B1 P1 V6]; [B1 P1 V6] # .⇁σ
+B; 󠆋\u0603.⇁σ; [B1 P1 V6]; [B1 P1 V6] # .⇁σ
+B; xn--lfb04106d.xn--4xa964mxv16m8moq; [B1 V6]; [B1 V6] # .⇁σ
+B; xn--lfb04106d.xn--3xa174mxv16m8moq; [B1 V6]; [B1 V6] # .⇁ς
+T; ς𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [P1 V6] # ς𑐽𑜫.𐫄
+N; ς𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [C1 P1 V6] # ς𑐽𑜫.𐫄
+T; ς𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [P1 V6] # ς𑐽𑜫.𐫄
+N; ς𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [C1 P1 V6] # ς𑐽𑜫.𐫄
+T; Σ𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [P1 V6] # σ𑐽𑜫.𐫄
+N; Σ𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [C1 P1 V6] # σ𑐽𑜫.𐫄
+T; σ𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [P1 V6] # σ𑐽𑜫.𐫄
+N; σ𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [C1 P1 V6] # σ𑐽𑜫.𐫄
+B; xn--4xa2260lk3b8z15g.xn--tw9ct349a; [V6]; [V6]
+B; xn--4xa2260lk3b8z15g.xn--0ug4653g2xzf; [C1 V6]; [C1 V6] # σ𑐽𑜫.𐫄
+B; xn--3xa4260lk3b8z15g.xn--0ug4653g2xzf; [C1 V6]; [C1 V6] # ς𑐽𑜫.𐫄
+T; Σ𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [P1 V6] # σ𑐽𑜫.𐫄
+N; Σ𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [C1 P1 V6] # σ𑐽𑜫.𐫄
+T; σ𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [P1 V6] # σ𑐽𑜫.𐫄
+N; σ𑐽𑜫。\u200C𐫄; [C1 P1 V6]; [C1 P1 V6] # σ𑐽𑜫.𐫄
+B; -。-\uFC4C\u075B; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.-نحݛ
+B; -。-\u0646\u062D\u075B; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -.-نحݛ
+B; xn----o452j.xn----cnc8e38c; [B1 V3 V6]; [B1 V3 V6] # -.-نحݛ
+T; ⺢𝟤。\u200D🚷; [C2 P1 V6]; [P1 V6] # ⺢2.🚷
+N; ⺢𝟤。\u200D🚷; [C2 P1 V6]; [C2 P1 V6] # ⺢2.🚷
+T; ⺢2。\u200D🚷; [C2 P1 V6]; [P1 V6] # ⺢2.🚷
+N; ⺢2。\u200D🚷; [C2 P1 V6]; [C2 P1 V6] # ⺢2.🚷
+B; xn--2-4jtr4282f.xn--m78h; [V6]; [V6]
+B; xn--2-4jtr4282f.xn--1ugz946p; [C2 V6]; [C2 V6] # ⺢2.🚷
+T; \u0CF8\u200D\u2DFE𐹲。; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # ⷾ𐹲.
+N; \u0CF8\u200D\u2DFE𐹲。; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # ⷾ𐹲.
+T; \u0CF8\u200D\u2DFE𐹲。; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # ⷾ𐹲.
+N; \u0CF8\u200D\u2DFE𐹲。; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # ⷾ𐹲.
+B; xn--hvc220of37m.xn--3e36c; [B5 B6 V6]; [B5 B6 V6] # ⷾ𐹲.
+B; xn--hvc488g69j402t.xn--3e36c; [B5 B6 C2 V6]; [B5 B6 C2 V6] # ⷾ𐹲.
+B; 𐹢.Ⴍ₉⁸; [B1 P1 V6]; [B1 P1 V6]
+B; 𐹢.Ⴍ98; [B1 P1 V6]; [B1 P1 V6]
+B; 𐹢.ⴍ98; [B1]; [B1]
+B; xn--9n0d.xn--98-u61a; [B1]; [B1]
+B; xn--9n0d.xn--98-7ek; [B1 V6]; [B1 V6]
+B; 𐹢.ⴍ₉⁸; [B1]; [B1]
+T; \u200C\u034F。ß\u08E2⒚≯; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ß⒚≯
+N; \u200C\u034F。ß\u08E2⒚≯; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ß⒚≯
+T; \u200C\u034F。ß\u08E2⒚>\u0338; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ß⒚≯
+N; \u200C\u034F。ß\u08E2⒚>\u0338; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ß⒚≯
+T; \u200C\u034F。ß\u08E219.≯; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6 A4_2] # .ß19.≯
+N; \u200C\u034F。ß\u08E219.≯; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # .ß19.≯
+T; \u200C\u034F。ß\u08E219.>\u0338; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6 A4_2] # .ß19.≯
+N; \u200C\u034F。ß\u08E219.>\u0338; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # .ß19.≯
+T; \u200C\u034F。SS\u08E219.>\u0338; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6 A4_2] # .ss19.≯
+N; \u200C\u034F。SS\u08E219.>\u0338; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # .ss19.≯
+T; \u200C\u034F。SS\u08E219.≯; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6 A4_2] # .ss19.≯
+N; \u200C\u034F。SS\u08E219.≯; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # .ss19.≯
+T; \u200C\u034F。ss\u08E219.≯; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6 A4_2] # .ss19.≯
+N; \u200C\u034F。ss\u08E219.≯; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # .ss19.≯
+T; \u200C\u034F。ss\u08E219.>\u0338; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6 A4_2] # .ss19.≯
+N; \u200C\u034F。ss\u08E219.>\u0338; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # .ss19.≯
+T; \u200C\u034F。Ss\u08E219.>\u0338; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6 A4_2] # .ss19.≯
+N; \u200C\u034F。Ss\u08E219.>\u0338; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # .ss19.≯
+T; \u200C\u034F。Ss\u08E219.≯; [B1 B5 C1 P1 V6]; [B1 B5 P1 V6 A4_2] # .ss19.≯
+N; \u200C\u034F。Ss\u08E219.≯; [B1 B5 C1 P1 V6]; [B1 B5 C1 P1 V6] # .ss19.≯
+B; .xn--ss19-w0i.xn--hdh; [B1 B5 V6 A4_2]; [B1 B5 V6 A4_2] # .ss19.≯
+B; xn--0ug.xn--ss19-w0i.xn--hdh; [B1 B5 C1 V6]; [B1 B5 C1 V6] # .ss19.≯
+B; xn--0ug.xn--19-fia813f.xn--hdh; [B1 B5 C1 V6]; [B1 B5 C1 V6] # .ß19.≯
+T; \u200C\u034F。SS\u08E2⒚>\u0338; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ss⒚≯
+N; \u200C\u034F。SS\u08E2⒚>\u0338; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ss⒚≯
+T; \u200C\u034F。SS\u08E2⒚≯; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ss⒚≯
+N; \u200C\u034F。SS\u08E2⒚≯; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ss⒚≯
+T; \u200C\u034F。ss\u08E2⒚≯; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ss⒚≯
+N; \u200C\u034F。ss\u08E2⒚≯; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ss⒚≯
+T; \u200C\u034F。ss\u08E2⒚>\u0338; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ss⒚≯
+N; \u200C\u034F。ss\u08E2⒚>\u0338; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ss⒚≯
+T; \u200C\u034F。Ss\u08E2⒚>\u0338; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ss⒚≯
+N; \u200C\u034F。Ss\u08E2⒚>\u0338; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ss⒚≯
+T; \u200C\u034F。Ss\u08E2⒚≯; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6 A4_2] # .ss⒚≯
+N; \u200C\u034F。Ss\u08E2⒚≯; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # .ss⒚≯
+B; .xn--ss-9if872xjjc; [B5 B6 V6 A4_2]; [B5 B6 V6 A4_2] # .ss⒚≯
+B; xn--0ug.xn--ss-9if872xjjc; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # .ss⒚≯
+B; xn--0ug.xn--zca612bx9vo5b; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # .ß⒚≯
+T; \u200Cᡌ.𣃔; [B1 C1 P1 V6]; [B2 B3 P1 V6] # ᡌ.𣃔
+N; \u200Cᡌ.𣃔; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ᡌ.𣃔
+T; \u200Cᡌ.𣃔; [B1 C1 P1 V6]; [B2 B3 P1 V6] # ᡌ.𣃔
+N; \u200Cᡌ.𣃔; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ᡌ.𣃔
+B; xn--c8e5919u.xn--od1j; [B2 B3 V6]; [B2 B3 V6]
+B; xn--c8e180bqz13b.xn--od1j; [B1 C1 V6]; [B1 C1 V6] # ᡌ.𣃔
+B; \u07D0-。\u0FA0Ⴛ𝆬; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ߐ-.ྠႻ𝆬
+B; \u07D0-。\u0FA0ⴛ𝆬; [B1 B2 B3 P1 V5 V6]; [B1 B2 B3 P1 V5 V6] # ߐ-.ྠⴛ𝆬
+B; xn----8bd11730jefvw.xn--wfd802mpm20agsxa; [B1 B2 B3 V5 V6]; [B1 B2 B3 V5 V6] # ߐ-.ྠⴛ𝆬
+B; xn----8bd11730jefvw.xn--wfd08cd265hgsxa; [B1 B2 B3 V5 V6]; [B1 B2 B3 V5 V6] # ߐ-.ྠႻ𝆬
+B; 𝨥。⫟𑈾; [V5]; [V5]
+B; xn--n82h.xn--63iw010f; [V5]; [V5]
+T; ⾛\u0753.Ⴕ𞠬\u0604\u200D; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # 走ݓ.Ⴕ𞠬
+N; ⾛\u0753.Ⴕ𞠬\u0604\u200D; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # 走ݓ.Ⴕ𞠬
+T; 走\u0753.Ⴕ𞠬\u0604\u200D; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # 走ݓ.Ⴕ𞠬
+N; 走\u0753.Ⴕ𞠬\u0604\u200D; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # 走ݓ.Ⴕ𞠬
+T; 走\u0753.ⴕ𞠬\u0604\u200D; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # 走ݓ.ⴕ𞠬
+N; 走\u0753.ⴕ𞠬\u0604\u200D; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # 走ݓ.ⴕ𞠬
+B; xn--6ob9779d.xn--mfb511rxu80a; [B5 B6 V6]; [B5 B6 V6] # 走ݓ.ⴕ𞠬
+B; xn--6ob9779d.xn--mfb444k5gjt754b; [B5 B6 C2 V6]; [B5 B6 C2 V6] # 走ݓ.ⴕ𞠬
+B; xn--6ob9779d.xn--mfb785ck569a; [B5 B6 V6]; [B5 B6 V6] # 走ݓ.Ⴕ𞠬
+B; xn--6ob9779d.xn--mfb785czmm0y85b; [B5 B6 C2 V6]; [B5 B6 C2 V6] # 走ݓ.Ⴕ𞠬
+T; ⾛\u0753.ⴕ𞠬\u0604\u200D; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # 走ݓ.ⴕ𞠬
+N; ⾛\u0753.ⴕ𞠬\u0604\u200D; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # 走ݓ.ⴕ𞠬
+T; -ᢗ\u200C🄄.𑜢; [C1 P1 V3 V5 V6]; [P1 V3 V5 V6] # -ᢗ🄄.𑜢
+N; -ᢗ\u200C🄄.𑜢; [C1 P1 V3 V5 V6]; [C1 P1 V3 V5 V6] # -ᢗ🄄.𑜢
+T; -ᢗ\u200C3,.𑜢; [C1 P1 V3 V5 V6]; [P1 V3 V5 V6] # -ᢗ3,.𑜢
+N; -ᢗ\u200C3,.𑜢; [C1 P1 V3 V5 V6]; [C1 P1 V3 V5 V6] # -ᢗ3,.𑜢
+B; xn---3,-3eu.xn--9h2d; [P1 V3 V5 V6]; [P1 V3 V5 V6]
+B; xn---3,-3eu051c.xn--9h2d; [C1 P1 V3 V5 V6]; [C1 P1 V3 V5 V6] # -ᢗ3,.𑜢
+B; xn----pck1820x.xn--9h2d; [V3 V5 V6]; [V3 V5 V6]
+B; xn----pck312bx563c.xn--9h2d; [C1 V3 V5 V6]; [C1 V3 V5 V6] # -ᢗ🄄.𑜢
+T; ≠\u200C.Ⴚ; [B1 C1 P1 V6]; [B1 P1 V6] # ≠.Ⴚ
+N; ≠\u200C.Ⴚ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ≠.Ⴚ
+T; =\u0338\u200C.Ⴚ; [B1 C1 P1 V6]; [B1 P1 V6] # ≠.Ⴚ
+N; =\u0338\u200C.Ⴚ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ≠.Ⴚ
+T; =\u0338\u200C.ⴚ; [B1 C1 P1 V6]; [B1 P1 V6] # ≠.ⴚ
+N; =\u0338\u200C.ⴚ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ≠.ⴚ
+T; ≠\u200C.ⴚ; [B1 C1 P1 V6]; [B1 P1 V6] # ≠.ⴚ
+N; ≠\u200C.ⴚ; [B1 C1 P1 V6]; [B1 C1 P1 V6] # ≠.ⴚ
+B; xn--1ch2293gv3nr.xn--ilj23531g; [B1 V6]; [B1 V6]
+B; xn--0ug83gn618a21ov.xn--ilj23531g; [B1 C1 V6]; [B1 C1 V6] # ≠.ⴚ
+B; xn--1ch2293gv3nr.xn--ynd49496l; [B1 V6]; [B1 V6]
+B; xn--0ug83gn618a21ov.xn--ynd49496l; [B1 C1 V6]; [B1 C1 V6] # ≠.Ⴚ
+B; \u0669。󠇀𑇊; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ٩.𑇊
+B; \u0669。󠇀𑇊; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ٩.𑇊
+B; xn--iib.xn--6d1d; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ٩.𑇊
+B; \u1086≯⒍。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ႆ≯⒍.-
+B; \u1086>\u0338⒍。-; [B1 P1 V3 V5 V6]; [B1 P1 V3 V5 V6] # ႆ≯⒍.-
+B; \u1086≯6.。-; [B1 P1 V3 V5 V6 A4_2]; [B1 P1 V3 V5 V6 A4_2] # ႆ≯6..-
+B; \u1086>\u03386.。-; [B1 P1 V3 V5 V6 A4_2]; [B1 P1 V3 V5 V6 A4_2] # ႆ≯6..-
+B; xn--6-oyg968k7h74b..-; [B1 V3 V5 V6 A4_2]; [B1 V3 V5 V6 A4_2] # ႆ≯6..-
+B; xn--hmd482gqqb8730g.-; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ႆ≯⒍.-
+B; \u17B4.쮇-; [P1 V3 V5 V6]; [P1 V3 V5 V6] # .쮇-
+B; \u17B4.쮇-; [P1 V3 V5 V6]; [P1 V3 V5 V6] # .쮇-
+B; xn--z3e.xn----938f; [V3 V5 V6]; [V3 V5 V6] # .쮇-
+T; \u200C𑓂。⒈-; [C1 P1 V6]; [P1 V5 V6] # 𑓂.⒈-
+N; \u200C𑓂。⒈-; [C1 P1 V6]; [C1 P1 V6] # 𑓂.⒈-
+T; \u200C𑓂。1.-; [C1 P1 V3 V6]; [P1 V3 V5 V6] # 𑓂.1.-
+N; \u200C𑓂。1.-; [C1 P1 V3 V6]; [C1 P1 V3 V6] # 𑓂.1.-
+B; xn--wz1d.1.xn----rg03o; [V3 V5 V6]; [V3 V5 V6]
+B; xn--0ugy057g.1.xn----rg03o; [C1 V3 V6]; [C1 V3 V6] # 𑓂.1.-
+B; xn--wz1d.xn----dcp29674o; [V5 V6]; [V5 V6]
+B; xn--0ugy057g.xn----dcp29674o; [C1 V6]; [C1 V6] # 𑓂.⒈-
+T; ⒈\uFEAE\u200C。\u20E9🖞\u200C𖬴; [B1 C1 P1 V5 V6]; [B1 P1 V5 V6] # ⒈ر.⃩🖞𖬴
+N; ⒈\uFEAE\u200C。\u20E9🖞\u200C𖬴; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # ⒈ر.⃩🖞𖬴
+T; 1.\u0631\u200C。\u20E9🖞\u200C𖬴; [B1 B3 C1 V5]; [B1 V5] # 1.ر.⃩🖞𖬴
+N; 1.\u0631\u200C。\u20E9🖞\u200C𖬴; [B1 B3 C1 V5]; [B1 B3 C1 V5] # 1.ر.⃩🖞𖬴
+B; 1.xn--wgb.xn--c1g6021kg18c; [B1 V5]; [B1 V5] # 1.ر.⃩🖞𖬴
+B; 1.xn--wgb253k.xn--0ugz6a8040fty5d; [B1 B3 C1 V5]; [B1 B3 C1 V5] # 1.ر.⃩🖞𖬴
+B; xn--wgb746m.xn--c1g6021kg18c; [B1 V5 V6]; [B1 V5 V6] # ⒈ر.⃩🖞𖬴
+B; xn--wgb253kmfd.xn--0ugz6a8040fty5d; [B1 C1 V5 V6]; [B1 C1 V5 V6] # ⒈ر.⃩🖞𖬴
+B; 。𝟐\u1BA8\u07D4; [B1 P1 V6]; [B1 P1 V6] # .2ᮨߔ
+B; 。2\u1BA8\u07D4; [B1 P1 V6]; [B1 P1 V6] # .2ᮨߔ
+B; xn--xm89d.xn--2-icd143m; [B1 V6]; [B1 V6] # .2ᮨߔ
+T; \uFD8F.ς\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V6] # مخم.ς𐹷
+N; \uFD8F.ς\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # مخم.ς𐹷
+T; \u0645\u062E\u0645.ς\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V6] # مخم.ς𐹷
+N; \u0645\u062E\u0645.ς\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # مخم.ς𐹷
+T; \u0645\u062E\u0645.Σ\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V6] # مخم.σ𐹷
+N; \u0645\u062E\u0645.Σ\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # مخم.σ𐹷
+T; \u0645\u062E\u0645.σ\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V6] # مخم.σ𐹷
+N; \u0645\u062E\u0645.σ\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # مخم.σ𐹷
+B; xn--tgb9bb64691z.xn--4xa6667k; [B2 B3 B5 B6 V6]; [B2 B3 B5 B6 V6] # مخم.σ𐹷
+B; xn--tgb9bb64691z.xn--4xa895lrp7n; [B2 B3 B5 B6 C2 V6]; [B2 B3 B5 B6 C2 V6] # مخم.σ𐹷
+B; xn--tgb9bb64691z.xn--3xa006lrp7n; [B2 B3 B5 B6 C2 V6]; [B2 B3 B5 B6 C2 V6] # مخم.ς𐹷
+T; \uFD8F.Σ\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V6] # مخم.σ𐹷
+N; \uFD8F.Σ\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # مخم.σ𐹷
+T; \uFD8F.σ\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V6] # مخم.σ𐹷
+N; \uFD8F.σ\u200D𐹷; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # مخم.σ𐹷
+B; ⒎\u06C1\u0605。\uAAF6۵𐇽; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ⒎ہ.꫶۵𐇽
+B; 7.\u06C1\u0605。\uAAF6۵𐇽; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 7.ہ.꫶۵𐇽
+B; 7.xn--nfb98a.xn--imb3805fxt8b; [B1 V5 V6]; [B1 V5 V6] # 7.ہ.꫶۵𐇽
+B; xn--nfb98ai25e.xn--imb3805fxt8b; [B1 V5 V6]; [B1 V5 V6] # ⒎ہ.꫶۵𐇽
+B; -ᡥ᠆。\u0605\u1A5D𐹡; [B1 P1 V3 V6]; [B1 P1 V3 V6] # -ᡥ᠆.ᩝ𐹡
+B; xn----f3j6s87156i.xn--nfb035hoo2p; [B1 V3 V6]; [B1 V3 V6] # -ᡥ᠆.ᩝ𐹡
+T; \u200D.\u06BD\u0663\u0596; [B1 C2]; [A4_2] # .ڽ٣֖
+N; \u200D.\u06BD\u0663\u0596; [B1 C2]; [B1 C2] # .ڽ٣֖
+B; .xn--hcb32bni; [A4_2]; [A4_2] # .ڽ٣֖
+B; xn--1ug.xn--hcb32bni; [B1 C2]; [B1 C2] # .ڽ٣֖
+B; xn--hcb32bni; \u06BD\u0663\u0596; xn--hcb32bni # ڽ٣֖
+B; \u06BD\u0663\u0596; ; xn--hcb32bni # ڽ٣֖
+T; 㒧۱.Ⴚ\u0678\u200D; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # 㒧۱.Ⴚيٴ
+N; 㒧۱.Ⴚ\u0678\u200D; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # 㒧۱.Ⴚيٴ
+T; 㒧۱.Ⴚ\u064A\u0674\u200D; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # 㒧۱.Ⴚيٴ
+N; 㒧۱.Ⴚ\u064A\u0674\u200D; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # 㒧۱.Ⴚيٴ
+T; 㒧۱.ⴚ\u064A\u0674\u200D; [B5 B6 C2]; [B5 B6] # 㒧۱.ⴚيٴ
+N; 㒧۱.ⴚ\u064A\u0674\u200D; [B5 B6 C2]; [B5 B6 C2] # 㒧۱.ⴚيٴ
+B; xn--emb715u.xn--mhb8fy26k; [B5 B6]; [B5 B6] # 㒧۱.ⴚيٴ
+B; xn--emb715u.xn--mhb8f960g03l; [B5 B6 C2]; [B5 B6 C2] # 㒧۱.ⴚيٴ
+B; xn--emb715u.xn--mhb8f817a; [B5 B6 V6]; [B5 B6 V6] # 㒧۱.Ⴚيٴ
+B; xn--emb715u.xn--mhb8f817ao2p; [B5 B6 C2 V6]; [B5 B6 C2 V6] # 㒧۱.Ⴚيٴ
+T; 㒧۱.ⴚ\u0678\u200D; [B5 B6 C2]; [B5 B6] # 㒧۱.ⴚيٴ
+N; 㒧۱.ⴚ\u0678\u200D; [B5 B6 C2]; [B5 B6 C2] # 㒧۱.ⴚيٴ
+B; \u0F94ꡋ-.-𖬴; [V3 V5]; [V3 V5] # ྔꡋ-.-𖬴
+B; \u0F94ꡋ-.-𖬴; [V3 V5]; [V3 V5] # ྔꡋ-.-𖬴
+B; xn----ukg9938i.xn----4u5m; [V3 V5]; [V3 V5] # ྔꡋ-.-𖬴
+T; -⋢\u200C.标-; [C1 P1 V3 V6]; [P1 V3 V6] # -⋢.标-
+N; -⋢\u200C.标-; [C1 P1 V3 V6]; [C1 P1 V3 V6] # -⋢.标-
+T; -⊑\u0338\u200C.标-; [C1 P1 V3 V6]; [P1 V3 V6] # -⋢.标-
+N; -⊑\u0338\u200C.标-; [C1 P1 V3 V6]; [C1 P1 V3 V6] # -⋢.标-
+T; -⋢\u200C.标-; [C1 P1 V3 V6]; [P1 V3 V6] # -⋢.标-
+N; -⋢\u200C.标-; [C1 P1 V3 V6]; [C1 P1 V3 V6] # -⋢.标-
+T; -⊑\u0338\u200C.标-; [C1 P1 V3 V6]; [P1 V3 V6] # -⋢.标-
+N; -⊑\u0338\u200C.标-; [C1 P1 V3 V6]; [C1 P1 V3 V6] # -⋢.标-
+B; xn----9mo67451g.xn----qj7b; [V3 V6]; [V3 V6]
+B; xn----sgn90kn5663a.xn----qj7b; [C1 V3 V6]; [C1 V3 V6] # -⋢.标-
+T; \u0671.ς\u07DC; [B5 B6]; [B5 B6] # ٱ.ςߜ
+N; \u0671.ς\u07DC; [B5 B6]; [B5 B6] # ٱ.ςߜ
+T; \u0671.ς\u07DC; [B5 B6]; [B5 B6] # ٱ.ςߜ
+N; \u0671.ς\u07DC; [B5 B6]; [B5 B6] # ٱ.ςߜ
+B; \u0671.Σ\u07DC; [B5 B6]; [B5 B6] # ٱ.σߜ
+B; \u0671.σ\u07DC; [B5 B6]; [B5 B6] # ٱ.σߜ
+B; xn--qib.xn--4xa21s; [B5 B6]; [B5 B6] # ٱ.σߜ
+B; xn--qib.xn--3xa41s; [B5 B6]; [B5 B6] # ٱ.ςߜ
+B; \u0671.Σ\u07DC; [B5 B6]; [B5 B6] # ٱ.σߜ
+B; \u0671.σ\u07DC; [B5 B6]; [B5 B6] # ٱ.σߜ
+T; \u0605.\u08C1\u200D𑑂𱼱; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V6] # .𑑂
+N; \u0605.\u08C1\u200D𑑂𱼱; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # .𑑂
+T; \u0605.\u08C1\u200D𑑂𱼱; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 P1 V6] # .𑑂
+N; \u0605.\u08C1\u200D𑑂𱼱; [B2 B3 B5 B6 C2 P1 V6]; [B2 B3 B5 B6 C2 P1 V6] # .𑑂
+B; xn--nfb17942h.xn--nzb6708kx3pn; [B2 B3 B5 B6 V6]; [B2 B3 B5 B6 V6] # .𑑂
+B; xn--nfb17942h.xn--nzb240jv06otevq; [B2 B3 B5 B6 C2 V6]; [B2 B3 B5 B6 C2 V6] # .𑑂
+B; 𐹾𐋩。\u1BF2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𐹾𐋩.᯲
+B; 𐹾𐋩。\u1BF2; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𐹾𐋩.᯲
+B; xn--d97cn8rn44p.xn--0zf; [B1 V5 V6]; [B1 V5 V6] # 𐹾𐋩.᯲
+T; 6\u1160\u1C33.锰\u072Cς; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 6ᰳ.锰ܬς
+N; 6\u1160\u1C33.锰\u072Cς; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 6ᰳ.锰ܬς
+B; 6\u1160\u1C33.锰\u072CΣ; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 6ᰳ.锰ܬσ
+B; 6\u1160\u1C33.锰\u072Cσ; [B1 B5 P1 V6]; [B1 B5 P1 V6] # 6ᰳ.锰ܬσ
+B; xn--6-5bh476ewr517a.xn--4xa95ohw6pk078g; [B1 B5 V6]; [B1 B5 V6] # 6ᰳ.锰ܬσ
+B; xn--6-5bh476ewr517a.xn--3xa16ohw6pk078g; [B1 B5 V6]; [B1 B5 V6] # 6ᰳ.锰ܬς
+B; \u06B3\uFE04𝟽。𐹽; [B1 B2 P1 V6]; [B1 B2 P1 V6] # ڳ7.𐹽
+B; \u06B3\uFE047。𐹽; [B1 B2 P1 V6]; [B1 B2 P1 V6] # ڳ7.𐹽
+B; xn--7-yuc34665f.xn--1o0d; [B1 B2 V6]; [B1 B2 V6] # ڳ7.𐹽
+T; .\u200C⫞; [B1 C1 P1 V6]; [B1 P1 V6] # .⫞
+N; .\u200C⫞; [B1 C1 P1 V6]; [B1 C1 P1 V6] # .⫞
+T; .\u200C⫞; [B1 C1 P1 V6]; [B1 P1 V6] # .⫞
+N; .\u200C⫞; [B1 C1 P1 V6]; [B1 C1 P1 V6] # .⫞
+B; xn--pw6h.xn--53i; [B1 V6]; [B1 V6]
+B; xn--pw6h.xn--0ug283b; [B1 C1 V6]; [B1 C1 V6] # .⫞
+B; -.\u06E0ᢚ-; [P1 V3 V5 V6]; [P1 V3 V5 V6] # -.۠ᢚ-
+B; xn----qi38c.xn----jxc827k; [V3 V5 V6]; [V3 V5 V6] # -.۠ᢚ-
+T; ⌁\u200D𑄴.\u200C𝟩\u066C; [B1 C1 C2]; [B1] # ⌁𑄴.7٬
+N; ⌁\u200D𑄴.\u200C𝟩\u066C; [B1 C1 C2]; [B1 C1 C2] # ⌁𑄴.7٬
+T; ⌁\u200D𑄴.\u200C7\u066C; [B1 C1 C2]; [B1] # ⌁𑄴.7٬
+N; ⌁\u200D𑄴.\u200C7\u066C; [B1 C1 C2]; [B1 C1 C2] # ⌁𑄴.7٬
+B; xn--nhh5394g.xn--7-xqc; [B1]; [B1] # ⌁𑄴.7٬
+B; xn--1ug38i2093a.xn--7-xqc297q; [B1 C1 C2]; [B1 C1 C2] # ⌁𑄴.7٬
+B; ︒\uFD05\u0E37\uFEFC。岓\u1BF2ᡂ; [B1 P1 V6]; [B1 P1 V6] # ︒صىืلا.岓᯲ᡂ
+B; 。\u0635\u0649\u0E37\u0644\u0627。岓\u1BF2ᡂ; [P1 V6 A4_2]; [P1 V6 A4_2] # .صىืلا.岓᯲ᡂ
+B; .xn--mgb1a7bt462h.xn--17e10qe61f9r71s; [V6 A4_2]; [V6 A4_2] # .صىืلا.岓᯲ᡂ
+B; xn--mgb1a7bt462hf267a.xn--17e10qe61f9r71s; [B1 V6]; [B1 V6] # ︒صىืلا.岓᯲ᡂ
+B; 𐹨。8𑁆; [B1]; [B1]
+B; xn--go0d.xn--8-yu7i; [B1]; [B1]
+B; 𞀕\u0D43.ꡚ\u08FA𐹰\u0D44; [B1 B3 B5 B6 V5]; [B1 B3 B5 B6 V5] # 𞀕ൃ.ꡚࣺ𐹰ൄ
+B; 𞀕\u0D43.ꡚ\u08FA𐹰\u0D44; [B1 B3 B5 B6 V5]; [B1 B3 B5 B6 V5] # 𞀕ൃ.ꡚࣺ𐹰ൄ
+B; xn--mxc5210v.xn--90b01t8u2p1ltd; [B1 B3 B5 B6 V5]; [B1 B3 B5 B6 V5] # 𞀕ൃ.ꡚࣺ𐹰ൄ
+B; \u0303。; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ̃.
+B; \u0303。; [B1 B5 B6 P1 V6]; [B1 B5 B6 P1 V6] # ̃.
+B; xn--nsa1265kp9z9e.xn--xt36e; [B1 B5 B6 V6]; [B1 B5 B6 V6] # ̃.
+B; ᢌ.-\u085A; [V3]; [V3] # ᢌ.-࡚
+B; ᢌ.-\u085A; [V3]; [V3] # ᢌ.-࡚
+B; xn--59e.xn----5jd; [V3]; [V3] # ᢌ.-࡚
+B; 𥛛𑘶。𐹬\u0BCD; [B1 P1 V6]; [B1 P1 V6] # 𥛛𑘶.𐹬்
+B; 𥛛𑘶。𐹬\u0BCD; [B1 P1 V6]; [B1 P1 V6] # 𥛛𑘶.𐹬்
+B; xn--jb2dj685c.xn--xmc5562kmcb; [B1 V6]; [B1 V6] # 𥛛𑘶.𐹬்
+T; Ⴐ\u077F.\u200C; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # Ⴐݿ.
+N; Ⴐ\u077F.\u200C; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # Ⴐݿ.
+T; Ⴐ\u077F.\u200C; [B1 B5 B6 C1 P1 V6]; [B5 B6 P1 V6] # Ⴐݿ.
+N; Ⴐ\u077F.\u200C; [B1 B5 B6 C1 P1 V6]; [B1 B5 B6 C1 P1 V6] # Ⴐݿ.
+T; ⴐ\u077F.\u200C; [B1 B5 B6 C1]; [B5 B6] # ⴐݿ.
+N; ⴐ\u077F.\u200C; [B1 B5 B6 C1]; [B1 B5 B6 C1] # ⴐݿ.
+B; xn--gqb743q.; [B5 B6]; [B5 B6] # ⴐݿ.
+B; xn--gqb743q.xn--0ug; [B1 B5 B6 C1]; [B1 B5 B6 C1] # ⴐݿ.
+B; xn--gqb918b.; [B5 B6 V6]; [B5 B6 V6] # Ⴐݿ.
+B; xn--gqb918b.xn--0ug; [B1 B5 B6 C1 V6]; [B1 B5 B6 C1 V6] # Ⴐݿ.
+T; ⴐ\u077F.\u200C; [B1 B5 B6 C1]; [B5 B6] # ⴐݿ.
+N; ⴐ\u077F.\u200C; [B1 B5 B6 C1]; [B1 B5 B6 C1] # ⴐݿ.
+T; 🄅𑲞-⒈。\u200Dᠩ\u06A5; [B1 C2 P1 V6]; [B1 B5 B6 P1 V6] # 🄅𑲞-⒈.ᠩڥ
+N; 🄅𑲞-⒈。\u200Dᠩ\u06A5; [B1 C2 P1 V6]; [B1 C2 P1 V6] # 🄅𑲞-⒈.ᠩڥ
+T; 4,𑲞-1.。\u200Dᠩ\u06A5; [B1 C2 P1 V6 A4_2]; [B1 B5 B6 P1 V6 A4_2] # 4,𑲞-1..ᠩڥ
+N; 4,𑲞-1.。\u200Dᠩ\u06A5; [B1 C2 P1 V6 A4_2]; [B1 C2 P1 V6 A4_2] # 4,𑲞-1..ᠩڥ
+B; xn--4,-1-w401a..xn--7jb180g; [B1 B5 B6 P1 V6 A4_2]; [B1 B5 B6 P1 V6 A4_2] # 4,𑲞-1..ᠩڥ
+B; xn--4,-1-w401a..xn--7jb180gexf; [B1 C2 P1 V6 A4_2]; [B1 C2 P1 V6 A4_2] # 4,𑲞-1..ᠩڥ
+B; xn----ecp8796hjtvg.xn--7jb180g; [B1 B5 B6 V6]; [B1 B5 B6 V6] # 🄅𑲞-⒈.ᠩڥ
+B; xn----ecp8796hjtvg.xn--7jb180gexf; [B1 C2 V6]; [B1 C2 V6] # 🄅𑲞-⒈.ᠩڥ
+B; 。𞤪; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; 。𞤈; [B2 B3 P1 V6]; [B2 B3 P1 V6]
+B; xn--4240a.xn--ie6h83808a; [B2 B3 V6]; [B2 B3 V6]
+B; \u05C1۲。𐮊\u066C𝨊鄨; [B1 B2 B3 V5]; [B1 B2 B3 V5] # ׁ۲.𐮊٬𝨊鄨
+B; \u05C1۲。𐮊\u066C𝨊鄨; [B1 B2 B3 V5]; [B1 B2 B3 V5] # ׁ۲.𐮊٬𝨊鄨
+B; xn--pdb42d.xn--lib6412enztdwv6h; [B1 B2 B3 V5]; [B1 B2 B3 V5] # ׁ۲.𐮊٬𝨊鄨
+B; -ꡁ。\u1A69\u0BCD-; [B1 B2 B3 P1 V3 V5 V6]; [B1 B2 B3 P1 V3 V5 V6] # -ꡁ.ᩩ்-
+B; xn----be4e4276f.xn----lze333i; [B1 B2 B3 V3 V5 V6]; [B1 B2 B3 V3 V5 V6] # -ꡁ.ᩩ்-
+T; \u1039-🞢.ß; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ß
+N; \u1039-🞢.ß; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ß
+T; \u1039-🞢.ß; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ß
+N; \u1039-🞢.ß; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ß
+B; \u1039-🞢.SS; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ss
+B; \u1039-🞢.ss; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ss
+B; \u1039-🞢.Ss; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ss
+B; xn----9tg11172akr8b.ss; [V5 V6]; [V5 V6] # ္-🞢.ss
+B; xn----9tg11172akr8b.xn--zca; [V5 V6]; [V5 V6] # ္-🞢.ß
+B; \u1039-🞢.SS; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ss
+B; \u1039-🞢.ss; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ss
+B; \u1039-🞢.Ss; [P1 V5 V6]; [P1 V5 V6] # ္-🞢.ss
+T; \uFCF2-\u200C。Ⴟ\u200C␣; [B3 B6 C1 P1 V6]; [B3 B6 P1 V3 V6] # ـَّ-.Ⴟ␣
+N; \uFCF2-\u200C。Ⴟ\u200C␣; [B3 B6 C1 P1 V6]; [B3 B6 C1 P1 V6] # ـَّ-.Ⴟ␣
+T; \u0640\u064E\u0651-\u200C。Ⴟ\u200C␣; [B3 B6 C1 P1 V6]; [B3 B6 P1 V3 V6] # ـَّ-.Ⴟ␣
+N; \u0640\u064E\u0651-\u200C。Ⴟ\u200C␣; [B3 B6 C1 P1 V6]; [B3 B6 C1 P1 V6] # ـَّ-.Ⴟ␣
+T; \u0640\u064E\u0651-\u200C。ⴟ\u200C␣; [B3 B6 C1]; [B3 B6 V3] # ـَّ-.ⴟ␣
+N; \u0640\u064E\u0651-\u200C。ⴟ\u200C␣; [B3 B6 C1]; [B3 B6 C1] # ـَّ-.ⴟ␣
+B; xn----eoc6bm.xn--xph904a; [B3 B6 V3]; [B3 B6 V3] # ـَّ-.ⴟ␣
+B; xn----eoc6bm0504a.xn--0ug13nd0j; [B3 B6 C1]; [B3 B6 C1] # ـَّ-.ⴟ␣
+B; xn----eoc6bm.xn--3nd240h; [B3 B6 V3 V6]; [B3 B6 V3 V6] # ـَّ-.Ⴟ␣
+B; xn----eoc6bm0504a.xn--3nd849e05c; [B3 B6 C1 V6]; [B3 B6 C1 V6] # ـَّ-.Ⴟ␣
+T; \uFCF2-\u200C。ⴟ\u200C␣; [B3 B6 C1]; [B3 B6 V3] # ـَّ-.ⴟ␣
+N; \uFCF2-\u200C。ⴟ\u200C␣; [B3 B6 C1]; [B3 B6 C1] # ـَّ-.ⴟ␣
+T; \u0D4D-\u200D\u200C。₅≠; [C1 C2 P1 V5 V6]; [P1 V3 V5 V6] # ്-.5≠
+N; \u0D4D-\u200D\u200C。₅≠; [C1 C2 P1 V5 V6]; [C1 C2 P1 V5 V6] # ്-.5≠
+T; \u0D4D-\u200D\u200C。₅=\u0338; [C1 C2 P1 V5 V6]; [P1 V3 V5 V6] # ്-.5≠
+N; \u0D4D-\u200D\u200C。₅=\u0338; [C1 C2 P1 V5 V6]; [C1 C2 P1 V5 V6] # ്-.5≠
+T; \u0D4D-\u200D\u200C。5≠; [C1 C2 P1 V5 V6]; [P1 V3 V5 V6] # ്-.5≠
+N; \u0D4D-\u200D\u200C。5≠; [C1 C2 P1 V5 V6]; [C1 C2 P1 V5 V6] # ്-.5≠
+T; \u0D4D-\u200D\u200C。5=\u0338; [C1 C2 P1 V5 V6]; [P1 V3 V5 V6] # ്-.5≠
+N; \u0D4D-\u200D\u200C。5=\u0338; [C1 C2 P1 V5 V6]; [C1 C2 P1 V5 V6] # ്-.5≠
+B; xn----jmf.xn--5-ufo50192e; [V3 V5 V6]; [V3 V5 V6] # ്-.5≠
+B; xn----jmf215lda.xn--5-ufo50192e; [C1 C2 V5 V6]; [C1 C2 V5 V6] # ്-.5≠
+B; 锣。\u0A4D; [P1 V5 V6]; [P1 V5 V6] # 锣.੍
+B; xn--gc5a.xn--ybc83044ppga; [V5 V6]; [V5 V6] # 锣.੍
+T; \u063D𑈾.\u0649\u200D\uA92B; [B3 C2]; xn--8gb2338k.xn--lhb0154f # ؽ𑈾.ى꤫
+N; \u063D𑈾.\u0649\u200D\uA92B; [B3 C2]; [B3 C2] # ؽ𑈾.ى꤫
+T; \u063D𑈾.\u0649\u200D\uA92B; [B3 C2]; xn--8gb2338k.xn--lhb0154f # ؽ𑈾.ى꤫
+N; \u063D𑈾.\u0649\u200D\uA92B; [B3 C2]; [B3 C2] # ؽ𑈾.ى꤫
+B; xn--8gb2338k.xn--lhb0154f; \u063D𑈾.\u0649\uA92B; xn--8gb2338k.xn--lhb0154f # ؽ𑈾.ى꤫
+B; \u063D𑈾.\u0649\uA92B; ; xn--8gb2338k.xn--lhb0154f # ؽ𑈾.ى꤫
+B; xn--8gb2338k.xn--lhb603k060h; [B3 C2]; [B3 C2] # ؽ𑈾.ى꤫
+T; \u0666⁴Ⴅ.\u08BD\u200C; [B1 B3 C1 P1 V6]; [B1 P1 V6] # ٦4Ⴅ.ࢽ
+N; \u0666⁴Ⴅ.\u08BD\u200C; [B1 B3 C1 P1 V6]; [B1 B3 C1 P1 V6] # ٦4Ⴅ.ࢽ
+T; \u06664Ⴅ.\u08BD\u200C; [B1 B3 C1 P1 V6]; [B1 P1 V6] # ٦4Ⴅ.ࢽ
+N; \u06664Ⴅ.\u08BD\u200C; [B1 B3 C1 P1 V6]; [B1 B3 C1 P1 V6] # ٦4Ⴅ.ࢽ
+T; \u06664ⴅ.\u08BD\u200C; [B1 B3 C1]; [B1] # ٦4ⴅ.ࢽ
+N; \u06664ⴅ.\u08BD\u200C; [B1 B3 C1]; [B1 B3 C1] # ٦4ⴅ.ࢽ
+B; xn--4-kqc6770a.xn--jzb; [B1]; [B1] # ٦4ⴅ.ࢽ
+B; xn--4-kqc6770a.xn--jzb840j; [B1 B3 C1]; [B1 B3 C1] # ٦4ⴅ.ࢽ
+B; xn--4-kqc489e.xn--jzb; [B1 V6]; [B1 V6] # ٦4Ⴅ.ࢽ
+B; xn--4-kqc489e.xn--jzb840j; [B1 B3 C1 V6]; [B1 B3 C1 V6] # ٦4Ⴅ.ࢽ
+T; \u0666⁴ⴅ.\u08BD\u200C; [B1 B3 C1]; [B1] # ٦4ⴅ.ࢽ
+N; \u0666⁴ⴅ.\u08BD\u200C; [B1 B3 C1]; [B1 B3 C1] # ٦4ⴅ.ࢽ
+T; ჁႱ6\u0318。ß\u1B03; [P1 V6]; [P1 V6] # ჁႱ6̘.ßᬃ
+N; ჁႱ6\u0318。ß\u1B03; [P1 V6]; [P1 V6] # ჁႱ6̘.ßᬃ
+T; ⴡⴑ6\u0318。ß\u1B03; ⴡⴑ6\u0318.ß\u1B03; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ßᬃ
+N; ⴡⴑ6\u0318。ß\u1B03; ⴡⴑ6\u0318.ß\u1B03; xn--6-8cb7433a2ba.xn--zca894k # ⴡⴑ6̘.ßᬃ
+B; ჁႱ6\u0318。SS\u1B03; [P1 V6]; [P1 V6] # ჁႱ6̘.ssᬃ
+B; ⴡⴑ6\u0318。ss\u1B03; ⴡⴑ6\u0318.ss\u1B03; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ssᬃ
+B; Ⴡⴑ6\u0318。Ss\u1B03; [P1 V6]; [P1 V6] # Ⴡⴑ6̘.ssᬃ
+B; xn--6-8cb306hms1a.xn--ss-2vq; [V6]; [V6] # Ⴡⴑ6̘.ssᬃ
+B; xn--6-8cb7433a2ba.xn--ss-2vq; ⴡⴑ6\u0318.ss\u1B03; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ssᬃ
+B; ⴡⴑ6\u0318.ss\u1B03; ; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ssᬃ
+B; ჁႱ6\u0318.SS\u1B03; [P1 V6]; [P1 V6] # ჁႱ6̘.ssᬃ
+B; Ⴡⴑ6\u0318.Ss\u1B03; [P1 V6]; [P1 V6] # Ⴡⴑ6̘.ssᬃ
+B; xn--6-8cb555h2b.xn--ss-2vq; [V6]; [V6] # ჁႱ6̘.ssᬃ
+B; xn--6-8cb7433a2ba.xn--zca894k; ⴡⴑ6\u0318.ß\u1B03; xn--6-8cb7433a2ba.xn--zca894k # ⴡⴑ6̘.ßᬃ
+T; ⴡⴑ6\u0318.ß\u1B03; ; xn--6-8cb7433a2ba.xn--ss-2vq # ⴡⴑ6̘.ßᬃ
+N; ⴡⴑ6\u0318.ß\u1B03; ; xn--6-8cb7433a2ba.xn--zca894k # ⴡⴑ6̘.ßᬃ
+B; xn--6-8cb555h2b.xn--zca894k; [V6]; [V6] # ჁႱ6̘.ßᬃ
+B; 。≯𑋪; [P1 V6]; [P1 V6]
+B; 。>\u0338𑋪; [P1 V6]; [P1 V6]
+B; 。≯𑋪; [P1 V6]; [P1 V6]
+B; 。>\u0338𑋪; [P1 V6]; [P1 V6]
+B; xn--eo08b.xn--hdh3385g; [V6]; [V6]
+T; \u065A۲。\u200C-\u1BF3\u08E2; [B1 C1 P1 V5 V6]; [B1 P1 V3 V5 V6] # ٚ۲.-᯳
+N; \u065A۲。\u200C-\u1BF3\u08E2; [B1 C1 P1 V5 V6]; [B1 C1 P1 V5 V6] # ٚ۲.-᯳
+B; xn--2hb81a.xn----xrd657l; [B1 V3 V5 V6]; [B1 V3 V5 V6] # ٚ۲.-᯳
+B; xn--2hb81a.xn----xrd657l30d; [B1 C1 V5 V6]; [B1 C1 V5 V6] # ٚ۲.-᯳
+B; 󠄏𖬴。\uFFA0; [P1 V5 V6]; [P1 V5 V6] # 𖬴.
+B; 󠄏𖬴。\u1160; [P1 V5 V6]; [P1 V5 V6] # 𖬴.
+B; xn--619ep9154c.xn--psd; [V5 V6]; [V5 V6] # 𖬴.
+B; xn--619ep9154c.xn--cl7c; [V5 V6]; [V5 V6] # 𖬴.
+T; ß⒈\u0760\uD7AE.󠅄\u0605; [B5 P1 V6]; [B5 P1 V6] # ß⒈ݠ.
+N; ß⒈\u0760\uD7AE.󠅄\u0605; [B5 P1 V6]; [B5 P1 V6] # ß⒈ݠ.
+T; ß1.\u0760\uD7AE.󠅄\u0605; [B2 B3 B5 P1 V6]; [B2 B3 B5 P1 V6] # ß1.ݠ.
+N; ß1.\u0760\uD7AE.󠅄\u0605; [B2 B3 B5 P1 V6]; [B2 B3 B5 P1 V6] # ß1.ݠ.
+B; SS1.\u0760\uD7AE.󠅄\u0605; [B2 B3 B5 P1 V6]; [B2 B3 B5 P1 V6] # ss1.ݠ.
+B; ss1.\u0760\uD7AE.󠅄\u0605; [B2 B3 B5 P1 V6]; [B2 B3 B5 P1 V6] # ss1.ݠ.
+B; Ss1.\u0760\uD7AE.󠅄\u0605; [B2 B3 B5 P1 V6]; [B2 B3 B5 P1 V6] # ss1.ݠ.
+B; ss1.xn--kpb6677h.xn--nfb09923ifkyyb; [B2 B3 B5 V6]; [B2 B3 B5 V6] # ss1.ݠ.
+B; xn--1-pfa.xn--kpb6677h.xn--nfb09923ifkyyb; [B2 B3 B5 V6]; [B2 B3 B5 V6] # ß1.ݠ.
+B; SS⒈\u0760\uD7AE.󠅄\u0605; [B5 P1 V6]; [B5 P1 V6] # ss⒈ݠ.
+B; ss⒈\u0760\uD7AE.󠅄\u0605; [B5 P1 V6]; [B5 P1 V6] # ss⒈ݠ.
+B; Ss⒈\u0760\uD7AE.󠅄\u0605; [B5 P1 V6]; [B5 P1 V6] # ss⒈ݠ.
+B; xn--ss-6ke9690a0g1q.xn--nfb09923ifkyyb; [B5 V6]; [B5 V6] # ss⒈ݠ.
+B; xn--zca444a0s1ao12n.xn--nfb09923ifkyyb; [B5 V6]; [B5 V6] # ß⒈ݠ.
+B; .𐋱₂; [P1 V6]; [P1 V6]
+B; .𐋱2; [P1 V6]; [P1 V6]
+B; xn--vi56e.xn--2-w91i; [V6]; [V6]
+T; \u0716\u0947。-ß\u06A5\u200C; [B1 C1 V3]; [B1 V3] # ܖे.-ßڥ
+N; \u0716\u0947。-ß\u06A5\u200C; [B1 C1 V3]; [B1 C1 V3] # ܖे.-ßڥ
+T; \u0716\u0947。-SS\u06A5\u200C; [B1 C1 V3]; [B1 V3] # ܖे.-ssڥ
+N; \u0716\u0947。-SS\u06A5\u200C; [B1 C1 V3]; [B1 C1 V3] # ܖे.-ssڥ
+T; \u0716\u0947。-ss\u06A5\u200C; [B1 C1 V3]; [B1 V3] # ܖे.-ssڥ
+N; \u0716\u0947。-ss\u06A5\u200C; [B1 C1 V3]; [B1 C1 V3] # ܖे.-ssڥ
+T; \u0716\u0947。-Ss\u06A5\u200C; [B1 C1 V3]; [B1 V3] # ܖे.-ssڥ
+N; \u0716\u0947。-Ss\u06A5\u200C; [B1 C1 V3]; [B1 C1 V3] # ܖे.-ssڥ
+B; xn--gnb63i.xn---ss-4ef; [B1 V3]; [B1 V3] # ܖे.-ssڥ
+B; xn--gnb63i.xn---ss-4ef9263a; [B1 C1 V3]; [B1 C1 V3] # ܖे.-ssڥ
+B; xn--gnb63i.xn----qfa845bhx4a; [B1 C1 V3]; [B1 C1 V3] # ܖे.-ßڥ
+T; \u1BA9\u200D\u062A.\u1CD5䷉Ⴡ; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ᮩت.᳕䷉Ⴡ
+N; \u1BA9\u200D\u062A.\u1CD5䷉Ⴡ; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ᮩت.᳕䷉Ⴡ
+T; \u1BA9\u200D\u062A.\u1CD5䷉Ⴡ; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ᮩت.᳕䷉Ⴡ
+N; \u1BA9\u200D\u062A.\u1CD5䷉Ⴡ; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ᮩت.᳕䷉Ⴡ
+T; \u1BA9\u200D\u062A.\u1CD5䷉ⴡ; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ᮩت.᳕䷉ⴡ
+N; \u1BA9\u200D\u062A.\u1CD5䷉ⴡ; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ᮩت.᳕䷉ⴡ
+B; xn--pgb911izv33i.xn--i6f270etuy; [B1 V5 V6]; [B1 V5 V6] # ᮩت.᳕䷉ⴡ
+B; xn--pgb911imgdrw34r.xn--i6f270etuy; [B1 C2 V5 V6]; [B1 C2 V5 V6] # ᮩت.᳕䷉ⴡ
+B; xn--pgb911izv33i.xn--5nd792dgv3b; [B1 V5 V6]; [B1 V5 V6] # ᮩت.᳕䷉Ⴡ
+B; xn--pgb911imgdrw34r.xn--5nd792dgv3b; [B1 C2 V5 V6]; [B1 C2 V5 V6] # ᮩت.᳕䷉Ⴡ
+T; \u1BA9\u200D\u062A.\u1CD5䷉ⴡ; [B1 C2 P1 V5 V6]; [B1 P1 V5 V6] # ᮩت.᳕䷉ⴡ
+N; \u1BA9\u200D\u062A.\u1CD5䷉ⴡ; [B1 C2 P1 V5 V6]; [B1 C2 P1 V5 V6] # ᮩت.᳕䷉ⴡ
+T; \u2DBF.ß\u200D; [C2 P1 V6]; [P1 V6] # .ß
+N; \u2DBF.ß\u200D; [C2 P1 V6]; [C2 P1 V6] # .ß
+T; \u2DBF.SS\u200D; [C2 P1 V6]; [P1 V6] # .ss
+N; \u2DBF.SS\u200D; [C2 P1 V6]; [C2 P1 V6] # .ss
+T; \u2DBF.ss\u200D; [C2 P1 V6]; [P1 V6] # .ss
+N; \u2DBF.ss\u200D; [C2 P1 V6]; [C2 P1 V6] # .ss
+T; \u2DBF.Ss\u200D; [C2 P1 V6]; [P1 V6] # .ss
+N; \u2DBF.Ss\u200D; [C2 P1 V6]; [C2 P1 V6] # .ss
+B; xn--7pj.ss; [V6]; [V6] # .ss
+B; xn--7pj.xn--ss-n1t; [C2 V6]; [C2 V6] # .ss
+B; xn--7pj.xn--zca870n; [C2 V6]; [C2 V6] # .ß
+B; \u1BF3︒.\u062A≯ꡂ; [B2 B3 B6 P1 V5 V6]; [B2 B3 B6 P1 V5 V6] # ᯳︒.ت≯ꡂ
+B; \u1BF3︒.\u062A>\u0338ꡂ; [B2 B3 B6 P1 V5 V6]; [B2 B3 B6 P1 V5 V6] # ᯳︒.ت≯ꡂ
+B; \u1BF3。.\u062A≯ꡂ; [B2 B3 P1 V5 V6 A4_2]; [B2 B3 P1 V5 V6 A4_2] # ᯳..ت≯ꡂ
+B; \u1BF3。.\u062A>\u0338ꡂ; [B2 B3 P1 V5 V6 A4_2]; [B2 B3 P1 V5 V6 A4_2] # ᯳..ت≯ꡂ
+B; xn--1zf..xn--pgb885lry5g; [B2 B3 V5 V6 A4_2]; [B2 B3 V5 V6 A4_2] # ᯳..ت≯ꡂ
+B; xn--1zf8957g.xn--pgb885lry5g; [B2 B3 B6 V5 V6]; [B2 B3 B6 V5 V6] # ᯳︒.ت≯ꡂ
+B; ≮≠。-𫠆\u06B7𐹪; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ≮≠.-𫠆ڷ𐹪
+B; <\u0338=\u0338。-𫠆\u06B7𐹪; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ≮≠.-𫠆ڷ𐹪
+B; ≮≠。-𫠆\u06B7𐹪; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ≮≠.-𫠆ڷ𐹪
+B; <\u0338=\u0338。-𫠆\u06B7𐹪; [B1 P1 V3 V6]; [B1 P1 V3 V6] # ≮≠.-𫠆ڷ𐹪
+B; xn--1ch1a29470f.xn----7uc5363rc1rn; [B1 V3 V6]; [B1 V3 V6] # ≮≠.-𫠆ڷ𐹪
+B; 𐹡\u0777。ꡂ; [B1]; [B1] # 𐹡ݷ.ꡂ
+B; xn--7pb5275k.xn--bc9a; [B1]; [B1] # 𐹡ݷ.ꡂ
+T; Ⴉ𝆅\u0619.ß𐧦𐹳\u0775; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴉؙ𝆅.ß𐧦𐹳ݵ
+N; Ⴉ𝆅\u0619.ß𐧦𐹳\u0775; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴉؙ𝆅.ß𐧦𐹳ݵ
+T; ⴉ𝆅\u0619.ß𐧦𐹳\u0775; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ⴉؙ𝆅.ß𐧦𐹳ݵ
+N; ⴉ𝆅\u0619.ß𐧦𐹳\u0775; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ⴉؙ𝆅.ß𐧦𐹳ݵ
+B; Ⴉ𝆅\u0619.SS𐧦𐹳\u0775; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴉؙ𝆅.ss𐧦𐹳ݵ
+B; ⴉ𝆅\u0619.ss𐧦𐹳\u0775; [B5 B6 P1 V6]; [B5 B6 P1 V6] # ⴉؙ𝆅.ss𐧦𐹳ݵ
+B; Ⴉ𝆅\u0619.Ss𐧦𐹳\u0775; [B5 B6 P1 V6]; [B5 B6 P1 V6] # Ⴉؙ𝆅.ss𐧦𐹳ݵ
+B; xn--7fb125cjv87a7xvz.xn--ss-zme7575xp0e; [B5 B6 V6]; [B5 B6 V6] # Ⴉؙ𝆅.ss𐧦𐹳ݵ
+B; xn--7fb940rwt3z7xvz.xn--ss-zme7575xp0e; [B5 B6 V6]; [B5 B6 V6] # ⴉؙ𝆅.ss𐧦𐹳ݵ
+B; xn--7fb940rwt3z7xvz.xn--zca684a699vf2d; [B5 B6 V6]; [B5 B6 V6] # ⴉؙ𝆅.ß𐧦𐹳ݵ
+B; xn--7fb125cjv87a7xvz.xn--zca684a699vf2d; [B5 B6 V6]; [B5 B6 V6] # Ⴉؙ𝆅.ß𐧦𐹳ݵ
+T; \u200D\u0643𐧾↙.; [B1 C2 P1 V6]; [B3 P1 V6] # ك𐧾↙.
+N; \u200D\u0643𐧾↙.; [B1 C2 P1 V6]; [B1 C2 P1 V6] # ك𐧾↙.
+B; xn--fhb011lnp8n.xn--7s4w; [B3 V6]; [B3 V6] # ك𐧾↙.
+B; xn--fhb713k87ag053c.xn--7s4w; [B1 C2 V6]; [B1 C2 V6] # ك𐧾↙.
+T; 梉。\u200C; [C1]; xn--7zv. # 梉.
+N; 梉。\u200C; [C1]; [C1] # 梉.
+B; xn--7zv.; 梉.; xn--7zv.
+B; 梉.; ; xn--7zv.
+B; xn--7zv.xn--0ug; [C1]; [C1] # 梉.
+T; ꡣ-≠.\u200D𞤗𐅢Ↄ; [B1 B6 C2 P1 V6]; [B2 B3 B6 P1 V6] # ꡣ-≠.𞤹𐅢Ↄ
+N; ꡣ-≠.\u200D𞤗𐅢Ↄ; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ꡣ-≠.𞤹𐅢Ↄ
+T; ꡣ-=\u0338.\u200D𞤗𐅢Ↄ; [B1 B6 C2 P1 V6]; [B2 B3 B6 P1 V6] # ꡣ-≠.𞤹𐅢Ↄ
+N; ꡣ-=\u0338.\u200D𞤗𐅢Ↄ; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ꡣ-≠.𞤹𐅢Ↄ
+T; ꡣ-=\u0338.\u200D𞤹𐅢ↄ; [B1 B6 C2 P1 V6]; [B2 B3 B6 P1 V6] # ꡣ-≠.𞤹𐅢ↄ
+N; ꡣ-=\u0338.\u200D𞤹𐅢ↄ; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ꡣ-≠.𞤹𐅢ↄ
+T; ꡣ-≠.\u200D𞤹𐅢ↄ; [B1 B6 C2 P1 V6]; [B2 B3 B6 P1 V6] # ꡣ-≠.𞤹𐅢ↄ
+N; ꡣ-≠.\u200D𞤹𐅢ↄ; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ꡣ-≠.𞤹𐅢ↄ
+T; ꡣ-≠.\u200D𞤗𐅢ↄ; [B1 B6 C2 P1 V6]; [B2 B3 B6 P1 V6] # ꡣ-≠.𞤹𐅢ↄ
+N; ꡣ-≠.\u200D𞤗𐅢ↄ; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ꡣ-≠.𞤹𐅢ↄ
+T; ꡣ-=\u0338.\u200D𞤗𐅢ↄ; [B1 B6 C2 P1 V6]; [B2 B3 B6 P1 V6] # ꡣ-≠.𞤹𐅢ↄ
+N; ꡣ-=\u0338.\u200D𞤗𐅢ↄ; [B1 B6 C2 P1 V6]; [B1 B6 C2 P1 V6] # ꡣ-≠.𞤹𐅢ↄ
+B; xn----ufo9661d.xn--r5gy929fhm4f; [B2 B3 B6 V6]; [B2 B3 B6 V6]
+B; xn----ufo9661d.xn--1ug99cj620c71sh; [B1 B6 C2 V6]; [B1 B6 C2 V6] # ꡣ-≠.𞤹𐅢ↄ
+B; xn----ufo9661d.xn--q5g0929fhm4f; [B2 B3 B6 V6]; [B2 B3 B6 V6]
+B; xn----ufo9661d.xn--1ug79cm620c71sh; [B1 B6 C2 V6]; [B1 B6 C2 V6] # ꡣ-≠.𞤹𐅢Ↄ
+T; ς⒐𝆫⸵。🄊𝟳; [B6 P1 V6]; [B6 P1 V6]
+N; ς⒐𝆫⸵。🄊𝟳; [B6 P1 V6]; [B6 P1 V6]
+T; ς9.𝆫⸵。9,7; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+N; ς9.𝆫⸵。9,7; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+B; Σ9.𝆫⸵。9,7; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+B; σ9.𝆫⸵。9,7; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+B; xn--9-zmb.xn--ltj1535k.xn--9,7-r67t; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+B; xn--9-xmb.xn--ltj1535k.xn--9,7-r67t; [B1 P1 V5 V6]; [B1 P1 V5 V6]
+B; Σ⒐𝆫⸵。🄊𝟳; [B6 P1 V6]; [B6 P1 V6]
+B; σ⒐𝆫⸵。🄊𝟳; [B6 P1 V6]; [B6 P1 V6]
+B; xn--4xa809nwtghi25b.xn--7-075iy877c; [B6 V6]; [B6 V6]
+B; xn--3xa019nwtghi25b.xn--7-075iy877c; [B6 V6]; [B6 V6]
+T; \u0853.\u200Cß; [B1 C1]; xn--iwb.ss # ࡓ.ß
+N; \u0853.\u200Cß; [B1 C1]; [B1 C1] # ࡓ.ß
+T; \u0853.\u200Cß; [B1 C1]; xn--iwb.ss # ࡓ.ß
+N; \u0853.\u200Cß; [B1 C1]; [B1 C1] # ࡓ.ß
+T; \u0853.\u200CSS; [B1 C1]; xn--iwb.ss # ࡓ.ss
+N; \u0853.\u200CSS; [B1 C1]; [B1 C1] # ࡓ.ss
+T; \u0853.\u200Css; [B1 C1]; xn--iwb.ss # ࡓ.ss
+N; \u0853.\u200Css; [B1 C1]; [B1 C1] # ࡓ.ss
+T; \u0853.\u200CSs; [B1 C1]; xn--iwb.ss # ࡓ.ss
+N; \u0853.\u200CSs; [B1 C1]; [B1 C1] # ࡓ.ss
+B; xn--iwb.ss; \u0853.ss; xn--iwb.ss # ࡓ.ss
+B; \u0853.ss; ; xn--iwb.ss # ࡓ.ss
+B; \u0853.SS; \u0853.ss; xn--iwb.ss # ࡓ.ss
+B; \u0853.Ss; \u0853.ss; xn--iwb.ss # ࡓ.ss
+B; xn--iwb.xn--ss-i1t; [B1 C1]; [B1 C1] # ࡓ.ss
+B; xn--iwb.xn--zca570n; [B1 C1]; [B1 C1] # ࡓ.ß
+T; \u0853.\u200CSS; [B1 C1]; xn--iwb.ss # ࡓ.ss
+N; \u0853.\u200CSS; [B1 C1]; [B1 C1] # ࡓ.ss
+T; \u0853.\u200Css; [B1 C1]; xn--iwb.ss # ࡓ.ss
+N; \u0853.\u200Css; [B1 C1]; [B1 C1] # ࡓ.ss
+T; \u0853.\u200CSs; [B1 C1]; xn--iwb.ss # ࡓ.ss
+N; \u0853.\u200CSs; [B1 C1]; [B1 C1] # ࡓ.ss
+T; -.\u200D\u074E\uA94D; [B1 B6 C2 P1 V3 V6]; [B3 B6 P1 V3 V6] # -.ݎꥍ
+N; -.\u200D\u074E\uA94D; [B1 B6 C2 P1 V3 V6]; [B1 B6 C2 P1 V3 V6] # -.ݎꥍ
+B; xn----s116e.xn--1ob6504fmf40i; [B3 B6 V3 V6]; [B3 B6 V3 V6] # -.ݎꥍ
+B; xn----s116e.xn--1ob387jy90hq459k; [B1 B6 C2 V3 V6]; [B1 B6 C2 V3 V6] # -.ݎꥍ
+B; 䃚蟥-。-⒈; [P1 V3 V6]; [P1 V3 V6]
+B; 䃚蟥-。-1.; [P1 V3 V6]; [P1 V3 V6]
+B; xn----n50a258u.xn---1-up07j.; [V3 V6]; [V3 V6]
+B; xn----n50a258u.xn----ecp33805f; [V3 V6]; [V3 V6]
+B; 𐹸䚵-ꡡ。⺇; [B1]; [B1]
+B; xn----bm3an932a1l5d.xn--xvj; [B1]; [B1]
+B; 𑄳。\u1ADC𐹻; [B1 B3 B5 B6 P1 V5 V6]; [B1 B3 B5 B6 P1 V5 V6] # 𑄳.𐹻
+B; xn--v80d.xn--2rf1154i; [B1 B3 B5 B6 V5 V6]; [B1 B3 B5 B6 V5 V6] # 𑄳.𐹻
+B; ≮𐹻.⒎𑂵\u06BA\u0602; [B1 P1 V6]; [B1 P1 V6] # ≮𐹻.⒎𑂵ں
+B; <\u0338𐹻.⒎𑂵\u06BA\u0602; [B1 P1 V6]; [B1 P1 V6] # ≮𐹻.⒎𑂵ں
+B; ≮𐹻.7.𑂵\u06BA\u0602; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≮𐹻.7.𑂵ں
+B; <\u0338𐹻.7.𑂵\u06BA\u0602; [B1 P1 V5 V6]; [B1 P1 V5 V6] # ≮𐹻.7.𑂵ں
+B; xn--gdhx904g.7.xn--kfb18an307d; [B1 V5 V6]; [B1 V5 V6] # ≮𐹻.7.𑂵ں
+B; xn--gdhx904g.xn--kfb18a325efm3s; [B1 V6]; [B1 V6] # ≮𐹻.⒎𑂵ں
+T; ᢔ≠.\u200D𐋢; [C2 P1 V6]; [P1 V6] # ᢔ≠.𐋢
+N; ᢔ≠.\u200D𐋢; [C2 P1 V6]; [C2 P1 V6] # ᢔ≠.𐋢
+T; ᢔ=\u0338.\u200D𐋢; [C2 P1 V6]; [P1 V6] # ᢔ≠.𐋢
+N; ᢔ=\u0338.\u200D𐋢; [C2 P1 V6]; [C2 P1 V6] # ᢔ≠.𐋢
+B; xn--ebf031cf7196a.xn--587c; [V6]; [V6]
+B; xn--ebf031cf7196a.xn--1ug9540g; [C2 V6]; [C2 V6] # ᢔ≠.𐋢
+B; 𐩁≮≯.\u066C⳿; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # 𐩁≮≯.٬⳿
+B; 𐩁<\u0338>\u0338.\u066C⳿; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # 𐩁≮≯.٬⳿
+B; 𐩁≮≯.\u066C⳿; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # 𐩁≮≯.٬⳿
+B; 𐩁<\u0338>\u0338.\u066C⳿; [B1 B2 B3 P1 V6]; [B1 B2 B3 P1 V6] # 𐩁≮≯.٬⳿
+B; xn--gdhc0519o0y27b.xn--lib468q0d21a; [B1 B2 B3 V6]; [B1 B2 B3 V6] # 𐩁≮≯.٬⳿
+B; -。⺐; [V3]; [V3]
+B; -。⺐; [V3]; [V3]
+B; -.xn--6vj; [V3]; [V3]
+B; 𑲬.\u065C; [P1 V5 V6]; [P1 V5 V6] # 𑲬.ٜ
+B; 𑲬.\u065C; [P1 V5 V6]; [P1 V5 V6] # 𑲬.ٜ
+B; xn--sn3d59267c.xn--4hb; [V5 V6]; [V5 V6] # 𑲬.ٜ
+T; 𐍺.\u200C; [C1 P1 V5 V6]; [P1 V5 V6] # 𐍺.
+N; 𐍺.\u200C; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 𐍺.
+B; xn--ie8c.xn--2g51a; [V5 V6]; [V5 V6]
+B; xn--ie8c.xn--0ug03366c; [C1 V5 V6]; [C1 V5 V6] # 𐍺.
+B; \u063D\u06E3.𐨎; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ؽۣ.𐨎
+B; xn--8gb64a.xn--mr9c; [B1 B3 B6 V5]; [B1 B3 B6 V5] # ؽۣ.𐨎
+T; 漦Ⴙς.𐴄; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+N; 漦Ⴙς.𐴄; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+T; 漦ⴙς.𐴄; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+N; 漦ⴙς.𐴄; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; 漦ႹΣ.𐴄; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; 漦ⴙσ.𐴄; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; 漦Ⴙσ.𐴄; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; xn--4xa947d717e.xn--9d0d3162t; [B5 B6 V6]; [B5 B6 V6]
+B; xn--4xa772sl47b.xn--9d0d3162t; [B5 B6 V6]; [B5 B6 V6]
+B; xn--3xa972sl47b.xn--9d0d3162t; [B5 B6 V6]; [B5 B6 V6]
+B; xn--3xa157d717e.xn--9d0d3162t; [B5 B6 V6]; [B5 B6 V6]
+B; 𐹫踧\u0CCD.⒈𝨤; [B1 P1 V6]; [B1 P1 V6] # 𐹫踧್.⒈𝨤
+B; 𐹫踧\u0CCD.1.𝨤; [B1 B3 B6 P1 V5 V6]; [B1 B3 B6 P1 V5 V6] # 𐹫踧್.1.𝨤
+B; xn--8tc1437dro0d6q06h.xn--1-p948l.xn--m82h; [B1 B3 B6 V5 V6]; [B1 B3 B6 V5 V6] # 𐹫踧್.1.𝨤
+B; xn--8tc1437dro0d6q06h.xn--tsh2611ncu71e; [B1 V6]; [B1 V6] # 𐹫踧್.⒈𝨤
+T; \u200D≮.-; [C2 P1 V3 V6]; [P1 V3 V6] # ≮.-
+N; \u200D≮.-; [C2 P1 V3 V6]; [C2 P1 V3 V6] # ≮.-
+T; \u200D<\u0338.-; [C2 P1 V3 V6]; [P1 V3 V6] # ≮.-
+N; \u200D<\u0338.-; [C2 P1 V3 V6]; [C2 P1 V3 V6] # ≮.-
+T; \u200D≮.-; [C2 P1 V3 V6]; [P1 V3 V6] # ≮.-
+N; \u200D≮.-; [C2 P1 V3 V6]; [C2 P1 V3 V6] # ≮.-
+T; \u200D<\u0338.-; [C2 P1 V3 V6]; [P1 V3 V6] # ≮.-
+N; \u200D<\u0338.-; [C2 P1 V3 V6]; [C2 P1 V3 V6] # ≮.-
+B; xn--gdh.xn----cr99a1w710b; [V3 V6]; [V3 V6]
+B; xn--1ug95g.xn----cr99a1w710b; [C2 V3 V6]; [C2 V3 V6] # ≮.-
+T; \u200D\u200D襔。Ⴜ5ꡮ; [C2 P1 V6]; [P1 V6] # 襔.Ⴜ5ꡮ
+N; \u200D\u200D襔。Ⴜ5ꡮ; [C2 P1 V6]; [C2 P1 V6] # 襔.Ⴜ5ꡮ
+T; \u200D\u200D襔。ⴜ5ꡮ; [C2 P1 V6]; [P1 V6] # 襔.ⴜ5ꡮ
+N; \u200D\u200D襔。ⴜ5ꡮ; [C2 P1 V6]; [C2 P1 V6] # 襔.ⴜ5ꡮ
+B; xn--2u2a.xn--5-uws5848bpf44e; [V6]; [V6]
+B; xn--1uga7691f.xn--5-uws5848bpf44e; [C2 V6]; [C2 V6] # 襔.ⴜ5ꡮ
+B; xn--2u2a.xn--5-r1g7167ipfw8d; [V6]; [V6]
+B; xn--1uga7691f.xn--5-r1g7167ipfw8d; [C2 V6]; [C2 V6] # 襔.Ⴜ5ꡮ
+T; 𐫜𑌼\u200D.婀; [B3 C2]; xn--ix9c26l.xn--q0s # 𐫜𑌼.婀
+N; 𐫜𑌼\u200D.婀; [B3 C2]; [B3 C2] # 𐫜𑌼.婀
+T; 𐫜𑌼\u200D.婀; [B3 C2]; xn--ix9c26l.xn--q0s # 𐫜𑌼.婀
+N; 𐫜𑌼\u200D.婀; [B3 C2]; [B3 C2] # 𐫜𑌼.婀
+B; xn--ix9c26l.xn--q0s; 𐫜𑌼.婀; xn--ix9c26l.xn--q0s
+B; 𐫜𑌼.婀; ; xn--ix9c26l.xn--q0s
+B; xn--1ugx063g1if.xn--q0s; [B3 C2]; [B3 C2] # 𐫜𑌼.婀
+B; 󠅽︒︒𐹯。⬳\u1A78; [B1 P1 V6]; [B1 P1 V6] # ︒︒𐹯.⬳᩸
+B; 󠅽。。𐹯。⬳\u1A78; [B1 A4_2]; [B1 A4_2] # ..𐹯.⬳᩸
+B; ..xn--no0d.xn--7of309e; [B1 A4_2]; [B1 A4_2] # ..𐹯.⬳᩸
+B; xn--y86ca186j.xn--7of309e; [B1 V6]; [B1 V6] # ︒︒𐹯.⬳᩸
+T; 𝟖ß.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-Ⴏ
+N; 𝟖ß.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-Ⴏ
+T; 8ß.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-Ⴏ
+N; 8ß.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-Ⴏ
+T; 8ß.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-ⴏ
+N; 8ß.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-ⴏ
+B; 8SS.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
+B; 8ss.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-ⴏ
+B; 8Ss.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
+B; 8ss.-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
+B; 8ss.-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-ⴏ
+B; 8SS.-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
+B; 8Ss.-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
+B; xn--8-qfa.-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-ⴏ
+B; XN--8-QFA.-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-Ⴏ
+B; Xn--8-Qfa.-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-Ⴏ
+B; xn--8-qfa.-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-Ⴏ
+T; 𝟖ß.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-ⴏ
+N; 𝟖ß.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ß.-ⴏ
+B; 𝟖SS.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
+B; 𝟖ss.󠄐-\uDBDAⴏ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-ⴏ
+B; 𝟖Ss.󠄐-\uDBDAႯ; [P1 V3 V6]; [P1 V3 V6 A3] # 8ss.-Ⴏ
+T; -\u200D.\u200C𐹣Ⴅ; [B1 C1 C2 P1 V3 V6]; [B1 P1 V3 V6] # -.𐹣Ⴅ
+N; -\u200D.\u200C𐹣Ⴅ; [B1 C1 C2 P1 V3 V6]; [B1 C1 C2 P1 V3 V6] # -.𐹣Ⴅ
+T; -\u200D.\u200C𐹣ⴅ; [B1 C1 C2 P1 V3 V6]; [B1 P1 V3 V6] # -.𐹣ⴅ
+N; -\u200D.\u200C𐹣ⴅ; [B1 C1 C2 P1 V3 V6]; [B1 C1 C2 P1 V3 V6] # -.𐹣ⴅ
+B; xn----s721m.xn--wkj1423e; [B1 V3 V6]; [B1 V3 V6]
+B; xn----ugnv7071n.xn--0ugz32cgr0p; [B1 C1 C2 V3 V6]; [B1 C1 C2 V3 V6] # -.𐹣ⴅ
+B; xn----s721m.xn--dnd9201k; [B1 V3 V6]; [B1 V3 V6]
+B; xn----ugnv7071n.xn--dnd999e4j4p; [B1 C1 C2 V3 V6]; [B1 C1 C2 V3 V6] # -.𐹣Ⴅ
+T; \uA9B9\u200D큷。₂; [C2 P1 V5 V6]; [P1 V5 V6] # ꦹ큷.2
+N; \uA9B9\u200D큷。₂; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ꦹ큷.2
+T; \uA9B9\u200D큷。₂; [C2 P1 V5 V6]; [P1 V5 V6] # ꦹ큷.2
+N; \uA9B9\u200D큷。₂; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ꦹ큷.2
+T; \uA9B9\u200D큷。2; [C2 P1 V5 V6]; [P1 V5 V6] # ꦹ큷.2
+N; \uA9B9\u200D큷。2; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ꦹ큷.2
+T; \uA9B9\u200D큷。2; [C2 P1 V5 V6]; [P1 V5 V6] # ꦹ큷.2
+N; \uA9B9\u200D큷。2; [C2 P1 V5 V6]; [C2 P1 V5 V6] # ꦹ큷.2
+B; xn--0m9as84e2e21c.2; [V5 V6]; [V5 V6] # ꦹ큷.2
+B; xn--1ug1435cfkyaoi04d.2; [C2 V5 V6]; [C2 V5 V6] # ꦹ큷.2
+B; \uDF4D.🄄; [B1 P1 V6]; [B1 P1 V6 A3] # .🄄
+B; \uDF4D.3,; [B1 P1 V6]; [B1 P1 V6 A3] # .3,
+B; \uDF4D.xn--3,-tb22a; [B1 P1 V6]; [B1 P1 V6 A3] # .3,
+B; \uDF4D.XN--3,-TB22A; [B1 P1 V6]; [B1 P1 V6 A3] # .3,
+B; \uDF4D.Xn--3,-Tb22a; [B1 P1 V6]; [B1 P1 V6 A3] # .3,
+B; \uDF4D.xn--3x6hx6f; [B1 P1 V6]; [B1 P1 V6 A3] # .🄄
+B; \uDF4D.XN--3X6HX6F; [B1 P1 V6]; [B1 P1 V6 A3] # .🄄
+B; \uDF4D.Xn--3X6hx6f; [B1 P1 V6]; [B1 P1 V6 A3] # .🄄
+B; 𝨖。\u06DD\uA8C5⒈; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𝨖.ꣅ⒈
+B; 𝨖。\u06DD\uA8C51.; [B1 P1 V5 V6]; [B1 P1 V5 V6] # 𝨖.ꣅ1.
+B; xn--rt9cl956a.xn--1-dxc8545j0693i.; [B1 V5 V6]; [B1 V5 V6] # 𝨖.ꣅ1.
+B; xn--rt9cl956a.xn--tlb403mxv4g06s9i; [B1 V5 V6]; [B1 V5 V6] # 𝨖.ꣅ⒈
+T; \u05E1\u06B8。Ⴈ\u200D; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # סڸ.Ⴈ
+N; \u05E1\u06B8。Ⴈ\u200D; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # סڸ.Ⴈ
+T; \u05E1\u06B8。ⴈ\u200D; [B5 B6 C2 P1 V6]; [B5 B6 P1 V6] # סڸ.ⴈ
+N; \u05E1\u06B8。ⴈ\u200D; [B5 B6 C2 P1 V6]; [B5 B6 C2 P1 V6] # סڸ.ⴈ
+B; xn--meb44b57607c.xn--zkj; [B5 B6 V6]; [B5 B6 V6] # סڸ.ⴈ
+B; xn--meb44b57607c.xn--1ug232c; [B5 B6 C2 V6]; [B5 B6 C2 V6] # סڸ.ⴈ
+B; xn--meb44b57607c.xn--gnd; [B5 B6 V6]; [B5 B6 V6] # סڸ.Ⴈ
+B; xn--meb44b57607c.xn--gnd699e; [B5 B6 C2 V6]; [B5 B6 C2 V6] # סڸ.Ⴈ
+T; 𝨱\u07E6⒈.𑗝髯\u200C; [B1 B5 C1 P1 V5 V6]; [B1 B5 P1 V5 V6] # 𝨱ߦ⒈.𑗝髯
+N; 𝨱\u07E6⒈.𑗝髯\u200C; [B1 B5 C1 P1 V5 V6]; [B1 B5 C1 P1 V5 V6] # 𝨱ߦ⒈.𑗝髯
+T; 𝨱\u07E61..𑗝髯\u200C; [B1 B5 C1 P1 V5 V6 A4_2]; [B1 B5 P1 V5 V6 A4_2] # 𝨱ߦ1..𑗝髯
+N; 𝨱\u07E61..𑗝髯\u200C; [B1 B5 C1 P1 V5 V6 A4_2]; [B1 B5 C1 P1 V5 V6 A4_2] # 𝨱ߦ1..𑗝髯
+B; xn--1-idd62296a1fr6e..xn--uj6at43v; [B1 B5 V5 V6 A4_2]; [B1 B5 V5 V6 A4_2] # 𝨱ߦ1..𑗝髯
+B; xn--1-idd62296a1fr6e..xn--0ugx259bocxd; [B1 B5 C1 V5 V6 A4_2]; [B1 B5 C1 V5 V6 A4_2] # 𝨱ߦ1..𑗝髯
+B; xn--etb477lq931a1f58e.xn--uj6at43v; [B1 B5 V5 V6]; [B1 B5 V5 V6] # 𝨱ߦ⒈.𑗝髯
+B; xn--etb477lq931a1f58e.xn--0ugx259bocxd; [B1 B5 C1 V5 V6]; [B1 B5 C1 V5 V6] # 𝨱ߦ⒈.𑗝髯
+B; 𐫀.\u0689𑌀; 𐫀.\u0689𑌀; xn--pw9c.xn--fjb8658k # 𐫀.ډ𑌀
+B; 𐫀.\u0689𑌀; ; xn--pw9c.xn--fjb8658k # 𐫀.ډ𑌀
+B; xn--pw9c.xn--fjb8658k; 𐫀.\u0689𑌀; xn--pw9c.xn--fjb8658k # 𐫀.ډ𑌀
+B; 𑋪.𐳝; [B1 B3 B6 V5]; [B1 B3 B6 V5]
+B; 𑋪.𐳝; [B1 B3 B6 V5]; [B1 B3 B6 V5]
+B; 𑋪.𐲝; [B1 B3 B6 V5]; [B1 B3 B6 V5]
+B; xn--fm1d.xn--5c0d; [B1 B3 B6 V5]; [B1 B3 B6 V5]
+B; 𑋪.𐲝; [B1 B3 B6 V5]; [B1 B3 B6 V5]
+B; ≠膣。\u0F83; [P1 V5 V6]; [P1 V5 V6] # ≠膣.ྃ
+B; =\u0338膣。\u0F83; [P1 V5 V6]; [P1 V5 V6] # ≠膣.ྃ
+B; xn--1chy468a.xn--2ed; [V5 V6]; [V5 V6] # ≠膣.ྃ
+T; -\u077D。ß; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ß
+N; -\u077D。ß; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ß
+T; -\u077D。ß; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ß
+N; -\u077D。ß; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ß
+B; -\u077D。SS; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ss
+B; -\u077D。ss; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ss
+B; -\u077D。Ss; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ss
+B; xn----j6c95618k.ss; [B5 B6 V6]; [B5 B6 V6] # -ݽ.ss
+B; xn----j6c95618k.xn--zca; [B5 B6 V6]; [B5 B6 V6] # -ݽ.ß
+B; -\u077D。SS; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ss
+B; -\u077D。ss; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ss
+B; -\u077D。Ss; [B5 B6 P1 V6]; [B5 B6 P1 V6] # -ݽ.ss
+T; ς𐹠ᡚ𑄳.⾭𐹽𐫜; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+N; ς𐹠ᡚ𑄳.⾭𐹽𐫜; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+T; ς𐹠ᡚ𑄳.靑𐹽𐫜; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+N; ς𐹠ᡚ𑄳.靑𐹽𐫜; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; Σ𐹠ᡚ𑄳.靑𐹽𐫜; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; σ𐹠ᡚ𑄳.靑𐹽𐫜; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; xn--4xa656hp23pxmc.xn--es5a888tvjc2u15h; [B5 B6 V6]; [B5 B6 V6]
+B; xn--3xa856hp23pxmc.xn--es5a888tvjc2u15h; [B5 B6 V6]; [B5 B6 V6]
+B; Σ𐹠ᡚ𑄳.⾭𐹽𐫜; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+B; σ𐹠ᡚ𑄳.⾭𐹽𐫜; [B5 B6 P1 V6]; [B5 B6 P1 V6]
+T; 𐋷。\u200D; [C2]; xn--r97c. # 𐋷.
+N; 𐋷。\u200D; [C2]; [C2] # 𐋷.
+B; xn--r97c.; 𐋷.; xn--r97c.; NV8
+B; 𐋷.; ; xn--r97c.; NV8
+B; xn--r97c.xn--1ug; [C2]; [C2] # 𐋷.
+B; 𑰳𑈯。⥪; [V5]; [V5]
+B; xn--2g1d14o.xn--jti; [V5]; [V5]
+T; 𑆀䁴.Ⴕ𝟜\u200C\u0348; [C1 P1 V5 V6]; [P1 V5 V6] # 𑆀䁴.Ⴕ4͈
+N; 𑆀䁴.Ⴕ𝟜\u200C\u0348; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 𑆀䁴.Ⴕ4͈
+T; 𑆀䁴.Ⴕ4\u200C\u0348; [C1 P1 V5 V6]; [P1 V5 V6] # 𑆀䁴.Ⴕ4͈
+N; 𑆀䁴.Ⴕ4\u200C\u0348; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 𑆀䁴.Ⴕ4͈
+T; 𑆀䁴.ⴕ4\u200C\u0348; [C1 P1 V5 V6]; [P1 V5 V6] # 𑆀䁴.ⴕ4͈
+N; 𑆀䁴.ⴕ4\u200C\u0348; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 𑆀䁴.ⴕ4͈
+B; xn--1mnx647cg3x1b.xn--4-zfb5123a; [V5 V6]; [V5 V6] # 𑆀䁴.ⴕ4͈
+B; xn--1mnx647cg3x1b.xn--4-zfb502tlsl; [C1 V5 V6]; [C1 V5 V6] # 𑆀䁴.ⴕ4͈
+B; xn--1mnx647cg3x1b.xn--4-zfb324h; [V5 V6]; [V5 V6] # 𑆀䁴.Ⴕ4͈
+B; xn--1mnx647cg3x1b.xn--4-zfb324h32o; [C1 V5 V6]; [C1 V5 V6] # 𑆀䁴.Ⴕ4͈
+T; 𑆀䁴.ⴕ𝟜\u200C\u0348; [C1 P1 V5 V6]; [P1 V5 V6] # 𑆀䁴.ⴕ4͈
+N; 𑆀䁴.ⴕ𝟜\u200C\u0348; [C1 P1 V5 V6]; [C1 P1 V5 V6] # 𑆀䁴.ⴕ4͈
+T; 憡\uDF1F\u200CႴ.𐋮\u200D≠; [C1 C2 P1 V6]; [P1 V6 A3] # 憡Ⴔ.𐋮≠
+N; 憡\uDF1F\u200CႴ.𐋮\u200D≠; [C1 C2 P1 V6]; [C1 C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+T; 憡\uDF1F\u200CႴ.𐋮\u200D=\u0338; [C1 C2 P1 V6]; [P1 V6 A3] # 憡Ⴔ.𐋮≠
+N; 憡\uDF1F\u200CႴ.𐋮\u200D=\u0338; [C1 C2 P1 V6]; [C1 C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+T; 憡\uDF1F\u200Cⴔ.𐋮\u200D=\u0338; [C1 C2 P1 V6]; [P1 V6 A3] # 憡ⴔ.𐋮≠
+N; 憡\uDF1F\u200Cⴔ.𐋮\u200D=\u0338; [C1 C2 P1 V6]; [C1 C2 P1 V6 A3] # 憡ⴔ.𐋮≠
+T; 憡\uDF1F\u200Cⴔ.𐋮\u200D≠; [C1 C2 P1 V6]; [P1 V6 A3] # 憡ⴔ.𐋮≠
+N; 憡\uDF1F\u200Cⴔ.𐋮\u200D≠; [C1 C2 P1 V6]; [C1 C2 P1 V6 A3] # 憡ⴔ.𐋮≠
+B; 憡\uDF1Fⴔ.xn--1chz659f; [P1 V6]; [P1 V6 A3] # 憡ⴔ.𐋮≠
+B; 憡\uDF1FႴ.XN--1CHZ659F; [P1 V6]; [P1 V6 A3] # 憡Ⴔ.𐋮≠
+B; 憡\uDF1FႴ.xn--1Chz659f; [P1 V6]; [P1 V6 A3] # 憡Ⴔ.𐋮≠
+B; 憡\uDF1FႴ.xn--1chz659f; [P1 V6]; [P1 V6 A3] # 憡Ⴔ.𐋮≠
+T; 憡\uDF1F\u200Cⴔ.xn--1ug73gl146a; [C1 C2 P1 V6]; [C2 P1 V6 A3] # 憡ⴔ.𐋮≠
+N; 憡\uDF1F\u200Cⴔ.xn--1ug73gl146a; [C1 C2 P1 V6]; [C1 C2 P1 V6 A3] # 憡ⴔ.𐋮≠
+T; 憡\uDF1F\u200CႴ.XN--1UG73GL146A; [C1 C2 P1 V6]; [C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+N; 憡\uDF1F\u200CႴ.XN--1UG73GL146A; [C1 C2 P1 V6]; [C1 C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+T; 憡\uDF1F\u200CႴ.xn--1Ug73gl146a; [C1 C2 P1 V6]; [C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+N; 憡\uDF1F\u200CႴ.xn--1Ug73gl146a; [C1 C2 P1 V6]; [C1 C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+B; 憡\uDF1FႴ.xn--1ug73gl146a; [C2 P1 V6]; [C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+B; 憡\uDF1Fⴔ.xn--1ug73gl146a; [C2 P1 V6]; [C2 P1 V6 A3] # 憡ⴔ.𐋮≠
+B; 憡\uDF1FႴ.XN--1UG73GL146A; [C2 P1 V6]; [C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+B; 憡\uDF1FႴ.xn--1Ug73gl146a; [C2 P1 V6]; [C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+T; 憡\uDF1F\u200CႴ.xn--1ug73gl146a; [C1 C2 P1 V6]; [C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
+N; 憡\uDF1F\u200CႴ.xn--1ug73gl146a; [C1 C2 P1 V6]; [C1 C2 P1 V6 A3] # 憡Ⴔ.𐋮≠
diff --git a/idna/tests/unit.rs b/idna/tests/unit.rs
new file mode 100644
--- /dev/null
+++ b/idna/tests/unit.rs
@@ -0,0 +1,40 @@
+extern crate idna;
+extern crate unicode_normalization;
+
+use idna::uts46;
+use unicode_normalization::char::is_combining_mark;
+
+
+fn _to_ascii(domain: &str) -> Result<String, uts46::Errors> {
+ uts46::to_ascii(domain, uts46::Flags {
+ transitional_processing: false,
+ use_std3_ascii_rules: true,
+ verify_dns_length: true,
+ })
+}
+
+#[test]
+fn test_v5() {
+ // IdnaTest:784 蔏。𑰺
+ assert!(is_combining_mark('\u{11C3A}'));
+ assert!(_to_ascii("\u{11C3A}").is_err());
+ assert!(_to_ascii("\u{850f}.\u{11C3A}").is_err());
+ assert!(_to_ascii("\u{850f}\u{ff61}\u{11C3A}").is_err());
+}
+
+#[test]
+fn test_v8_bidi_rules() {
+ assert_eq!(_to_ascii("abc").unwrap(), "abc");
+ assert_eq!(_to_ascii("123").unwrap(), "123");
+ assert_eq!(_to_ascii("אבּג").unwrap(), "xn--kdb3bdf");
+ assert_eq!(_to_ascii("ابج").unwrap(), "xn--mgbcm");
+ assert_eq!(_to_ascii("abc.ابج").unwrap(), "abc.xn--mgbcm");
+ assert_eq!(_to_ascii("אבּג.ابج").unwrap(), "xn--kdb3bdf.xn--mgbcm");
+
+ // Bidi domain names cannot start with digits
+ assert!(_to_ascii("0a.\u{05D0}").is_err());
+ assert!(_to_ascii("0à.\u{05D0}").is_err());
+
+ // Bidi chars may be punycode-encoded
+ assert!(_to_ascii("xn--0ca24w").is_err());
+}
diff --git a/tests/unit.rs b/tests/unit.rs
--- a/tests/unit.rs
+++ b/tests/unit.rs
@@ -374,6 +374,13 @@ fn test_set_host() {
assert_eq!(url.as_str(), "foobar:/hello");
}
+#[test]
+// https://github.com/servo/rust-url/issues/166
+fn test_leading_dots() {
+ assert_eq!(Host::parse(".org").unwrap(), Host::Domain(".org".to_owned()));
+ assert_eq!(Url::parse("file://./foo").unwrap().domain(), Some("."));
+}
+
// This is testing that the macro produces buildable code when invoked
// inside both a module and a function
#[test]
|
Panic when parsing a `.` in file URLs
Parsing the url `file://./foo` will cause rust-url to panic, for example:
``` rust
let _url = url::Url::parse("file://./foo");
```
yields:
```
thread '<main>' panicked at 'a non-empty list of numbers', ../src/libcore/option.rs:335
stack backtrace:
1: 0x7fda97eb0f40 - sys::backtrace::tracing::imp::write::haa19c02b4de52f3bG0t
2: 0x7fda97eb3075 - panicking::log_panic::_<closure>::closure.41218
3: 0x7fda97eb2af0 - panicking::log_panic::h527fe484e9de8fe1W7x
4: 0x7fda97ead303 - sys_common::unwind::begin_unwind_inner::h51f64b1a34c60827fTs
5: 0x7fda97ead418 - sys_common::unwind::begin_unwind_fmt::h0845853a1913f45blSs
6: 0x7fda97eb05a1 - rust_begin_unwind
7: 0x7fda97ede0cf - panicking::panic_fmt::h3967afc085fe8067LFK
8: 0x7fda97e8ffb5 - option::_<impl>::expect::expect::h6499254404020416113
at ../src/libcore/macros.rs:29
9: 0x7fda97e8c02d - host::parse_ipv4addr::h8bc077b4a80e7f06FIa
at src/host.rs:186
10: 0x7fda97e886b8 - host::_<impl>::parse::hd99c67cae0091fc0Uya
at src/host.rs:61
11: 0x7fda97e98e65 - parser::parse_file_host::ha2c614830ab90204nKb
at src/parser.rs:469
12: 0x7fda97e926b0 - parser::parse_relative_url::h4e24ca8208217f655mb
at src/parser.rs:217
13: 0x7fda97e85497 - parser::parse_url::hdcd76e516d93c3d01eb
at src/parser.rs:122
14: 0x7fda97e80a2b - _<impl>::parse::h6996f44ab86e41c8w1p
at src/lib.rs:437
15: 0x7fda97e809eb - _<impl>::parse::h6fc311753b000c53hlq
at src/lib.rs:566
16: 0x7fda97e80998 - main::h13ef09143d6a2ad6faa
at src/main.rs:4
17: 0x7fda97eb2894 - sys_common::unwind::try::try_fn::h11901883998771707766
18: 0x7fda97eb03e8 - __rust_try
19: 0x7fda97eb2536 - rt::lang_start::hc150f651dd2af18b44x
20: 0x7fda97e81be9 - main
21: 0x7fda9722cec4 - __libc_start_main
22: 0x7fda97e80878 - <unknown>
23: 0x0 - <unknown>
```
|
After a quick `git bisect` it looks like it doesn't panic prior to fee35ca
This lead me to find "interesting" behavior that may or may not be a bug: #171. I’m waiting to hear from Valentin.
@alexcrichton Is this blocking anything? If so, we can land a work around in the meantime.
Ah no this isn't blocking anything on my end, this was just something I found surprising that I ran into at some point (I forget even how at this point...)
This no longer panics as of the current version of url.
```rust
extern crate url;
fn main() {
println!("{:?}", url::Url::parse("file://./foo"));
}
```
Bisect shows it was fixed in 9e759f18726c8e1343162922b87163d4dd08fe3c.
| 2017-05-29T22:02:47
|
rust
|
Hard
|
servo/rust-url
| 321
|
servo__rust-url-321
|
[
"302"
] |
cb8330d4bddf82518196e4a28b98785908019dfb
|
diff --git a/src/origin.rs b/src/origin.rs
--- a/src/origin.rs
+++ b/src/origin.rs
@@ -50,7 +50,7 @@ pub fn url_origin(url: &Url) -> Origin {
/// the URL does not have the same origin as any other URL.
///
/// For more information see https://url.spec.whatwg.org/#origin
-#[derive(PartialEq, Eq, Clone, Debug)]
+#[derive(PartialEq, Eq, Hash, Clone, Debug)]
pub enum Origin {
/// A globally unique identifier
Opaque(OpaqueOrigin),
@@ -123,7 +123,7 @@ impl Origin {
}
/// Opaque identifier for URLs that have file or other schemes
-#[derive(Eq, PartialEq, Clone, Debug)]
+#[derive(Eq, PartialEq, Hash, Clone, Debug)]
pub struct OpaqueOrigin(usize);
#[cfg(feature = "heapsize")]
|
diff --git a/tests/unit.rs b/tests/unit.rs
--- a/tests/unit.rs
+++ b/tests/unit.rs
@@ -372,3 +372,45 @@ fn define_encode_set_scopes() {
m::test();
}
+
+#[test]
+/// https://github.com/servo/rust-url/issues/302
+fn test_origin_hash() {
+ use std::hash::{Hash,Hasher};
+ use std::collections::hash_map::DefaultHasher;
+
+ fn hash<T: Hash>(value: &T) -> u64 {
+ let mut hasher = DefaultHasher::new();
+ value.hash(&mut hasher);
+ hasher.finish()
+ }
+
+ let origin = &Url::parse("http://example.net/").unwrap().origin();
+
+ let origins_to_compare = [
+ Url::parse("http://example.net:80/").unwrap().origin(),
+ Url::parse("http://example.net:81/").unwrap().origin(),
+ Url::parse("http://example.net").unwrap().origin(),
+ Url::parse("http://example.net/hello").unwrap().origin(),
+ Url::parse("https://example.net").unwrap().origin(),
+ Url::parse("ftp://example.net").unwrap().origin(),
+ Url::parse("file://example.net").unwrap().origin(),
+ Url::parse("http://[email protected]/").unwrap().origin(),
+ Url::parse("http://user:[email protected]/").unwrap().origin(),
+ ];
+
+ for origin_to_compare in &origins_to_compare {
+ if origin == origin_to_compare {
+ assert_eq!(hash(origin), hash(origin_to_compare));
+ } else {
+ assert_ne!(hash(origin), hash(origin_to_compare));
+ }
+ }
+
+ let opaque_origin = Url::parse("file://example.net").unwrap().origin();
+ let same_opaque_origin = Url::parse("file://example.net").unwrap().origin();
+ let other_opaque_origin = Url::parse("file://other").unwrap().origin();
+
+ assert_ne!(hash(&opaque_origin), hash(&same_opaque_origin));
+ assert_ne!(hash(&opaque_origin), hash(&other_opaque_origin));
+}
|
Implement `Hash` for `Origin`
Seems like this could reasonable be used as a key, and `Hash` is a trait we implement eagerly.
| 2017-05-05T11:43:02
|
rust
|
Hard
|
|
servo/rust-url
| 187
|
servo__rust-url-187
|
[
"25",
"61"
] |
df3dcd6054ac5fc7b9cab2ae0da5fedc41ff7b71
|
diff --git a/src/lib.rs b/src/lib.rs
--- a/src/lib.rs
+++ b/src/lib.rs
@@ -266,6 +266,7 @@ impl Url {
/// Methods of the `Url` struct assume a number of invariants.
/// This checks each of these invariants and panic if one is not met.
/// This is for testing rust-url itself.
+ #[doc(hidden)]
pub fn assert_invariants(&self) {
macro_rules! assert {
($x: expr) => {
@@ -848,7 +849,7 @@ impl Url {
let old_suffix_pos = if opt_new_port.is_some() { self.path_start } else { self.host_end };
let suffix = self.slice(old_suffix_pos..).to_owned();
self.serialization.truncate(self.host_start as usize);
- if !self.has_host() {
+ if !self.has_authority() {
debug_assert!(self.slice(self.scheme_end..self.host_start) == ":");
debug_assert!(self.username_end == self.host_start);
self.serialization.push('/');
|
diff --git a/tests/unit.rs b/tests/unit.rs
--- a/tests/unit.rs
+++ b/tests/unit.rs
@@ -233,3 +233,29 @@ fn test_form_serialize() {
.finish();
assert_eq!(encoded, "foo=%C3%A9%26&bar=&foo=%23");
}
+
+#[test]
+/// https://github.com/servo/rust-url/issues/25
+fn issue_25() {
+ let filename = if cfg!(windows) { r"C:\run\pg.sock" } else { "/run/pg.sock" };
+ let mut url = Url::from_file_path(filename).unwrap();
+ url.assert_invariants();
+ url.set_scheme("postgres").unwrap();
+ url.assert_invariants();
+ url.set_host(Some("")).unwrap();
+ url.assert_invariants();
+ url.set_username("me").unwrap();
+ url.assert_invariants();
+ let expected = format!("postgres://me@/{}run/pg.sock", if cfg!(windows) { "C:/" } else { "" });
+ assert_eq!(url.as_str(), expected);
+}
+
+#[test]
+/// https://github.com/servo/rust-url/issues/61
+fn issue_61() {
+ let mut url = Url::parse("http://mozilla.org").unwrap();
+ url.set_scheme("https").unwrap();
+ assert_eq!(url.port(), None);
+ assert_eq!(url.port_or_known_default(), Some(443));
+ url.assert_invariants();
+}
|
Cannot parse usernames in path urls.
In rust-postgres, there's a test that generates a url like so:
``` rust
let mut url = Url::from_file_path(&Path::new(unix_socket_directory)).unwrap();
*url.username_mut().unwrap() = "postgres".to_string();
url.scheme = "postgres".to_string();
```
When printed, the url is:
```
postgres://postgres@/var/run/postgresql
```
But when this url is parsed, it parses to a url with an empty host (a parser error).
Changing the scheme can break things
If you change the scheme from a non-relative one to a relative one without regenerating the scheme data, the Url object stops working properly. For example, parsing `view-source+http://google.com` and then using `slice()` on `url.scheme` to make it http again does not change the corresponding scheme data.
Perhaps there should be a `set_scheme()` method for setting the scheme safely?
|
You are trying to parse an URL with an authority (scheme://authority), an authority must include a non-empty host.
Oh wait, no, I stand corrected:
```
reg-name = *( unreserved / pct-encoded / sub-delims )
```
FWIW
``` js
new URL("postgres://postgres@/var/run/postgresql").username === ""
```
is `true` for both Firefox and Chrome
@alexcrichton Not sure why I didn’t respond to this a year ago, sorry. To use "non-standard" schemes like `postgres:` you probably want a custom "scheme type mapper" https://servo.github.io/rust-url/url/struct.UrlParser.html#method.scheme_type_mapper .
@nox Where is that quote from? This crates implements http://url.spec.whatwg.org/ which sometimes diverges from the various relevant IETF RFCs.
@frewsxcv The Rust API of this crate and its behavior is not necessarily the same as https://url.spec.whatwg.org/#api (which is designed for JavaScript and web compat) as long as it enables Servo to implement it on top.
> The Rust API of this crate and its behavior is not necessarily the same as https://url.spec.whatwg.org/#api (which is designed for JavaScript and web compat) as long as it enables Servo to implement it on top.
I thought about that possibility, but wasn't sure. Thanks for clarifying :+1:
I’m a bit reluctant, since it’s not obvious what the semantics of changing the scheme like this should be.
For the case of `view-source+` specifically, I wonder if you wouldn’t be better detecting and off cutting of the prefix before parsing as an URL.
This same issue affects some of the upcoming [HSTS code in servo](https://github.com/samfoo/servo/blob/hsts-preload/components/net/hsts.rs#L124) where a `Url` is changed from http to https.
If it's not reasonable to mutate the scheme, does it make more sense to make `scheme` private and require a function call to read it? This way you can't create a `Url` instance that has an invalid state.
@samfoo `http` and `https` are both "relative" schemes, though. What’s the problem you’re seeing with HSTS? It might not be the same as the original issue here.
A simple test case is probably the easiest way to show one of the problems (that the default port doesn't change). This is specifically the problem with the pull request for HSTS. I'm not sure how much other internal state the `Url` keeps that could potentially cause a problem.
``` rust
#[test]
fn test_changing_protocol_should_not_retain_the_old_default_port() {
let mut http_url = Url::parse("http://mozilla.org").unwrap();
http_url.scheme = "https".to_string();
assert!(http_url.port().is_none());
assert_eq!(http_url.port_or_default().unwrap(), 443)
}
```
```
---- hsts::test_changing_protocol_should_not_retain_the_old_default_port stdout ----
thread 'hsts::test_changing_protocol_should_not_retain_the_old_default_port' panicked at 'assertion failed: `(left == right)` (left: `80`, right: `443`)', /Users/sam/projects/servo/tests/unit/net/hsts.rs:19
```
I’m thinking of refactoring the parser and data structure to fix a bunch of things including this.
But in the mean time, you can work around this issue by using `url.defaul_port = Some(443)` when changing the scheme to HTTPS.
``` rust
secure_url.relative_scheme_data_mut()
.map(|scheme_data| {
scheme_data.default_port = Some(443);
});
```
Is the best I could come up with, since `default_port` is on the the scheme data, not the `Url`. But that is better than serialising and re-parsing which is the strategy I took up 'til now.
Yes, I think this is the best we can do without changing the data structure. There could be a `set_scheme` method, but it’d just do this internally.
| 2016-04-21T08:16:41
|
rust
|
Hard
|
hyperium/h2
| 150
|
hyperium__h2-150
|
[
"106"
] |
c6a233281a2123969d27591164c5603a47eb798d
|
diff --git a/src/client.rs b/src/client.rs
--- a/src/client.rs
+++ b/src/client.rs
@@ -187,6 +187,18 @@ impl Builder {
self
}
+ /// Set the maximum number of concurrent streams.
+ ///
+ /// Clients can only limit the maximum number of streams that that the
+ /// server can initiate. See [Section 5.1.2] in the HTTP/2 spec for more
+ /// details.
+ ///
+ /// [Section 5.1.2]: https://http2.github.io/http2-spec/#rfc.section.5.1.2
+ pub fn max_concurrent_streams(&mut self, max: u32) -> &mut Self {
+ self.settings.set_max_concurrent_streams(Some(max));
+ self
+ }
+
/// Enable or disable the server to send push promises.
pub fn enable_push(&mut self, enabled: bool) -> &mut Self {
self.settings.set_enable_push(enabled);
diff --git a/src/frame/settings.rs b/src/frame/settings.rs
--- a/src/frame/settings.rs
+++ b/src/frame/settings.rs
@@ -74,7 +74,6 @@ impl Settings {
self.max_concurrent_streams
}
- #[cfg(feature = "unstable")]
pub fn set_max_concurrent_streams(&mut self, max: Option<u32>) {
self.max_concurrent_streams = max;
}
diff --git a/src/proto/connection.rs b/src/proto/connection.rs
--- a/src/proto/connection.rs
+++ b/src/proto/connection.rs
@@ -76,7 +76,9 @@ where
local_next_stream_id: next_stream_id,
local_push_enabled: settings.is_push_enabled(),
remote_init_window_sz: DEFAULT_INITIAL_WINDOW_SIZE,
- remote_max_initiated: None,
+ remote_max_initiated: settings
+ .max_concurrent_streams()
+ .map(|max| max as usize),
});
Connection {
state: State::Open,
diff --git a/src/server.rs b/src/server.rs
--- a/src/server.rs
+++ b/src/server.rs
@@ -194,6 +194,18 @@ impl Builder {
self
}
+ /// Set the maximum number of concurrent streams.
+ ///
+ /// Servers can only limit the maximum number of streams that that the
+ /// client can initiate. See [Section 5.1.2] in the HTTP/2 spec for more
+ /// details.
+ ///
+ /// [Section 5.1.2]: https://http2.github.io/http2-spec/#rfc.section.5.1.2
+ pub fn max_concurrent_streams(&mut self, max: u32) -> &mut Self {
+ self.settings.set_max_concurrent_streams(Some(max));
+ self
+ }
+
/// Bind an H2 server connection.
///
/// Returns a future which resolves to the connection value once the H2
|
diff --git a/tests/client_request.rs b/tests/client_request.rs
--- a/tests/client_request.rs
+++ b/tests/client_request.rs
@@ -148,6 +148,45 @@ fn request_stream_id_overflows() {
h2.join(srv).wait().expect("wait");
}
+#[test]
+fn client_builder_max_concurrent_streams() {
+ let _ = ::env_logger::init();
+ let (io, srv) = mock::new();
+
+ let mut settings = frame::Settings::default();
+ settings.set_max_concurrent_streams(Some(1));
+
+ let srv = srv
+ .assert_client_handshake()
+ .unwrap()
+ .recv_custom_settings(settings)
+ .recv_frame(
+ frames::headers(1)
+ .request("GET", "https://example.com/")
+ .eos()
+ )
+ .send_frame(frames::headers(1).response(200).eos())
+ .close();
+
+ let mut builder = Client::builder();
+ builder.max_concurrent_streams(1);
+
+ let h2 = builder
+ .handshake::<_, Bytes>(io)
+ .expect("handshake")
+ .and_then(|(mut client, h2)| {
+ let request = Request::builder()
+ .method(Method::GET)
+ .uri("https://example.com/")
+ .body(())
+ .unwrap();
+ let req = client.send_request(request, true).unwrap().unwrap();
+ h2.drive(req).map(move |(h2, _)| (client, h2))
+ });
+
+ h2.join(srv).wait().expect("wait");
+}
+
#[test]
fn request_over_max_concurrent_streams_errors() {
let _ = ::env_logger::init();
diff --git a/tests/server.rs b/tests/server.rs
--- a/tests/server.rs
+++ b/tests/server.rs
@@ -22,6 +22,56 @@ fn read_preface_in_multiple_frames() {
assert!(Stream::wait(h2).next().is_none());
}
+#[test]
+fn server_builder_set_max_concurrent_streams() {
+ let _ = ::env_logger::init();
+ let (io, client) = mock::new();
+
+ let mut settings = frame::Settings::default();
+ settings.set_max_concurrent_streams(Some(1));
+
+ let client = client
+ .assert_server_handshake()
+ .unwrap()
+ .recv_custom_settings(settings)
+ .send_frame(
+ frames::headers(1)
+ .request("GET", "https://example.com/"),
+ )
+ .send_frame(
+ frames::headers(3)
+ .request("GET", "https://example.com/"),
+ )
+ .send_frame(frames::data(1, &b"hello"[..]).eos(),)
+ .recv_frame(frames::reset(3).refused())
+ .recv_frame(frames::headers(1).response(200).eos())
+ .close();
+
+ let mut builder = Server::builder();
+ builder.max_concurrent_streams(1);
+
+ let h2 = builder
+ .handshake::<_, Bytes>(io)
+ .expect("handshake")
+ .and_then(|srv| {
+ srv.into_future().unwrap().and_then(|(reqstream, srv)| {
+ let (req, mut stream) = reqstream.unwrap();
+
+ assert_eq!(req.method(), &http::Method::GET);
+
+ let rsp =
+ http::Response::builder()
+ .status(200).body(())
+ .unwrap();
+ stream.send_response(rsp, true).unwrap();
+
+ srv.into_future().unwrap()
+ })
+ });
+
+ h2.join(client).wait().expect("wait");
+}
+
#[test]
fn serve_request() {
let _ = ::env_logger::init();
diff --git a/tests/support/frames.rs b/tests/support/frames.rs
--- a/tests/support/frames.rs
+++ b/tests/support/frames.rs
@@ -249,6 +249,11 @@ impl Mock<frame::Reset> {
let id = self.0.stream_id();
Mock(frame::Reset::new(id, frame::Reason::FLOW_CONTROL_ERROR))
}
+
+ pub fn refused(self) -> Self {
+ let id = self.0.stream_id();
+ Mock(frame::Reset::new(id, frame::Reason::REFUSED_STREAM))
+ }
}
impl From<Mock<frame::Reset>> for SendFrame {
diff --git a/tests/support/mock.rs b/tests/support/mock.rs
--- a/tests/support/mock.rs
+++ b/tests/support/mock.rs
@@ -384,19 +384,32 @@ impl AsyncWrite for Pipe {
}
pub trait HandleFutureExt {
- fn recv_settings(self) -> RecvFrame<Box<Future<Item = (Option<Frame>, Handle), Error = ()>>>
+ fn recv_settings(self)
+ -> RecvFrame<Box<Future<Item = (Option<Frame>, Handle), Error = ()>>>
where
Self: Sized + 'static,
Self: Future<Item = (frame::Settings, Handle)>,
Self::Error: fmt::Debug,
{
- let map = self.map(|(settings, handle)| (Some(settings.into()), handle))
+ self.recv_custom_settings(frame::Settings::default())
+ }
+
+ fn recv_custom_settings(self, settings: frame::Settings)
+ -> RecvFrame<Box<Future<Item = (Option<Frame>, Handle), Error = ()>>>
+ where
+ Self: Sized + 'static,
+ Self: Future<Item = (frame::Settings, Handle)>,
+ Self::Error: fmt::Debug,
+ {
+ let map = self
+ .map(|(settings, handle)| (Some(settings.into()), handle))
.unwrap();
- let boxed: Box<Future<Item = (Option<Frame>, Handle), Error = ()>> = Box::new(map);
+ let boxed: Box<Future<Item = (Option<Frame>, Handle), Error = ()>> =
+ Box::new(map);
RecvFrame {
inner: boxed,
- frame: frame::Settings::default().into(),
+ frame: settings.into(),
}
}
|
Support configuration of max_concurrent_streams
`server::Builder` should support `set_max_concurrent_streams(&mut self, u32)` so that a server can constrain the number of streams per client.
Similarly, `client::Builder` should have this, though I _think_ a client can only configure the number of concurrent server-initiated streams (i.e. Push Promises). While we're here, `client::Builder` should probalby also have a `set_push_promise_enabled(&mut self, bool)`
|
> While we're here, `client::Builder` should probably also have a `set_push_promise_enabled(&mut self, bool)`
There's `builder.enable_push(bool)`: https://github.com/carllerche/h2/blob/6ec7f38cd7378a6d99ab4300a07763ab1722dcb4/src/client.rs#L181
Looks good to me.
| 2017-10-10T16:43:04
|
rust
|
Hard
|
servo/rust-url
| 797
|
servo__rust-url-797
|
[
"795"
] |
b22857487af7c48525d0297b9db4b61ccab96b43
|
diff --git a/data-url/src/lib.rs b/data-url/src/lib.rs
--- a/data-url/src/lib.rs
+++ b/data-url/src/lib.rs
@@ -298,6 +298,7 @@ where
// before this special byte
if i > slice_start {
write_bytes(&bytes[slice_start..i])?;
+ slice_start = i;
}
// Then deal with the special byte.
match byte {
|
diff --git a/data-url/tests/data-urls.json b/data-url/tests/data-urls.json
--- a/data-url/tests/data-urls.json
+++ b/data-url/tests/data-urls.json
@@ -52,6 +52,24 @@
["data:text/plain;Charset=UTF-8,%C2%B1",
"text/plain;charset=UTF-8",
[194, 177]],
+ ["data:text/plain,%",
+ "text/plain",
+ [37]],
+ ["data:text/plain,X%",
+ "text/plain",
+ [88, 37]],
+ ["data:text/plain,X%%",
+ "text/plain",
+ [88, 37, 37]],
+ ["data:text/plain;Charset=UTF-8,X%X",
+ "text/plain;charset=UTF-8",
+ [88, 37, 88]],
+ ["data:text/plain;Charset=UTF-8,X%0",
+ "text/plain;charset=UTF-8",
+ [88, 37, 48]],
+ ["data:text/plain;Charset=UTF-8,X%0X",
+ "text/plain;charset=UTF-8",
+ [88, 37, 48, 88]],
["data:text/plain;charset=windows-1252,áñçə💩",
"text/plain;charset=windows-1252",
[195, 161, 195, 177, 195, 167, 201, 153, 240, 159, 146, 169]],
|
Corrupted data URL output from <rect style='fill:%23000000;' width='100%' height='100%'/>
# Version:
data-url 0.2.0 & master
# Description
The following data URL:
```
data:image/svg+xml;utf8,<svg xmlns='http://www.w3.org/2000/svg'><rect style='fill:%23000000;' width='100%' height='100%'/></svg>
```
produces a corrupted result with duplicate fields and unexpected values with `DataUrl::process`:
```
<svg xmlns='http://www.w3.org/2000/svg'><rect style='fill:#000000;' width='100000000;' width='100%' height='100000000;' width='100%' height='100%'/></svg>
```
Note that the data URL produces a full window black rectangle on Firefox and keeps the initial SVG intact.
# SSCCE
```
use data_url::DataUrl;
static SVG: &str = r#"data:image/svg+xml;utf8,<svg xmlns='http://www.w3.org/2000/svg'><rect style='fill:%23000000;' width='100%' height='100%'/></svg>"#;
fn main() {
println!("{}", SVG);
let url = DataUrl::process(SVG).unwrap();
let (body, _) = url.decode_to_vec().unwrap();
let utf8 = std::str::from_utf8(&body).unwrap();
println!("{}", utf8);
}
```
|
I'm not sure if it is the only problem, but you need to escape the spaces and % characters in your data url.
> I'm not sure if it is the only problem, but you need to escape the spaces and % characters in your data url.
It's a user submitted one based on browser support. It may not be correct, but this does not explain the result as far as I can tell reading the URL standard.
Spaces are not the issue here. The problem can be reproduced with the following even simpler example:
```
use data_url::DataUrl;
static URL: &str = r#"data:text/plain;utf8,100%"#;
fn main() {
println!("{}", URL);
let url = DataUrl::process(URL).unwrap();
let (body, _) = url.decode_to_vec().unwrap();
let utf8 = std::str::from_utf8(&body).unwrap();
println!("{}", utf8);
}
```
Which outputs:
```
data:text/plain;utf8,100%
100100%
```
So the `%` character is replaced by the whole input string (in the top example by a substring starting before the % character).
According to the URL standard:
https://url.spec.whatwg.org/#percent-encoded-bytes
>
> 1. If byte is not 0x25 (%), then append byte to output.
>
> 2. Otherwise, if byte is 0x25 (%) and the next two bytes after byte in input are not in the ranges 0x30 (0) to 0x39 (9), 0x41 (A) to 0x46 (F), and 0x61 (a) to 0x66 (f), all inclusive, append byte to output.
Here for `100%`, the 0x25 (%) character is not followed by 2 bytes in range `[0-9A-Fa-f]`, therefore if I understand correctly the spec it should be included in the output without more processing.
The problem comes from the `decode_without_base64` function.
When a `%` character is encountered, the function "Write everything (if anything) "non-special" we’ve accumulated before this special byte":
https://github.com/servo/rust-url/blob/359bc90a4f07224f79cc79c45dc873d44bcd6f14/data-url/src/lib.rs#L268-L272
But `slice_start` is not updated, and because the characters following `%` do not match hex digits, it is not updated either in the following `else` condition:
https://github.com/servo/rust-url/blob/359bc90a4f07224f79cc79c45dc873d44bcd6f14/data-url/src/lib.rs#L278-L286
Therefore when at the end, bytes from `slice_start` to the end are written:
https://github.com/servo/rust-url/blob/359bc90a4f07224f79cc79c45dc873d44bcd6f14/data-url/src/lib.rs#L300-L302
we write again all accumulated characters, which duplicates all non-special characters accumulated.
I believe that `slice_start` should be set to `i` after writing accumulated "non-special" characters to avoid issues in later conditionals not updating it like the empty `else` described above:
```
if i > slice_start {
write_bytes(&bytes[slice_start..i])?;
+ slice_start = i;
}
```
An alternative would be to update it in the `else` condition when `i > slice_start`, but there is the risk of adding new conditionals not updating it later.
PS: Maybe some code could be common with `PercentDecode` in `percent_encoding` lib to avoid duplicate (and different) implementations.
| 2022-10-02T13:37:01
|
rust
|
Easy
|
servo/rust-url
| 510
|
servo__rust-url-510
|
[
"455"
] |
04e705d476c285fd6677287a59ffa64bd566ab81
|
diff --git a/.travis.yml b/.travis.yml
--- a/.travis.yml
+++ b/.travis.yml
@@ -2,7 +2,7 @@ language: rust
jobs:
include:
- - rust: 1.17.0
+ - rust: 1.24.0
install:
# --precise requires Cargo.lock to already exist
- cargo update
@@ -11,8 +11,7 @@ jobs:
- cargo update -p unicode-normalization --precise 0.1.5
- # data-url uses pub(crate) which is unstable in 1.17
- script: cargo test --all-features -p url -p idna -p percent-encoding -p url_serde
+ script: cargo test --all-features -p url -p idna -p percent-encoding -p url_serde -p data-url
- rust: stable
script: cargo test --all-features --all
diff --git a/idna/src/punycode.rs b/idna/src/punycode.rs
--- a/idna/src/punycode.rs
+++ b/idna/src/punycode.rs
@@ -15,8 +15,6 @@
use std::u32;
use std::char;
-#[allow(unused_imports, deprecated)]
-use std::ascii::AsciiExt;
// Bootstring parameters for Punycode
static BASE: u32 = 36;
diff --git a/idna/src/uts46.rs b/idna/src/uts46.rs
--- a/idna/src/uts46.rs
+++ b/idna/src/uts46.rs
@@ -11,8 +11,6 @@
use self::Mapping::*;
use punycode;
-#[allow(unused_imports, deprecated)]
-use std::ascii::AsciiExt;
use std::cmp::Ordering::{Equal, Less, Greater};
use unicode_bidi::{BidiClass, bidi_class};
use unicode_normalization::UnicodeNormalization;
diff --git a/percent_encoding/lib.rs b/percent_encoding/lib.rs
--- a/percent_encoding/lib.rs
+++ b/percent_encoding/lib.rs
@@ -32,7 +32,6 @@
//! assert_eq!(utf8_percent_encode("foo bar?", DEFAULT_ENCODE_SET).to_string(), "foo%20bar%3F");
//! ```
-use std::ascii::AsciiExt;
use std::borrow::Cow;
use std::fmt;
use std::slice;
diff --git a/src/form_urlencoded.rs b/src/form_urlencoded.rs
--- a/src/form_urlencoded.rs
+++ b/src/form_urlencoded.rs
@@ -55,7 +55,6 @@ pub fn parse_with_encoding<'a>(input: &'a [u8],
encoding_override: Option<::encoding::EncodingRef>,
use_charset: bool)
-> Result<Parse<'a>, ()> {
- use std::ascii::AsciiExt;
let mut encoding = EncodingOverride::from_opt_encoding(encoding_override);
if !(encoding.is_utf8() || input.is_ascii()) {
diff --git a/src/lib.rs b/src/lib.rs
--- a/src/lib.rs
+++ b/src/lib.rs
@@ -2346,7 +2346,6 @@ fn path_to_file_url_segments_windows(path: &Path, serialization: &mut String)
fn file_url_segments_to_pathbuf(host: Option<&str>, segments: str::Split<char>) -> Result<PathBuf, ()> {
use std::ffi::OsStr;
use std::os::unix::prelude::OsStrExt;
- use std::path::PathBuf;
if host.is_some() {
return Err(());
diff --git a/src/origin.rs b/src/origin.rs
--- a/src/origin.rs
+++ b/src/origin.rs
@@ -10,7 +10,7 @@
use host::Host;
use idna::domain_to_unicode;
use parser::default_port;
-use std::sync::atomic::{AtomicUsize, ATOMIC_USIZE_INIT, Ordering};
+use std::sync::atomic::{AtomicUsize, Ordering};
use Url;
pub fn url_origin(url: &Url) -> Origin {
@@ -76,7 +76,7 @@ impl HeapSizeOf for Origin {
impl Origin {
/// Creates a new opaque origin that is only equal to itself.
pub fn new_opaque() -> Origin {
- static COUNTER: AtomicUsize = ATOMIC_USIZE_INIT;
+ static COUNTER: AtomicUsize = AtomicUsize::new(0);
Origin::Opaque(OpaqueOrigin(COUNTER.fetch_add(1, Ordering::SeqCst)))
}
diff --git a/src/parser.rs b/src/parser.rs
--- a/src/parser.rs
+++ b/src/parser.rs
@@ -6,9 +6,6 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-#[allow(unused_imports, deprecated)]
-use std::ascii::AsciiExt;
-
use std::error::Error;
use std::fmt::{self, Formatter, Write};
use std::str;
|
diff --git a/tests/unit.rs b/tests/unit.rs
--- a/tests/unit.rs
+++ b/tests/unit.rs
@@ -11,7 +11,6 @@
#[macro_use]
extern crate url;
-use std::ascii::AsciiExt;
use std::borrow::Cow;
use std::cell::{Cell, RefCell};
use std::net::{Ipv4Addr, Ipv6Addr};
|
Use of std::ascii::AsciiExt causes warnings
std::ascii::AsciiExt has been deprecated since 1.26.0 and travis build shows warnings about them at compiling. See https://travis-ci.org/servo/rust-url/jobs/400867523 for example.
I think we should replace them with inherent method calls or at least suppress the warnings.
| 2019-07-13T09:49:45
|
rust
|
Easy
|
|
hyperium/h2
| 136
|
hyperium__h2-136
|
[
"120"
] |
7d1732a70d981d72c92c7d32b02b6a5cb09ef296
|
diff --git a/src/frame/headers.rs b/src/frame/headers.rs
--- a/src/frame/headers.rs
+++ b/src/frame/headers.rs
@@ -211,6 +211,11 @@ impl Headers {
(self.header_block.pseudo, self.header_block.fields)
}
+ #[cfg(feature = "unstable")]
+ pub fn pseudo_mut(&mut self) -> &mut Pseudo {
+ &mut self.header_block.pseudo
+ }
+
pub fn fields(&self) -> &HeaderMap {
&self.header_block.fields
}
diff --git a/src/server.rs b/src/server.rs
--- a/src/server.rs
+++ b/src/server.rs
@@ -513,15 +513,15 @@ impl proto::Peer for Peer {
let mut parts = uri::Parts::default();
if let Some(scheme) = pseudo.scheme {
- // TODO: Don't unwrap
- parts.scheme = Some(uri::Scheme::from_shared(scheme.into_inner()).unwrap());
+ parts.scheme = Some(uri::Scheme::from_shared(scheme.into_inner())
+ .or_else(|_| malformed!())?);
} else {
malformed!();
}
if let Some(authority) = pseudo.authority {
- // TODO: Don't unwrap
- parts.authority = Some(uri::Authority::from_shared(authority.into_inner()).unwrap());
+ parts.authority = Some(uri::Authority::from_shared(authority.into_inner())
+ .or_else(|_| malformed!())?);
}
if let Some(path) = pseudo.path {
@@ -530,8 +530,8 @@ impl proto::Peer for Peer {
malformed!();
}
- // TODO: Don't unwrap
- parts.path_and_query = Some(uri::PathAndQuery::from_shared(path.into_inner()).unwrap());
+ parts.path_and_query = Some(uri::PathAndQuery::from_shared(path.into_inner())
+ .or_else(|_| malformed!())?);
}
b.uri(parts);
|
diff --git a/tests/server.rs b/tests/server.rs
--- a/tests/server.rs
+++ b/tests/server.rs
@@ -58,3 +58,30 @@ fn serve_request() {
#[test]
#[ignore]
fn accept_with_pending_connections_after_socket_close() {}
+
+#[test]
+fn sent_invalid_authority() {
+ let _ = ::env_logger::init();
+ let (io, client) = mock::new();
+
+ let bad_auth = util::byte_str("not:a/good authority");
+ let mut bad_headers: frame::Headers = frames::headers(1)
+ .request("GET", "https://example.com/")
+ .eos()
+ .into();
+ bad_headers.pseudo_mut().authority = Some(bad_auth);
+
+ let client = client
+ .assert_server_handshake()
+ .unwrap()
+ .recv_settings()
+ .send_frame(bad_headers)
+ .recv_frame(frames::reset(1).protocol_error())
+ .close();
+
+ let srv = Server::handshake(io)
+ .expect("handshake")
+ .and_then(|srv| srv.into_future().unwrap());
+
+ srv.join(client).wait().expect("wait");
+}
diff --git a/tests/support/frames.rs b/tests/support/frames.rs
--- a/tests/support/frames.rs
+++ b/tests/support/frames.rs
@@ -136,6 +136,12 @@ impl Mock<frame::Headers> {
}
}
+impl From<Mock<frame::Headers>> for frame::Headers {
+ fn from(src: Mock<frame::Headers>) -> Self {
+ src.0
+ }
+}
+
impl From<Mock<frame::Headers>> for SendFrame {
fn from(src: Mock<frame::Headers>) -> Self {
Frame::Headers(src.0)
@@ -234,6 +240,11 @@ impl From<Mock<frame::GoAway>> for SendFrame {
// ==== Reset helpers
impl Mock<frame::Reset> {
+ pub fn protocol_error(self) -> Self {
+ let id = self.0.stream_id();
+ Mock(frame::Reset::new(id, frame::Reason::ProtocolError))
+ }
+
pub fn flow_control(self) -> Self {
let id = self.0.stream_id();
Mock(frame::Reset::new(id, frame::Reason::FlowControlError))
diff --git a/tests/support/mod.rs b/tests/support/mod.rs
--- a/tests/support/mod.rs
+++ b/tests/support/mod.rs
@@ -12,6 +12,7 @@ pub extern crate futures;
pub extern crate h2;
pub extern crate http;
pub extern crate mock_io;
+pub extern crate string;
pub extern crate tokio_io;
// Kind of annoying, but we can't use macros from crates that aren't specified
diff --git a/tests/support/util.rs b/tests/support/util.rs
--- a/tests/support/util.rs
+++ b/tests/support/util.rs
@@ -1,8 +1,13 @@
use h2::client;
+use super::string::{String, TryFrom};
use bytes::Bytes;
use futures::{Async, Future, Poll};
+pub fn byte_str(s: &str) -> String<Bytes> {
+ String::try_from(Bytes::from(s)).unwrap()
+}
+
pub fn wait_for_capacity(stream: client::Stream<Bytes>, target: usize) -> WaitForCapacity {
WaitForCapacity {
stream: Some(stream),
|
panic on invalid :authority
When the value of `:authority` is invalid, we get the following panic:
```
thread 'main' panicked at 'called `Result::unwrap()` on an `Err` value: InvalidUriBytes(InvalidUri(InvalidUriChar))', src/libcore/result.rs:906:4
9: core::result::unwrap_failed
10: <h2::server::Peer as h2::proto::peer::Peer>::convert_poll_message
11: <h2::proto::connection::Connection<T, P, B>>::poll2
12: <h2::server::Server<T, B> as futures::stream::Stream>::poll
```
This should probably be a User error and not a panic.
|
Looks like this is in server, so it wouldn't be a user error.
> Endpoints MUST treat a request or response that contains undefined or invalid pseudo-header fields as malformed.
If we say that a `:authority` with illegal bytes is an "invalid pseudo-header", then it's a [stream error of PROTOCOL_ERROR](http://httpwg.org/specs/rfc7540.html#malformed).
I think other "invalid request" situations are handled as a stream error currently.
| 2017-10-06T02:18:30
|
rust
|
Hard
|
hyperium/h2
| 210
|
hyperium__h2-210
|
[
"138"
] |
26e7a2d4165d500ee8426a10d2919e40663b4160
|
diff --git a/src/proto/streams/prioritize.rs b/src/proto/streams/prioritize.rs
--- a/src/proto/streams/prioritize.rs
+++ b/src/proto/streams/prioritize.rs
@@ -266,6 +266,27 @@ impl Prioritize {
Ok(())
}
+ /// Reclaim all capacity assigned to the stream and re-assign it to the
+ /// connection
+ pub fn reclaim_all_capacity(&mut self, stream: &mut store::Ptr) {
+ let available = stream.send_flow.available().as_size();
+ stream.send_flow.claim_capacity(available);
+ // Re-assign all capacity to the connection
+ self.assign_connection_capacity(available, stream);
+ }
+
+ /// Reclaim just reserved capacity, not buffered capacity, and re-assign
+ /// it to the connection
+ pub fn reclaim_reserved_capacity(&mut self, stream: &mut store::Ptr) {
+ // only reclaim requested capacity that isn't already buffered
+ if stream.requested_send_capacity > stream.buffered_send_data {
+ let reserved = stream.requested_send_capacity - stream.buffered_send_data;
+
+ stream.send_flow.claim_capacity(reserved);
+ self.assign_connection_capacity(reserved, stream);
+ }
+ }
+
pub fn assign_connection_capacity<R>(&mut self, inc: WindowSize, store: &mut R)
where
R: Resolve,
diff --git a/src/proto/streams/send.rs b/src/proto/streams/send.rs
--- a/src/proto/streams/send.rs
+++ b/src/proto/streams/send.rs
@@ -155,6 +155,7 @@ impl Send {
}
pub fn schedule_cancel(&mut self, stream: &mut store::Ptr, task: &mut Option<Task>) {
+ trace!("schedule_cancel; {:?}", stream.id);
if stream.state.is_closed() {
// Stream is already closed, nothing more to do
return;
@@ -162,7 +163,7 @@ impl Send {
stream.state.set_canceled();
- self.reclaim_capacity(stream);
+ self.prioritize.reclaim_reserved_capacity(stream);
self.prioritize.schedule_send(stream, task);
}
@@ -285,17 +286,7 @@ impl Send {
) {
// Clear all pending outbound frames
self.prioritize.clear_queue(buffer, stream);
- self.reclaim_capacity(stream);
- }
-
- fn reclaim_capacity(&mut self, stream: &mut store::Ptr) {
- // Reclaim all capacity assigned to the stream and re-assign it to the
- // connection
- let available = stream.send_flow.available().as_size();
- stream.send_flow.claim_capacity(available);
- // Re-assign all capacity to the connection
- self.prioritize
- .assign_connection_capacity(available, stream);
+ self.prioritize.reclaim_all_capacity(stream);
}
pub fn apply_remote_settings<B>(
diff --git a/src/proto/streams/stream.rs b/src/proto/streams/stream.rs
--- a/src/proto/streams/stream.rs
+++ b/src/proto/streams/stream.rs
@@ -243,7 +243,7 @@ impl Stream {
///
/// In this case, a reset should be sent.
pub fn is_canceled_interest(&self) -> bool {
- self.ref_count == 0 && !self.state.is_recv_closed()
+ self.ref_count == 0 && !self.state.is_closed()
}
pub fn assign_capacity(&mut self, capacity: WindowSize) {
|
diff --git a/tests/server.rs b/tests/server.rs
--- a/tests/server.rs
+++ b/tests/server.rs
@@ -172,7 +172,7 @@ fn recv_connection_header() {
}
#[test]
-fn sends_reset_cancel_when_body_is_dropped() {
+fn sends_reset_cancel_when_req_body_is_dropped() {
let _ = ::env_logger::init();
let (io, client) = mock::new();
@@ -203,3 +203,61 @@ fn sends_reset_cancel_when_body_is_dropped() {
srv.join(client).wait().expect("wait");
}
+
+#[test]
+fn sends_reset_cancel_when_res_body_is_dropped() {
+ let _ = ::env_logger::init();
+ let (io, client) = mock::new();
+
+ let client = client
+ .assert_server_handshake()
+ .unwrap()
+ .recv_settings()
+ .send_frame(
+ frames::headers(1)
+ .request("GET", "https://example.com/")
+ .eos()
+ )
+ .recv_frame(frames::headers(1).response(200))
+ .recv_frame(frames::reset(1).cancel())
+ .send_frame(
+ frames::headers(3)
+ .request("GET", "https://example.com/")
+ .eos()
+ )
+ .recv_frame(frames::headers(3).response(200))
+ .recv_frame(frames::data(3, vec![0; 10]))
+ .recv_frame(frames::reset(3).cancel())
+ .close();
+
+ let srv = Server::handshake(io).expect("handshake").and_then(|srv| {
+ srv.into_future().unwrap().and_then(|(reqstream, srv)| {
+ let (req, mut stream) = reqstream.unwrap();
+
+ assert_eq!(req.method(), &http::Method::GET);
+
+ let rsp = http::Response::builder()
+ .status(200)
+ .body(())
+ .unwrap();
+ stream.send_response(rsp, false).unwrap();
+ // SendStream dropped
+
+ srv.into_future().unwrap()
+ }).and_then(|(reqstream, srv)| {
+ let (_req, mut stream) = reqstream.unwrap();
+
+ let rsp = http::Response::builder()
+ .status(200)
+ .body(())
+ .unwrap();
+ let mut tx = stream.send_response(rsp, false).unwrap();
+ tx.send_data(vec![0; 10].into(), false).unwrap();
+ // no send_data with eos
+
+ srv.into_future().unwrap()
+ })
+ });
+
+ srv.join(client).wait().expect("wait");
+}
|
Handle `Stream` dropped before end-of-stream flag sent
This is a continuation of [a comment](https://github.com/carllerche/h2/pull/109/files#r143109861).
I believe that currently, if a `Stream` is dropped without sending an end-of-stream flag, nothing happens. This would cause the stream to enter a hung state.
|
We have to guess at the intent of the user here.
- If there was a content-length set, and it's gotten to zero, then that's easy: send a 0-length EOS frame.
- If there was a content-length set, and it's not at zero yet, then the stream should be reset (probably with a CANCEL code).
- If no content-length was set, then I'm not sure which is correct. Do we guess that the user is just done? Or is it more appropriate to assume the stream should be reset unless explicitly finished?
- With the client, it probably shouldn't reset unless the user also dropped the response future/stream, in which case dropping all stream refs triggers a cancel anyways.
- With the server, I'm still not certain whether it's more correct to send a reset or an empty EOS data frame.
IMO for something like h2, I would be happy to say that the lib shouldn't maintain additional state to guess the right action here. Instead, it is up to the user to include an EOS flag at the end of the stream. Higher level libs should hide this detail from their users.
So, unequivocally send a reset of `CANCEL`, always?
I would say that would be preferable to hanging the stream and I don't think we should track additional state. It may be that the library already has enough state to do the right thing, but I am not sure off the top of my head.
So, in short:
* Don't track additional state for this issue
* Do the best thing possible, even if that is always sending a RST_STREAM with CANCEL.
| 2018-01-02T23:21:45
|
rust
|
Hard
|
sunng87/handlebars-rust
| 282
|
sunng87__handlebars-rust-282
|
[
"281"
] |
f30998d8393a318b895912b3523163cd45e448fb
|
diff --git a/src/registry.rs b/src/registry.rs
--- a/src/registry.rs
+++ b/src/registry.rs
@@ -57,16 +57,16 @@ pub fn no_escape(data: &str) -> String {
/// The single entry point of your Handlebars templates
///
/// It maintains compiled templates and registered helpers.
-pub struct Registry {
+pub struct Registry<'reg> {
templates: HashMap<String, Template>,
- helpers: HashMap<String, Box<dyn HelperDef + 'static>>,
- directives: HashMap<String, Box<dyn DirectiveDef + 'static>>,
+ helpers: HashMap<String, Box<dyn HelperDef + 'reg>>,
+ directives: HashMap<String, Box<dyn DirectiveDef + 'reg>>,
escape_fn: EscapeFn,
source_map: bool,
strict_mode: bool,
}
-impl Debug for Registry {
+impl<'reg> Debug for Registry<'reg> {
fn fmt(&self, f: &mut Formatter) -> Result<(), fmt::Error> {
f.debug_struct("Handlebars")
.field("templates", &self.templates)
@@ -77,7 +77,7 @@ impl Debug for Registry {
}
}
-impl Default for Registry {
+impl<'reg> Default for Registry<'reg> {
fn default() -> Self {
Self::new()
}
@@ -98,8 +98,8 @@ fn filter_file(entry: &DirEntry, suffix: &str) -> bool {
.unwrap_or(true)
}
-impl Registry {
- pub fn new() -> Registry {
+impl<'reg> Registry<'reg> {
+ pub fn new() -> Registry<'reg> {
let r = Registry {
templates: HashMap::new(),
helpers: HashMap::new(),
@@ -112,7 +112,7 @@ impl Registry {
r.setup_builtins()
}
- fn setup_builtins(mut self) -> Registry {
+ fn setup_builtins(mut self) -> Registry<'reg> {
self.register_helper("if", Box::new(helpers::IF_HELPER));
self.register_helper("unless", Box::new(helpers::UNLESS_HELPER));
self.register_helper("each", Box::new(helpers::EACH_HELPER));
@@ -280,8 +280,8 @@ impl Registry {
pub fn register_helper(
&mut self,
name: &str,
- def: Box<dyn HelperDef + 'static>,
- ) -> Option<Box<dyn HelperDef + 'static>> {
+ def: Box<dyn HelperDef + 'reg>,
+ ) -> Option<Box<dyn HelperDef + 'reg>> {
self.helpers.insert(name.to_string(), def)
}
@@ -289,8 +289,8 @@ impl Registry {
pub fn register_decorator(
&mut self,
name: &str,
- def: Box<dyn DirectiveDef + 'static>,
- ) -> Option<Box<dyn DirectiveDef + 'static>> {
+ def: Box<dyn DirectiveDef + 'reg>,
+ ) -> Option<Box<dyn DirectiveDef + 'reg>> {
self.directives.insert(name.to_string(), def)
}
@@ -323,12 +323,12 @@ impl Registry {
}
/// Return a registered helper
- pub fn get_helper(&self, name: &str) -> Option<&(dyn HelperDef + 'static)> {
+ pub fn get_helper(&self, name: &str) -> Option<&(dyn HelperDef)> {
self.helpers.get(name).map(|v| v.as_ref())
}
/// Return a registered directive, aka decorator
- pub fn get_decorator(&self, name: &str) -> Option<&(dyn DirectiveDef + 'static)> {
+ pub fn get_decorator(&self, name: &str) -> Option<&(dyn DirectiveDef)> {
self.directives.get(name).map(|v| v.as_ref())
}
|
diff --git a/tests/data_helper.rs b/tests/data_helper.rs
new file mode 100644
--- /dev/null
+++ b/tests/data_helper.rs
@@ -0,0 +1,29 @@
+use handlebars::*;
+use serde_json::json;
+
+struct HelperWithBorrowedData<'a>(&'a String);
+
+impl<'a> HelperDef for HelperWithBorrowedData<'a> {
+ fn call<'_reg: '_rc, '_rc>(
+ &self,
+ _: &Helper<'_reg, '_rc>,
+ _: &'_reg Handlebars,
+ _: &Context,
+ _: &mut RenderContext<'_reg>,
+ out: &mut dyn Output,
+ ) -> Result<(), RenderError> {
+ out.write(self.0).map_err(RenderError::from)
+ }
+}
+
+#[test]
+fn test_helper_with_ref_data() {
+ let s = "hello helper".to_owned();
+ let the_helper = HelperWithBorrowedData(&s);
+
+ let mut r = Handlebars::new();
+ r.register_helper("hello", Box::new(the_helper));
+
+ let s = r.render_template("Output: {{hello}}", &json!({})).unwrap();
+ assert_eq!(s, "Output: hello helper".to_owned());
+}
|
Attach custom data to Helper.
Hi!
I'm new to both rust and handlebar-rust, so I'm not quite sure if this is even possible.
Say I want to create a helper that references something else:
```rust
pub struct FooHelper<'a> {
foo: &'a Foo,
}
let foo = Foo{}
handlebars.register_helper("foo_helper", Box::new(FooHelper{foo: &foo}));
```
This won't work as `register_helper` needs the helper to have `'static` lifetime. Does this mean that I can not attach a reference to the helper? Or maybe this is how it is intended to avoid some behaviors?
Thanks in advance!
|
Yes, the `'static` lifetime we were using doesn't allow borrowed runtime data in helper. I will look into if it's possible to use a proper lifetime for this case. Ideally we should be able to use borrowed data with lifetime equals to the registry.
| 2019-07-20T14:12:28
|
rust
|
Hard
|
servo/rust-url
| 259
|
servo__rust-url-259
|
[
"252",
"254"
] |
9f5efbf3ab7d1ccf4b1af9283574d70f113b2d60
|
diff --git a/Cargo.toml b/Cargo.toml
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -27,6 +27,7 @@ test = false
[dev-dependencies]
rustc-test = "0.1"
rustc-serialize = "0.3"
+serde_json = ">=0.6.1, <0.9"
[features]
query_encoding = ["encoding"]
diff --git a/Makefile b/Makefile
--- a/Makefile
+++ b/Makefile
@@ -1,6 +1,5 @@
test:
- cargo test --features "query_encoding serde rustc-serialize"
- [ x$$TRAVIS_RUST_VERSION != xnightly ] || cargo test --features heapsize
+ cargo test --features "query_encoding serde rustc-serialize heapsize"
(cd idna && cargo test)
.PHONY: test
diff --git a/src/host.rs b/src/host.rs
--- a/src/host.rs
+++ b/src/host.rs
@@ -27,6 +27,38 @@ pub enum HostInternal {
#[cfg(feature = "heapsize")]
known_heap_size!(0, HostInternal);
+#[cfg(feature="serde")]
+impl ::serde::Serialize for HostInternal {
+ fn serialize<S>(&self, serializer: &mut S) -> Result<(), S::Error> where S: ::serde::Serializer {
+ // This doesn’t use `derive` because that involves
+ // large dependencies (that take a long time to build), and
+ // either Macros 1.1 which are not stable yet or a cumbersome build script.
+ //
+ // Implementing `Serializer` correctly for an enum is tricky,
+ // so let’s use existing enums that already do.
+ use std::net::IpAddr;
+ match *self {
+ HostInternal::None => None,
+ HostInternal::Domain => Some(None),
+ HostInternal::Ipv4(addr) => Some(Some(IpAddr::V4(addr))),
+ HostInternal::Ipv6(addr) => Some(Some(IpAddr::V6(addr))),
+ }.serialize(serializer)
+ }
+}
+
+#[cfg(feature="serde")]
+impl ::serde::Deserialize for HostInternal {
+ fn deserialize<D>(deserializer: &mut D) -> Result<Self, D::Error> where D: ::serde::Deserializer {
+ use std::net::IpAddr;
+ Ok(match try!(::serde::Deserialize::deserialize(deserializer)) {
+ None => HostInternal::None,
+ Some(None) => HostInternal::Domain,
+ Some(Some(IpAddr::V4(addr))) => HostInternal::Ipv4(addr),
+ Some(Some(IpAddr::V6(addr))) => HostInternal::Ipv6(addr),
+ })
+ }
+}
+
impl<S> From<Host<S>> for HostInternal {
fn from(host: Host<S>) -> HostInternal {
match host {
diff --git a/src/lib.rs b/src/lib.rs
--- a/src/lib.rs
+++ b/src/lib.rs
@@ -348,11 +348,12 @@ impl Url {
/// This checks each of these invariants and panic if one is not met.
/// This is for testing rust-url itself.
#[doc(hidden)]
- pub fn assert_invariants(&self) {
+ pub fn check_invariants(&self) -> Result<(), String> {
macro_rules! assert {
($x: expr) => {
if !$x {
- panic!("!( {} ) for URL {:?}", stringify!($x), self.serialization)
+ return Err(format!("!( {} ) for URL {:?}",
+ stringify!($x), self.serialization))
}
}
}
@@ -363,8 +364,9 @@ impl Url {
let a = $a;
let b = $b;
if a != b {
- panic!("{:?} != {:?} ({} != {}) for URL {:?}",
- a, b, stringify!($a), stringify!($b), self.serialization)
+ return Err(format!("{:?} != {:?} ({} != {}) for URL {:?}",
+ a, b, stringify!($a), stringify!($b),
+ self.serialization))
}
}
}
@@ -445,6 +447,7 @@ impl Url {
assert_eq!(self.path_start, other.path_start);
assert_eq!(self.query_start, other.query_start);
assert_eq!(self.fragment_start, other.fragment_start);
+ Ok(())
}
/// Return the origin of this URL (https://url.spec.whatwg.org/#origin)
@@ -1514,6 +1517,60 @@ impl Url {
Ok(url)
}
+ /// Serialize with Serde using the internal representation of the `Url` struct.
+ ///
+ /// The corresponding `deserialize_internal` method sacrifices some invariant-checking
+ /// for speed, compared to the `Deserialize` trait impl.
+ ///
+ /// This method is only available if the `serde` Cargo feature is enabled.
+ #[cfg(feature = "serde")]
+ #[deny(unused)]
+ pub fn serialize_internal<S>(&self, serializer: &mut S) -> Result<(), S::Error> where S: serde::Serializer {
+ use serde::Serialize;
+ // Destructuring first lets us ensure that adding or removing fields forces this method
+ // to be updated
+ let Url { ref serialization, ref scheme_end,
+ ref username_end, ref host_start,
+ ref host_end, ref host, ref port,
+ ref path_start, ref query_start,
+ ref fragment_start} = *self;
+ (serialization, scheme_end, username_end,
+ host_start, host_end, host, port, path_start,
+ query_start, fragment_start).serialize(serializer)
+ }
+
+ /// Serialize with Serde using the internal representation of the `Url` struct.
+ ///
+ /// The corresponding `deserialize_internal` method sacrifices some invariant-checking
+ /// for speed, compared to the `Deserialize` trait impl.
+ ///
+ /// This method is only available if the `serde` Cargo feature is enabled.
+ #[cfg(feature = "serde")]
+ #[deny(unused)]
+ pub fn deserialize_internal<D>(deserializer: &mut D) -> Result<Self, D::Error> where D: serde::Deserializer {
+ use serde::{Deserialize, Error};
+ let (serialization, scheme_end, username_end,
+ host_start, host_end, host, port, path_start,
+ query_start, fragment_start) = try!(Deserialize::deserialize(deserializer));
+ let url = Url {
+ serialization: serialization,
+ scheme_end: scheme_end,
+ username_end: username_end,
+ host_start: host_start,
+ host_end: host_end,
+ host: host,
+ port: port,
+ path_start: path_start,
+ query_start: query_start,
+ fragment_start: fragment_start
+ };
+ if cfg!(debug_assertions) {
+ try!(url.check_invariants().map_err(|ref reason| Error::invalid_value(&reason)))
+ }
+ Ok(url)
+ }
+
+
/// Assuming the URL is in the `file` scheme or similar,
/// convert its path to an absolute `std::path::Path`.
///
diff --git a/src/path_segments.rs b/src/path_segments.rs
--- a/src/path_segments.rs
+++ b/src/path_segments.rs
@@ -177,11 +177,4 @@ impl<'a> PathSegmentsMut<'a> {
});
self
}
-
- /// For internal testing, not part of the public API.
- #[doc(hidden)]
- pub fn assert_url_invariants(&mut self) -> &mut Self {
- self.url.assert_invariants();
- self
- }
}
|
diff --git a/tests/data.rs b/tests/data.rs
--- a/tests/data.rs
+++ b/tests/data.rs
@@ -15,6 +15,16 @@ extern crate url;
use rustc_serialize::json::{self, Json};
use url::{Url, quirks};
+fn check_invariants(url: &Url) {
+ url.check_invariants().unwrap();
+ #[cfg(feature="serde")] {
+ extern crate serde_json;
+ let bytes = serde_json::to_vec(url).unwrap();
+ let new_url: Url = serde_json::from_slice(&bytes).unwrap();
+ assert_eq!(url, &new_url);
+ }
+}
+
fn run_parsing(input: String, base: String, expected: Result<ExpectedAttributes, ()>) {
let base = match Url::parse(&base) {
@@ -28,7 +38,7 @@ fn run_parsing(input: String, base: String, expected: Result<ExpectedAttributes,
(Ok(_), Err(())) => panic!("Expected a parse error for URL {:?}", input),
};
- url.assert_invariants();
+ check_invariants(&url);
macro_rules! assert_eq {
($expected: expr, $got: expr) => {
@@ -144,11 +154,11 @@ fn collect_setters<F>(add_test: &mut F) where F: FnMut(String, test::TestFn) {
let mut expected = test.take("expected").unwrap();
add_test(name, test::TestFn::dyn_test_fn(move || {
let mut url = Url::parse(&href).unwrap();
- url.assert_invariants();
+ check_invariants(&url);
let _ = quirks::$setter(&mut url, &new_value);
assert_attributes!(url, expected,
href protocol username password host hostname port pathname search hash);
- url.assert_invariants();
+ check_invariants(&url);
}))
}
}}
diff --git a/tests/unit.rs b/tests/unit.rs
--- a/tests/unit.rs
+++ b/tests/unit.rs
@@ -259,13 +259,13 @@ fn test_form_serialize() {
fn issue_25() {
let filename = if cfg!(windows) { r"C:\run\pg.sock" } else { "/run/pg.sock" };
let mut url = Url::from_file_path(filename).unwrap();
- url.assert_invariants();
+ url.check_invariants().unwrap();
url.set_scheme("postgres").unwrap();
- url.assert_invariants();
+ url.check_invariants().unwrap();
url.set_host(Some("")).unwrap();
- url.assert_invariants();
+ url.check_invariants().unwrap();
url.set_username("me").unwrap();
- url.assert_invariants();
+ url.check_invariants().unwrap();
let expected = format!("postgres://me@/{}run/pg.sock", if cfg!(windows) { "C:/" } else { "" });
assert_eq!(url.as_str(), expected);
}
@@ -277,7 +277,7 @@ fn issue_61() {
url.set_scheme("https").unwrap();
assert_eq!(url.port(), None);
assert_eq!(url.port_or_known_default(), Some(443));
- url.assert_invariants();
+ url.check_invariants().unwrap();
}
#[test]
@@ -285,7 +285,7 @@ fn issue_61() {
/// https://github.com/servo/rust-url/issues/197
fn issue_197() {
let mut url = Url::from_file_path("/").expect("Failed to parse path");
- url.assert_invariants();
+ url.check_invariants().unwrap();
assert_eq!(url, Url::parse("file:///").expect("Failed to parse path + protocol"));
url.path_segments_mut().expect("path_segments_mut").pop_if_empty();
}
@@ -299,9 +299,9 @@ fn issue_241() {
/// https://github.com/servo/rust-url/issues/222
fn append_trailing_slash() {
let mut url: Url = "http://localhost:6767/foo/bar?a=b".parse().unwrap();
- url.assert_invariants();
+ url.check_invariants().unwrap();
url.path_segments_mut().unwrap().push("");
- url.assert_invariants();
+ url.check_invariants().unwrap();
assert_eq!(url.to_string(), "http://localhost:6767/foo/bar/?a=b");
}
@@ -310,10 +310,10 @@ fn append_trailing_slash() {
fn extend_query_pairs_then_mutate() {
let mut url: Url = "http://localhost:6767/foo/bar".parse().unwrap();
url.query_pairs_mut().extend_pairs(vec![ ("auth", "my-token") ].into_iter());
- url.assert_invariants();
+ url.check_invariants().unwrap();
assert_eq!(url.to_string(), "http://localhost:6767/foo/bar?auth=my-token");
url.path_segments_mut().unwrap().push("some_other_path");
- url.assert_invariants();
+ url.check_invariants().unwrap();
assert_eq!(url.to_string(), "http://localhost:6767/foo/bar/some_other_path?auth=my-token");
}
@@ -321,9 +321,9 @@ fn extend_query_pairs_then_mutate() {
/// https://github.com/servo/rust-url/issues/222
fn append_empty_segment_then_mutate() {
let mut url: Url = "http://localhost:6767/foo/bar?a=b".parse().unwrap();
- url.assert_invariants();
+ url.check_invariants().unwrap();
url.path_segments_mut().unwrap().push("").pop();
- url.assert_invariants();
+ url.check_invariants().unwrap();
assert_eq!(url.to_string(), "http://localhost:6767/foo/bar?a=b");
}
|
Add faster serde serialization, sacrificing invariant-safety for speed in release mode; test that it roudtrips
r? @SimonSapin
<!-- Reviewable:start -->
---
This change is [<img src="https://reviewable.io/review_button.svg" height="34" align="absmiddle" alt="Reviewable"/>](https://reviewable.io/reviews/servo/rust-url/252)
<!-- Reviewable:end -->
Add an external Serde code generator
This builds upon #252 to use an external serde code generator to avoid forcing downstream components to use `serde_codegen`. If `Url` and `Host` ever need to be modified, just update `src/codegen/url.rs.in` and `src/codegen/host.rs.in`, then run `cd serde-code-generator && cargo run`.
<!-- Reviewable:start -->
---
This change is [<img src="https://reviewable.io/review_button.svg" height="34" align="absmiddle" alt="Reviewable"/>](https://reviewable.io/reviews/servo/rust-url/254)
<!-- Reviewable:end -->
| 2016-12-19T16:35:59
|
rust
|
Hard
|
|
sunng87/handlebars-rust
| 657
|
sunng87__handlebars-rust-657
|
[
"611",
"611"
] |
95a53a833174f5ef2980aca206eae1bf43c2f16e
|
diff --git a/src/registry.rs b/src/registry.rs
--- a/src/registry.rs
+++ b/src/registry.rs
@@ -272,6 +272,7 @@ impl<'reg> Registry<'reg> {
tpl_str.as_ref(),
TemplateOptions {
name: Some(name.to_owned()),
+ is_partial: false,
prevent_indent: self.prevent_indent,
},
)?;
@@ -593,6 +594,7 @@ impl<'reg> Registry<'reg> {
TemplateOptions {
name: Some(name.to_owned()),
prevent_indent: self.prevent_indent,
+ is_partial: false,
},
)
})
diff --git a/src/template.rs b/src/template.rs
--- a/src/template.rs
+++ b/src/template.rs
@@ -30,6 +30,7 @@ pub struct Template {
#[derive(Default)]
pub(crate) struct TemplateOptions {
pub(crate) prevent_indent: bool,
+ pub(crate) is_partial: bool,
pub(crate) name: Option<String>,
}
@@ -570,9 +571,15 @@ impl Template {
source: &str,
current_span: &Span<'_>,
prevent_indent: bool,
+ is_partial: bool,
) -> bool {
- let with_trailing_newline =
- support::str::starts_with_empty_line(&source[current_span.end()..]);
+ let continuation = &source[current_span.end()..];
+
+ let mut with_trailing_newline = support::str::starts_with_empty_line(continuation);
+
+ // For full templates, we behave as if there was a trailing newline if we encounter
+ // the end of input. See #611.
+ with_trailing_newline |= !is_partial && continuation.is_empty();
if with_trailing_newline {
let with_leading_newline =
@@ -770,6 +777,7 @@ impl Template {
source,
&span,
true,
+ options.is_partial,
);
let indent_before_write = trim_line_required && !exp.omit_pre_ws;
@@ -812,6 +820,7 @@ impl Template {
source,
&span,
true,
+ options.is_partial,
);
let indent_before_write = trim_line_required && !exp.omit_pre_ws;
@@ -884,6 +893,7 @@ impl Template {
source,
&span,
prevent_indent,
+ options.is_partial,
);
// indent for partial expression >
@@ -919,6 +929,7 @@ impl Template {
source,
&span,
true,
+ options.is_partial,
);
let mut h = helper_stack.pop_front().unwrap();
@@ -948,6 +959,7 @@ impl Template {
source,
&span,
true,
+ options.is_partial,
);
let mut d = decorator_stack.pop_front().unwrap();
@@ -981,6 +993,7 @@ impl Template {
source,
&span,
true,
+ options.is_partial,
);
let text = span
@@ -996,6 +1009,7 @@ impl Template {
source,
&span,
true,
+ options.is_partial,
);
let text = span
|
diff --git a/tests/whitespace.rs b/tests/whitespace.rs
--- a/tests/whitespace.rs
+++ b/tests/whitespace.rs
@@ -270,3 +270,49 @@ foo
output
);
}
+
+//regression test for #611
+#[test]
+fn tag_before_eof_becomes_standalone_in_full_template() {
+ let input = r#"<ul>
+ {{#each a}}
+ {{!-- comment --}}
+ <li>{{this}}</li>
+ {{/each}}"#;
+ let output = r#"<ul>
+ <li>1</li>
+ <li>2</li>
+ <li>3</li>
+"#;
+ let hbs = Handlebars::new();
+
+ assert_eq!(
+ hbs.render_template(input, &json!({"a": [1, 2, 3]}))
+ .unwrap(),
+ output
+ );
+}
+
+#[test]
+fn tag_before_eof_does_not_become_standalone_in_partial() {
+ let input = r#"{{#*inline "partial"}}
+<ul>
+ {{#each a}}
+ <li>{{this}}</li>
+ {{/each}}{{/inline}}
+{{> partial}}"#;
+
+ let output = r#"
+<ul>
+ <li>1</li>
+ <li>2</li>
+ <li>3</li>
+ "#;
+ let hbs = Handlebars::new();
+
+ assert_eq!(
+ hbs.render_template(input, &json!({"a": [1, 2, 3]}))
+ .unwrap(),
+ output
+ );
+}
|
Extra whitespace added to `each` when the `/each` isn't followed by `\n`
We noticed this issues when upgrading to `4.x`. If an `/each` is not followed by a `\n` the rendered template will contain extra whitespace. This throws off formats which expect consistent whitespace.
Here is a repro:
```rust
#[test]
fn no_newline_for_each() {
let reg = Registry::new();
let tpl = r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}"#;
assert_eq!(
r#"<ul>
<li>0</li>
<li>1</li>
<li>2</li>"#,
reg.render_template(tpl, &json!({"a": [0, 1, 2]})).unwrap()
);
}
```
Using the template:
```
r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}"#
```
Results in:
```
---- helpers::helper_each::test::no_newline_for_each stdout ----
thread 'helpers::helper_each::test::no_newline_for_each' panicked at 'assertion failed: `(left == right)`
left: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>"`,
right: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>\n "`', src/helpers/helper_each.rs:620:9
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
```
Using the template:
```
r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}aa"#
```
Results in:
```
---- helpers::helper_each::test::no_newline_for_each stdout ----
thread 'helpers::helper_each::test::no_newline_for_each' panicked at 'assertion failed: `(left == right)`
left: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>"`,
right: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>\n aa"`', src/helpers/helper_each.rs:620:9
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
```
Using the template:
```
r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}a
"#;
```
Results in:
```
-- helpers::helper_each::test::no_newline_for_each stdout ----
thread 'helpers::helper_each::test::no_newline_for_each' panicked at 'assertion failed: `(left == right)`
left: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>"`,
right: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>\n a\n"`', src/helpers/helper_each.rs:621:9
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
```
Using the template:
```
r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}
"#
```
Results in:
```
---- helpers::helper_each::test::no_newline_for_each stdout ----
thread 'helpers::helper_each::test::no_newline_for_each' panicked at 'assertion failed: `(left == right)`
left: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>"`,
right: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>\n"`', src/helpers/helper_each.rs:621:9
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
```
As long as the `/each` is followed by a `\n` we get predictable whitespace.
Extra whitespace added to `each` when the `/each` isn't followed by `\n`
We noticed this issues when upgrading to `4.x`. If an `/each` is not followed by a `\n` the rendered template will contain extra whitespace. This throws off formats which expect consistent whitespace.
Here is a repro:
```rust
#[test]
fn no_newline_for_each() {
let reg = Registry::new();
let tpl = r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}"#;
assert_eq!(
r#"<ul>
<li>0</li>
<li>1</li>
<li>2</li>"#,
reg.render_template(tpl, &json!({"a": [0, 1, 2]})).unwrap()
);
}
```
Using the template:
```
r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}"#
```
Results in:
```
---- helpers::helper_each::test::no_newline_for_each stdout ----
thread 'helpers::helper_each::test::no_newline_for_each' panicked at 'assertion failed: `(left == right)`
left: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>"`,
right: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>\n "`', src/helpers/helper_each.rs:620:9
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
```
Using the template:
```
r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}aa"#
```
Results in:
```
---- helpers::helper_each::test::no_newline_for_each stdout ----
thread 'helpers::helper_each::test::no_newline_for_each' panicked at 'assertion failed: `(left == right)`
left: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>"`,
right: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>\n aa"`', src/helpers/helper_each.rs:620:9
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
```
Using the template:
```
r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}a
"#;
```
Results in:
```
-- helpers::helper_each::test::no_newline_for_each stdout ----
thread 'helpers::helper_each::test::no_newline_for_each' panicked at 'assertion failed: `(left == right)`
left: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>"`,
right: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>\n a\n"`', src/helpers/helper_each.rs:621:9
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
```
Using the template:
```
r#"<ul>
{{#each a}}
{{!-- comment --}}
<li>{{this}}</li>
{{/each}}
"#
```
Results in:
```
---- helpers::helper_each::test::no_newline_for_each stdout ----
thread 'helpers::helper_each::test::no_newline_for_each' panicked at 'assertion failed: `(left == right)`
left: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>"`,
right: `"<ul>\n <li>0</li>\n <li>1</li>\n <li>2</li>\n"`', src/helpers/helper_each.rs:621:9
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
```
As long as the `/each` is followed by a `\n` we get predictable whitespace.
|
Thank you for reporting. I can reproduce this issue with 4.x and 5.0 beta.
links for comparing with javascript version:
- https://sunng87.github.io/handlebars-rust/?tpl=%3Cul%3E%0A%20%20%7B%7B%23each%20a%7D%7D%0A%20%20%20%20%3Cli%3E%7B%7Bthis%7D%7D%3C%2Fli%3E%0A%20%20%7B%7B%2Feach%7D%7D&data=%7B%22a%22%3A%20%5B1%2C%202%5D%7D
- https://sunng87.github.io/handlebars-rust/?tpl=%3Cul%3E%0A%20%20%7B%7B%23each%20a%7D%7D%0A%20%20%20%20%3Cli%3E%7B%7Bthis%7D%7D%3C%2Fli%3E%0A%20%20%7B%7B%2Feach%7D%7Da&data=%7B%22a%22%3A%20%5B1%2C%202%5D%7D
Thank you for reporting. I can reproduce this issue with 4.x and 5.0 beta.
links for comparing with javascript version:
- https://sunng87.github.io/handlebars-rust/?tpl=%3Cul%3E%0A%20%20%7B%7B%23each%20a%7D%7D%0A%20%20%20%20%3Cli%3E%7B%7Bthis%7D%7D%3C%2Fli%3E%0A%20%20%7B%7B%2Feach%7D%7D&data=%7B%22a%22%3A%20%5B1%2C%202%5D%7D
- https://sunng87.github.io/handlebars-rust/?tpl=%3Cul%3E%0A%20%20%7B%7B%23each%20a%7D%7D%0A%20%20%20%20%3Cli%3E%7B%7Bthis%7D%7D%3C%2Fli%3E%0A%20%20%7B%7B%2Feach%7D%7Da&data=%7B%22a%22%3A%20%5B1%2C%202%5D%7D
| 2024-07-13T22:03:44
|
rust
|
Hard
|
hyperium/h2
| 556
|
hyperium__h2-556
|
[
"530"
] |
61b4f8fc34709b7cdfeaf91f3a7a527105c2026b
|
diff --git a/src/client.rs b/src/client.rs
--- a/src/client.rs
+++ b/src/client.rs
@@ -135,9 +135,9 @@
//! [`Builder`]: struct.Builder.html
//! [`Error`]: ../struct.Error.html
-use crate::codec::{Codec, RecvError, SendError, UserError};
+use crate::codec::{Codec, SendError, UserError};
use crate::frame::{Headers, Pseudo, Reason, Settings, StreamId};
-use crate::proto;
+use crate::proto::{self, Error};
use crate::{FlowControl, PingPong, RecvStream, SendStream};
use bytes::{Buf, Bytes};
@@ -1493,7 +1493,7 @@ impl proto::Peer for Peer {
pseudo: Pseudo,
fields: HeaderMap,
stream_id: StreamId,
- ) -> Result<Self::Poll, RecvError> {
+ ) -> Result<Self::Poll, Error> {
let mut b = Response::builder();
b = b.version(Version::HTTP_2);
@@ -1507,10 +1507,7 @@ impl proto::Peer for Peer {
Err(_) => {
// TODO: Should there be more specialized handling for different
// kinds of errors
- return Err(RecvError::Stream {
- id: stream_id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(stream_id, Reason::PROTOCOL_ERROR));
}
};
diff --git a/src/codec/error.rs b/src/codec/error.rs
--- a/src/codec/error.rs
+++ b/src/codec/error.rs
@@ -1,26 +1,12 @@
-use crate::frame::{Reason, StreamId};
+use crate::proto::Error;
use std::{error, fmt, io};
-/// Errors that are received
-#[derive(Debug)]
-pub enum RecvError {
- Connection(Reason),
- Stream { id: StreamId, reason: Reason },
- Io(io::Error),
-}
-
/// Errors caused by sending a message
#[derive(Debug)]
pub enum SendError {
- /// User error
+ Connection(Error),
User(UserError),
-
- /// Connection error prevents sending.
- Connection(Reason),
-
- /// I/O error
- Io(io::Error),
}
/// Errors caused by users of the library
@@ -65,47 +51,22 @@ pub enum UserError {
PeerDisabledServerPush,
}
-// ===== impl RecvError =====
-
-impl From<io::Error> for RecvError {
- fn from(src: io::Error) -> Self {
- RecvError::Io(src)
- }
-}
-
-impl error::Error for RecvError {}
-
-impl fmt::Display for RecvError {
- fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
- use self::RecvError::*;
-
- match *self {
- Connection(ref reason) => reason.fmt(fmt),
- Stream { ref reason, .. } => reason.fmt(fmt),
- Io(ref e) => e.fmt(fmt),
- }
- }
-}
-
// ===== impl SendError =====
impl error::Error for SendError {}
impl fmt::Display for SendError {
fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
- use self::SendError::*;
-
match *self {
- User(ref e) => e.fmt(fmt),
- Connection(ref reason) => reason.fmt(fmt),
- Io(ref e) => e.fmt(fmt),
+ Self::Connection(ref e) => e.fmt(fmt),
+ Self::User(ref e) => e.fmt(fmt),
}
}
}
impl From<io::Error> for SendError {
fn from(src: io::Error) -> Self {
- SendError::Io(src)
+ Self::Connection(src.into())
}
}
diff --git a/src/codec/framed_read.rs b/src/codec/framed_read.rs
--- a/src/codec/framed_read.rs
+++ b/src/codec/framed_read.rs
@@ -1,8 +1,8 @@
-use crate::codec::RecvError;
use crate::frame::{self, Frame, Kind, Reason};
use crate::frame::{
DEFAULT_MAX_FRAME_SIZE, DEFAULT_SETTINGS_HEADER_TABLE_SIZE, MAX_MAX_FRAME_SIZE,
};
+use crate::proto::Error;
use crate::hpack;
@@ -98,8 +98,7 @@ fn decode_frame(
max_header_list_size: usize,
partial_inout: &mut Option<Partial>,
mut bytes: BytesMut,
-) -> Result<Option<Frame>, RecvError> {
- use self::RecvError::*;
+) -> Result<Option<Frame>, Error> {
let span = tracing::trace_span!("FramedRead::decode_frame", offset = bytes.len());
let _e = span.enter();
@@ -110,7 +109,7 @@ fn decode_frame(
if partial_inout.is_some() && head.kind() != Kind::Continuation {
proto_err!(conn: "expected CONTINUATION, got {:?}", head.kind());
- return Err(Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR).into());
}
let kind = head.kind();
@@ -131,14 +130,11 @@ fn decode_frame(
// A stream cannot depend on itself. An endpoint MUST
// treat this as a stream error (Section 5.4.2) of type
// `PROTOCOL_ERROR`.
- return Err(Stream {
- id: $head.stream_id(),
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset($head.stream_id(), Reason::PROTOCOL_ERROR));
},
Err(e) => {
proto_err!(conn: "failed to load frame; err={:?}", e);
- return Err(Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
};
@@ -151,14 +147,11 @@ fn decode_frame(
Err(frame::Error::MalformedMessage) => {
let id = $head.stream_id();
proto_err!(stream: "malformed header block; stream={:?}", id);
- return Err(Stream {
- id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(id, Reason::PROTOCOL_ERROR));
},
Err(e) => {
proto_err!(conn: "failed HPACK decoding; err={:?}", e);
- return Err(Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
}
@@ -183,7 +176,7 @@ fn decode_frame(
res.map_err(|e| {
proto_err!(conn: "failed to load SETTINGS frame; err={:?}", e);
- Connection(Reason::PROTOCOL_ERROR)
+ Error::library_go_away(Reason::PROTOCOL_ERROR)
})?
.into()
}
@@ -192,7 +185,7 @@ fn decode_frame(
res.map_err(|e| {
proto_err!(conn: "failed to load PING frame; err={:?}", e);
- Connection(Reason::PROTOCOL_ERROR)
+ Error::library_go_away(Reason::PROTOCOL_ERROR)
})?
.into()
}
@@ -201,7 +194,7 @@ fn decode_frame(
res.map_err(|e| {
proto_err!(conn: "failed to load WINDOW_UPDATE frame; err={:?}", e);
- Connection(Reason::PROTOCOL_ERROR)
+ Error::library_go_away(Reason::PROTOCOL_ERROR)
})?
.into()
}
@@ -212,7 +205,7 @@ fn decode_frame(
// TODO: Should this always be connection level? Probably not...
res.map_err(|e| {
proto_err!(conn: "failed to load DATA frame; err={:?}", e);
- Connection(Reason::PROTOCOL_ERROR)
+ Error::library_go_away(Reason::PROTOCOL_ERROR)
})?
.into()
}
@@ -221,7 +214,7 @@ fn decode_frame(
let res = frame::Reset::load(head, &bytes[frame::HEADER_LEN..]);
res.map_err(|e| {
proto_err!(conn: "failed to load RESET frame; err={:?}", e);
- Connection(Reason::PROTOCOL_ERROR)
+ Error::library_go_away(Reason::PROTOCOL_ERROR)
})?
.into()
}
@@ -229,7 +222,7 @@ fn decode_frame(
let res = frame::GoAway::load(&bytes[frame::HEADER_LEN..]);
res.map_err(|e| {
proto_err!(conn: "failed to load GO_AWAY frame; err={:?}", e);
- Connection(Reason::PROTOCOL_ERROR)
+ Error::library_go_away(Reason::PROTOCOL_ERROR)
})?
.into()
}
@@ -238,7 +231,7 @@ fn decode_frame(
if head.stream_id() == 0 {
// Invalid stream identifier
proto_err!(conn: "invalid stream ID 0");
- return Err(Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR).into());
}
match frame::Priority::load(head, &bytes[frame::HEADER_LEN..]) {
@@ -249,14 +242,11 @@ fn decode_frame(
// `PROTOCOL_ERROR`.
let id = head.stream_id();
proto_err!(stream: "PRIORITY invalid dependency ID; stream={:?}", id);
- return Err(Stream {
- id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(id, Reason::PROTOCOL_ERROR));
}
Err(e) => {
proto_err!(conn: "failed to load PRIORITY frame; err={:?};", e);
- return Err(Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
}
}
@@ -267,14 +257,14 @@ fn decode_frame(
Some(partial) => partial,
None => {
proto_err!(conn: "received unexpected CONTINUATION frame");
- return Err(Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR).into());
}
};
// The stream identifiers must match
if partial.frame.stream_id() != head.stream_id() {
proto_err!(conn: "CONTINUATION frame stream ID does not match previous frame stream ID");
- return Err(Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR).into());
}
// Extend the buf
@@ -297,7 +287,7 @@ fn decode_frame(
// the attacker to go away.
if partial.buf.len() + bytes.len() > max_header_list_size {
proto_err!(conn: "CONTINUATION frame header block size over ignorable limit");
- return Err(Connection(Reason::COMPRESSION_ERROR));
+ return Err(Error::library_go_away(Reason::COMPRESSION_ERROR).into());
}
}
partial.buf.extend_from_slice(&bytes[frame::HEADER_LEN..]);
@@ -312,14 +302,11 @@ fn decode_frame(
Err(frame::Error::MalformedMessage) => {
let id = head.stream_id();
proto_err!(stream: "malformed CONTINUATION frame; stream={:?}", id);
- return Err(Stream {
- id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(id, Reason::PROTOCOL_ERROR));
}
Err(e) => {
proto_err!(conn: "failed HPACK decoding; err={:?}", e);
- return Err(Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
}
@@ -343,7 +330,7 @@ impl<T> Stream for FramedRead<T>
where
T: AsyncRead + Unpin,
{
- type Item = Result<Frame, RecvError>;
+ type Item = Result<Frame, Error>;
fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> {
let span = tracing::trace_span!("FramedRead::poll_next");
@@ -371,11 +358,11 @@ where
}
}
-fn map_err(err: io::Error) -> RecvError {
+fn map_err(err: io::Error) -> Error {
if let io::ErrorKind::InvalidData = err.kind() {
if let Some(custom) = err.get_ref() {
if custom.is::<LengthDelimitedCodecError>() {
- return RecvError::Connection(Reason::FRAME_SIZE_ERROR);
+ return Error::library_go_away(Reason::FRAME_SIZE_ERROR);
}
}
}
diff --git a/src/codec/mod.rs b/src/codec/mod.rs
--- a/src/codec/mod.rs
+++ b/src/codec/mod.rs
@@ -2,12 +2,13 @@ mod error;
mod framed_read;
mod framed_write;
-pub use self::error::{RecvError, SendError, UserError};
+pub use self::error::{SendError, UserError};
use self::framed_read::FramedRead;
use self::framed_write::FramedWrite;
use crate::frame::{self, Data, Frame};
+use crate::proto::Error;
use bytes::Buf;
use futures_core::Stream;
@@ -155,7 +156,7 @@ impl<T, B> Stream for Codec<T, B>
where
T: AsyncRead + Unpin,
{
- type Item = Result<Frame, RecvError>;
+ type Item = Result<Frame, Error>;
fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> {
Pin::new(&mut self.inner).poll_next(cx)
diff --git a/src/error.rs b/src/error.rs
--- a/src/error.rs
+++ b/src/error.rs
@@ -1,6 +1,8 @@
use crate::codec::{SendError, UserError};
-use crate::proto;
+use crate::frame::StreamId;
+use crate::proto::{self, Initiator};
+use bytes::Bytes;
use std::{error, fmt, io};
pub use crate::frame::Reason;
@@ -22,11 +24,14 @@ pub struct Error {
#[derive(Debug)]
enum Kind {
- /// An error caused by an action taken by the remote peer.
- ///
- /// This is either an error received by the peer or caused by an invalid
- /// action taken by the peer (i.e. a protocol error).
- Proto(Reason),
+ /// A RST_STREAM frame was received or sent.
+ Reset(StreamId, Reason, Initiator),
+
+ /// A GO_AWAY frame was received or sent.
+ GoAway(Bytes, Reason, Initiator),
+
+ /// The user created an error from a bare Reason.
+ Reason(Reason),
/// An error resulting from an invalid action taken by the user of this
/// library.
@@ -45,7 +50,7 @@ impl Error {
/// action taken by the peer (i.e. a protocol error).
pub fn reason(&self) -> Option<Reason> {
match self.kind {
- Kind::Proto(reason) => Some(reason),
+ Kind::Reset(_, reason, _) | Kind::GoAway(_, reason, _) => Some(reason),
_ => None,
}
}
@@ -87,8 +92,13 @@ impl From<proto::Error> for Error {
Error {
kind: match src {
- Proto(reason) => Kind::Proto(reason),
- Io(e) => Kind::Io(e),
+ Reset(stream_id, reason, initiator) => Kind::Reset(stream_id, reason, initiator),
+ GoAway(debug_data, reason, initiator) => {
+ Kind::GoAway(debug_data, reason, initiator)
+ }
+ Io(kind, inner) => {
+ Kind::Io(inner.map_or_else(|| kind.into(), |inner| io::Error::new(kind, inner)))
+ }
},
}
}
@@ -97,7 +107,7 @@ impl From<proto::Error> for Error {
impl From<Reason> for Error {
fn from(src: Reason) -> Error {
Error {
- kind: Kind::Proto(src),
+ kind: Kind::Reason(src),
}
}
}
@@ -106,8 +116,7 @@ impl From<SendError> for Error {
fn from(src: SendError) -> Error {
match src {
SendError::User(e) => e.into(),
- SendError::Connection(reason) => reason.into(),
- SendError::Io(e) => Error::from_io(e),
+ SendError::Connection(e) => e.into(),
}
}
}
@@ -122,13 +131,38 @@ impl From<UserError> for Error {
impl fmt::Display for Error {
fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
- use self::Kind::*;
-
- match self.kind {
- Proto(ref reason) => write!(fmt, "protocol error: {}", reason),
- User(ref e) => write!(fmt, "user error: {}", e),
- Io(ref e) => fmt::Display::fmt(e, fmt),
+ let debug_data = match self.kind {
+ Kind::Reset(_, reason, Initiator::User) => {
+ return write!(fmt, "stream error sent by user: {}", reason)
+ }
+ Kind::Reset(_, reason, Initiator::Library) => {
+ return write!(fmt, "stream error detected: {}", reason)
+ }
+ Kind::Reset(_, reason, Initiator::Remote) => {
+ return write!(fmt, "stream error received: {}", reason)
+ }
+ Kind::GoAway(ref debug_data, reason, Initiator::User) => {
+ write!(fmt, "connection error sent by user: {}", reason)?;
+ debug_data
+ }
+ Kind::GoAway(ref debug_data, reason, Initiator::Library) => {
+ write!(fmt, "connection error detected: {}", reason)?;
+ debug_data
+ }
+ Kind::GoAway(ref debug_data, reason, Initiator::Remote) => {
+ write!(fmt, "connection error received: {}", reason)?;
+ debug_data
+ }
+ Kind::Reason(reason) => return write!(fmt, "protocol error: {}", reason),
+ Kind::User(ref e) => return write!(fmt, "user error: {}", e),
+ Kind::Io(ref e) => return e.fmt(fmt),
+ };
+
+ if !debug_data.is_empty() {
+ write!(fmt, " ({:?})", debug_data)?;
}
+
+ Ok(())
}
}
diff --git a/src/frame/go_away.rs b/src/frame/go_away.rs
--- a/src/frame/go_away.rs
+++ b/src/frame/go_away.rs
@@ -29,8 +29,7 @@ impl GoAway {
self.error_code
}
- #[cfg(feature = "unstable")]
- pub fn debug_data(&self) -> &[u8] {
+ pub fn debug_data(&self) -> &Bytes {
&self.debug_data
}
diff --git a/src/frame/reset.rs b/src/frame/reset.rs
--- a/src/frame/reset.rs
+++ b/src/frame/reset.rs
@@ -2,7 +2,7 @@ use crate::frame::{self, Error, Head, Kind, Reason, StreamId};
use bytes::BufMut;
-#[derive(Debug, Eq, PartialEq)]
+#[derive(Copy, Clone, Debug, Eq, PartialEq)]
pub struct Reset {
stream_id: StreamId,
error_code: Reason,
diff --git a/src/hpack/encoder.rs b/src/hpack/encoder.rs
--- a/src/hpack/encoder.rs
+++ b/src/hpack/encoder.rs
@@ -10,12 +10,6 @@ pub struct Encoder {
size_update: Option<SizeUpdate>,
}
-#[derive(Debug)]
-pub struct EncodeState {
- index: Index,
- value: Option<HeaderValue>,
-}
-
#[derive(Debug, Copy, Clone, Eq, PartialEq)]
enum SizeUpdate {
One(usize),
diff --git a/src/hpack/mod.rs b/src/hpack/mod.rs
--- a/src/hpack/mod.rs
+++ b/src/hpack/mod.rs
@@ -8,5 +8,5 @@ mod table;
mod test;
pub use self::decoder::{Decoder, DecoderError, NeedMore};
-pub use self::encoder::{EncodeState, Encoder};
+pub use self::encoder::Encoder;
pub use self::header::{BytesStr, Header};
diff --git a/src/lib.rs b/src/lib.rs
--- a/src/lib.rs
+++ b/src/lib.rs
@@ -104,8 +104,14 @@ macro_rules! ready {
mod codec;
mod error;
mod hpack;
+
+#[cfg(not(feature = "unstable"))]
mod proto;
+#[cfg(feature = "unstable")]
+#[allow(missing_docs)]
+pub mod proto;
+
#[cfg(not(feature = "unstable"))]
mod frame;
@@ -125,7 +131,7 @@ pub use crate::error::{Error, Reason};
pub use crate::share::{FlowControl, Ping, PingPong, Pong, RecvStream, SendStream, StreamId};
#[cfg(feature = "unstable")]
-pub use codec::{Codec, RecvError, SendError, UserError};
+pub use codec::{Codec, SendError, UserError};
use std::task::Poll;
diff --git a/src/proto/connection.rs b/src/proto/connection.rs
--- a/src/proto/connection.rs
+++ b/src/proto/connection.rs
@@ -1,6 +1,6 @@
-use crate::codec::{RecvError, UserError};
+use crate::codec::UserError;
use crate::frame::{Reason, StreamId};
-use crate::{client, frame, proto, server};
+use crate::{client, frame, server};
use crate::frame::DEFAULT_INITIAL_WINDOW_SIZE;
use crate::proto::*;
@@ -40,7 +40,7 @@ where
///
/// This exists separately from State in order to support
/// graceful shutdown.
- error: Option<Reason>,
+ error: Option<frame::GoAway>,
/// Pending GOAWAY frames to write.
go_away: GoAway,
@@ -68,7 +68,7 @@ struct DynConnection<'a, B: Buf = Bytes> {
streams: DynStreams<'a, B>,
- error: &'a mut Option<Reason>,
+ error: &'a mut Option<frame::GoAway>,
ping_pong: &'a mut PingPong,
}
@@ -88,10 +88,10 @@ enum State {
Open,
/// The codec must be flushed
- Closing(Reason),
+ Closing(Reason, Initiator),
/// In a closed state
- Closed(Reason),
+ Closed(Reason, Initiator),
}
impl<T, P, B> Connection<T, P, B>
@@ -161,9 +161,9 @@ where
/// Returns `Ready` when the connection is ready to receive a frame.
///
- /// Returns `RecvError` as this may raise errors that are caused by delayed
+ /// Returns `Error` as this may raise errors that are caused by delayed
/// processing of received frames.
- fn poll_ready(&mut self, cx: &mut Context) -> Poll<Result<(), RecvError>> {
+ fn poll_ready(&mut self, cx: &mut Context) -> Poll<Result<(), Error>> {
let _e = self.inner.span.enter();
let span = tracing::trace_span!("poll_ready");
let _e = span.enter();
@@ -191,26 +191,24 @@ where
self.inner.as_dyn().go_away_from_user(e)
}
- fn take_error(&mut self, ours: Reason) -> Poll<Result<(), proto::Error>> {
- let reason = if let Some(theirs) = self.inner.error.take() {
- match (ours, theirs) {
- // If either side reported an error, return that
- // to the user.
- (Reason::NO_ERROR, err) | (err, Reason::NO_ERROR) => err,
- // If both sides reported an error, give their
- // error back to th user. We assume our error
- // was a consequence of their error, and less
- // important.
- (_, theirs) => theirs,
- }
- } else {
- ours
- };
-
- if reason == Reason::NO_ERROR {
- Poll::Ready(Ok(()))
- } else {
- Poll::Ready(Err(proto::Error::Proto(reason)))
+ fn take_error(&mut self, ours: Reason, initiator: Initiator) -> Result<(), Error> {
+ let (debug_data, theirs) = self
+ .inner
+ .error
+ .take()
+ .as_ref()
+ .map_or((Bytes::new(), Reason::NO_ERROR), |frame| {
+ (frame.debug_data().clone(), frame.reason())
+ });
+
+ match (ours, theirs) {
+ (Reason::NO_ERROR, Reason::NO_ERROR) => return Ok(()),
+ (ours, Reason::NO_ERROR) => Err(Error::GoAway(Bytes::new(), ours, initiator)),
+ // If both sides reported an error, give their
+ // error back to th user. We assume our error
+ // was a consequence of their error, and less
+ // important.
+ (_, theirs) => Err(Error::remote_go_away(debug_data, theirs)),
}
}
@@ -229,7 +227,7 @@ where
}
/// Advances the internal state of the connection.
- pub fn poll(&mut self, cx: &mut Context) -> Poll<Result<(), proto::Error>> {
+ pub fn poll(&mut self, cx: &mut Context) -> Poll<Result<(), Error>> {
// XXX(eliza): cloning the span is unfortunately necessary here in
// order to placate the borrow checker — `self` is mutably borrowed by
// `poll2`, which means that we can't borrow `self.span` to enter it.
@@ -268,20 +266,22 @@ where
self.inner.as_dyn().handle_poll2_result(result)?
}
- State::Closing(reason) => {
+ State::Closing(reason, initiator) => {
tracing::trace!("connection closing after flush");
// Flush/shutdown the codec
ready!(self.codec.shutdown(cx))?;
// Transition the state to error
- self.inner.state = State::Closed(reason);
+ self.inner.state = State::Closed(reason, initiator);
+ }
+ State::Closed(reason, initiator) => {
+ return Poll::Ready(self.take_error(reason, initiator));
}
- State::Closed(reason) => return self.take_error(reason),
}
}
}
- fn poll2(&mut self, cx: &mut Context) -> Poll<Result<(), RecvError>> {
+ fn poll2(&mut self, cx: &mut Context) -> Poll<Result<(), Error>> {
// This happens outside of the loop to prevent needing to do a clock
// check and then comparison of the queue possibly multiple times a
// second (and thus, the clock wouldn't have changed enough to matter).
@@ -300,7 +300,7 @@ where
// the same error back to the user.
return Poll::Ready(Ok(()));
} else {
- return Poll::Ready(Err(RecvError::Connection(reason)));
+ return Poll::Ready(Err(Error::library_go_away(reason)));
}
}
// Only NO_ERROR should be waiting for idle
@@ -384,42 +384,45 @@ where
self.go_away.go_away_from_user(frame);
// Notify all streams of reason we're abruptly closing.
- self.streams.recv_err(&proto::Error::Proto(e));
+ self.streams.handle_error(Error::user_go_away(e));
}
- fn handle_poll2_result(&mut self, result: Result<(), RecvError>) -> Result<(), Error> {
- use crate::codec::RecvError::*;
+ fn handle_poll2_result(&mut self, result: Result<(), Error>) -> Result<(), Error> {
match result {
// The connection has shutdown normally
Ok(()) => {
- *self.state = State::Closing(Reason::NO_ERROR);
+ *self.state = State::Closing(Reason::NO_ERROR, Initiator::Library);
Ok(())
}
// Attempting to read a frame resulted in a connection level
// error. This is handled by setting a GOAWAY frame followed by
// terminating the connection.
- Err(Connection(e)) => {
+ Err(Error::GoAway(debug_data, reason, initiator)) => {
+ let e = Error::GoAway(debug_data, reason, initiator);
tracing::debug!(error = ?e, "Connection::poll; connection error");
// We may have already sent a GOAWAY for this error,
// if so, don't send another, just flush and close up.
- if let Some(reason) = self.go_away.going_away_reason() {
- if reason == e {
- tracing::trace!(" -> already going away");
- *self.state = State::Closing(e);
- return Ok(());
- }
+ if self
+ .go_away
+ .going_away()
+ .map_or(false, |frame| frame.reason() == reason)
+ {
+ tracing::trace!(" -> already going away");
+ *self.state = State::Closing(reason, initiator);
+ return Ok(());
}
// Reset all active streams
- self.streams.recv_err(&e.into());
- self.go_away_now(e);
+ self.streams.handle_error(e);
+ self.go_away_now(reason);
Ok(())
}
// Attempting to read a frame resulted in a stream level error.
// This is handled by resetting the frame then trying to read
// another frame.
- Err(Stream { id, reason }) => {
+ Err(Error::Reset(id, reason, initiator)) => {
+ debug_assert_eq!(initiator, Initiator::Library);
tracing::trace!(?id, ?reason, "stream error");
self.streams.send_reset(id, reason);
Ok(())
@@ -428,12 +431,12 @@ where
// active streams must be reset.
//
// TODO: Are I/O errors recoverable?
- Err(Io(e)) => {
+ Err(Error::Io(e, inner)) => {
tracing::debug!(error = ?e, "Connection::poll; IO error");
- let e = e.into();
+ let e = Error::Io(e, inner);
// Reset all active streams
- self.streams.recv_err(&e);
+ self.streams.handle_error(e.clone());
// Return the error
Err(e)
@@ -441,7 +444,7 @@ where
}
}
- fn recv_frame(&mut self, frame: Option<Frame>) -> Result<ReceivedFrame, RecvError> {
+ fn recv_frame(&mut self, frame: Option<Frame>) -> Result<ReceivedFrame, Error> {
use crate::frame::Frame::*;
match frame {
Some(Headers(frame)) => {
@@ -471,7 +474,7 @@ where
// until they are all EOS. Once they are, State should
// transition to GoAway.
self.streams.recv_go_away(&frame)?;
- *self.error = Some(frame.reason());
+ *self.error = Some(frame);
}
Some(Ping(frame)) => {
tracing::trace!(?frame, "recv PING");
diff --git a/src/proto/error.rs b/src/proto/error.rs
--- a/src/proto/error.rs
+++ b/src/proto/error.rs
@@ -1,53 +1,87 @@
-use crate::codec::{RecvError, SendError};
-use crate::frame::Reason;
+use crate::codec::SendError;
+use crate::frame::{Reason, StreamId};
+use bytes::Bytes;
+use std::fmt;
use std::io;
/// Either an H2 reason or an I/O error
-#[derive(Debug)]
+#[derive(Clone, Debug)]
pub enum Error {
- Proto(Reason),
- Io(io::Error),
+ Reset(StreamId, Reason, Initiator),
+ GoAway(Bytes, Reason, Initiator),
+ Io(io::ErrorKind, Option<String>),
+}
+
+#[derive(Clone, Copy, Debug, PartialEq)]
+pub enum Initiator {
+ User,
+ Library,
+ Remote,
}
impl Error {
- /// Clone the error for internal purposes.
- ///
- /// `io::Error` is not `Clone`, so we only copy the `ErrorKind`.
- pub(super) fn shallow_clone(&self) -> Error {
+ pub(crate) fn is_local(&self) -> bool {
match *self {
- Error::Proto(reason) => Error::Proto(reason),
- Error::Io(ref io) => Error::Io(io::Error::from(io.kind())),
+ Self::Reset(_, _, initiator) | Self::GoAway(_, _, initiator) => initiator.is_local(),
+ Self::Io(..) => true,
}
}
-}
-impl From<Reason> for Error {
- fn from(src: Reason) -> Self {
- Error::Proto(src)
+ pub(crate) fn user_go_away(reason: Reason) -> Self {
+ Self::GoAway(Bytes::new(), reason, Initiator::User)
+ }
+
+ pub(crate) fn library_reset(stream_id: StreamId, reason: Reason) -> Self {
+ Self::Reset(stream_id, reason, Initiator::Library)
+ }
+
+ pub(crate) fn library_go_away(reason: Reason) -> Self {
+ Self::GoAway(Bytes::new(), reason, Initiator::Library)
+ }
+
+ pub(crate) fn remote_reset(stream_id: StreamId, reason: Reason) -> Self {
+ Self::Reset(stream_id, reason, Initiator::Remote)
+ }
+
+ pub(crate) fn remote_go_away(debug_data: Bytes, reason: Reason) -> Self {
+ Self::GoAway(debug_data, reason, Initiator::Remote)
}
}
-impl From<io::Error> for Error {
- fn from(src: io::Error) -> Self {
- Error::Io(src)
+impl Initiator {
+ fn is_local(&self) -> bool {
+ match *self {
+ Self::User | Self::Library => true,
+ Self::Remote => false,
+ }
}
}
-impl From<Error> for RecvError {
- fn from(src: Error) -> RecvError {
- match src {
- Error::Proto(reason) => RecvError::Connection(reason),
- Error::Io(e) => RecvError::Io(e),
+impl fmt::Display for Error {
+ fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
+ match *self {
+ Self::Reset(_, reason, _) | Self::GoAway(_, reason, _) => reason.fmt(fmt),
+ Self::Io(_, Some(ref inner)) => inner.fmt(fmt),
+ Self::Io(kind, None) => io::Error::from(kind).fmt(fmt),
}
}
}
+impl From<io::ErrorKind> for Error {
+ fn from(src: io::ErrorKind) -> Self {
+ Error::Io(src.into(), None)
+ }
+}
+
+impl From<io::Error> for Error {
+ fn from(src: io::Error) -> Self {
+ Error::Io(src.kind(), src.get_ref().map(|inner| inner.to_string()))
+ }
+}
+
impl From<Error> for SendError {
- fn from(src: Error) -> SendError {
- match src {
- Error::Proto(reason) => SendError::Connection(reason),
- Error::Io(e) => SendError::Io(e),
- }
+ fn from(src: Error) -> Self {
+ Self::Connection(src)
}
}
diff --git a/src/proto/go_away.rs b/src/proto/go_away.rs
--- a/src/proto/go_away.rs
+++ b/src/proto/go_away.rs
@@ -31,7 +31,7 @@ pub(super) struct GoAway {
/// well, and we wouldn't want to save that here to accidentally dump in logs,
/// or waste struct space.)
#[derive(Debug)]
-struct GoingAway {
+pub(crate) struct GoingAway {
/// Stores the highest stream ID of a GOAWAY that has been sent.
///
/// It's illegal to send a subsequent GOAWAY with a higher ID.
@@ -98,9 +98,9 @@ impl GoAway {
self.is_user_initiated
}
- /// Return the last Reason we've sent.
- pub fn going_away_reason(&self) -> Option<Reason> {
- self.going_away.as_ref().map(|g| g.reason)
+ /// Returns the going away info, if any.
+ pub fn going_away(&self) -> Option<&GoingAway> {
+ self.going_away.as_ref()
}
/// Returns if the connection should close now, or wait until idle.
@@ -141,7 +141,7 @@ impl GoAway {
return Poll::Ready(Some(Ok(reason)));
} else if self.should_close_now() {
- return match self.going_away_reason() {
+ return match self.going_away().map(|going_away| going_away.reason) {
Some(reason) => Poll::Ready(Some(Ok(reason))),
None => Poll::Ready(None),
};
@@ -150,3 +150,9 @@ impl GoAway {
Poll::Ready(None)
}
}
+
+impl GoingAway {
+ pub(crate) fn reason(&self) -> Reason {
+ self.reason
+ }
+}
diff --git a/src/proto/mod.rs b/src/proto/mod.rs
--- a/src/proto/mod.rs
+++ b/src/proto/mod.rs
@@ -7,7 +7,7 @@ mod settings;
mod streams;
pub(crate) use self::connection::{Config, Connection};
-pub(crate) use self::error::Error;
+pub use self::error::{Error, Initiator};
pub(crate) use self::peer::{Dyn as DynPeer, Peer};
pub(crate) use self::ping_pong::UserPings;
pub(crate) use self::streams::{DynStreams, OpaqueStreamRef, StreamRef, Streams};
diff --git a/src/proto/peer.rs b/src/proto/peer.rs
--- a/src/proto/peer.rs
+++ b/src/proto/peer.rs
@@ -1,7 +1,6 @@
-use crate::codec::RecvError;
use crate::error::Reason;
use crate::frame::{Pseudo, StreamId};
-use crate::proto::Open;
+use crate::proto::{Error, Open};
use http::{HeaderMap, Request, Response};
@@ -21,7 +20,7 @@ pub(crate) trait Peer {
pseudo: Pseudo,
fields: HeaderMap,
stream_id: StreamId,
- ) -> Result<Self::Poll, RecvError>;
+ ) -> Result<Self::Poll, Error>;
fn is_local_init(id: StreamId) -> bool {
assert!(!id.is_zero());
@@ -61,7 +60,7 @@ impl Dyn {
pseudo: Pseudo,
fields: HeaderMap,
stream_id: StreamId,
- ) -> Result<PollMessage, RecvError> {
+ ) -> Result<PollMessage, Error> {
if self.is_server() {
crate::server::Peer::convert_poll_message(pseudo, fields, stream_id)
.map(PollMessage::Server)
@@ -72,12 +71,12 @@ impl Dyn {
}
/// Returns true if the remote peer can initiate a stream with the given ID.
- pub fn ensure_can_open(&self, id: StreamId, mode: Open) -> Result<(), RecvError> {
+ pub fn ensure_can_open(&self, id: StreamId, mode: Open) -> Result<(), Error> {
if self.is_server() {
// Ensure that the ID is a valid client initiated ID
if mode.is_push_promise() || !id.is_client_initiated() {
proto_err!(conn: "cannot open stream {:?} - not client initiated", id);
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
Ok(())
@@ -85,7 +84,7 @@ impl Dyn {
// Ensure that the ID is a valid server initiated ID
if !mode.is_push_promise() || !id.is_server_initiated() {
proto_err!(conn: "cannot open stream {:?} - not server initiated", id);
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
Ok(())
diff --git a/src/proto/settings.rs b/src/proto/settings.rs
--- a/src/proto/settings.rs
+++ b/src/proto/settings.rs
@@ -1,4 +1,4 @@
-use crate::codec::{RecvError, UserError};
+use crate::codec::UserError;
use crate::error::Reason;
use crate::frame;
use crate::proto::*;
@@ -40,7 +40,7 @@ impl Settings {
frame: frame::Settings,
codec: &mut Codec<T, B>,
streams: &mut Streams<C, P>,
- ) -> Result<(), RecvError>
+ ) -> Result<(), Error>
where
T: AsyncWrite + Unpin,
B: Buf,
@@ -68,7 +68,7 @@ impl Settings {
// We haven't sent any SETTINGS frames to be ACKed, so
// this is very bizarre! Remote is either buggy or malicious.
proto_err!(conn: "received unexpected settings ack");
- Err(RecvError::Connection(Reason::PROTOCOL_ERROR))
+ Err(Error::library_go_away(Reason::PROTOCOL_ERROR))
}
}
} else {
@@ -97,7 +97,7 @@ impl Settings {
cx: &mut Context,
dst: &mut Codec<T, B>,
streams: &mut Streams<C, P>,
- ) -> Poll<Result<(), RecvError>>
+ ) -> Poll<Result<(), Error>>
where
T: AsyncWrite + Unpin,
B: Buf,
diff --git a/src/proto/streams/prioritize.rs b/src/proto/streams/prioritize.rs
--- a/src/proto/streams/prioritize.rs
+++ b/src/proto/streams/prioritize.rs
@@ -791,7 +791,10 @@ impl Prioritize {
}),
None => {
if let Some(reason) = stream.state.get_scheduled_reset() {
- stream.state.set_reset(reason);
+ let stream_id = stream.id;
+ stream
+ .state
+ .set_reset(stream_id, reason, Initiator::Library);
let frame = frame::Reset::new(stream.id, reason);
Frame::Reset(frame)
diff --git a/src/proto/streams/recv.rs b/src/proto/streams/recv.rs
--- a/src/proto/streams/recv.rs
+++ b/src/proto/streams/recv.rs
@@ -1,7 +1,7 @@
use super::*;
-use crate::codec::{RecvError, UserError};
-use crate::frame::{PushPromiseHeaderError, Reason, DEFAULT_INITIAL_WINDOW_SIZE};
-use crate::{frame, proto};
+use crate::codec::UserError;
+use crate::frame::{self, PushPromiseHeaderError, Reason, DEFAULT_INITIAL_WINDOW_SIZE};
+use crate::proto::{self, Error};
use std::task::Context;
use http::{HeaderMap, Request, Response};
@@ -68,7 +68,7 @@ pub(super) enum Event {
#[derive(Debug)]
pub(super) enum RecvHeaderBlockError<T> {
Oversize(T),
- State(RecvError),
+ State(Error),
}
#[derive(Debug)]
@@ -77,12 +77,6 @@ pub(crate) enum Open {
Headers,
}
-#[derive(Debug, Clone, Copy)]
-struct Indices {
- head: store::Key,
- tail: store::Key,
-}
-
impl Recv {
pub fn new(peer: peer::Dyn, config: &Config) -> Self {
let next_stream_id = if peer.is_server() { 1 } else { 2 };
@@ -130,7 +124,7 @@ impl Recv {
id: StreamId,
mode: Open,
counts: &mut Counts,
- ) -> Result<Option<StreamId>, RecvError> {
+ ) -> Result<Option<StreamId>, Error> {
assert!(self.refused.is_none());
counts.peer().ensure_can_open(id, mode)?;
@@ -138,7 +132,7 @@ impl Recv {
let next_id = self.next_stream_id()?;
if id < next_id {
proto_err!(conn: "id ({:?}) < next_id ({:?})", id, next_id);
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
self.next_stream_id = id.next_id();
@@ -182,11 +176,7 @@ impl Recv {
Ok(v) => v,
Err(()) => {
proto_err!(stream: "could not parse content-length; stream={:?}", stream.id);
- return Err(RecvError::Stream {
- id: stream.id,
- reason: Reason::PROTOCOL_ERROR,
- }
- .into());
+ return Err(Error::library_reset(stream.id, Reason::PROTOCOL_ERROR).into());
}
};
@@ -318,16 +308,13 @@ impl Recv {
&mut self,
frame: frame::Headers,
stream: &mut store::Ptr,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), Error> {
// Transition the state
stream.state.recv_close()?;
if stream.ensure_content_length_zero().is_err() {
proto_err!(stream: "recv_trailers: content-length is not zero; stream={:?};", stream.id);
- return Err(RecvError::Stream {
- id: stream.id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(stream.id, Reason::PROTOCOL_ERROR));
}
let trailers = frame.into_fields();
@@ -461,7 +448,7 @@ impl Recv {
&mut self,
settings: &frame::Settings,
store: &mut Store,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), proto::Error> {
let target = if let Some(val) = settings.initial_window_size() {
val
} else {
@@ -508,7 +495,7 @@ impl Recv {
stream
.recv_flow
.inc_window(inc)
- .map_err(RecvError::Connection)?;
+ .map_err(proto::Error::library_go_away)?;
stream.recv_flow.assign_capacity(inc);
Ok(())
})
@@ -526,11 +513,7 @@ impl Recv {
stream.pending_recv.is_empty()
}
- pub fn recv_data(
- &mut self,
- frame: frame::Data,
- stream: &mut store::Ptr,
- ) -> Result<(), RecvError> {
+ pub fn recv_data(&mut self, frame: frame::Data, stream: &mut store::Ptr) -> Result<(), Error> {
let sz = frame.payload().len();
// This should have been enforced at the codec::FramedRead layer, so
@@ -548,7 +531,7 @@ impl Recv {
// Receiving a DATA frame when not expecting one is a protocol
// error.
proto_err!(conn: "unexpected DATA frame; stream={:?}", stream.id);
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
tracing::trace!(
@@ -563,7 +546,7 @@ impl Recv {
"recv_data; frame ignored on locally reset {:?} for some time",
stream.id,
);
- return self.ignore_data(sz);
+ return Ok(self.ignore_data(sz)?);
}
// Ensure that there is enough capacity on the connection before acting
@@ -579,10 +562,7 @@ impl Recv {
// So, for violating the **stream** window, we can send either a
// stream or connection error. We've opted to send a stream
// error.
- return Err(RecvError::Stream {
- id: stream.id,
- reason: Reason::FLOW_CONTROL_ERROR,
- });
+ return Err(Error::library_reset(stream.id, Reason::FLOW_CONTROL_ERROR));
}
if stream.dec_content_length(frame.payload().len()).is_err() {
@@ -591,10 +571,7 @@ impl Recv {
stream.id,
frame.payload().len(),
);
- return Err(RecvError::Stream {
- id: stream.id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(stream.id, Reason::PROTOCOL_ERROR));
}
if frame.is_end_stream() {
@@ -604,15 +581,12 @@ impl Recv {
stream.id,
frame.payload().len(),
);
- return Err(RecvError::Stream {
- id: stream.id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(stream.id, Reason::PROTOCOL_ERROR));
}
if stream.state.recv_close().is_err() {
proto_err!(conn: "recv_data: failed to transition to closed state; stream={:?}", stream.id);
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR).into());
}
}
@@ -631,7 +605,7 @@ impl Recv {
Ok(())
}
- pub fn ignore_data(&mut self, sz: WindowSize) -> Result<(), RecvError> {
+ pub fn ignore_data(&mut self, sz: WindowSize) -> Result<(), Error> {
// Ensure that there is enough capacity on the connection...
self.consume_connection_window(sz)?;
@@ -647,14 +621,14 @@ impl Recv {
Ok(())
}
- pub fn consume_connection_window(&mut self, sz: WindowSize) -> Result<(), RecvError> {
+ pub fn consume_connection_window(&mut self, sz: WindowSize) -> Result<(), Error> {
if self.flow.window_size() < sz {
tracing::debug!(
"connection error FLOW_CONTROL_ERROR -- window_size ({:?}) < sz ({:?});",
self.flow.window_size(),
sz,
);
- return Err(RecvError::Connection(Reason::FLOW_CONTROL_ERROR));
+ return Err(Error::library_go_away(Reason::FLOW_CONTROL_ERROR));
}
// Update connection level flow control
@@ -669,7 +643,7 @@ impl Recv {
&mut self,
frame: frame::PushPromise,
stream: &mut store::Ptr,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), Error> {
stream.state.reserve_remote()?;
if frame.is_over_size() {
// A frame is over size if the decoded header block was bigger than
@@ -688,10 +662,10 @@ impl Recv {
headers frame is over size; promised_id={:?};",
frame.promised_id(),
);
- return Err(RecvError::Stream {
- id: frame.promised_id(),
- reason: Reason::REFUSED_STREAM,
- });
+ return Err(Error::library_reset(
+ frame.promised_id(),
+ Reason::REFUSED_STREAM,
+ ));
}
let promised_id = frame.promised_id();
@@ -714,10 +688,7 @@ impl Recv {
promised_id,
),
}
- return Err(RecvError::Stream {
- id: promised_id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(promised_id, Reason::PROTOCOL_ERROR));
}
use super::peer::PollMessage::*;
@@ -747,18 +718,16 @@ impl Recv {
/// Handle remote sending an explicit RST_STREAM.
pub fn recv_reset(&mut self, frame: frame::Reset, stream: &mut Stream) {
// Notify the stream
- stream
- .state
- .recv_reset(frame.reason(), stream.is_pending_send);
+ stream.state.recv_reset(frame, stream.is_pending_send);
stream.notify_send();
stream.notify_recv();
}
- /// Handle a received error
- pub fn recv_err(&mut self, err: &proto::Error, stream: &mut Stream) {
+ /// Handle a connection-level error
+ pub fn handle_error(&mut self, err: &proto::Error, stream: &mut Stream) {
// Receive an error
- stream.state.recv_err(err);
+ stream.state.handle_error(err);
// If a receiver is waiting, notify it
stream.notify_send();
@@ -789,11 +758,11 @@ impl Recv {
self.max_stream_id
}
- pub fn next_stream_id(&self) -> Result<StreamId, RecvError> {
+ pub fn next_stream_id(&self) -> Result<StreamId, Error> {
if let Ok(id) = self.next_stream_id {
Ok(id)
} else {
- Err(RecvError::Connection(Reason::PROTOCOL_ERROR))
+ Err(Error::library_go_away(Reason::PROTOCOL_ERROR))
}
}
@@ -808,10 +777,10 @@ impl Recv {
}
/// Returns true if the remote peer can reserve a stream with the given ID.
- pub fn ensure_can_reserve(&self) -> Result<(), RecvError> {
+ pub fn ensure_can_reserve(&self) -> Result<(), Error> {
if !self.is_push_enabled {
proto_err!(conn: "recv_push_promise: push is disabled");
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
Ok(())
@@ -1098,8 +1067,8 @@ impl Open {
// ===== impl RecvHeaderBlockError =====
-impl<T> From<RecvError> for RecvHeaderBlockError<T> {
- fn from(err: RecvError) -> Self {
+impl<T> From<Error> for RecvHeaderBlockError<T> {
+ fn from(err: Error) -> Self {
RecvHeaderBlockError::State(err)
}
}
diff --git a/src/proto/streams/send.rs b/src/proto/streams/send.rs
--- a/src/proto/streams/send.rs
+++ b/src/proto/streams/send.rs
@@ -2,8 +2,9 @@ use super::{
store, Buffer, Codec, Config, Counts, Frame, Prioritize, Prioritized, Store, Stream, StreamId,
StreamIdOverflow, WindowSize,
};
-use crate::codec::{RecvError, UserError};
+use crate::codec::UserError;
use crate::frame::{self, Reason};
+use crate::proto::{Error, Initiator};
use bytes::Buf;
use http;
@@ -161,6 +162,7 @@ impl Send {
pub fn send_reset<B>(
&mut self,
reason: Reason,
+ initiator: Initiator,
buffer: &mut Buffer<Frame<B>>,
stream: &mut store::Ptr,
counts: &mut Counts,
@@ -169,14 +171,16 @@ impl Send {
let is_reset = stream.state.is_reset();
let is_closed = stream.state.is_closed();
let is_empty = stream.pending_send.is_empty();
+ let stream_id = stream.id;
tracing::trace!(
- "send_reset(..., reason={:?}, stream={:?}, ..., \
+ "send_reset(..., reason={:?}, initiator={:?}, stream={:?}, ..., \
is_reset={:?}; is_closed={:?}; pending_send.is_empty={:?}; \
state={:?} \
",
reason,
- stream.id,
+ initiator,
+ stream_id,
is_reset,
is_closed,
is_empty,
@@ -187,13 +191,13 @@ impl Send {
// Don't double reset
tracing::trace!(
" -> not sending RST_STREAM ({:?} is already reset)",
- stream.id
+ stream_id
);
return;
}
// Transition the state to reset no matter what.
- stream.state.set_reset(reason);
+ stream.state.set_reset(stream_id, reason, initiator);
// If closed AND the send queue is flushed, then the stream cannot be
// reset explicitly, either. Implicit resets can still be queued.
@@ -201,7 +205,7 @@ impl Send {
tracing::trace!(
" -> not sending explicit RST_STREAM ({:?} was closed \
and send queue was flushed)",
- stream.id
+ stream_id
);
return;
}
@@ -371,7 +375,14 @@ impl Send {
if let Err(e) = self.prioritize.recv_stream_window_update(sz, stream) {
tracing::debug!("recv_stream_window_update !!; err={:?}", e);
- self.send_reset(Reason::FLOW_CONTROL_ERROR, buffer, stream, counts, task);
+ self.send_reset(
+ Reason::FLOW_CONTROL_ERROR,
+ Initiator::Library,
+ buffer,
+ stream,
+ counts,
+ task,
+ );
return Err(e);
}
@@ -379,7 +390,7 @@ impl Send {
Ok(())
}
- pub(super) fn recv_go_away(&mut self, last_stream_id: StreamId) -> Result<(), RecvError> {
+ pub(super) fn recv_go_away(&mut self, last_stream_id: StreamId) -> Result<(), Error> {
if last_stream_id > self.max_stream_id {
// The remote endpoint sent a `GOAWAY` frame indicating a stream
// that we never sent, or that we have already terminated on account
@@ -392,14 +403,14 @@ impl Send {
"recv_go_away: last_stream_id ({:?}) > max_stream_id ({:?})",
last_stream_id, self.max_stream_id,
);
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
self.max_stream_id = last_stream_id;
Ok(())
}
- pub fn recv_err<B>(
+ pub fn handle_error<B>(
&mut self,
buffer: &mut Buffer<Frame<B>>,
stream: &mut store::Ptr,
@@ -417,7 +428,7 @@ impl Send {
store: &mut Store,
counts: &mut Counts,
task: &mut Option<Waker>,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), Error> {
// Applies an update to the remote endpoint's initial window size.
//
// Per RFC 7540 §6.9.2:
@@ -480,7 +491,7 @@ impl Send {
// of a stream is reduced? Maybe it should if the capacity
// is reduced to zero, allowing the producer to stop work.
- Ok::<_, RecvError>(())
+ Ok::<_, Error>(())
})?;
self.prioritize
@@ -490,7 +501,7 @@ impl Send {
store.for_each(|mut stream| {
self.recv_stream_window_update(inc, buffer, &mut stream, counts, task)
- .map_err(RecvError::Connection)
+ .map_err(Error::library_go_away)
})?;
}
}
diff --git a/src/proto/streams/state.rs b/src/proto/streams/state.rs
--- a/src/proto/streams/state.rs
+++ b/src/proto/streams/state.rs
@@ -1,9 +1,8 @@
use std::io;
-use crate::codec::UserError::*;
-use crate::codec::{RecvError, UserError};
-use crate::frame::{self, Reason};
-use crate::proto::{self, PollReset};
+use crate::codec::UserError;
+use crate::frame::{self, Reason, StreamId};
+use crate::proto::{self, Error, Initiator, PollReset};
use self::Inner::*;
use self::Peer::*;
@@ -53,7 +52,7 @@ pub struct State {
inner: Inner,
}
-#[derive(Debug, Clone, Copy)]
+#[derive(Debug, Clone)]
enum Inner {
Idle,
// TODO: these states shouldn't count against concurrency limits:
@@ -71,12 +70,10 @@ enum Peer {
Streaming,
}
-#[derive(Debug, Copy, Clone)]
+#[derive(Debug, Clone)]
enum Cause {
EndStream,
- Proto(Reason),
- LocallyReset(Reason),
- Io,
+ Error(Error),
/// This indicates to the connection that a reset frame must be sent out
/// once the send queue has been flushed.
@@ -85,7 +82,7 @@ enum Cause {
/// - User drops all references to a stream, so we want to CANCEL the it.
/// - Header block size was too large, so we want to REFUSE, possibly
/// after sending a 431 response frame.
- Scheduled(Reason),
+ ScheduledLibraryReset(Reason),
}
impl State {
@@ -123,7 +120,7 @@ impl State {
}
_ => {
// All other transitions result in a protocol error
- return Err(UnexpectedFrameType);
+ return Err(UserError::UnexpectedFrameType);
}
};
@@ -133,7 +130,7 @@ impl State {
/// Opens the receive-half of the stream when a HEADERS frame is received.
///
/// Returns true if this transitions the state to Open.
- pub fn recv_open(&mut self, frame: &frame::Headers) -> Result<bool, RecvError> {
+ pub fn recv_open(&mut self, frame: &frame::Headers) -> Result<bool, Error> {
let mut initial = false;
let eos = frame.is_end_stream();
@@ -195,10 +192,10 @@ impl State {
HalfClosedLocal(Streaming)
}
}
- state => {
+ ref state => {
// All other transitions result in a protocol error
proto_err!(conn: "recv_open: in unexpected state {:?}", state);
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
};
@@ -206,15 +203,15 @@ impl State {
}
/// Transition from Idle -> ReservedRemote
- pub fn reserve_remote(&mut self) -> Result<(), RecvError> {
+ pub fn reserve_remote(&mut self) -> Result<(), Error> {
match self.inner {
Idle => {
self.inner = ReservedRemote;
Ok(())
}
- state => {
+ ref state => {
proto_err!(conn: "reserve_remote: in unexpected state {:?}", state);
- Err(RecvError::Connection(Reason::PROTOCOL_ERROR))
+ Err(Error::library_go_away(Reason::PROTOCOL_ERROR))
}
}
}
@@ -231,7 +228,7 @@ impl State {
}
/// Indicates that the remote side will not send more data to the local.
- pub fn recv_close(&mut self) -> Result<(), RecvError> {
+ pub fn recv_close(&mut self) -> Result<(), Error> {
match self.inner {
Open { local, .. } => {
// The remote side will continue to receive data.
@@ -244,9 +241,9 @@ impl State {
self.inner = Closed(Cause::EndStream);
Ok(())
}
- state => {
+ ref state => {
proto_err!(conn: "recv_close: in unexpected state {:?}", state);
- Err(RecvError::Connection(Reason::PROTOCOL_ERROR))
+ Err(Error::library_go_away(Reason::PROTOCOL_ERROR))
}
}
}
@@ -254,9 +251,9 @@ impl State {
/// The remote explicitly sent a RST_STREAM.
///
/// # Arguments
- /// - `reason`: the reason field of the received RST_STREAM frame.
+ /// - `frame`: the received RST_STREAM frame.
/// - `queued`: true if this stream has frames in the pending send queue.
- pub fn recv_reset(&mut self, reason: Reason, queued: bool) {
+ pub fn recv_reset(&mut self, frame: frame::Reset, queued: bool) {
match self.inner {
// If the stream is already in a `Closed` state, do nothing,
// provided that there are no frames still in the send queue.
@@ -275,30 +272,28 @@ impl State {
// In either of these cases, we want to overwrite the stream's
// previous state with the received RST_STREAM, so that the queue
// will be cleared by `Prioritize::pop_frame`.
- state => {
+ ref state => {
tracing::trace!(
- "recv_reset; reason={:?}; state={:?}; queued={:?}",
- reason,
+ "recv_reset; frame={:?}; state={:?}; queued={:?}",
+ frame,
state,
queued
);
- self.inner = Closed(Cause::Proto(reason));
+ self.inner = Closed(Cause::Error(Error::remote_reset(
+ frame.stream_id(),
+ frame.reason(),
+ )));
}
}
}
- /// We noticed a protocol error.
- pub fn recv_err(&mut self, err: &proto::Error) {
- use crate::proto::Error::*;
-
+ /// Handle a connection-level error.
+ pub fn handle_error(&mut self, err: &proto::Error) {
match self.inner {
Closed(..) => {}
_ => {
- tracing::trace!("recv_err; err={:?}", err);
- self.inner = Closed(match *err {
- Proto(reason) => Cause::LocallyReset(reason),
- Io(..) => Cause::Io,
- });
+ tracing::trace!("handle_error; err={:?}", err);
+ self.inner = Closed(Cause::Error(err.clone()));
}
}
}
@@ -306,9 +301,9 @@ impl State {
pub fn recv_eof(&mut self) {
match self.inner {
Closed(..) => {}
- s => {
- tracing::trace!("recv_eof; state={:?}", s);
- self.inner = Closed(Cause::Io);
+ ref state => {
+ tracing::trace!("recv_eof; state={:?}", state);
+ self.inner = Closed(Cause::Error(io::ErrorKind::BrokenPipe.into()));
}
}
}
@@ -325,39 +320,39 @@ impl State {
tracing::trace!("send_close: HalfClosedRemote => Closed");
self.inner = Closed(Cause::EndStream);
}
- state => panic!("send_close: unexpected state {:?}", state),
+ ref state => panic!("send_close: unexpected state {:?}", state),
}
}
/// Set the stream state to reset locally.
- pub fn set_reset(&mut self, reason: Reason) {
- self.inner = Closed(Cause::LocallyReset(reason));
+ pub fn set_reset(&mut self, stream_id: StreamId, reason: Reason, initiator: Initiator) {
+ self.inner = Closed(Cause::Error(Error::Reset(stream_id, reason, initiator)));
}
/// Set the stream state to a scheduled reset.
pub fn set_scheduled_reset(&mut self, reason: Reason) {
debug_assert!(!self.is_closed());
- self.inner = Closed(Cause::Scheduled(reason));
+ self.inner = Closed(Cause::ScheduledLibraryReset(reason));
}
pub fn get_scheduled_reset(&self) -> Option<Reason> {
match self.inner {
- Closed(Cause::Scheduled(reason)) => Some(reason),
+ Closed(Cause::ScheduledLibraryReset(reason)) => Some(reason),
_ => None,
}
}
pub fn is_scheduled_reset(&self) -> bool {
match self.inner {
- Closed(Cause::Scheduled(..)) => true,
+ Closed(Cause::ScheduledLibraryReset(..)) => true,
_ => false,
}
}
pub fn is_local_reset(&self) -> bool {
match self.inner {
- Closed(Cause::LocallyReset(_)) => true,
- Closed(Cause::Scheduled(..)) => true,
+ Closed(Cause::Error(ref e)) => e.is_local(),
+ Closed(Cause::ScheduledLibraryReset(..)) => true,
_ => false,
}
}
@@ -436,10 +431,10 @@ impl State {
pub fn ensure_recv_open(&self) -> Result<bool, proto::Error> {
// TODO: Is this correct?
match self.inner {
- Closed(Cause::Proto(reason))
- | Closed(Cause::LocallyReset(reason))
- | Closed(Cause::Scheduled(reason)) => Err(proto::Error::Proto(reason)),
- Closed(Cause::Io) => Err(proto::Error::Io(io::ErrorKind::BrokenPipe.into())),
+ Closed(Cause::Error(ref e)) => Err(e.clone()),
+ Closed(Cause::ScheduledLibraryReset(reason)) => {
+ Err(proto::Error::library_go_away(reason))
+ }
Closed(Cause::EndStream) | HalfClosedRemote(..) | ReservedLocal => Ok(false),
_ => Ok(true),
}
@@ -448,10 +443,10 @@ impl State {
/// Returns a reason if the stream has been reset.
pub(super) fn ensure_reason(&self, mode: PollReset) -> Result<Option<Reason>, crate::Error> {
match self.inner {
- Closed(Cause::Proto(reason))
- | Closed(Cause::LocallyReset(reason))
- | Closed(Cause::Scheduled(reason)) => Ok(Some(reason)),
- Closed(Cause::Io) => Err(proto::Error::Io(io::ErrorKind::BrokenPipe.into()).into()),
+ Closed(Cause::Error(Error::Reset(_, reason, _)))
+ | Closed(Cause::Error(Error::GoAway(_, reason, _)))
+ | Closed(Cause::ScheduledLibraryReset(reason)) => Ok(Some(reason)),
+ Closed(Cause::Error(ref e)) => Err(e.clone().into()),
Open {
local: Streaming, ..
}
diff --git a/src/proto/streams/streams.rs b/src/proto/streams/streams.rs
--- a/src/proto/streams/streams.rs
+++ b/src/proto/streams/streams.rs
@@ -1,9 +1,9 @@
use super::recv::RecvHeaderBlockError;
use super::store::{self, Entry, Resolve, Store};
use super::{Buffer, Config, Counts, Prioritized, Recv, Send, Stream, StreamId};
-use crate::codec::{Codec, RecvError, SendError, UserError};
+use crate::codec::{Codec, SendError, UserError};
use crate::frame::{self, Frame, Reason};
-use crate::proto::{peer, Open, Peer, WindowSize};
+use crate::proto::{peer, Error, Initiator, Open, Peer, WindowSize};
use crate::{client, proto, server};
use bytes::{Buf, Bytes};
@@ -180,7 +180,7 @@ where
me.poll_complete(&self.send_buffer, cx, dst)
}
- pub fn apply_remote_settings(&mut self, frame: &frame::Settings) -> Result<(), RecvError> {
+ pub fn apply_remote_settings(&mut self, frame: &frame::Settings) -> Result<(), Error> {
let mut me = self.inner.lock().unwrap();
let me = &mut *me;
@@ -198,7 +198,7 @@ where
)
}
- pub fn apply_local_settings(&mut self, frame: &frame::Settings) -> Result<(), RecvError> {
+ pub fn apply_local_settings(&mut self, frame: &frame::Settings) -> Result<(), Error> {
let mut me = self.inner.lock().unwrap();
let me = &mut *me;
@@ -297,30 +297,30 @@ where
}
impl<B> DynStreams<'_, B> {
- pub fn recv_headers(&mut self, frame: frame::Headers) -> Result<(), RecvError> {
+ pub fn recv_headers(&mut self, frame: frame::Headers) -> Result<(), Error> {
let mut me = self.inner.lock().unwrap();
me.recv_headers(self.peer, &self.send_buffer, frame)
}
- pub fn recv_data(&mut self, frame: frame::Data) -> Result<(), RecvError> {
+ pub fn recv_data(&mut self, frame: frame::Data) -> Result<(), Error> {
let mut me = self.inner.lock().unwrap();
me.recv_data(self.peer, &self.send_buffer, frame)
}
- pub fn recv_reset(&mut self, frame: frame::Reset) -> Result<(), RecvError> {
+ pub fn recv_reset(&mut self, frame: frame::Reset) -> Result<(), Error> {
let mut me = self.inner.lock().unwrap();
me.recv_reset(&self.send_buffer, frame)
}
- /// Handle a received error and return the ID of the last processed stream.
- pub fn recv_err(&mut self, err: &proto::Error) -> StreamId {
+ /// Notify all streams that a connection-level error happened.
+ pub fn handle_error(&mut self, err: proto::Error) -> StreamId {
let mut me = self.inner.lock().unwrap();
- me.recv_err(&self.send_buffer, err)
+ me.handle_error(&self.send_buffer, err)
}
- pub fn recv_go_away(&mut self, frame: &frame::GoAway) -> Result<(), RecvError> {
+ pub fn recv_go_away(&mut self, frame: &frame::GoAway) -> Result<(), Error> {
let mut me = self.inner.lock().unwrap();
me.recv_go_away(&self.send_buffer, frame)
}
@@ -329,12 +329,12 @@ impl<B> DynStreams<'_, B> {
self.inner.lock().unwrap().actions.recv.last_processed_id()
}
- pub fn recv_window_update(&mut self, frame: frame::WindowUpdate) -> Result<(), RecvError> {
+ pub fn recv_window_update(&mut self, frame: frame::WindowUpdate) -> Result<(), Error> {
let mut me = self.inner.lock().unwrap();
me.recv_window_update(&self.send_buffer, frame)
}
- pub fn recv_push_promise(&mut self, frame: frame::PushPromise) -> Result<(), RecvError> {
+ pub fn recv_push_promise(&mut self, frame: frame::PushPromise) -> Result<(), Error> {
let mut me = self.inner.lock().unwrap();
me.recv_push_promise(&self.send_buffer, frame)
}
@@ -375,7 +375,7 @@ impl Inner {
peer: peer::Dyn,
send_buffer: &SendBuffer<B>,
frame: frame::Headers,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), Error> {
let id = frame.stream_id();
// The GOAWAY process has begun. All streams with a greater ID than
@@ -405,10 +405,7 @@ impl Inner {
"recv_headers for old stream={:?}, sending STREAM_CLOSED",
id,
);
- return Err(RecvError::Stream {
- id,
- reason: Reason::STREAM_CLOSED,
- });
+ return Err(Error::library_reset(id, Reason::STREAM_CLOSED));
}
}
@@ -471,10 +468,7 @@ impl Inner {
Ok(())
} else {
- Err(RecvError::Stream {
- id: stream.id,
- reason: Reason::REFUSED_STREAM,
- })
+ Err(Error::library_reset(stream.id, Reason::REFUSED_STREAM))
}
},
Err(RecvHeaderBlockError::State(err)) => Err(err),
@@ -484,10 +478,7 @@ impl Inner {
// Receiving trailers that don't set EOS is a "malformed"
// message. Malformed messages are a stream error.
proto_err!(stream: "recv_headers: trailers frame was not EOS; stream={:?}", stream.id);
- return Err(RecvError::Stream {
- id: stream.id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(stream.id, Reason::PROTOCOL_ERROR));
}
actions.recv.recv_trailers(frame, stream)
@@ -502,7 +493,7 @@ impl Inner {
peer: peer::Dyn,
send_buffer: &SendBuffer<B>,
frame: frame::Data,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), Error> {
let id = frame.stream_id();
let stream = match self.store.find_mut(&id) {
@@ -529,14 +520,11 @@ impl Inner {
let sz = sz as WindowSize;
self.actions.recv.ignore_data(sz)?;
- return Err(RecvError::Stream {
- id,
- reason: Reason::STREAM_CLOSED,
- });
+ return Err(Error::library_reset(id, Reason::STREAM_CLOSED));
}
proto_err!(conn: "recv_data: stream not found; id={:?}", id);
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
};
@@ -551,7 +539,7 @@ impl Inner {
// Any stream error after receiving a DATA frame means
// we won't give the data to the user, and so they can't
// release the capacity. We do it automatically.
- if let Err(RecvError::Stream { .. }) = res {
+ if let Err(Error::Reset(..)) = res {
actions
.recv
.release_connection_capacity(sz as WindowSize, &mut None);
@@ -564,12 +552,12 @@ impl Inner {
&mut self,
send_buffer: &SendBuffer<B>,
frame: frame::Reset,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), Error> {
let id = frame.stream_id();
if id.is_zero() {
proto_err!(conn: "recv_reset: invalid stream ID 0");
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
// The GOAWAY process has begun. All streams with a greater ID than
@@ -589,7 +577,7 @@ impl Inner {
// TODO: Are there other error cases?
self.actions
.ensure_not_idle(self.counts.peer(), id)
- .map_err(RecvError::Connection)?;
+ .map_err(Error::library_go_away)?;
return Ok(());
}
@@ -602,7 +590,7 @@ impl Inner {
self.counts.transition(stream, |counts, stream| {
actions.recv.recv_reset(frame, stream);
- actions.send.recv_err(send_buffer, stream, counts);
+ actions.send.handle_error(send_buffer, stream, counts);
assert!(stream.state.is_closed());
Ok(())
})
@@ -612,7 +600,7 @@ impl Inner {
&mut self,
send_buffer: &SendBuffer<B>,
frame: frame::WindowUpdate,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), Error> {
let id = frame.stream_id();
let mut send_buffer = send_buffer.inner.lock().unwrap();
@@ -622,7 +610,7 @@ impl Inner {
self.actions
.send
.recv_connection_window_update(frame, &mut self.store, &mut self.counts)
- .map_err(RecvError::Connection)?;
+ .map_err(Error::library_go_away)?;
} else {
// The remote may send window updates for streams that the local now
// considers closed. It's ok...
@@ -640,14 +628,14 @@ impl Inner {
} else {
self.actions
.ensure_not_idle(self.counts.peer(), id)
- .map_err(RecvError::Connection)?;
+ .map_err(Error::library_go_away)?;
}
}
Ok(())
}
- fn recv_err<B>(&mut self, send_buffer: &SendBuffer<B>, err: &proto::Error) -> StreamId {
+ fn handle_error<B>(&mut self, send_buffer: &SendBuffer<B>, err: proto::Error) -> StreamId {
let actions = &mut self.actions;
let counts = &mut self.counts;
let mut send_buffer = send_buffer.inner.lock().unwrap();
@@ -658,14 +646,14 @@ impl Inner {
self.store
.for_each(|stream| {
counts.transition(stream, |counts, stream| {
- actions.recv.recv_err(err, &mut *stream);
- actions.send.recv_err(send_buffer, stream, counts);
+ actions.recv.handle_error(&err, &mut *stream);
+ actions.send.handle_error(send_buffer, stream, counts);
Ok::<_, ()>(())
})
})
.unwrap();
- actions.conn_error = Some(err.shallow_clone());
+ actions.conn_error = Some(err);
last_processed_id
}
@@ -674,7 +662,7 @@ impl Inner {
&mut self,
send_buffer: &SendBuffer<B>,
frame: &frame::GoAway,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), Error> {
let actions = &mut self.actions;
let counts = &mut self.counts;
let mut send_buffer = send_buffer.inner.lock().unwrap();
@@ -684,14 +672,14 @@ impl Inner {
actions.send.recv_go_away(last_stream_id)?;
- let err = frame.reason().into();
+ let err = Error::remote_go_away(frame.debug_data().clone(), frame.reason());
self.store
.for_each(|stream| {
if stream.id > last_stream_id {
counts.transition(stream, |counts, stream| {
- actions.recv.recv_err(&err, &mut *stream);
- actions.send.recv_err(send_buffer, stream, counts);
+ actions.recv.handle_error(&err, &mut *stream);
+ actions.send.handle_error(send_buffer, stream, counts);
Ok::<_, ()>(())
})
} else {
@@ -709,7 +697,7 @@ impl Inner {
&mut self,
send_buffer: &SendBuffer<B>,
frame: frame::PushPromise,
- ) -> Result<(), RecvError> {
+ ) -> Result<(), Error> {
let id = frame.stream_id();
let promised_id = frame.promised_id();
@@ -733,7 +721,7 @@ impl Inner {
}
None => {
proto_err!(conn: "recv_push_promise: initiating stream is in an invalid state");
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR).into());
}
};
@@ -826,7 +814,7 @@ impl Inner {
// This handles resetting send state associated with the
// stream
- actions.send.recv_err(send_buffer, stream, counts);
+ actions.send.handle_error(send_buffer, stream, counts);
Ok::<_, ()>(())
})
})
@@ -886,8 +874,13 @@ impl Inner {
let stream = self.store.resolve(key);
let mut send_buffer = send_buffer.inner.lock().unwrap();
let send_buffer = &mut *send_buffer;
- self.actions
- .send_reset(stream, reason, &mut self.counts, send_buffer);
+ self.actions.send_reset(
+ stream,
+ reason,
+ Initiator::Library,
+ &mut self.counts,
+ send_buffer,
+ );
}
}
@@ -1060,7 +1053,7 @@ impl<B> StreamRef<B> {
let send_buffer = &mut *send_buffer;
me.actions
- .send_reset(stream, reason, &mut me.counts, send_buffer);
+ .send_reset(stream, reason, Initiator::User, &mut me.counts, send_buffer);
}
pub fn send_response(
@@ -1468,12 +1461,19 @@ impl Actions {
&mut self,
stream: store::Ptr,
reason: Reason,
+ initiator: Initiator,
counts: &mut Counts,
send_buffer: &mut Buffer<Frame<B>>,
) {
counts.transition(stream, |counts, stream| {
- self.send
- .send_reset(reason, send_buffer, stream, counts, &mut self.task);
+ self.send.send_reset(
+ reason,
+ initiator,
+ send_buffer,
+ stream,
+ counts,
+ &mut self.task,
+ );
self.recv.enqueue_reset_expiration(stream, counts);
// if a RecvStream is parked, ensure it's notified
stream.notify_recv();
@@ -1485,12 +1485,13 @@ impl Actions {
buffer: &mut Buffer<Frame<B>>,
stream: &mut store::Ptr,
counts: &mut Counts,
- res: Result<(), RecvError>,
- ) -> Result<(), RecvError> {
- if let Err(RecvError::Stream { reason, .. }) = res {
+ res: Result<(), Error>,
+ ) -> Result<(), Error> {
+ if let Err(Error::Reset(stream_id, reason, initiator)) = res {
+ debug_assert_eq!(stream_id, stream.id);
// Reset the stream.
self.send
- .send_reset(reason, buffer, stream, counts, &mut self.task);
+ .send_reset(reason, initiator, buffer, stream, counts, &mut self.task);
Ok(())
} else {
res
@@ -1507,7 +1508,7 @@ impl Actions {
fn ensure_no_conn_error(&self) -> Result<(), proto::Error> {
if let Some(ref err) = self.conn_error {
- Err(err.shallow_clone())
+ Err(err.clone())
} else {
Ok(())
}
diff --git a/src/server.rs b/src/server.rs
--- a/src/server.rs
+++ b/src/server.rs
@@ -115,9 +115,9 @@
//! [`SendStream`]: ../struct.SendStream.html
//! [`TcpListener`]: https://docs.rs/tokio-core/0.1/tokio_core/net/struct.TcpListener.html
-use crate::codec::{Codec, RecvError, UserError};
+use crate::codec::{Codec, UserError};
use crate::frame::{self, Pseudo, PushPromiseHeaderError, Reason, Settings, StreamId};
-use crate::proto::{self, Config, Prioritized};
+use crate::proto::{self, Config, Error, Prioritized};
use crate::{FlowControl, PingPong, RecvStream, SendStream};
use bytes::{Buf, Bytes};
@@ -1202,7 +1202,7 @@ where
if &PREFACE[self.pos..self.pos + n] != buf.filled() {
proto_err!(conn: "read_preface: invalid preface");
// TODO: Should this just write the GO_AWAY frame directly?
- return Poll::Ready(Err(Reason::PROTOCOL_ERROR.into()));
+ return Poll::Ready(Err(Error::library_go_away(Reason::PROTOCOL_ERROR).into()));
}
self.pos += n;
@@ -1388,7 +1388,7 @@ impl proto::Peer for Peer {
pseudo: Pseudo,
fields: HeaderMap,
stream_id: StreamId,
- ) -> Result<Self::Poll, RecvError> {
+ ) -> Result<Self::Poll, Error> {
use http::{uri, Version};
let mut b = Request::builder();
@@ -1396,10 +1396,7 @@ impl proto::Peer for Peer {
macro_rules! malformed {
($($arg:tt)*) => {{
tracing::debug!($($arg)*);
- return Err(RecvError::Stream {
- id: stream_id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(stream_id, Reason::PROTOCOL_ERROR));
}}
}
@@ -1416,7 +1413,7 @@ impl proto::Peer for Peer {
// Specifying :status for a request is a protocol error
if pseudo.status.is_some() {
tracing::trace!("malformed headers: :status field on request; PROTOCOL_ERROR");
- return Err(RecvError::Connection(Reason::PROTOCOL_ERROR));
+ return Err(Error::library_go_away(Reason::PROTOCOL_ERROR));
}
// Convert the URI
@@ -1483,10 +1480,7 @@ impl proto::Peer for Peer {
// TODO: Should there be more specialized handling for different
// kinds of errors
proto_err!(stream: "error building request: {}; stream={:?}", e, stream_id);
- return Err(RecvError::Stream {
- id: stream_id,
- reason: Reason::PROTOCOL_ERROR,
- });
+ return Err(Error::library_reset(stream_id, Reason::PROTOCOL_ERROR));
}
};
|
diff --git a/src/hpack/test/fuzz.rs b/src/hpack/test/fuzz.rs
--- a/src/hpack/test/fuzz.rs
+++ b/src/hpack/test/fuzz.rs
@@ -8,7 +8,6 @@ use rand::{Rng, SeedableRng, StdRng};
use std::io::Cursor;
-const MIN_CHUNK: usize = 16;
const MAX_CHUNK: usize = 2 * 1024;
#[test]
@@ -36,17 +35,8 @@ fn hpack_fuzz_seeded() {
#[derive(Debug, Clone)]
struct FuzzHpack {
- // The magic seed that makes the test case reproducible
- seed: [usize; 4],
-
// The set of headers to encode / decode
frames: Vec<HeaderFrame>,
-
- // The list of chunk sizes to do it in
- chunks: Vec<usize>,
-
- // Number of times reduced
- reduced: usize,
}
#[derive(Debug, Clone)]
@@ -128,19 +118,7 @@ impl FuzzHpack {
frames.push(frame);
}
- // Now, generate the buffer sizes used to encode
- let mut chunks = vec![];
-
- for _ in 0..rng.gen_range(0, 100) {
- chunks.push(rng.gen_range(MIN_CHUNK, MAX_CHUNK));
- }
-
- FuzzHpack {
- seed: seed,
- frames: frames,
- chunks: chunks,
- reduced: 0,
- }
+ FuzzHpack { frames }
}
fn run(self) {
diff --git a/tests/h2-support/src/mock.rs b/tests/h2-support/src/mock.rs
--- a/tests/h2-support/src/mock.rs
+++ b/tests/h2-support/src/mock.rs
@@ -1,7 +1,8 @@
use crate::SendFrame;
use h2::frame::{self, Frame};
-use h2::{self, RecvError, SendError};
+use h2::proto::Error;
+use h2::{self, SendError};
use futures::future::poll_fn;
use futures::{ready, Stream, StreamExt};
@@ -284,7 +285,7 @@ impl Handle {
}
impl Stream for Handle {
- type Item = Result<Frame, RecvError>;
+ type Item = Result<Frame, Error>;
fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> {
Pin::new(&mut self.codec).poll_next(cx)
diff --git a/tests/h2-tests/tests/client_request.rs b/tests/h2-tests/tests/client_request.rs
--- a/tests/h2-tests/tests/client_request.rs
+++ b/tests/h2-tests/tests/client_request.rs
@@ -410,7 +410,11 @@ async fn send_reset_notifies_recv_stream() {
};
let rx = async {
let mut body = res.into_body();
- body.next().await.unwrap().expect_err("RecvBody");
+ let err = body.next().await.unwrap().expect_err("RecvBody");
+ assert_eq!(
+ err.to_string(),
+ "stream error sent by user: refused stream before processing any application logic"
+ );
};
// a FuturesUnordered is used on purpose!
@@ -672,7 +676,7 @@ async fn sending_request_on_closed_connection() {
};
let poll_err = poll_fn(|cx| client.poll_ready(cx)).await.unwrap_err();
- let msg = "protocol error: unspecific protocol error detected";
+ let msg = "connection error detected: unspecific protocol error detected";
assert_eq!(poll_err.to_string(), msg);
let request = Request::builder()
diff --git a/tests/h2-tests/tests/codec_read.rs b/tests/h2-tests/tests/codec_read.rs
--- a/tests/h2-tests/tests/codec_read.rs
+++ b/tests/h2-tests/tests/codec_read.rs
@@ -236,7 +236,7 @@ async fn read_goaway_with_debug_data() {
let data = poll_frame!(GoAway, codec);
assert_eq!(data.reason(), Reason::ENHANCE_YOUR_CALM);
assert_eq!(data.last_stream_id(), 1);
- assert_eq!(data.debug_data(), b"too_many_pings");
+ assert_eq!(&**data.debug_data(), b"too_many_pings");
assert_closed!(codec);
}
diff --git a/tests/h2-tests/tests/flow_control.rs b/tests/h2-tests/tests/flow_control.rs
--- a/tests/h2-tests/tests/flow_control.rs
+++ b/tests/h2-tests/tests/flow_control.rs
@@ -217,7 +217,7 @@ async fn recv_data_overflows_connection_window() {
let err = res.unwrap_err();
assert_eq!(
err.to_string(),
- "protocol error: flow-control protocol violated"
+ "connection error detected: flow-control protocol violated"
);
};
@@ -227,7 +227,7 @@ async fn recv_data_overflows_connection_window() {
let err = res.unwrap_err();
assert_eq!(
err.to_string(),
- "protocol error: flow-control protocol violated"
+ "connection error detected: flow-control protocol violated"
);
};
join(conn, req).await;
@@ -278,7 +278,7 @@ async fn recv_data_overflows_stream_window() {
let err = res.unwrap_err();
assert_eq!(
err.to_string(),
- "protocol error: flow-control protocol violated"
+ "stream error detected: flow-control protocol violated"
);
};
@@ -358,7 +358,7 @@ async fn stream_error_release_connection_capacity() {
.expect_err("body");
assert_eq!(
err.to_string(),
- "protocol error: unspecific protocol error detected"
+ "stream error detected: unspecific protocol error detected"
);
cap.release_capacity(to_release).expect("release_capacity");
};
diff --git a/tests/h2-tests/tests/push_promise.rs b/tests/h2-tests/tests/push_promise.rs
--- a/tests/h2-tests/tests/push_promise.rs
+++ b/tests/h2-tests/tests/push_promise.rs
@@ -164,7 +164,7 @@ async fn recv_push_when_push_disabled_is_conn_error() {
let err = res.unwrap_err();
assert_eq!(
err.to_string(),
- "protocol error: unspecific protocol error detected"
+ "connection error detected: unspecific protocol error detected"
);
};
@@ -174,7 +174,7 @@ async fn recv_push_when_push_disabled_is_conn_error() {
let err = res.unwrap_err();
assert_eq!(
err.to_string(),
- "protocol error: unspecific protocol error detected"
+ "connection error detected: unspecific protocol error detected"
);
};
@@ -380,8 +380,16 @@ async fn recv_push_promise_skipped_stream_id() {
.unwrap();
let req = async move {
- let res = client.send_request(request, true).unwrap().0.await;
- assert!(res.is_err());
+ let err = client
+ .send_request(request, true)
+ .unwrap()
+ .0
+ .await
+ .unwrap_err();
+ assert_eq!(
+ err.to_string(),
+ "connection error detected: unspecific protocol error detected"
+ );
};
// client should see a protocol error
@@ -390,7 +398,7 @@ async fn recv_push_promise_skipped_stream_id() {
let err = res.unwrap_err();
assert_eq!(
err.to_string(),
- "protocol error: unspecific protocol error detected"
+ "connection error detected: unspecific protocol error detected"
);
};
@@ -435,7 +443,11 @@ async fn recv_push_promise_dup_stream_id() {
let req = async move {
let res = client.send_request(request, true).unwrap().0.await;
- assert!(res.is_err());
+ let err = res.unwrap_err();
+ assert_eq!(
+ err.to_string(),
+ "connection error detected: unspecific protocol error detected"
+ );
};
// client should see a protocol error
@@ -444,7 +456,7 @@ async fn recv_push_promise_dup_stream_id() {
let err = res.unwrap_err();
assert_eq!(
err.to_string(),
- "protocol error: unspecific protocol error detected"
+ "connection error detected: unspecific protocol error detected"
);
};
diff --git a/tests/h2-tests/tests/stream_states.rs b/tests/h2-tests/tests/stream_states.rs
--- a/tests/h2-tests/tests/stream_states.rs
+++ b/tests/h2-tests/tests/stream_states.rs
@@ -207,13 +207,19 @@ async fn errors_if_recv_frame_exceeds_max_frame_size() {
let body = resp.into_parts().1;
let res = util::concat(body).await;
let err = res.unwrap_err();
- assert_eq!(err.to_string(), "protocol error: frame with invalid size");
+ assert_eq!(
+ err.to_string(),
+ "connection error detected: frame with invalid size"
+ );
};
// client should see a conn error
let conn = async move {
let err = h2.await.unwrap_err();
- assert_eq!(err.to_string(), "protocol error: frame with invalid size");
+ assert_eq!(
+ err.to_string(),
+ "connection error detected: frame with invalid size"
+ );
};
join(conn, req).await;
};
@@ -321,7 +327,10 @@ async fn recv_goaway_finishes_processed_streams() {
// this request will trigger a goaway
let req2 = async move {
let err = client.get("https://example.com/").await.unwrap_err();
- assert_eq!(err.to_string(), "protocol error: not a result of an error");
+ assert_eq!(
+ err.to_string(),
+ "connection error received: not a result of an error"
+ );
};
join3(async move { h2.await.expect("client") }, req1, req2).await;
|
Redesign the h2::Error type
> Yea, I think we'd need to redesign the `h2::Error` type some, so that it can include if it's a stream error, or a connection error (`GOAWAY`). Then we'd be better equipped to answer that programmatically.
_Originally posted by @seanmonstar in https://github.com/hyperium/hyper/issues/2500#issuecomment-821585355_
AFAICT we want `DynConnection::error` and `ConnectionInner::error` to at the very least be an `Option<frame::GoAway>` instead of a plain `Option<Reason>`.
|
Once those two `error` fields are made to store a `frame::GoAway`, we can patch `Connection::take_error` to also take the last stream id out of the frame, but that raises more questions:
* Do we ignore the last stream id if `(ours, theirs)` is `(_, Reason::NO_ERROR)`?
* How do we represent the stream id in `proto::Error`, i.e. do we make a new variant or do we add a field to the `Proto` one?
* How do we propagate that to `crate::Error`? Do we make new methods like `get_io` and `take_io`?
Also, instead of just passing around the last stream id from the `GOAWAY` frame, maybe we should just let the user be able to reach the entire `frame::GoAway` value in case the other peer sent interesting debug information with it.
Yes, for the connection error variant, I've wanted to add the `debug_data` field as well, since some things send useful hints in that.
I've wanted to redesign the `Error` type internals in h2 for a while, with these thoughts in mind:
- Be able to distinguish between a stream and connection error.
- Probably include a way to determine if the error was received (via a `RST_STREAM` or `GOAWAY`) by the remote, or if `h2` "triggered" it because of some violation.
- Ditch the `Io` variant, and just interpret that as a connection error with the `io::Error` in the `cause`.
- I'd probably propose still keeping a single `h2::Error` type, and have the variants be internal kinds, with accessors to check for them.
- With a connection error, while we'd want to expose the `last_stream_id` (I think), it's possible for someone to wrongly use that. It will contain the last stream ID that was received by the creator of the GOAWAY. That means if the client were to notice a connection error problem, and send a GOAWAY, and the server had never sent any push promises, then the `last_stream_id` would be `StreamId(0)`. If you then saw that and did a simple `error.last_stream_id() < req_stream_id`, they could easily assume all the requests could be resent.
Currently there is no way to distinguish between errors generated by h2 itself and remote stream/connection errors, correct?
There are other error-related issues: #463 and #470.
Oh yes, that's another point I forgot to include, is it an error the remote told us about, or is it an error "we" noticed about the remote doing something wrong.
I've started working on this and there are 4 different kinds of errors we need to disambiguate:
* the remote peer sent a reset or a goaway (remote error);
* the local peer sent a reset or a goaway (local error);
* the h2 crate rejected something the local peer did (user error);
* the h2 crate rejected something the remote peer did (I want to call that a state error).
I'd like to offer another axis to how we could categorize errors: stream, connection, and user. With a getter to determine if we received the error over the wire, or generated it locally. I'd also like to consider keeping the `source` for the errors (many are just logged as a tracing event). One possibility is to include the `frame::Reset` or `frame::GoAway` as the `source`, to indicate whether we received it or not.
For example, here's some sample `fmt::Debug` outputs:
## We received a GOAWAY:
```
h2::Error {
kind: Connection {
error_code: ENHANCE_YOUR_CALM,
},
source: frame::GoAway {
error_code: ENHANCE_YOUR_CALM,
last_stream_id: 87,
debug_data: b"too_many_pings",
},
}
```
## We found an illegal SETTINGS frame on the wire
```
h2::Error {
kind: Connection {
error_code: PROTOCOL_ERROR,
last_stream_id: 0,
debug_data: b"bro do you even http?",
},
source: FrameDecodeError::InvalidSettingsFrame,
}
```
## We received a DATA frame without enough window capacity
```
h2::Error {
kind: Stream {
reason: FLOW_CONTROL_ERROR,
stream_id: 55,
},
source: DataFrameExceedsStreamWindow,
}
```
## We got a RST_STREAM frame.
```
h2::Error {
kind: Stream {
reason: STREAM_CLOSED,
stream_id: 135,
},
source: frame::Reset,
}
```
Why is there no `last_stream_id` nor `debug_data` in the first one?
How do you represent IO errors?
I'm also not sure how you can check whether the error came from the wire or not from those payloads.
Another issue: what happens to `SendStream::poll_reset`? We probs want to change the return type right? A bare `Reason` doesn't tell us much about what happened when the stream got reset.
> Why is there no last_stream_id nor debug_data in the first one?
Eh, there could be! Seemed like duplicate information that was already in the `source`. But 🤷
> How do you represent IO errors?
Probably as a `kind: Connection { error_code: INTERNAL_ERROR }` with the IO error as the source. It's basically a connection level error at that point...
> I'm also not sure how you can check whether the error came from the wire or not from those payloads.
```rust
impl Error {
// method naming is hard
pub fn is_from_peer(&self) -> bool {
self.source().map(|e| e.is::<frame::Reset>() || e.is::<frame::GoAway>()).unwrap_or(false)
}
}
```
> what happens to SendStream::poll_reset? We probs want to change the return type right? A bare Reason doesn't tell us much about what happened when the stream got reset.
Does it need to change? I haven't thought about it really. We already know the stream, so stream ID, doesn't help much. I guess returning an `Error` instead would allow a user to know that the stream is being killed because of a reset or a goaway?
> Eh, there could be! Seemed like duplicate information that was already in the `source`. But 🤷
My point was that you provided two samples using the same type but with different fields in both, which is quite confusing to me.
Your plan also does not let the user check whether the error came from the h2 crate itself because the other peer didn't properly follow the protocol.
> Probably as a `kind: Connection { error_code: INTERNAL_ERROR }` with the IO error as the source. It's basically a connection level error at that point...
There are some I/O errors we expect, but we most probably want to know when an origin server replied back with `INTERNAL_ERROR`, conflating those explicit `INTERNAL_ERROR` responses with an I/O error seem like it would be confusing to log unexpected errors.
> Your plan also does not let the user check whether the error came from the h2 crate itself because the other peer didn't properly follow the protocol.
The `is_from_peer()` method I posted should allow that.
| 2021-08-30T14:12:36
|
rust
|
Hard
|
shuttle-hq/synth
| 357
|
shuttle-hq__synth-357
|
[
"353"
] |
69b8036b85a027addd244fee4460f421eb50169b
|
diff --git a/Cargo.lock b/Cargo.lock
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -234,18 +234,6 @@ dependencies = [
"event-listener",
]
-[[package]]
-name = "async-native-tls"
-version = "0.3.3"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "9e9e7a929bd34c68a82d58a4de7f86fffdaf97fb2af850162a7bb19dd7269b33"
-dependencies = [
- "async-std",
- "native-tls",
- "thiserror",
- "url",
-]
-
[[package]]
name = "async-process"
version = "1.2.0"
@@ -263,6 +251,17 @@ dependencies = [
"winapi",
]
+[[package]]
+name = "async-rustls"
+version = "0.2.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "9c86f33abd5a4f3e2d6d9251a9e0c6a7e52eb1113caf893dae8429bf4a53f378"
+dependencies = [
+ "futures-lite",
+ "rustls",
+ "webpki",
+]
+
[[package]]
name = "async-session"
version = "2.0.1"
@@ -585,9 +584,6 @@ name = "cc"
version = "1.0.70"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "d26a6ce4b6a484fa3edb70f7efa6fc430fd2b87285fe8b84304fd0936faa0dc0"
-dependencies = [
- "jobserver",
-]
[[package]]
name = "cfg-if"
@@ -1302,21 +1298,6 @@ version = "0.25.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "f0a01e0497841a3b2db4f8afa483cce65f7e96a3498bd6c541734792aeac8fe7"
-[[package]]
-name = "git2"
-version = "0.13.21"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "659cd14835e75b64d9dba5b660463506763cf0aa6cb640aeeb0e98d841093490"
-dependencies = [
- "bitflags",
- "libc",
- "libgit2-sys",
- "log",
- "openssl-probe",
- "openssl-sys",
- "url",
-]
-
[[package]]
name = "globset"
version = "0.4.8"
@@ -1702,15 +1683,6 @@ version = "0.4.8"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "b71991ff56294aa922b450139ee08b3bfc70982c6b2c7562771375cf73542dd4"
-[[package]]
-name = "jobserver"
-version = "0.1.24"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "af25a77299a7f711a01975c35a6a424eb6862092cc2d6c72c4ed6cbc56dfc1fa"
-dependencies = [
- "libc",
-]
-
[[package]]
name = "js-sys"
version = "0.3.53"
@@ -1744,52 +1716,12 @@ version = "0.2.101"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "3cb00336871be5ed2c8ed44b60ae9959dc5b9f08539422ed43f09e34ecaeba21"
-[[package]]
-name = "libgit2-sys"
-version = "0.12.22+1.1.0"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "89c53ac117c44f7042ad8d8f5681378dfbc6010e49ec2c0d1f11dfedc7a4a1c3"
-dependencies = [
- "cc",
- "libc",
- "libssh2-sys",
- "libz-sys",
- "openssl-sys",
- "pkg-config",
-]
-
[[package]]
name = "libm"
version = "0.2.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "c7d73b3f436185384286bd8098d17ec07c9a7d2388a6599f824d8502b529702a"
-[[package]]
-name = "libssh2-sys"
-version = "0.2.21"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "e0186af0d8f171ae6b9c4c90ec51898bad5d08a2d5e470903a50d9ad8959cbee"
-dependencies = [
- "cc",
- "libc",
- "libz-sys",
- "openssl-sys",
- "pkg-config",
- "vcpkg",
-]
-
-[[package]]
-name = "libz-sys"
-version = "1.1.3"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "de5435b8549c16d423ed0c03dbaafe57cf6c3344744f1242520d59c9d8ecec66"
-dependencies = [
- "cc",
- "libc",
- "pkg-config",
- "vcpkg",
-]
-
[[package]]
name = "linked-hash-map"
version = "0.5.4"
@@ -2188,15 +2120,6 @@ version = "0.1.4"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "28988d872ab76095a6e6ac88d99b54fd267702734fd7ffe610ca27f533ddb95a"
-[[package]]
-name = "openssl-src"
-version = "111.22.0+1.1.1q"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "8f31f0d509d1c1ae9cada2f9539ff8f37933831fd5098879e482aa687d659853"
-dependencies = [
- "cc",
-]
-
[[package]]
name = "openssl-sys"
version = "0.9.75"
@@ -2206,7 +2129,6 @@ dependencies = [
"autocfg 1.0.1",
"cc",
"libc",
- "openssl-src",
"pkg-config",
"vcpkg",
]
@@ -3111,6 +3033,7 @@ dependencies = [
"rand 0.8.4",
"rsa",
"rust_decimal",
+ "rustls",
"serde",
"serde_json",
"sha-1",
@@ -3121,6 +3044,8 @@ dependencies = [
"stringprep",
"thiserror",
"url",
+ "webpki",
+ "webpki-roots",
"whoami",
]
@@ -3150,9 +3075,8 @@ version = "0.5.7"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "14302b678d9c76b28f2e60115211e25e0aabc938269991745a169753dc00e35c"
dependencies = [
- "async-native-tls",
+ "async-rustls",
"async-std",
- "native-tls",
]
[[package]]
@@ -3318,14 +3242,12 @@ dependencies = [
"env_logger",
"fs2",
"futures",
- "git2",
"iai",
"indicatif",
"lazy_static",
"log",
"mongodb",
"num_cpus",
- "openssl",
"paste",
"posthog-rs",
"querystring",
diff --git a/core/Cargo.toml b/core/Cargo.toml
--- a/core/Cargo.toml
+++ b/core/Cargo.toml
@@ -35,6 +35,6 @@ bimap = { version = "0.6.0", features = [ "std" ] }
humantime-serde = "1.0.1"
bloomfilter = "1.0.5"
dynfmt = { version = "0.1.5", features = [ "curly" ] }
-sqlx = { version = "0.5.7", features = [ "postgres", "mysql", "runtime-async-std-native-tls", "decimal", "chrono" ] }
+sqlx = { version = "0.5.7", features = [ "postgres", "mysql", "runtime-async-std-rustls", "decimal", "chrono" ] }
uriparse = "0.6.3"
paste = "1.0"
diff --git a/docs/docs/integrations/mysql.md b/docs/docs/integrations/mysql.md
new file mode 100644
--- /dev/null
+++ b/docs/docs/integrations/mysql.md
@@ -0,0 +1,107 @@
+---
+title: MySQL
+---
+
+:::note
+
+The Synth MySQL integration is currently **in beta**.
+
+:::
+
+## Usage
+
+`synth` can use [MySQL](https://www.mysql.org/) as a data source or
+sink. Connecting `synth` to a MySQL is as simple as specifying a URI
+and schema during the `import` or `generate`
+phase.
+
+### URI format
+
+```bash
+mysql://<username>:<password>@<host>:<port>/<catalog>
+```
+One [quirk](https://github.com/launchbadge/sqlx/issues/846) with the
+current MySQL integration is that the host can't be represented in IPv4,
+so DNS or IPv6 representations should be used instead.
+If IPv4 compatibility is wanted, use [IPv4-mapped IPv6](https://serverfault.com/a/1102261).
+
+## Import
+
+`synth` can import directly from a [MySQL](https://www.mysql.org/)
+database and create a data model from the database schema. During import, a
+new [namespace](../getting_started/core-concepts#namespaces)
+will be created from your database schema, and
+a [collection](../getting_started/core-concepts#collections) is created for each
+table in a separate JSON file. `synth` will map database columns to fields in
+the collections it creates. It then provides default generators for every
+collection. Synth will default to the `public` schema but this can be
+overriden with the `--schema` flag.
+
+`synth` will automatically detect primary key and foreign key constraints at
+import time and update the namespace and collection to reflect them. **Primary
+keys** get mapped to `synth`'s [id](../content/number#id)
+generator, and **foreign keys** get mapped to the [same_as](../content/same-as.md)
+generator.
+
+Finally `synth` will sample data randomly from every table in order to create a
+more realistic data model by automatically inferring bounds on types.
+
+`synth` has its own internal data model, and so does MySQL, therefore a
+conversion occurs between `synth` types and MySQL types. The inferred type
+can be seen below. The synth types link to default generator *variant*
+generated during the `import` process for that PostgreSQL type.
+
+Note, not all MySQL types have been covered yet. If there is a type you
+need, [open an issue](https://github.com/getsynth/synth/issues/new?assignees=&labels=New+feature&template=feature_request.md&title=)
+on GitHub.
+
+<!---
+table formatter: https://codebeautify.org/markdown-formatter
+-->
+
+| MySQL Type | Synth Type |
+| --------------- | ------------------------------------------------------- |
+| char | [string](../content/string#pattern) |
+| varchar(x) | [string](../content/string#pattern) |
+| text | [string](../content/string#pattern) |
+| enum | [string](../content/string#pattern) |
+| int | [i32](../content/number#range) |
+| integer | [i32](../content/number#range) |
+| tinyint | [i8](../content/number#range) |
+| bigint | [i64](../content/number#range) |
+| serial | [u64](../content/number#range) |
+| float | [f32](../content/number#range) |
+| double | [f64](../content/number#range) |
+| numeric | [f64](../content/number#range) |
+| decimal | [f64](../content/number#range) |
+| timestamp | [date_time](../content/date-time) |
+| datetime | [naive_date_time](../content/date-time) |
+| date | [naive_date](../content/date-time) |
+| time | [naive_time](../content/date-time) |
+
+```
+### Example Import Command
+
+```bash
+synth import --from mysql://user:pass@localhost:5432/postgres --schema
+main my_namespace
+```
+
+### Example
+
+## Generate
+
+`synth` can generate data directly into your MySQL database. First `synth`
+will generate as much data as required, then open a connection to your database,
+and then perform batch insert to quickly insert as much data as you need.
+
+`synth` will also respect primary key and foreign key constraints, by performing
+a [topological sort](https://en.wikipedia.org/wiki/Topological_sorting) on the
+data and inserting it in the right order such that no constraints are violated.
+
+### Example Generation Command
+
+```bash
+synth generate --to mysql://user:pass@localhost:5432/ --schema
+main my_namespace
+```
diff --git a/docs/docs/other/telemetry.md b/docs/docs/other/telemetry.md
--- a/docs/docs/other/telemetry.md
+++ b/docs/docs/other/telemetry.md
@@ -66,12 +66,7 @@ Synth's telemetry collects 8 fields:
- `telemetry::disabled`
- `success`: If the command completed in success.
- `version`: The current semver of Synth. For example `v0.4.3`.
-- `os`: The target platform for which the binary was built. This is the value
- of `cargo`'s `CARGO_CFG_TARGET_OS` environment variable under which `synth`
- was built in CI/CD. Currently, this is one of:
- - `linux`
- - `windows`
- - `macos`
+- `os`: The target platform for which the binary was built. This value is [std::env::consts::OS](https://doc.rust-lang.org/std/env/consts/constant.OS.html), a constant set at compile time. For example `windows`.
- `timestamp`: The time at which the command was issued. For
example `2021-05-06T16:13:40.084Z`.
- `generators`: A list of generators that were used by the `generate` command. For example `string::title, number::I32::Range`.
diff --git a/docs/docusaurus.config.js b/docs/docusaurus.config.js
--- a/docs/docusaurus.config.js
+++ b/docs/docusaurus.config.js
@@ -121,8 +121,12 @@ module.exports = {
},
{
to: '/docs/integrations/postgres',
- label: 'Integrations'
- }
+ label: 'Postgres Integration'
+ },
+ {
+ to: '/docs/integrations/mysql',
+ label: 'MySQL Integration'
+ }
],
},
{
diff --git a/docs/sidebars.js b/docs/sidebars.js
--- a/docs/sidebars.js
+++ b/docs/sidebars.js
@@ -3,7 +3,7 @@ module.exports = {
"Getting Started": ['getting_started/synth', 'getting_started/installation', 'getting_started/hello-world', 'getting_started/core-concepts', 'getting_started/schema', 'getting_started/command-line', 'getting_started/how-it-works'],
"Examples": ['examples/bank'],
"Tutorials": ['tutorials/creating-logs-with-synth'],
- "Integrations": ['integrations/postgres'],
+ "Integrations": ['integrations/postgres', 'integrations/mysql'],
"Generators": ['content/index', 'content/modifiers', 'content/null', 'content/bool', 'content/number', 'content/string', 'content/date-time', 'content/object', 'content/array', 'content/one-of', 'content/same-as', 'content/unique', 'content/series', 'content/datasource'],
"Other": ['other/telemetry']
},
diff --git a/synth/Cargo.toml b/synth/Cargo.toml
--- a/synth/Cargo.toml
+++ b/synth/Cargo.toml
@@ -19,15 +19,6 @@ harness = false
default = []
telemetry = ["posthog-rs", "uuid", "backtrace", "console"]
-[build-dependencies]
-git2 = "0.13.20"
-#until https://github.com/rust-lang/git2-rs/issues/623 fixed
-[dependencies.openssl]
-version = "0.10.41"
-features = [
- "vendored"
-]
-
[dev-dependencies]
lazy_static = "1.4.0"
tempfile = "3.1.0"
@@ -78,11 +69,11 @@ indicatif = "0.15.0"
dirs = "3.0.2"
mongodb = {version = "2.0.0-beta.3", features = ["sync", "bson-chrono-0_4"] , default-features = false}
-sqlx = { version = "0.5.7", features = [ "postgres", "mysql", "runtime-async-std-native-tls", "decimal", "chrono" ] }
+sqlx = { version = "0.5.7", features = [ "postgres", "mysql", "runtime-async-std-rustls", "decimal", "chrono" ] }
beau_collector = "0.2.1"
-reqwest = { version = "0.11", features = ["json", "blocking","rustls-tls"] }
+reqwest = { version = "0.11", default-features = false, features = ["json", "blocking","rustls-tls"] }
semver = "1.0.4"
diff --git a/synth/build.rs b/synth/build.rs
deleted file mode 100644
--- a/synth/build.rs
+++ /dev/null
@@ -1,32 +0,0 @@
-use std::env;
-use std::fs::File;
-use std::io::Write;
-use std::path::PathBuf;
-
-use git2::Repository;
-
-fn git_data(repo_src: PathBuf) -> Result<(String, String), Box<dyn std::error::Error>> {
- let repo = Repository::open(repo_src)?;
- let head = repo.head()?;
- let oid = head.target().expect("a valid oid").to_string();
- let shortname = head.shorthand().expect("a valid shortname").to_string();
- Ok((oid, shortname))
-}
-
-fn main() -> Result<(), Box<dyn std::error::Error>> {
- let repo_src = PathBuf::from(&env::var("SYNTH_SRC").unwrap_or_else(|_| "./.".to_string()));
- let (oid, shortname) =
- git_data(repo_src).unwrap_or_else(|_| ("unknown".to_string(), "unknown".to_string()));
- let os = env::var("CARGO_CFG_TARGET_OS").unwrap();
- let arch = env::var("CARGO_CFG_TARGET_ARCH").unwrap();
- let mut f = File::create(format!("{}/meta.rs", env::var("OUT_DIR").unwrap()))?;
- write!(
- f,
- r#"#[allow(dead_code)] pub const META_OID: &str = "{}";
- #[allow(dead_code)] pub const META_SHORTNAME: &str = "{}";
- #[allow(dead_code)] pub const META_OS: &str = "{}";
- #[allow(dead_code)] pub const META_ARCH: &str = "{}";"#,
- oid, shortname, os, arch,
- )?;
- Ok(())
-}
diff --git a/synth/src/cli/telemetry.rs b/synth/src/cli/telemetry.rs
--- a/synth/src/cli/telemetry.rs
+++ b/synth/src/cli/telemetry.rs
@@ -399,7 +399,7 @@ pub(crate) struct TelemetryClient {
impl TelemetryClient {
fn new() -> Self {
let synth_version = version();
- let os = META_OS.to_string();
+ let os = std::env::consts::OS.to_string();
Self {
ph_client: posthog_rs::client(API_KEY),
diff --git a/synth/src/utils.rs b/synth/src/utils.rs
--- a/synth/src/utils.rs
+++ b/synth/src/utils.rs
@@ -4,8 +4,6 @@ use std::str::FromStr;
use anyhow::Result;
-include!(concat!(env!("OUT_DIR"), "/meta.rs"));
-
pub struct DataDirectoryPath(PathBuf);
impl Default for DataDirectoryPath {
@@ -37,13 +35,10 @@ pub mod splash {
use colored::Colorize;
use sysinfo::{System, SystemExt};
- use super::*;
use crate::version::version;
pub struct Splash {
synth_ver: String,
- synth_ref: String,
- synth_rev: String,
path: String,
os: String,
arch: String,
@@ -56,18 +51,14 @@ pub mod splash {
let synth_ver = version();
- let synth_ref = META_SHORTNAME.to_string();
- let synth_rev = META_OID.to_string();
- let os = META_OS.to_string();
- let arch = META_ARCH.to_string();
+ let os = std::env::consts::OS.to_string();
+ let arch = std::env::consts::ARCH.to_string();
let system = System::new_all();
let mem = system.get_total_memory();
Ok(Self {
synth_ver,
- synth_ref,
- synth_rev,
path,
os,
arch,
@@ -83,8 +74,6 @@ pub mod splash {
"
version = {synth_ver}
-ref = {synth_ref}
-rev = {synth_rev}
PATH = {path}
target = {os}
arch = {arch}
@@ -92,8 +81,6 @@ threads = {cpu}
mem = {mem}
",
synth_ver = self.synth_ver.blue().bold(),
- synth_ref = self.synth_ref.bold(),
- synth_rev = self.synth_rev.bold(),
path = self.path.bold(),
arch = self.arch.bold(),
os = self.os.bold(),
|
diff --git a/synth/testing_harness/mysql/e2e.sh b/synth/testing_harness/mysql/e2e.sh
--- a/synth/testing_harness/mysql/e2e.sh
+++ b/synth/testing_harness/mysql/e2e.sh
@@ -42,7 +42,7 @@ function load-schema() {
function test-generate() {
echo -e "${INFO}Test generate${NC}"
load-schema --no-data || { echo -e "${ERROR}Failed to load schema${NC}"; return 1; }
- $SYNTH generate hospital_master --to $SCHEME://root:${PASSWORD}@127.0.0.1:${PORT}/test_db --size 30 || return 1
+ $SYNTH generate hospital_master --to $SCHEME://root:${PASSWORD}@localhost:${PORT}/test_db --size 30 || return 1
sum_rows_query="SELECT (SELECT count(*) FROM hospitals) + (SELECT count(*) FROM doctors) + (SELECT count(*) FROM patients)"
sum=`docker exec -i $NAME mysql -h 127.0.0.1 -u root --password=$PASSWORD -P 3306 "test_db" -e "$sum_rows_query" | grep -o '[[:digit:]]*'`
@@ -52,7 +52,7 @@ function test-generate() {
function test-import() {
echo -e "${INFO}Testing import${NC}"
load-schema --all || { echo -e "${ERROR}Failed to load schema${NC}"; return 1; }
- $SYNTH import --from $SCHEME://root:${PASSWORD}@127.0.0.1:${PORT}/test_db hospital_import || { echo -e "${ERROR}Import failed${NC}"; return 1; }
+ $SYNTH import --from $SCHEME://root:${PASSWORD}@localhost:${PORT}/test_db hospital_import || { echo -e "${ERROR}Import failed${NC}"; return 1; }
diff <(jq --sort-keys . hospital_import/*) <(jq --sort-keys . hospital_master/*) || { echo -e "${ERROR}Import namespaces do not match${NC}"; return 1; }
}
@@ -70,7 +70,7 @@ function test-warning() {
echo -e "${INFO}[$folder] Testing warning${NC}"
docker exec -i $NAME mysql -h 127.0.0.1 -u root --password=$PASSWORD -P 3306 "test_db" < "$folder/schema.sql"
- output=$($SYNTH generate --size 10 --to $SCHEME://root:${PASSWORD}@127.0.0.1:${PORT}/test_db "$folder" 2>&1)
+ output=$($SYNTH generate --size 10 --to $SCHEME://root:${PASSWORD}@localhost:${PORT}/test_db "$folder" 2>&1)
warnings=$(echo "$output" | grep "WARN" | grep -Po "(?<=\]\s).*$")
if [ -z "$warnings" ]
|
nix builds failing
**Describe the bug**
A clear and concise description of what the bug is.
**To Reproduce**
1. CI tries to build for nix
2. See error
```
error: failed to run custom build command for `openssl-sys v0.9.75`
Caused by:
process didn't exit successfully: `/build/dummy-src/target/release/build/openssl-sys-4e4eb3d5fcef2aa7/build-script-main` (exit status: 101)
--- stdout
cargo:rustc-cfg=const_fn
cargo:rerun-if-env-changed=X86_64_UNKNOWN_LINUX_GNU_OPENSSL_NO_VENDOR
X86_64_UNKNOWN_LINUX_GNU_OPENSSL_NO_VENDOR unset
cargo:rerun-if-env-changed=OPENSSL_NO_VENDOR
OPENSSL_NO_VENDOR unset
CC_x86_64-unknown-linux-gnu = None
CC_x86_64_unknown_linux_gnu = None
HOST_CC = None
CC = Some("gcc")
CFLAGS_x86_64-unknown-linux-gnu = None
CFLAGS_x86_64_unknown_linux_gnu = None
HOST_CFLAGS = None
CFLAGS = None
CRATE_CC_NO_DEFAULTS = None
DEBUG = Some("false")
CARGO_CFG_TARGET_FEATURE = Some("fxsr,sse,sse2")
running "perl" "./Configure" "--prefix=/build/dummy-src/target/release/build/openssl-sys-e8ec31a2c8346d81/out/openssl-build/install" "--openssldir=/usr/local/ssl" "no-dso" "no-shared" "no-ssl3" "no-unit-test" "no-comp" "no-zlib" "no-zlib-dynamic" "no-md2" "no-rc5" "no-weak-ssl-ciphers" "no-camellia" "no-idea" "no-seed" "linux-x86_64" "-O2" "-ffunction-sections" "-fdata-sections" "-fPIC" "-m64"
--- stderr
thread 'main' panicked at 'called `Result::unwrap()` on an `Err` value: Os { code: 2, kind: NotFound, message: "No such file or directory" }', /sources/openssl-src-111.22.0+1.1.1q/src/lib.rs:488:39
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
warning: build failed, waiting for other jobs to finish...
error: build failed
[naersk] cargo returned with exit code 101, exiting
error: builder for '/nix/store/0503sw0c5dwmimylw6xyg7hq92jwz5rl-synth-deps-0.6.2.drv' failed with exit code 101;
last 10 log lines:
> DEBUG = Some("false")
> CARGO_CFG_TARGET_FEATURE = Some("fxsr,sse,sse2")
> running "perl" "./Configure" "--prefix=/build/dummy-src/target/release/build/openssl-sys-e8ec31a2c8346d81/out/openssl-build/install" "--openssldir=/usr/local/ssl" "no-dso" "no-shared" "no-ssl3" "no-unit-test" "no-comp" "no-zlib" "no-zlib-dynamic" "no-md2" "no-rc5" "no-weak-ssl-ciphers" "no-camellia" "no-idea" "no-seed" "linux-x86_64" "-O2" "-ffunction-sections" "-fdata-sections" "-fPIC" "-m64"
>
> --- stderr
> thread 'main' panicked at 'called `Result::unwrap()` on an `Err` value: Os { code: 2, kind: NotFound, message: "No such file or directory" }', /sources/openssl-src-111.22.0+1.1.1q/src/lib.rs:488:39
> note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
> warning: build failed, waiting for other jobs to finish...
> error: build failed
> [naersk] cargo returned with exit code 101, exiting
For full logs, run 'nix log /nix/store/0503sw0c5dwmimylw6xyg7hq92jwz5rl-synth-deps-0.6.2.drv'.
error: 1 dependencies of derivation '/nix/store/bilryl1pvz15p3fc20f2i45g3mhr2ijj-synth-0.6.2.drv' failed to build
```
**Expected behavior**
The build was expected to succeed.
**Additional context**
This looks like a problem with our integration with OpenSSL.
| 2022-09-11T03:53:59
|
rust
|
Hard
|
|
kivikakk/comrak
| 439
|
kivikakk__comrak-439
|
[
"301"
] |
3bb6d4ceb82e7c875d777899fc8c093d0d3e1fce
|
diff --git a/src/html.rs b/src/html.rs
--- a/src/html.rs
+++ b/src/html.rs
@@ -725,33 +725,31 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::Text(ref literal) => {
+ // No sourcepos.
if entering {
self.escape(literal.as_bytes())?;
}
}
NodeValue::LineBreak => {
+ // No sourcepos.
if entering {
- self.output.write_all(b"<br")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b" />\n")?;
+ self.output.write_all(b"<br />\n")?;
}
}
NodeValue::SoftBreak => {
+ // No sourcepos.
if entering {
if self.options.render.hardbreaks {
- self.output.write_all(b"<br")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b" />\n")?;
+ self.output.write_all(b"<br />\n")?;
} else {
self.output.write_all(b"\n")?;
}
}
}
NodeValue::Code(NodeCode { ref literal, .. }) => {
+ // No sourcepos.
if entering {
- self.output.write_all(b"<code")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b">")?;
+ self.output.write_all(b"<code>")?;
self.escape(literal.as_bytes())?;
self.output.write_all(b"</code>")?;
}
@@ -773,52 +771,47 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::Strong => {
+ // No sourcepos.
let parent_node = node.parent();
if !self.options.render.gfm_quirks
|| (parent_node.is_none()
|| !matches!(parent_node.unwrap().data.borrow().value, NodeValue::Strong))
{
if entering {
- self.output.write_all(b"<strong")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b">")?;
+ self.output.write_all(b"<strong>")?;
} else {
self.output.write_all(b"</strong>")?;
}
}
}
NodeValue::Emph => {
+ // No sourcepos.
if entering {
- self.output.write_all(b"<em")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b">")?;
+ self.output.write_all(b"<em>")?;
} else {
self.output.write_all(b"</em>")?;
}
}
NodeValue::Strikethrough => {
+ // No sourcepos.
if entering {
- self.output.write_all(b"<del")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b">")?;
+ self.output.write_all(b"<del>")?;
} else {
self.output.write_all(b"</del>")?;
}
}
NodeValue::Superscript => {
+ // No sourcepos.
if entering {
- self.output.write_all(b"<sup")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b">")?;
+ self.output.write_all(b"<sup>")?;
} else {
self.output.write_all(b"</sup>")?;
}
}
NodeValue::Link(ref nl) => {
+ // No sourcepos.
if entering {
- self.output.write_all(b"<a")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b" href=\"")?;
+ self.output.write_all(b"<a href=\"")?;
let url = nl.url.as_bytes();
if self.options.render.unsafe_ || !dangerous_url(url) {
self.escape_href(url)?;
@@ -833,10 +826,9 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::Image(ref nl) => {
+ // No sourcepos.
if entering {
- self.output.write_all(b"<img")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b" src=\"")?;
+ self.output.write_all(b"<img src=\"")?;
let url = nl.url.as_bytes();
if self.options.render.unsafe_ || !dangerous_url(url) {
self.escape_href(url)?;
@@ -949,17 +941,14 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::FootnoteDefinition(ref nfd) => {
+ // No sourcepos.
if entering {
if self.footnote_ix == 0 {
- self.output.write_all(b"<section")?;
- self.render_sourcepos(node)?;
self.output
- .write_all(b" class=\"footnotes\" data-footnotes>\n<ol>\n")?;
+ .write_all(b"<section class=\"footnotes\" data-footnotes>\n<ol>\n")?;
}
self.footnote_ix += 1;
- self.output.write_all(b"<li")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b" id=\"fn-")?;
+ self.output.write_all(b"<li id=\"fn-")?;
self.escape_href(nfd.name.as_bytes())?;
self.output.write_all(b"\">")?;
} else {
@@ -970,18 +959,14 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::FootnoteReference(ref nfr) => {
+ // No sourcepos.
if entering {
let mut ref_id = format!("fnref-{}", nfr.name);
-
- self.output.write_all(b"<sup")?;
- self.render_sourcepos(node)?;
-
if nfr.ref_num > 1 {
ref_id = format!("{}-{}", ref_id, nfr.ref_num);
}
-
self.output
- .write_all(b" class=\"footnote-ref\"><a href=\"#fn-")?;
+ .write_all(b"<sup class=\"footnote-ref\"><a href=\"#fn-")?;
self.escape_href(nfr.name.as_bytes())?;
self.output.write_all(b"\" id=\"")?;
self.escape_href(ref_id.as_bytes())?;
@@ -1019,11 +1004,10 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::Escaped => {
+ // No sourcepos.
if self.options.render.escaped_char_spans {
if entering {
- self.output.write_all(b"<span data-escaped-char")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b">")?;
+ self.output.write_all(b"<span data-escaped-char>")?;
} else {
self.output.write_all(b"</span>")?;
}
@@ -1040,10 +1024,9 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::WikiLink(ref nl) => {
+ // No sourcepos.
if entering {
- self.output.write_all(b"<a")?;
- self.render_sourcepos(node)?;
- self.output.write_all(b" href=\"")?;
+ self.output.write_all(b"<a href=\"")?;
let url = nl.url.as_bytes();
if self.options.render.unsafe_ || !dangerous_url(url) {
self.escape_href(url)?;
@@ -1055,6 +1038,7 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::Underline => {
+ // No sourcepos.
if entering {
self.output.write_all(b"<u>")?;
} else {
@@ -1062,6 +1046,7 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::SpoileredText => {
+ // No sourcepos.
if entering {
self.output.write_all(b"<span class=\"spoiler\">")?;
} else {
@@ -1069,6 +1054,7 @@ impl<'o, 'c: 'o> HtmlFormatter<'o, 'c> {
}
}
NodeValue::EscapedTag(ref net) => {
+ // No sourcepos.
self.output.write_all(net.as_bytes())?;
}
}
diff --git a/src/parser/inlines.rs b/src/parser/inlines.rs
--- a/src/parser/inlines.rs
+++ b/src/parser/inlines.rs
@@ -1648,13 +1648,12 @@ impl<'a, 'r, 'o, 'c, 'd, 'i> Subject<'a, 'r, 'o, 'c, 'd, 'i> {
self.pos,
self.pos,
);
- inl.data.borrow_mut().sourcepos.start.column = self.brackets[brackets_len - 1]
+ inl.data.borrow_mut().sourcepos.start = self.brackets[brackets_len - 1]
.inl_text
.data
.borrow()
.sourcepos
- .start
- .column;
+ .start;
inl.data.borrow_mut().sourcepos.end.column =
usize::try_from(self.pos as isize + self.column_offset + self.block_offset as isize)
.unwrap();
diff --git a/src/parser/mod.rs b/src/parser/mod.rs
--- a/src/parser/mod.rs
+++ b/src/parser/mod.rs
@@ -755,9 +755,14 @@ pub struct RenderOptions {
/// ```
pub list_style: ListStyleType,
- /// Include source position attributes in XML output.
+ /// Include source position attributes in HTML and XML output.
///
- /// Not yet compatible with extension.description_lists.
+ /// Sourcepos information is reliable for all core block items, and most
+ /// extensions. The description lists extension still has issues; see
+ /// <https://github.com/kivikakk/comrak/blob/3bb6d4ce/src/tests/description_lists.rs#L60-L125>.
+ ///
+ /// Sourcepos information is **not** reliable for inlines. See
+ /// <https://github.com/kivikakk/comrak/pull/439> for a discussion.
///
/// ```rust
/// # use comrak::{markdown_to_commonmark_xml, Options};
|
diff --git a/src/tests/core.rs b/src/tests/core.rs
--- a/src/tests/core.rs
+++ b/src/tests/core.rs
@@ -495,3 +495,109 @@ fn case_insensitive_safety() {
"<p><a href=\"\">a</a> <a href=\"\">b</a> <a href=\"\">c</a> <a href=\"\">d</a> <a href=\"\">e</a> <a href=\"\">f</a> <a href=\"\">g</a></p>\n",
);
}
+
+#[test]
+fn link_sourcepos_baseline() {
+ assert_ast_match!(
+ [],
+ "[ABCD](/)\n",
+ (document (1:1-1:9) [
+ (paragraph (1:1-1:9) [
+ (link (1:1-1:9) [
+ (text (1:2-1:5) "ABCD")
+ ])
+ ])
+ ])
+ );
+}
+
+// https://github.com/kivikakk/comrak/issues/301
+#[test]
+fn link_sourcepos_newline() {
+ assert_ast_match!(
+ [],
+ "[AB\nCD](/)\n",
+ (document (1:1-2:6) [
+ (paragraph (1:1-2:6) [
+ (link (1:1-2:6) [
+ (text (1:2-1:3) "AB")
+ (softbreak (1:4-1:4))
+ (text (2:1-2:2) "CD")
+ ])
+ ])
+ ])
+ );
+}
+
+// Ignored per https://github.com/kivikakk/comrak/pull/439#issuecomment-2225129960.
+#[ignore]
+#[test]
+fn link_sourcepos_truffle() {
+ assert_ast_match!(
+ [],
+ "- A\n[](/B)\n",
+ (document (1:1-2:18) [
+ (list (1:1-2:18) [
+ (item (1:1-2:18) [
+ (paragraph (1:3-2:18) [
+ (text (1:3-1:3) "A")
+ (softbreak (1:4-1:4))
+ (link (2:1-2:18) [
+ (image (2:2-2:13) [
+ (text (2:4-2:4) "B")
+ ])
+ ])
+ ])
+ ])
+ ])
+ ])
+ );
+}
+
+#[test]
+fn link_sourcepos_truffle_twist() {
+ assert_ast_match!(
+ [],
+ "- A\n [](/B)\n",
+ (document (1:1-2:20) [
+ (list (1:1-2:20) [
+ (item (1:1-2:20) [
+ (paragraph (1:3-2:20) [
+ (text (1:3-1:3) "A")
+ (softbreak (1:4-1:4))
+ (link (2:3-2:20) [
+ (image (2:4-2:15) [
+ (text (2:6-2:6) "B")
+ ])
+ ])
+ ])
+ ])
+ ])
+ ])
+ );
+}
+
+// Ignored per https://github.com/kivikakk/comrak/pull/439#issuecomment-2225129960.
+#[ignore]
+#[test]
+fn link_sourcepos_truffle_bergamot() {
+ assert_ast_match!(
+ [],
+ "- A\n [](/B)\n",
+ (document (1:1-2:21) [
+ (list (1:1-2:21) [
+ (item (1:1-2:21) [
+ (paragraph (1:3-2:21) [
+ (text (1:3-1:3) "A")
+ (softbreak (1:4-1:4))
+ (link (2:4-2:21) [
+ (image (2:5-2:16) [
+ (text (2:7-2:7) "B")
+ ])
+ ])
+ ])
+ ])
+ ])
+ ])
+ );
+}
diff --git a/src/tests/escaped_char_spans.rs b/src/tests/escaped_char_spans.rs
--- a/src/tests/escaped_char_spans.rs
+++ b/src/tests/escaped_char_spans.rs
@@ -1,17 +1,10 @@
use super::*;
use ntest::test_case;
-// html_opts! does a roundtrip check unless sourcepos is set.
-// These cases don't work roundtrip, because converting to commonmark
-// automatically escapes certain characters.
-#[test_case("\\@user", "<p data-sourcepos=\"1:1-1:6\"><span data-escaped-char data-sourcepos=\"1:1-1:2\">@</span>user</p>\n")]
-#[test_case("This\\@that", "<p data-sourcepos=\"1:1-1:10\">This<span data-escaped-char data-sourcepos=\"1:5-1:6\">@</span>that</p>\n")]
+#[test_case("\\@user", "<p><span data-escaped-char>@</span>user</p>\n")]
+#[test_case("This\\@that", "<p>This<span data-escaped-char>@</span>that</p>\n")]
fn escaped_char_spans(markdown: &str, html: &str) {
- html_opts!(
- [render.escaped_char_spans, render.sourcepos],
- markdown,
- html
- );
+ html_opts!([render.escaped_char_spans], markdown, html, no_roundtrip);
}
#[test_case("\\@user", "<p>@user</p>\n")]
diff --git a/src/tests/fuzz.rs b/src/tests/fuzz.rs
--- a/src/tests/fuzz.rs
+++ b/src/tests/fuzz.rs
@@ -47,7 +47,7 @@ fn footnote_def() {
render.hardbreaks
],
"\u{15}\u{b}\r[^ ]:",
- "<p data-sourcepos=\"1:1-2:5\">\u{15}\u{b}<br data-sourcepos=\"1:3-1:3\" />\n[^ ]:</p>\n",
+ "<p data-sourcepos=\"1:1-2:5\">\u{15}\u{b}<br />\n[^ ]:</p>\n",
);
}
diff --git a/src/tests/wikilinks.rs b/src/tests/wikilinks.rs
--- a/src/tests/wikilinks.rs
+++ b/src/tests/wikilinks.rs
@@ -1,20 +1,19 @@
use super::*;
-// html_opts! does a roundtrip check unless sourcepos is set.
-// These cases don't work roundtrip, because converting to commonmark
-// automatically escapes certain characters.
#[test]
fn wikilinks_does_not_unescape_html_entities_in_link_label() {
html_opts!(
- [extension.wikilinks_title_after_pipe, render.sourcepos],
+ [extension.wikilinks_title_after_pipe],
concat!("This is [[<script>alert(0)</script>|a <link]]",),
- concat!("<p data-sourcepos=\"1:1-1:60\">This is <a data-sourcepos=\"1:9-1:60\" href=\"%3Cscript%3Ealert(0)%3C/script%3E\" data-wikilink=\"true\">a <link</a></p>\n"),
+ concat!("<p>This is <a href=\"%3Cscript%3Ealert(0)%3C/script%3E\" data-wikilink=\"true\">a <link</a></p>\n"),
+ no_roundtrip,
);
html_opts!(
- [extension.wikilinks_title_before_pipe, render.sourcepos],
+ [extension.wikilinks_title_before_pipe],
concat!("This is [[a <link|<script>alert(0)</script>]]",),
- concat!("<p data-sourcepos=\"1:1-1:60\">This is <a data-sourcepos=\"1:9-1:60\" href=\"%3Cscript%3Ealert(0)%3C/script%3E\" data-wikilink=\"true\">a <link</a></p>\n"),
+ concat!("<p>This is <a href=\"%3Cscript%3Ealert(0)%3C/script%3E\" data-wikilink=\"true\">a <link</a></p>\n"),
+ no_roundtrip,
);
}
|
Unexpected sourcepos.
Hi. "sourcepos" is exactly what I was looking for.
What do you think of this result?
markdown
```md
[AB
CD](/)
```
my expected
```html
<p data-sourcepos="1:1-2:6"><a data-sourcepos="1:1-2:6" href="/">AB
CD</a></p>
```
comrak v0.18.0
```html
<p data-sourcepos="1:1-2:6"><a data-sourcepos="2:1-2:6" href="/">AB
CD</a></p>
```
- - -
Similar pattern.
markdown
```md
- A
[](/B)
```
comrak
```html
<ul data-sourcepos="1:1-2:18">
<li data-sourcepos="1:1-2:18">A
<a data-sourcepos="2:3-2:20" href="/B"><img data-sourcepos="2:4-2:15" src="/B.png" alt="B" /></a></li>
```
cmark
```html
<ul data-sourcepos="1:1-2:18">
<li data-sourcepos="1:1-2:18">A
<a href="/B"><img src="/B.png" alt="B" /></a></li>
</ul>
```
|
That is a bit surprising! It's actually _almost_ per upstream. Here's [cmark-gfm](https://github.com/github/cmark-gfm):
```console
$ cat o
[AB
CD](/)
$ build/src/cmark-gfm o -t xml --sourcepos
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE document SYSTEM "CommonMark.dtd">
<document sourcepos="1:1-2:6" xmlns="http://commonmark.org/xml/1.0">
<paragraph sourcepos="1:1-2:6">
<link sourcepos="2:1-2:6" destination="/" title="">
<text sourcepos="1:2-1:3" xml:space="preserve">AB</text>
<softbreak />
<text sourcepos="2:1-2:2" xml:space="preserve">CD</text>
</link>
</paragraph>
</document>
$ build/src/cmark-gfm o --sourcepos
<p data-sourcepos="1:1-2:6"><a href="/">AB
CD</a></p>
```
So, in terms of the AST, comrak is doing the same thing as upstream, as shown in `<link sourcepos="2:1-2:6"`; the difference is that upstream doesn't actually put sourcepos on `<a>` in output HTML at all.
I'd be happy with fixing this in either direction; either fix how we record sourcepos on the link node, or stop outputting in it HTML. (It's possible that "fixing" the former might have unintended consequences.)
I see. I prefer the latter(stop outputting).
I don't think writing logic that has nothing to do with the upstream is a good idea since it will make things complex.
Me too! PRs happily accepted; I don't have the time for this right now myself.
Wait...the idea is to _not_ have `sourcepos` on the `<a>`? Are you wanting to remove from other non-block html? Please don't...
I tried running it against `markdown-it.rs`, I get what was expected
```
<p data-sourcepos="1:1-2:6"><a data-sourcepos="1:1-2:6" href="/">AB
CD</a></p>
```
In general, I'd rather "matches the upstream we explicitly follow" than not. Right now we have "doesn't match upstream _and_ is incorrect". I'd accept a solution either way.
But it does match the upstream, doesn't it? Block-level sourcepos works correctly I think.
Inline sourcepos is a great enhancement. I'd certainly rather see a fix, but if that's not feasible at the moment, then how about an option to enable it? Those that want it can enable it, and work on a fix. `comrak` is already going beyond what upstream offers (thankfully) while trying to maintain backward compatibility. So I think ripping it out should be last resort.
| 2024-07-12T08:27:19
|
rust
|
Easy
|
kivikakk/comrak
| 542
|
kivikakk__comrak-542
|
[
"503"
] |
f368cfcf2da8793124b4bfd28b0e443305496cc7
|
diff --git a/flake.nix b/flake.nix
--- a/flake.nix
+++ b/flake.nix
@@ -114,6 +114,8 @@
formatter = pkgs.alejandra;
devShells.default = pkgs.mkShell {
+ name = "comrak";
+
inputsFrom = builtins.attrValues self.checks.${system};
nativeBuildInputs = [
diff --git a/src/parser/autolink.rs b/src/parser/autolink.rs
--- a/src/parser/autolink.rs
+++ b/src/parser/autolink.rs
@@ -1,18 +1,18 @@
use crate::character_set::character_set;
use crate::ctype::{isalnum, isalpha, isspace};
-use crate::nodes::{AstNode, NodeLink, NodeValue};
-use crate::parser::inlines::make_inline;
+use crate::nodes::{AstNode, NodeLink, NodeValue, Sourcepos};
+use crate::parser::{inlines::make_inline, Spx};
use std::str;
use typed_arena::Arena;
use unicode_categories::UnicodeCategories;
-// TODO: this can probably be cleaned up a lot. It used to handle all three of
-// {url,www,email}_match, but now just the last of those.
-pub(crate) fn process_autolinks<'a>(
+pub(crate) fn process_email_autolinks<'a>(
arena: &'a Arena<AstNode<'a>>,
node: &'a AstNode<'a>,
contents_str: &mut String,
relaxed_autolinks: bool,
+ sourcepos: &mut Sourcepos,
+ spx: &mut Spx,
) {
let contents = contents_str.as_bytes();
let len = contents.len();
@@ -53,20 +53,177 @@ pub(crate) fn process_autolinks<'a>(
if let Some((post, reverse, skip)) = post_org {
i -= reverse;
node.insert_after(post);
- if i + skip < len {
+
+ let remain = if i + skip < len {
let remain = str::from_utf8(&contents[i + skip..]).unwrap();
assert!(!remain.is_empty());
- post.insert_after(make_inline(
+ Some(remain.to_string())
+ } else {
+ None
+ };
+ let initial_end_col = sourcepos.end.column;
+
+ sourcepos.end.column = spx.consume(i);
+
+ let nsp_end_col = spx.consume(skip);
+
+ contents_str.truncate(i);
+
+ let nsp: Sourcepos = (
+ sourcepos.end.line,
+ sourcepos.end.column + 1,
+ sourcepos.end.line,
+ nsp_end_col,
+ )
+ .into();
+ post.data.borrow_mut().sourcepos = nsp;
+ // Inner text gets same sourcepos as link, since there's nothing but
+ // the text.
+ post.first_child().unwrap().data.borrow_mut().sourcepos = nsp;
+
+ if let Some(remain) = remain {
+ let mut asp: Sourcepos = (
+ sourcepos.end.line,
+ nsp.end.column + 1,
+ sourcepos.end.line,
+ initial_end_col,
+ )
+ .into();
+ let after = make_inline(arena, NodeValue::Text(remain.to_string()), asp);
+ post.insert_after(after);
+
+ let after_ast = &mut after.data.borrow_mut();
+ process_email_autolinks(
arena,
- NodeValue::Text(remain.to_string()),
- (0, 1, 0, 1).into(),
- ));
+ after,
+ match after_ast.value {
+ NodeValue::Text(ref mut t) => t,
+ _ => unreachable!(),
+ },
+ relaxed_autolinks,
+ &mut asp,
+ spx,
+ );
+ after_ast.sourcepos = asp;
}
- contents_str.truncate(i);
+
return;
}
}
}
+fn email_match<'a>(
+ arena: &'a Arena<AstNode<'a>>,
+ contents: &[u8],
+ i: usize,
+ relaxed_autolinks: bool,
+) -> Option<(&'a AstNode<'a>, usize, usize)> {
+ const EMAIL_OK_SET: [bool; 256] = character_set!(b".+-_");
+
+ let size = contents.len();
+
+ let mut auto_mailto = true;
+ let mut is_xmpp = false;
+ let mut rewind = 0;
+
+ while rewind < i {
+ let c = contents[i - rewind - 1];
+
+ if isalnum(c) || EMAIL_OK_SET[c as usize] {
+ rewind += 1;
+ continue;
+ }
+
+ if c == b':' {
+ if validate_protocol("mailto", contents, i - rewind - 1) {
+ auto_mailto = false;
+ rewind += 1;
+ continue;
+ }
+
+ if validate_protocol("xmpp", contents, i - rewind - 1) {
+ is_xmpp = true;
+ auto_mailto = false;
+ rewind += 1;
+ continue;
+ }
+ }
+
+ break;
+ }
+
+ if rewind == 0 {
+ return None;
+ }
+
+ let mut link_end = 1;
+ let mut np = 0;
+
+ while link_end < size - i {
+ let c = contents[i + link_end];
+
+ if isalnum(c) {
+ // empty
+ } else if c == b'@' {
+ return None;
+ } else if c == b'.' && link_end < size - i - 1 && isalnum(contents[i + link_end + 1]) {
+ np += 1;
+ } else if c == b'/' && is_xmpp {
+ // xmpp allows a `/` in the url
+ } else if c != b'-' && c != b'_' {
+ break;
+ }
+
+ link_end += 1;
+ }
+
+ if link_end < 2
+ || np == 0
+ || (!isalpha(contents[i + link_end - 1]) && contents[i + link_end - 1] != b'.')
+ {
+ return None;
+ }
+
+ link_end = autolink_delim(&contents[i..], link_end, relaxed_autolinks);
+ if link_end == 0 {
+ return None;
+ }
+
+ let mut url = if auto_mailto {
+ "mailto:".to_string()
+ } else {
+ "".to_string()
+ };
+ let text = str::from_utf8(&contents[i - rewind..link_end + i]).unwrap();
+ url.push_str(text);
+
+ let inl = make_inline(
+ arena,
+ NodeValue::Link(NodeLink {
+ url,
+ title: String::new(),
+ }),
+ (0, 1, 0, 1).into(),
+ );
+
+ inl.append(make_inline(
+ arena,
+ NodeValue::Text(text.to_string()),
+ (0, 1, 0, 1).into(),
+ ));
+ Some((inl, rewind, rewind + link_end))
+}
+
+fn validate_protocol(protocol: &str, contents: &[u8], cursor: usize) -> bool {
+ let size = contents.len();
+ let mut rewind = 0;
+
+ while rewind < cursor && isalpha(contents[cursor - rewind - 1]) {
+ rewind += 1;
+ }
+
+ size - cursor + rewind >= protocol.len()
+ && &contents[cursor - rewind..cursor] == protocol.as_bytes()
+}
pub fn www_match<'a>(
arena: &'a Arena<AstNode<'a>>,
@@ -292,117 +449,3 @@ pub fn url_match<'a>(
));
Some((inl, rewind, rewind + link_end))
}
-
-fn email_match<'a>(
- arena: &'a Arena<AstNode<'a>>,
- contents: &[u8],
- i: usize,
- relaxed_autolinks: bool,
-) -> Option<(&'a AstNode<'a>, usize, usize)> {
- const EMAIL_OK_SET: [bool; 256] = character_set!(b".+-_");
-
- let size = contents.len();
-
- let mut auto_mailto = true;
- let mut is_xmpp = false;
- let mut rewind = 0;
-
- while rewind < i {
- let c = contents[i - rewind - 1];
-
- if isalnum(c) || EMAIL_OK_SET[c as usize] {
- rewind += 1;
- continue;
- }
-
- if c == b':' {
- if validate_protocol("mailto", contents, i - rewind - 1) {
- auto_mailto = false;
- rewind += 1;
- continue;
- }
-
- if validate_protocol("xmpp", contents, i - rewind - 1) {
- is_xmpp = true;
- auto_mailto = false;
- rewind += 1;
- continue;
- }
- }
-
- break;
- }
-
- if rewind == 0 {
- return None;
- }
-
- let mut link_end = 1;
- let mut np = 0;
-
- while link_end < size - i {
- let c = contents[i + link_end];
-
- if isalnum(c) {
- // empty
- } else if c == b'@' {
- return None;
- } else if c == b'.' && link_end < size - i - 1 && isalnum(contents[i + link_end + 1]) {
- np += 1;
- } else if c == b'/' && is_xmpp {
- // xmpp allows a `/` in the url
- } else if c != b'-' && c != b'_' {
- break;
- }
-
- link_end += 1;
- }
-
- if link_end < 2
- || np == 0
- || (!isalpha(contents[i + link_end - 1]) && contents[i + link_end - 1] != b'.')
- {
- return None;
- }
-
- link_end = autolink_delim(&contents[i..], link_end, relaxed_autolinks);
- if link_end == 0 {
- return None;
- }
-
- let mut url = if auto_mailto {
- "mailto:".to_string()
- } else {
- "".to_string()
- };
- let text = str::from_utf8(&contents[i - rewind..link_end + i]).unwrap();
- url.push_str(text);
-
- let inl = make_inline(
- arena,
- NodeValue::Link(NodeLink {
- url,
- title: String::new(),
- }),
- (0, 1, 0, 1).into(),
- );
-
- inl.append(make_inline(
- arena,
- NodeValue::Text(text.to_string()),
- (0, 1, 0, 1).into(),
- ));
- Some((inl, rewind, rewind + link_end))
-}
-
-fn validate_protocol(protocol: &str, contents: &[u8], cursor: usize) -> bool {
- let size = contents.len();
- let mut rewind = 0;
-
- while rewind < cursor && isalpha(contents[cursor - rewind - 1]) {
- rewind += 1;
- }
-
- size - cursor + rewind >= protocol.len()
- && &contents[cursor - rewind..cursor] == protocol.as_bytes()
-}
diff --git a/src/parser/inlines.rs b/src/parser/inlines.rs
--- a/src/parser/inlines.rs
+++ b/src/parser/inlines.rs
@@ -99,6 +99,21 @@ pub struct Delimiter<'a: 'd, 'd> {
next: Cell<Option<&'d Delimiter<'a, 'd>>>,
}
+impl<'a: 'd, 'd> std::fmt::Debug for Delimiter<'a, 'd> {
+ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
+ write!(
+ f,
+ "[pos {}, len {}, delim_char {:?}, open? {} close? {} -- {}]",
+ self.position,
+ self.length,
+ self.delim_char,
+ self.can_open,
+ self.can_close,
+ self.inl.data.borrow().sourcepos
+ )
+ }
+}
+
struct Bracket<'a> {
inl_text: &'a AstNode<'a>,
position: usize,
@@ -191,10 +206,10 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
let new_inl: Option<&'a AstNode<'a>> = match c {
'\0' => return false,
'\r' | '\n' => Some(self.handle_newline()),
- '`' => Some(self.handle_backticks()),
+ '`' => Some(self.handle_backticks(&node_ast.line_offsets)),
'\\' => Some(self.handle_backslash()),
'&' => Some(self.handle_entity()),
- '<' => Some(self.handle_pointy_brace()),
+ '<' => Some(self.handle_pointy_brace(&node_ast.line_offsets)),
':' => {
let mut res = None;
@@ -288,19 +303,19 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
'^' if self.options.extension.superscript && !self.within_brackets => {
Some(self.handle_delim(b'^'))
}
- '$' => Some(self.handle_dollars()),
+ '$' => Some(self.handle_dollars(&node_ast.line_offsets)),
'|' if self.options.extension.spoiler => Some(self.handle_delim(b'|')),
_ => {
- let endpos = self.find_special_char();
+ let mut endpos = self.find_special_char();
let mut contents = self.input[self.pos..endpos].to_vec();
- let startpos = self.pos;
+ let mut startpos = self.pos;
self.pos = endpos;
if self
.peek_char()
.map_or(false, |&c| strings::is_line_end_char(c))
{
- strings::rtrim(&mut contents);
+ endpos -= strings::rtrim(&mut contents);
}
// if we've just produced a LineBreak, then we should consume any leading
@@ -308,7 +323,9 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
if node.last_child().map_or(false, |n| {
matches!(n.data.borrow().value, NodeValue::LineBreak)
}) {
- strings::ltrim(&mut contents);
+ // TODO: test this more explicitly.
+ let n = strings::ltrim(&mut contents);
+ startpos += n;
}
Some(self.make_inline(
@@ -566,7 +583,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
#[inline]
- pub fn eof(&self) -> bool {
+ fn eof(&self) -> bool {
self.pos >= self.input.len()
}
@@ -586,7 +603,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
}
- pub fn find_special_char(&self) -> usize {
+ fn find_special_char(&self) -> usize {
for n in self.pos..self.input.len() {
if self.special_chars[self.input[n] as usize] {
if self.input[n] == b'^' && self.within_brackets {
@@ -603,11 +620,13 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.input.len()
}
- fn adjust_node_newlines(&mut self, node: &'a AstNode<'a>, matchlen: usize, extra: usize) {
- if !self.options.render.sourcepos {
- return;
- }
-
+ fn adjust_node_newlines(
+ &mut self,
+ node: &'a AstNode<'a>,
+ matchlen: usize,
+ extra: usize,
+ parent_line_offsets: &[usize],
+ ) {
let (newlines, since_newline) =
count_newlines(&self.input[self.pos - matchlen - extra..self.pos - extra]);
@@ -615,12 +634,14 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.line += newlines;
let node_ast = &mut node.data.borrow_mut();
node_ast.sourcepos.end.line += newlines;
- node_ast.sourcepos.end.column = since_newline;
+ let adjusted_line = self.line - node_ast.sourcepos.start.line;
+ node_ast.sourcepos.end.column =
+ parent_line_offsets[adjusted_line] + since_newline + extra;
self.column_offset = -(self.pos as isize) + since_newline as isize + extra as isize;
}
}
- pub fn handle_newline(&mut self) -> &'a AstNode<'a> {
+ fn handle_newline(&mut self) -> &'a AstNode<'a> {
let nlpos = self.pos;
if self.input[self.pos] == b'\r' {
self.pos += 1;
@@ -629,7 +650,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.pos += 1;
}
let inl = if nlpos > 1 && self.input[nlpos - 1] == b' ' && self.input[nlpos - 2] == b' ' {
- self.make_inline(NodeValue::LineBreak, nlpos, self.pos - 1)
+ self.make_inline(NodeValue::LineBreak, nlpos - 2, self.pos - 1)
} else {
self.make_inline(NodeValue::SoftBreak, nlpos, self.pos - 1)
};
@@ -639,7 +660,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
inl
}
- pub fn take_while(&mut self, c: u8) -> usize {
+ fn take_while(&mut self, c: u8) -> usize {
let start_pos = self.pos;
while self.peek_char() == Some(&c) {
self.pos += 1;
@@ -647,7 +668,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.pos - start_pos
}
- pub fn take_while_with_limit(&mut self, c: u8, limit: usize) -> usize {
+ fn take_while_with_limit(&mut self, c: u8, limit: usize) -> usize {
let start_pos = self.pos;
let mut count = 0;
while count < limit && self.peek_char() == Some(&c) {
@@ -657,7 +678,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.pos - start_pos
}
- pub fn scan_to_closing_backtick(&mut self, openticklength: usize) -> Option<usize> {
+ fn scan_to_closing_backtick(&mut self, openticklength: usize) -> Option<usize> {
if openticklength > MAXBACKTICKS {
return None;
}
@@ -684,33 +705,41 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
}
- pub fn handle_backticks(&mut self) -> &'a AstNode<'a> {
- let openticks = self.take_while(b'`');
+ fn handle_backticks(&mut self, parent_line_offsets: &[usize]) -> &'a AstNode<'a> {
let startpos = self.pos;
+ let openticks = self.take_while(b'`');
let endpos = self.scan_to_closing_backtick(openticks);
match endpos {
None => {
- self.pos = startpos;
- self.make_inline(NodeValue::Text("`".repeat(openticks)), self.pos, self.pos)
+ self.pos = startpos + openticks;
+ self.make_inline(
+ NodeValue::Text("`".repeat(openticks)),
+ startpos,
+ self.pos - 1,
+ )
}
Some(endpos) => {
- let buf = &self.input[startpos..endpos - openticks];
+ let buf = &self.input[startpos + openticks..endpos - openticks];
let buf = strings::normalize_code(buf);
let code = NodeCode {
num_backticks: openticks,
literal: String::from_utf8(buf).unwrap(),
};
- let node =
- self.make_inline(NodeValue::Code(code), startpos, endpos - openticks - 1);
- self.adjust_node_newlines(node, endpos - startpos, openticks);
+ let node = self.make_inline(NodeValue::Code(code), startpos, endpos - 1);
+ self.adjust_node_newlines(
+ node,
+ endpos - startpos - openticks,
+ openticks,
+ parent_line_offsets,
+ );
node
}
}
}
- pub fn scan_to_closing_dollar(&mut self, opendollarlength: usize) -> Option<usize> {
- if !(self.options.extension.math_dollars) || opendollarlength > MAX_MATH_DOLLARS {
+ fn scan_to_closing_dollar(&mut self, opendollarlength: usize) -> Option<usize> {
+ if !self.options.extension.math_dollars || opendollarlength > MAX_MATH_DOLLARS {
return None;
}
@@ -728,17 +757,15 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
return None;
}
+ let c = self.input[self.pos - 1];
+
// space not allowed before ending $
- if opendollarlength == 1 {
- let c = self.input[self.pos - 1];
- if isspace(c) {
- return None;
- }
+ if opendollarlength == 1 && isspace(c) {
+ return None;
}
// dollar signs must also be backslash-escaped if they occur within math
- let c = self.input[self.pos - 1];
- if opendollarlength == 1 && c == (b'\\') {
+ if opendollarlength == 1 && c == b'\\' {
self.pos += 1;
continue;
}
@@ -756,10 +783,8 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
}
- pub fn scan_to_closing_code_dollar(&mut self) -> Option<usize> {
- if !self.options.extension.math_code {
- return None;
- }
+ fn scan_to_closing_code_dollar(&mut self) -> Option<usize> {
+ assert!(self.options.extension.math_code);
loop {
while self.peek_char().map_or(false, |&c| c != b'$') {
@@ -771,91 +796,70 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
let c = self.input[self.pos - 1];
+ self.pos += 1;
if c == b'`' {
- self.pos += 1;
return Some(self.pos);
- } else {
- self.pos += 1;
}
}
}
// Heuristics used from https://pandoc.org/MANUAL.html#extension-tex_math_dollars
- pub fn handle_dollars(&mut self) -> &'a AstNode<'a> {
- if self.options.extension.math_dollars || self.options.extension.math_code {
- let opendollars = self.take_while(b'$');
- let mut code_math = false;
-
- // check for code math
- if opendollars == 1
- && self.options.extension.math_code
- && self.peek_char().map_or(false, |&c| c == b'`')
- {
- code_math = true;
- self.pos += 1;
- }
+ fn handle_dollars(&mut self, parent_line_offsets: &[usize]) -> &'a AstNode<'a> {
+ if !(self.options.extension.math_dollars || self.options.extension.math_code) {
+ self.pos += 1;
+ return self.make_inline(NodeValue::Text("$".to_string()), self.pos - 1, self.pos - 1);
+ }
+ let startpos = self.pos;
+ let opendollars = self.take_while(b'$');
+ let mut code_math = false;
- let startpos = self.pos;
- let endpos: Option<usize> = if code_math {
- self.scan_to_closing_code_dollar()
+ // check for code math
+ if opendollars == 1
+ && self.options.extension.math_code
+ && self.peek_char().map_or(false, |&c| c == b'`')
+ {
+ code_math = true;
+ self.pos += 1;
+ }
+ let fence_length = if code_math { 2 } else { opendollars };
+
+ let endpos: Option<usize> = if code_math {
+ self.scan_to_closing_code_dollar()
+ } else {
+ self.scan_to_closing_dollar(opendollars)
+ }
+ .filter(|endpos| endpos - startpos >= fence_length * 2 + 1);
+
+ if let Some(endpos) = endpos {
+ let buf = &self.input[startpos + fence_length..endpos - fence_length];
+ let buf: Vec<u8> = if code_math || opendollars == 1 {
+ strings::normalize_code(buf)
} else {
- self.scan_to_closing_dollar(opendollars)
+ buf.to_vec()
};
-
- let fence_length = if code_math { 2 } else { opendollars };
- let endpos: Option<usize> = match endpos {
- Some(epos) => {
- if epos - startpos + fence_length < fence_length * 2 + 1 {
- None
- } else {
- endpos
- }
- }
- None => endpos,
+ let math = NodeMath {
+ dollar_math: !code_math,
+ display_math: opendollars == 2,
+ literal: String::from_utf8(buf).unwrap(),
};
-
- match endpos {
- None => {
- if code_math {
- self.pos = startpos - 1;
- self.make_inline(
- NodeValue::Text("$".to_string()),
- self.pos - 1,
- self.pos - 1,
- )
- } else {
- self.pos = startpos;
- self.make_inline(
- NodeValue::Text("$".repeat(opendollars)),
- self.pos,
- self.pos,
- )
- }
- }
- Some(endpos) => {
- let buf = &self.input[startpos..endpos - fence_length];
- let buf: Vec<u8> = if code_math || opendollars == 1 {
- strings::normalize_code(buf)
- } else {
- buf.to_vec()
- };
- let math = NodeMath {
- dollar_math: !code_math,
- display_math: opendollars == 2,
- literal: String::from_utf8(buf).unwrap(),
- };
- let node = self.make_inline(
- NodeValue::Math(math),
- startpos,
- endpos - fence_length - 1,
- );
- self.adjust_node_newlines(node, endpos - startpos, fence_length);
- node
- }
- }
- } else {
- self.pos += 1;
+ let node = self.make_inline(NodeValue::Math(math), startpos, endpos - 1);
+ self.adjust_node_newlines(
+ node,
+ endpos - startpos - fence_length,
+ fence_length,
+ parent_line_offsets,
+ );
+ node
+ } else if code_math {
+ self.pos = startpos + 1;
self.make_inline(NodeValue::Text("$".to_string()), self.pos - 1, self.pos - 1)
+ } else {
+ self.pos = startpos + fence_length;
+ self.make_inline(
+ NodeValue::Text("$".repeat(opendollars)),
+ self.pos - fence_length,
+ self.pos - 1,
+ )
}
}
@@ -868,7 +872,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
skipped
}
- pub fn handle_delim(&mut self, c: u8) -> &'a AstNode<'a> {
+ fn handle_delim(&mut self, c: u8) -> &'a AstNode<'a> {
let (numdelims, can_open, can_close) = self.scan_delims(c);
let contents = if c == b'\'' && self.options.parse.smart {
@@ -897,7 +901,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
inl
}
- pub fn handle_hyphen(&mut self) -> &'a AstNode<'a> {
+ fn handle_hyphen(&mut self) -> &'a AstNode<'a> {
let start = self.pos;
self.pos += 1;
@@ -930,7 +934,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.make_inline(NodeValue::Text(buf), start, self.pos - 1)
}
- pub fn handle_period(&mut self) -> &'a AstNode<'a> {
+ fn handle_period(&mut self) -> &'a AstNode<'a> {
self.pos += 1;
if self.options.parse.smart && self.peek_char().map_or(false, |&c| c == b'.') {
self.pos += 1;
@@ -949,7 +953,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
}
- pub fn scan_delims(&mut self, c: u8) -> (usize, bool, bool) {
+ fn scan_delims(&mut self, c: u8) -> (usize, bool, bool) {
let before_char = if self.pos == 0 {
'\n'
} else {
@@ -1043,7 +1047,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
}
- pub fn push_delimiter(&mut self, c: u8, can_open: bool, can_close: bool, inl: &'a AstNode<'a>) {
+ fn push_delimiter(&mut self, c: u8, can_open: bool, can_close: bool, inl: &'a AstNode<'a>) {
let d = self.delimiter_arena.alloc(Delimiter {
prev: Cell::new(self.last_delimiter),
next: Cell::new(None),
@@ -1065,7 +1069,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
//
// As a side-effect, handle long "***" and "___" nodes by truncating them in
// place to be re-matched by `process_emphasis`.
- pub fn insert_emph(
+ fn insert_emph(
&mut self,
opener: &'d Delimiter<'a, 'd>,
closer: &'d Delimiter<'a, 'd>,
@@ -1147,22 +1151,14 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.pos,
self.pos,
);
- {
- // if we have `___` or `***` then we need to adjust the sourcepos colums by 1
- let triple_adjustment = if opener_num_chars > 0 && use_delims == 2 {
- 1
- } else {
- 0
- };
- emph.data.borrow_mut().sourcepos = (
- opener.inl.data.borrow().sourcepos.start.line,
- opener.inl.data.borrow().sourcepos.start.column + triple_adjustment,
- closer.inl.data.borrow().sourcepos.end.line,
- closer.inl.data.borrow().sourcepos.end.column - triple_adjustment,
- )
- .into();
- }
+ emph.data.borrow_mut().sourcepos = (
+ opener.inl.data.borrow().sourcepos.start.line,
+ opener.inl.data.borrow().sourcepos.start.column + opener_num_chars,
+ closer.inl.data.borrow().sourcepos.end.line,
+ closer.inl.data.borrow().sourcepos.end.column - closer_num_chars,
+ )
+ .into();
// Drop all the interior AST nodes into the emphasis node
// and then insert the emphasis node
@@ -1178,11 +1174,13 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
opener.inl.insert_after(emph);
- // Drop the delimiters and return the next closer to process
-
+ // Drop completely "used up" delimiters, adjust sourcepos of those not,
+ // and return the next closest one for processing.
if opener_num_chars == 0 {
opener.inl.detach();
self.remove_delimiter(opener);
+ } else {
+ opener.inl.data.borrow_mut().sourcepos.end.column -= use_delims;
}
if closer_num_chars == 0 {
@@ -1190,11 +1188,12 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.remove_delimiter(closer);
closer.next.get()
} else {
+ closer.inl.data.borrow_mut().sourcepos.start.column += use_delims;
Some(closer)
}
}
- pub fn handle_backslash(&mut self) -> &'a AstNode<'a> {
+ fn handle_backslash(&mut self) -> &'a AstNode<'a> {
let startpos = self.pos;
self.pos += 1;
@@ -1216,7 +1215,11 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
inline_text
}
} else if !self.eof() && self.skip_line_end() {
- self.make_inline(NodeValue::LineBreak, startpos, self.pos - 1)
+ let inl = self.make_inline(NodeValue::LineBreak, startpos, self.pos - 1);
+ self.line += 1;
+ self.column_offset = -(self.pos as isize);
+ self.skip_spaces();
+ inl
} else {
self.make_inline(
NodeValue::Text("\\".to_string()),
@@ -1237,7 +1240,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.pos > old_pos || self.eof()
}
- pub fn handle_entity(&mut self) -> &'a AstNode<'a> {
+ fn handle_entity(&mut self) -> &'a AstNode<'a> {
self.pos += 1;
match entity::unescape(&self.input[self.pos..]) {
@@ -1254,7 +1257,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
#[cfg(feature = "shortcodes")]
- pub fn handle_shortcodes_colon(&mut self) -> Option<&'a AstNode<'a>> {
+ fn handle_shortcodes_colon(&mut self) -> Option<&'a AstNode<'a>> {
let matchlen = scanners::shortcode(&self.input[self.pos + 1..])?;
let shortcode = unsafe {
@@ -1271,11 +1274,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
))
}
- pub fn handle_autolink_with<F>(
- &mut self,
- node: &'a AstNode<'a>,
- f: F,
- ) -> Option<&'a AstNode<'a>>
+ fn handle_autolink_with<F>(&mut self, node: &'a AstNode<'a>, f: F) -> Option<&'a AstNode<'a>>
where
F: Fn(
&'a Arena<AstNode<'a>>,
@@ -1287,18 +1286,19 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
if !self.options.parse.relaxed_autolinks && self.within_brackets {
return None;
}
- let (post, mut reverse, skip) = f(
+ let startpos = self.pos;
+ let (post, need_reverse, skip) = f(
self.arena,
self.input,
self.pos,
self.options.parse.relaxed_autolinks,
)?;
- self.pos += skip - reverse;
+ self.pos += skip - need_reverse;
- // We need to "rewind" by `reverse` chars, which should be in one or
- // more Text nodes beforehand. Typically the chars will *all* be in a
- // single Text node, containing whatever text came before the ":" that
+ // We need to "rewind" by `need_reverse` chars, which should be in one
+ // or more Text nodes beforehand. Typically the chars will *all* be in
+ // a single Text node, containing whatever text came before the ":" that
// triggered this method, eg. "See our website at http" ("://blah.com").
//
// relaxed_autolinks allows some slightly pathological cases. First,
@@ -1306,11 +1306,14 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
// a scheme including the letter "w", which will split Text inlines due
// to them being their own trigger (for handle_autolink_w), meaning
// "wa://…" will need to traverse two Texts to complete the rewind.
+ let mut reverse = need_reverse;
while reverse > 0 {
- match node.last_child().unwrap().data.borrow_mut().value {
+ let mut last_child = node.last_child().unwrap().data.borrow_mut();
+ match last_child.value {
NodeValue::Text(ref mut prev) => {
if reverse < prev.len() {
prev.truncate(prev.len() - reverse);
+ last_child.sourcepos.end.column -= reverse;
reverse = 0;
} else {
reverse -= prev.len();
@@ -1321,18 +1324,40 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
}
+ {
+ let sp = &mut post.data.borrow_mut().sourcepos;
+ // See [`make_inline`].
+ sp.start = (
+ self.line,
+ (startpos as isize - need_reverse as isize
+ + 1
+ + self.column_offset
+ + self.line_offset as isize) as usize,
+ )
+ .into();
+ sp.end = (
+ self.line,
+ (self.pos as isize + self.column_offset + self.line_offset as isize) as usize,
+ )
+ .into();
+
+ // Inner text node gets the same sp, since there are no surrounding
+ // characters for autolinks of these kind.
+ post.first_child().unwrap().data.borrow_mut().sourcepos = *sp;
+ }
+
Some(post)
}
- pub fn handle_autolink_colon(&mut self, node: &'a AstNode<'a>) -> Option<&'a AstNode<'a>> {
+ fn handle_autolink_colon(&mut self, node: &'a AstNode<'a>) -> Option<&'a AstNode<'a>> {
self.handle_autolink_with(node, autolink::url_match)
}
- pub fn handle_autolink_w(&mut self, node: &'a AstNode<'a>) -> Option<&'a AstNode<'a>> {
+ fn handle_autolink_w(&mut self, node: &'a AstNode<'a>) -> Option<&'a AstNode<'a>> {
self.handle_autolink_with(node, autolink::www_match)
}
- pub fn handle_pointy_brace(&mut self) -> &'a AstNode<'a> {
+ fn handle_pointy_brace(&mut self, parent_line_offsets: &[usize]) -> &'a AstNode<'a> {
self.pos += 1;
if let Some(matchlen) = scanners::autolink_uri(&self.input[self.pos..]) {
@@ -1426,14 +1451,14 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
self.pos - matchlen - 1,
self.pos - 1,
);
- self.adjust_node_newlines(inl, matchlen, 1);
+ self.adjust_node_newlines(inl, matchlen, 1, parent_line_offsets);
return inl;
}
self.make_inline(NodeValue::Text("<".to_string()), self.pos - 1, self.pos - 1)
}
- pub fn push_bracket(&mut self, image: bool, inl_text: &'a AstNode<'a>) {
+ fn push_bracket(&mut self, image: bool, inl_text: &'a AstNode<'a>) {
let len = self.brackets.len();
if len > 0 {
self.brackets[len - 1].bracket_after = true;
@@ -1449,7 +1474,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
}
}
- pub fn handle_close_bracket(&mut self) -> Option<&'a AstNode<'a>> {
+ fn handle_close_bracket(&mut self) -> Option<&'a AstNode<'a>> {
self.pos += 1;
let initial_pos = self.pos;
@@ -1670,7 +1695,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
Some(self.make_inline(NodeValue::Text("]".to_string()), self.pos - 1, self.pos - 1))
}
- pub fn close_bracket_match(&mut self, is_image: bool, url: String, title: String) {
+ fn close_bracket_match(&mut self, is_image: bool, url: String, title: String) {
let brackets_len = self.brackets.len();
let nl = NodeLink { url, title };
@@ -1751,7 +1776,7 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
// Handles wikilink syntax
// [[link text|url]]
// [[url|link text]]
- pub fn handle_wikilink(&mut self) -> Option<&'a AstNode<'a>> {
+ fn handle_wikilink(&mut self) -> Option<&'a AstNode<'a>> {
let startpos = self.pos;
let component = self.wikilink_url_link_label()?;
let url_clean = strings::clean_url(component.url);
@@ -1973,8 +1998,8 @@ impl<'a, 'r, 'o, 'd, 'i, 'c> Subject<'a, 'r, 'o, 'd, 'i, 'c> {
url: String::from_utf8(strings::clean_autolink(url, kind)).unwrap(),
title: String::new(),
}),
- start_column + 1,
- end_column + 1,
+ start_column,
+ end_column,
);
inl.append(self.make_inline(
NodeValue::Text(String::from_utf8(entity::unescape_html(url)).unwrap()),
diff --git a/src/parser/mod.rs b/src/parser/mod.rs
--- a/src/parser/mod.rs
+++ b/src/parser/mod.rs
@@ -21,7 +21,7 @@ use crate::scanners::{self, SetextChar};
use crate::strings::{self, split_off_front_matter, Case};
use std::cell::RefCell;
use std::cmp::min;
-use std::collections::HashMap;
+use std::collections::{HashMap, VecDeque};
use std::fmt::{self, Debug, Formatter};
use std::mem;
use std::panic::RefUnwindSafe;
@@ -1851,6 +1851,7 @@ where
*container = self.add_child(container, NodeValue::ThematicBreak, self.first_nonspace + 1);
let adv = line.len() - 1 - self.offset;
+ container.data.borrow_mut().sourcepos.end = (self.line_number, adv).into();
self.advance_offset(line, adv, false);
true
@@ -2708,6 +2709,11 @@ where
_ => false,
} {
ast.sourcepos.end = (self.line_number, self.curline_end_col).into();
+ } else if match ast.value {
+ NodeValue::ThematicBreak => true,
+ _ => false,
+ } {
+ // sourcepos.end set during opening.
} else {
ast.sourcepos.end = (self.line_number - 1, self.last_line_length).into();
}
@@ -2946,50 +2952,52 @@ where
while let Some(n) = nch {
let mut this_bracket = false;
+ let mut emptied = false;
let n_ast = &mut n.data.borrow_mut();
let mut sourcepos = n_ast.sourcepos;
- loop {
- match n_ast.value {
- // Join adjacent text nodes together
- NodeValue::Text(ref mut root) => {
- let ns = match n.next_sibling() {
- Some(ns) => ns,
- _ => {
- // Post-process once we are finished joining text nodes
- self.postprocess_text_node(n, root, &mut sourcepos);
- break;
- }
- };
-
+ match n_ast.value {
+ NodeValue::Text(ref mut root) => {
+ // Join adjacent text nodes together, then post-process.
+ // Record the original list of sourcepos and bytecounts
+ // for the post-processing step.
+ let mut spxv = VecDeque::new();
+ spxv.push_back((sourcepos, root.len()));
+ while let Some(ns) = n.next_sibling() {
match ns.data.borrow().value {
NodeValue::Text(ref adj) => {
root.push_str(adj);
- sourcepos.end.column = ns.data.borrow().sourcepos.end.column;
+ let sp = ns.data.borrow().sourcepos;
+ spxv.push_back((sp, adj.len()));
+ sourcepos.end.column = sp.end.column;
ns.detach();
}
- _ => {
- // Post-process once we are finished joining text nodes
- self.postprocess_text_node(n, root, &mut sourcepos);
- break;
- }
+ _ => break,
}
}
- NodeValue::Link(..) | NodeValue::Image(..) | NodeValue::WikiLink(..) => {
- this_bracket = true;
- break;
- }
- _ => break,
+
+ self.postprocess_text_node(n, root, &mut sourcepos, spxv);
+ emptied = root.len() == 0;
+ }
+ NodeValue::Link(..) | NodeValue::Image(..) | NodeValue::WikiLink(..) => {
+ // Don't recurse into links (no links-within-links) or
+ // images (title part).
+ this_bracket = true;
}
+ _ => {}
}
n_ast.sourcepos = sourcepos;
- if !this_bracket {
+ if !this_bracket && !emptied {
children.push(n);
}
nch = n.next_sibling();
+
+ if emptied {
+ n.detach();
+ }
}
// Push children onto work stack in reverse order so they are
@@ -3003,17 +3011,21 @@ where
node: &'a AstNode<'a>,
text: &mut String,
sourcepos: &mut Sourcepos,
+ spxv: VecDeque<(Sourcepos, usize)>,
) {
+ let mut spx = Spx(spxv);
if self.options.extension.tasklist {
- self.process_tasklist(node, text, sourcepos);
+ self.process_tasklist(node, text, sourcepos, &mut spx);
}
if self.options.extension.autolink {
- autolink::process_autolinks(
+ autolink::process_email_autolinks(
self.arena,
node,
text,
self.options.parse.relaxed_autolinks,
+ sourcepos,
+ &mut spx,
);
}
}
@@ -3023,6 +3035,7 @@ where
node: &'a AstNode<'a>,
text: &mut String,
sourcepos: &mut Sourcepos,
+ spx: &mut Spx,
) {
let (end, symbol) = match scanners::tasklist(text.as_bytes()) {
Some(p) => p,
@@ -3054,13 +3067,25 @@ where
return;
}
- text.drain(..end);
-
// These are sound only because the exact text that we've matched and
// the count thereof (i.e. "end") will precisely map to characters in
// the source document.
- sourcepos.start.column += end;
- parent.data.borrow_mut().sourcepos.start.column += end;
+ text.drain(..end);
+
+ let adjust = spx.consume(end) + 1;
+ assert_eq!(
+ sourcepos.start.column,
+ parent.data.borrow().sourcepos.start.column
+ );
+
+ // See tests::fuzz::echaw9. The paragraph doesn't exist in the source,
+ // so we remove it.
+ if sourcepos.end.column < adjust {
+ parent.detach();
+ } else {
+ sourcepos.start.column = adjust;
+ parent.data.borrow_mut().sourcepos.start.column = adjust;
+ }
grandparent.data.borrow_mut().value =
NodeValue::TaskItem(if symbol == ' ' { None } else { Some(symbol) });
@@ -3312,3 +3337,52 @@ pub enum ListStyleType {
/// The `*` character
Star = 42,
}
+
+pub(crate) struct Spx(VecDeque<(Sourcepos, usize)>);
+
+impl Spx {
+ // Sourcepos end column `e` of a node determined by advancing through `spx`
+ // until `i` bytes of input are seen.
+ //
+ // For each element `(sp, x)` in `spx`:
+ // - if remaining `i` is greater than the byte count `x`,
+ // set `i -= x` and continue.
+ // - if remaining `i` is equal to the byte count `x`,
+ // set `e = sp.end.column` and finish.
+ // - if remaining `i` is less than the byte count `x`,
+ // assert `sp.end.column - sp.start.column + 1 == x || i == 0` (1),
+ // set `e = sp.start.column + i - 1` and finish.
+ //
+ // (1) If `x` doesn't equal the range covered between the start and end column,
+ // there's no way to determine sourcepos within the range. This is a bug if
+ // it happens; it suggests we've matched an email autolink with some smart
+ // punctuation in it, or worse.
+ //
+ // The one exception is if `i == 0`. Given nothing to consume, we can
+ // happily restore what we popped, returning `sp.start.column - 1` for the
+ // end column of the original node.
+ pub(crate) fn consume(&mut self, mut rem: usize) -> usize {
+ while let Some((sp, x)) = self.0.pop_front() {
+ if rem > x {
+ rem -= x;
+ } else if rem == x {
+ return sp.end.column;
+ } else {
+ // rem < x
+ assert!((sp.end.column - sp.start.column + 1 == x) || rem == 0);
+ self.0.push_front((
+ (
+ sp.start.line,
+ sp.start.column + rem,
+ sp.end.line,
+ sp.end.column,
+ )
+ .into(),
+ x - rem,
+ ));
+ return sp.start.column + rem - 1;
+ }
+ }
+ unreachable!();
+ }
+}
diff --git a/src/strings.rs b/src/strings.rs
--- a/src/strings.rs
+++ b/src/strings.rs
@@ -144,17 +144,19 @@ pub fn chop_trailing_hashtags(line: &mut Vec<u8>) {
}
}
-pub fn rtrim(line: &mut Vec<u8>) {
+pub fn rtrim(line: &mut Vec<u8>) -> usize {
let spaces = line.iter().rev().take_while(|&&b| isspace(b)).count();
let new_len = line.len() - spaces;
line.truncate(new_len);
+ spaces
}
-pub fn ltrim(line: &mut Vec<u8>) {
+pub fn ltrim(line: &mut Vec<u8>) -> usize {
let spaces = line.iter().take_while(|&&b| isspace(b)).count();
shift_buf_left(line, spaces);
let new_len = line.len() - spaces;
line.truncate(new_len);
+ spaces
}
pub fn trim(line: &mut Vec<u8>) {
@@ -191,6 +193,9 @@ pub fn trim_slice(mut i: &[u8]) -> &[u8] {
}
fn shift_buf_left(buf: &mut [u8], n: usize) {
+ if n == 0 {
+ return;
+ }
assert!(n <= buf.len());
let keep = buf.len() - n;
unsafe {
|
diff --git a/src/tests.rs b/src/tests.rs
--- a/src/tests.rs
+++ b/src/tests.rs
@@ -289,17 +289,16 @@ macro_rules! sourcepos {
pub(crate) use sourcepos;
macro_rules! ast {
- (($name:tt $sp:tt)) => {
- ast!(($name $sp []))
- };
- (($name:tt $sp:tt $content:tt)) => {
+ (($name:tt $sp:tt $( $content:tt )*)) => {
AstMatchTree {
name: stringify!($name).to_string(),
sourcepos: sourcepos!($sp),
- content: ast!($content),
+ matches: vec![ $( ast_content!($content), )* ],
}
};
+}
+macro_rules! ast_content {
($text:literal) => {AstMatchContent::Text($text.to_string())};
([ $( $children:tt )* ]) => {
AstMatchContent::Children(vec![ $( ast!($children), )* ])
@@ -307,6 +306,7 @@ macro_rules! ast {
}
pub(crate) use ast;
+pub(crate) use ast_content;
#[track_caller]
fn assert_ast_match_i<F>(md: &str, amt: AstMatchTree, opts: F)
@@ -365,7 +365,7 @@ pub(crate) use assert_ast_match;
struct AstMatchTree {
name: String,
sourcepos: Sourcepos,
- content: AstMatchContent,
+ matches: Vec<AstMatchContent>,
}
enum AstMatchContent {
@@ -380,29 +380,71 @@ impl AstMatchTree {
assert_eq!(self.name, ast.value.xml_node_name(), "node type matches");
assert_eq!(self.sourcepos, ast.sourcepos, "sourcepos are equal");
- match &self.content {
- AstMatchContent::Text(text) => {
- assert_eq!(
- 0,
- node.children().count(),
- "text node should have no children"
- );
- assert_eq!(
- text,
- ast.value.text().unwrap(),
- "text node content should match"
- );
- }
- AstMatchContent::Children(children) => {
- assert_eq!(
- children.len(),
- node.children().count(),
- "children count should match"
- );
- for (e, a) in children.iter().zip(node.children()) {
- e.assert_match(a);
+ let mut asserted_text = false;
+ let mut asserted_children = false;
+
+ for m in &self.matches {
+ match m {
+ AstMatchContent::Text(text) => match ast.value {
+ NodeValue::Math(ref nm) => {
+ assert_eq!(text, &nm.literal, "Math literal should match");
+ asserted_text = true;
+ }
+ NodeValue::CodeBlock(ref ncb) => {
+ assert_eq!(text, &ncb.literal, "CodeBlock literal should match");
+ asserted_text = true;
+ }
+ NodeValue::Text(ref nt) => {
+ assert_eq!(text, nt, "Text content should match");
+ asserted_text = true;
+ }
+ NodeValue::Link(ref nl) => {
+ assert_eq!(text, &nl.url, "Link destination should match");
+ asserted_text = true;
+ }
+ NodeValue::Image(ref ni) => {
+ assert_eq!(text, &ni.url, "Image source should match");
+ asserted_text = true;
+ }
+ NodeValue::FrontMatter(ref nfm) => {
+ assert_eq!(text, nfm, "Front matter content should match");
+ asserted_text = true;
+ }
+ _ => panic!(
+ "no text content matcher for this node type: {:?}",
+ ast.value
+ ),
+ },
+ AstMatchContent::Children(children) => {
+ assert_eq!(
+ children.len(),
+ node.children().count(),
+ "children count should match"
+ );
+ for (e, a) in children.iter().zip(node.children()) {
+ e.assert_match(a);
+ }
+ asserted_children = true;
}
}
}
+
+ assert!(
+ asserted_children || node.children().count() == 0,
+ "children were not asserted"
+ );
+ assert!(
+ asserted_text
+ || !matches!(
+ ast.value,
+ NodeValue::Math(_)
+ | NodeValue::CodeBlock(_)
+ | NodeValue::Text(_)
+ | NodeValue::Link(_)
+ | NodeValue::Image(_)
+ | NodeValue::FrontMatter(_)
+ ),
+ "text wasn't asserted"
+ );
}
}
diff --git a/src/tests/autolink.rs b/src/tests/autolink.rs
--- a/src/tests/autolink.rs
+++ b/src/tests/autolink.rs
@@ -239,29 +239,6 @@ fn autolink_relaxed_links_schemes() {
#[test]
fn sourcepos_correctly_restores_context() {
- // There's unsoundness in trying to maintain and adjust sourcepos
- // when doing autolinks in the light of:
- //
- // a) Some source elements introducing a different number of characters
- // to the content text than they take in source, i.e. smart
- // punctuation.
- //
- // b) Text node consolidation happening before autolinking.
- //
- // (b) is obviously non-optional, but it means we end up with Text
- // nodes with different byte counts than their sourcepos span lengths.
- //
- // One possible solution would be to actually accumulate multiple
- // sourcepos spans per Text node, each also tracking the number of
- // bytes of content text it's responsible for. This would work well
- // enough as long as we never had to adjust a sourcepos into a spot
- // within a sourcepos span that had a target text width where it
- // wasn't equal. That probably wouldn't happen, though -- i.e. we're
- // never autolinking into the middle of a rendered smart punctuation.
- //
- // For now the desired sourcepos is documented in comment. What we
- // have currently (after backing out the adjustments, having hit the
- // above case) matches cmark-gfm.
assert_ast_match!(
[],
"ab _cde_ [email protected] h*ijklm* n",
@@ -289,11 +266,11 @@ fn sourcepos_correctly_restores_context() {
(emph (1:4-1:8) [
(text (1:5-1:7) "cde")
])
- (text (1:9-1:17) " ") // (text (1:9-1:9) " ")
- (link (XXX) [ // (link (1:10-1:15) [
- (text (XXX) "[email protected]") // (text (1:10-1:15) "[email protected]")
+ (text (1:9-1:9) " ")
+ (link (1:10-1:15) "mailto:[email protected]" [
+ (text (1:10-1:15) "[email protected]")
])
- (text (XXX) " h") // (text (1:16-1:17) " h")
+ (text (1:16-1:17) " h")
(emph (1:18-1:24) [
(text (1:19-1:23) "ijklm")
])
@@ -395,3 +372,77 @@ fn autolink_fuzz_we() {
no_roundtrip,
);
}
+
+#[test]
+fn autolink_sourcepos() {
+ assert_ast_match!(
+ [extension.autolink],
+ "a www.com x\n"
+ "\n"
+ "b https://www.com y\n"
+ "\n"
+ "c [email protected] z\n"
+ ,
+ (document (1:1-5:17) [
+ (paragraph (1:1-1:13) [
+ (text (1:1-1:3) "a ")
+ (link (1:4-1:10) "http://www.com" [
+ (text (1:4-1:10) "www.com")
+ ])
+ (text (1:11-1:13) " x")
+ ])
+ (paragraph (3:1-3:21) [
+ (text (3:1-3:3) "b ")
+ (link (3:4-3:18) "https://www.com" [
+ (text (3:4-3:18) "https://www.com")
+ ])
+ (text (3:19-3:21) " y")
+ ])
+ (paragraph (5:1-5:17) [
+ (text (5:1-5:3) "c ")
+ (link (5:4-5:14) "mailto:[email protected]" [
+ (text (5:4-5:14) "[email protected]")
+ ])
+ (text (5:15-5:17) " z")
+ ])
+ ])
+ );
+}
+
+#[test]
+fn autolink_consecutive_email() {
+ assert_ast_match!(
+ [extension.autolink],
+ "[email protected]/[email protected]",
+ (document (1:1-1:40) [
+ (paragraph (1:1-1:40) [
+ (link (1:1-1:19) "mailto:[email protected]" [
+ (text (1:1-1:19) "[email protected]")
+ ])
+ (text (1:20-1:20) "/")
+ (link (1:21-1:40) "mailto:[email protected]" [
+ (text (1:21-1:40) "[email protected]")
+ ])
+ ])
+ ])
+ );
+}
+
+#[test]
+fn autolink_consecutive_email_smart() {
+ assert_ast_match!(
+ [extension.autolink, parse.smart],
+ "[email protected]@pokemon.com",
+ (document (1:1-1:41) [
+ (paragraph (1:1-1:41) [
+ (link (1:1-1:19) "mailto:[email protected]" [
+ (text (1:1-1:19) "[email protected]")
+ ])
+ (text (1:20-1:21) "–") // en-dash
+ (link (1:22-1:41) "mailto:[email protected]" [
+ (text (1:22-1:41) "[email protected]")
+ ])
+ ])
+ ])
+ );
+}
diff --git a/src/tests/core.rs b/src/tests/core.rs
--- a/src/tests/core.rs
+++ b/src/tests/core.rs
@@ -523,7 +523,7 @@ fn link_sourcepos_baseline() {
"[ABCD](/)\n",
(document (1:1-1:9) [
(paragraph (1:1-1:9) [
- (link (1:1-1:9) [
+ (link (1:1-1:9) "/" [
(text (1:2-1:5) "ABCD")
])
])
@@ -539,7 +539,7 @@ fn link_sourcepos_newline() {
"[AB\nCD](/)\n",
(document (1:1-2:6) [
(paragraph (1:1-2:6) [
- (link (1:1-2:6) [
+ (link (1:1-2:6) "/" [
(text (1:2-1:3) "AB")
(softbreak (1:4-1:4))
(text (2:1-2:2) "CD")
@@ -560,8 +560,8 @@ fn link_sourcepos_truffle() {
(paragraph (1:3-2:18) [
(text (1:3-1:3) "A")
(softbreak (1:4-1:4))
- (link (2:1-2:18) [
- (image (2:2-2:13) [
+ (link (2:1-2:18) "/B" [
+ (image (2:2-2:13) "/B.png" [
(text (2:4-2:4) "B")
])
])
@@ -583,8 +583,8 @@ fn link_sourcepos_truffle_twist() {
(paragraph (1:3-2:20) [
(text (1:3-1:3) "A")
(softbreak (1:4-1:4))
- (link (2:3-2:20) [
- (image (2:4-2:15) [
+ (link (2:3-2:20) "/B" [
+ (image (2:4-2:15) "/B.png" [
(text (2:6-2:6) "B")
])
])
@@ -606,8 +606,8 @@ fn link_sourcepos_truffle_bergamot() {
(paragraph (1:3-2:21) [
(text (1:3-1:3) "A")
(softbreak (1:4-1:4))
- (link (2:4-2:21) [
- (image (2:5-2:16) [
+ (link (2:4-2:21) "/B" [
+ (image (2:5-2:16) "/B.png" [
(text (2:7-2:7) "B")
])
])
diff --git a/src/tests/front_matter.rs b/src/tests/front_matter.rs
--- a/src/tests/front_matter.rs
+++ b/src/tests/front_matter.rs
@@ -26,72 +26,64 @@ fn round_trip_wide_delimiter() {
assert_eq!(&String::from_utf8(buf).unwrap(), input);
}
-#[test]
-fn ast_wide_delimiter() {
- let input = "\u{04fc}\nlayout: post\n\u{04fc}\nText\n";
-
- assert_ast_match_i(
- input,
- ast!((document (1:1-4:4) [
- (frontmatter (1:1-3:2) [])
- (paragraph (4:1-4:4) [
- (text (4:1-4:4) [])
- ])
- ])),
- |opts| opts.extension.front_matter_delimiter = Some("\u{04fc}".to_owned()),
- );
-}
-
#[test]
fn ast() {
- let input = "q\nlayout: post\nq\nText\n";
-
- assert_ast_match_i(
- input,
- ast!((document (1:1-4:4) [
- (frontmatter (1:1-3:1) [])
+ assert_ast_match!(
+ [extension.front_matter_delimiter = Some("q".to_owned())],
+ "q\nlayout: post\nq\nText\n",
+ (document (1:1-4:4) [
+ (frontmatter (1:1-3:1) "q\nlayout: post\nq\n")
(paragraph (4:1-4:4) [
- (text (4:1-4:4) [])
+ (text (4:1-4:4) "Text")
])
- ])),
- |opts| opts.extension.front_matter_delimiter = Some("q".to_owned()),
+ ])
);
}
#[test]
fn ast_blank_line() {
- let input = r#"---
+ assert_ast_match!(
+ [extension.front_matter_delimiter = Some("---".to_owned())],
+ r#"---
a: b
---
hello world
-"#;
-
- assert_ast_match_i(
- input,
- ast!((document (1:1-5:11) [
- (frontmatter (1:1-3:3) [])
+"#,
+ (document (1:1-5:11) [
+ (frontmatter (1:1-3:3) "---\na: b\n---\n\n")
(paragraph (5:1-5:11) [
- (text (5:1-5:11) [])
+ (text (5:1-5:11) "hello world")
])
- ])),
- |opts| opts.extension.front_matter_delimiter = Some("---".to_owned()),
+ ])
);
}
#[test]
fn ast_carriage_return() {
- let input = "q\r\nlayout: post\r\nq\r\nText\r\n";
+ assert_ast_match!(
+ [extension.front_matter_delimiter = Some("q".to_owned())],
+ "q\r\nlayout: post\r\nq\r\nText\r\n",
+ (document (1:1-4:4) [
+ (frontmatter (1:1-3:1) "q\r\nlayout: post\r\nq\r\n")
+ (paragraph (4:1-4:4) [
+ (text (4:1-4:4) "Text")
+ ])
+ ])
+ );
+}
- assert_ast_match_i(
- input,
- ast!((document (1:1-4:4) [
- (frontmatter (1:1-3:1) [])
+#[test]
+fn ast_wide_delimiter() {
+ assert_ast_match!(
+ [extension.front_matter_delimiter = Some("\u{04fc}".to_owned())],
+ "\u{04fc}\nlayout: post\n\u{04fc}\nText\n",
+ (document (1:1-4:4) [
+ (frontmatter (1:1-3:2) "\u{04fc}\nlayout: post\n\u{04fc}\n")
(paragraph (4:1-4:4) [
- (text (4:1-4:4) [])
+ (text (4:1-4:4) "Text")
])
- ])),
- |opts| opts.extension.front_matter_delimiter = Some("q".to_owned()),
+ ])
);
}
diff --git a/src/tests/fuzz.rs b/src/tests/fuzz.rs
--- a/src/tests/fuzz.rs
+++ b/src/tests/fuzz.rs
@@ -1,4 +1,4 @@
-use super::{html, html_opts};
+use super::*;
#[test]
fn pointy_brace_open() {
@@ -72,21 +72,286 @@ fn bracket_match() {
#[test]
fn trailing_hyphen() {
- html_opts!(
- [extension.autolink, parse.smart, render.sourcepos],
+ assert_ast_match!(
+ [extension.autolink, parse.smart],
"[email protected]",
- "<p data-sourcepos=\"1:1-1:5\">[email protected]</p>\n"
+ (document (1:1-1:5) [
+ (paragraph (1:1-1:5) [
+ (text (1:1-1:5) "[email protected]")
+ ])
+ ])
);
}
#[test]
-fn trailing_hyphen_matches() {
- html_opts!(
- [extension.autolink, parse.smart, render.sourcepos],
- "[email protected]",
- "<p data-sourcepos=\"1:1-1:6\"><a href=\"mailto:[email protected]\">[email protected]</a>–</p>\n",
- no_roundtrip // We serialise the link back to <[email protected]>, which doesn't
- // parse as a classic autolink, but the email inside the
- // <...> does, meaning the </> get rendered!
+fn trailing_smart_endash_matches() {
+ assert_ast_match!(
+ [extension.autolink, parse.smart],
+ "--\n"
+ "--([email protected]\n",
+ (document (1:1-2:9) [
+ (paragraph (1:1-2:9) [
+ (text (1:1-1:2) "–") // en-dash
+ (softbreak (1:3-1:3))
+ (text (2:1-2:3) "–(") // en-dash
+ (link (2:4-2:7) "mailto:[email protected]" [
+ (text (2:4-2:7) "[email protected]")
+ ])
+ (text (2:8-2:9) "–") // en-dash
+ ])
+ ])
+ );
+}
+
+#[test]
+fn trailing_endash_matches() {
+ assert_ast_match!(
+ [extension.autolink],
+ "–\n"
+ "–([email protected]–\n",
+ (document (1:1-2:11) [
+ (paragraph (1:1-2:11) [
+ (text (1:1-1:3) "–") // en-dash
+ (softbreak (1:4-1:4))
+ (text (2:1-2:4) "–(") // en-dash
+ (link (2:5-2:8) "mailto:[email protected]" [
+ (text (2:5-2:8) "[email protected]")
+ ])
+ (text (2:9-2:11) "–") // en-dash
+ ])
+ ])
+ );
+}
+
+#[test]
+fn no_empty_text_before_email() {
+ assert_ast_match!(
+ [extension.autolink],
+ "[email protected]\n",
+ (document (1:1-1:5) [
+ (paragraph (1:1-1:5) [
+ (link (1:1-1:5) "mailto:[email protected]" [
+ (text (1:1-1:5) "[email protected]")
+ ])
+ ])
+ ])
+ );
+}
+
+#[test]
+fn smart_sourcepos() {
+ assert_ast_match!(
+ [parse.smart],
+ ": _--_ **---**\n\n"
+ // As above, but entered directly.
+ ": _–_ **—**\n",
+ (document (1:1-3:15) [
+ (paragraph (1:1-1:14) [
+ (text (1:1-1:2) ": ")
+ (emph (1:3-1:6) [
+ (text (1:4-1:5) "–") // en-dash
+ ])
+ (text (1:7-1:7) " ")
+ (strong (1:8-1:14) [
+ (text (1:10-1:12) "—") // em-dash
+ ])
+ ])
+ (paragraph (3:1-3:15) [
+ (text (3:1-3:2) ": ")
+ (emph (3:3-3:7) [
+ (text (3:4-3:6) "–") // en-dash; 3 bytes in input
+ ])
+ (text (3:8-3:8) " ")
+ (strong (3:9-3:15) [
+ (text (3:11-3:13) "—") // em-dash; (still) 3 bytes
+ ])
+ ])
+ ])
+ );
+}
+
+#[test]
+fn linebreak_sourcepos() {
+ assert_ast_match!(
+ [],
+ "a\\\n"
+ "b\n",
+ (document (1:1-2:1) [
+ (paragraph (1:1-2:1) [
+ (text (1:1-1:1) "a")
+ (linebreak (1:2-1:3))
+ (text (2:1-2:1) "b")
+ ])
+ ])
+ );
+}
+
+#[test]
+fn echaw() {
+ assert_ast_match!(
+ [extension.autolink],
+ "<[email protected]<[email protected]",
+ (document (1:1-1:11) [
+ (paragraph (1:1-1:11) [
+ (text (1:1-1:1) "<")
+ (link (1:2-1:5) "mailto:[email protected]" [
+ (text (1:2-1:5) "[email protected]")
+ ])
+ (text (1:6-1:6) "<")
+ (link (1:7-1:11) "mailto:[email protected]" [
+ (text (1:7-1:11) "[email protected]")
+ ])
+ ])
+ ])
+ );
+}
+
+#[test]
+fn echaw2() {
+ assert_ast_match!(
+ [extension.autolink, parse.smart],
+ ":[email protected]'[email protected]",
+ (document (1:1-1:10) [
+ (paragraph (1:1-1:10) [
+ (text (1:1-1:1) ":")
+ (link (1:2-1:5) "mailto:[email protected]" [
+ (text (1:2-1:5) "[email protected]")
+ ])
+ (text (1:6-1:6) "’")
+ (link (1:7-1:10) "mailto:[email protected]" [
+ (text (1:7-1:10) "[email protected]")
+ ])
+ ])
+ ])
+ );
+}
+
+#[test]
+fn echaw3() {
+ assert_ast_match!(
+ [extension.autolink, parse.smart],
+ // XXX As an extra special case, NUL bytes are expanded to U+FFFD
+ // REPLACEMENT CHARACTER (UTF-8: EF BF BD) during the feed stage, so
+ // sourcepos sees three bytes (!). I might like to change this later.
+ "[email protected]\0\t\r"
+ "z \n"
+ " [email protected]",
+ (document (1:1-3:5) [
+ (paragraph (1:1-3:5) [
+ (link (1:1-1:4) "mailto:[email protected]" [
+ (text (1:1-1:4) "[email protected]")
+ ])
+ (text (1:5-1:7) "�")
+ // !! Spaces at EOL are trimmed.
+ // See parser::inlines::Subject::parse_inline's final case.
+ (softbreak (1:9-1:9))
+ (text (2:1-2:1) "z")
+ (linebreak (2:2-2:4))
+ (link (3:2-3:5) "mailto:[email protected]" [
+ (text (3:2-3:5) "[email protected]")
+ ])
+ ])
+ ])
+ );
+}
+
+#[test]
+fn echaw4() {
+ // _ resolves to a plain ASCII underscore "_".
+ assert_ast_match!(
+ [extension.autolink, parse.smart],
+ "-@_.e--",
+ (document (1:1-1:16) [
+ (paragraph (1:1-1:16) [
+ (link (1:1-1:14) "mailto:-@_.e" [
+ (text (1:1-1:14) "-@_.e")
+ ])
+ (text (1:15-1:16) "–") // en-dash
+ ])
+ ])
+ );
+}
+
+#[test]
+fn echaw5() {
+ assert_ast_match!(
+ [],
+ "_#[email protected]",
+ (document (1:1-1:9) [
+ (paragraph (1:1-1:9) [
+ (emph (1:1-1:3) [
+ (text (1:2-1:2) "#")
+ ])
+ (text (1:4-1:9) "[email protected]")
+ ])
+ ])
+ );
+}
+
+#[test]
+fn echaw6() {
+ assert_ast_match!(
+ [extension.autolink],
+ "_#[email protected]",
+ (document (1:1-1:9) [
+ (paragraph (1:1-1:9) [
+ (emph (1:1-1:3) [
+ (text (1:2-1:2) "#")
+ ])
+ (link (1:4-1:9) "mailto:[email protected]" [
+ (text (1:4-1:9) "[email protected]")
+ ])
+ ])
+ ])
+ );
+}
+
+#[test]
+fn echaw7() {
+ assert_ast_match!(
+ [extension.autolink],
+ "A[email protected]",
+ (document (1:1-1:10) [
+ (paragraph (1:1-1:10) [
+ (link (1:1-1:10) "mailto:[email protected]" [
+ (text (1:1-1:10) "[email protected]")
+ ])
+ ])
+ ])
+ );
+}
+
+#[test]
+fn echaw8() {
+ // fuzz/artifacts/all_options/minimized-from-57c3eaf5e03b3fd7fa971b0db6143ee3c21a7452
+ assert_ast_match!(
+ [extension.autolink, extension.tasklist],
+ "- [x] 𝔛-<[email protected]",
+ (document (1:1-1:17) [
+ (list (1:1-1:17) [
+ (taskitem (1:1-1:17) [
+ (paragraph (1:7-1:17) [
+ (text (1:7-1:13) "𝔛-<")
+ (link (1:14-1:17) "mailto:[email protected]" [
+ (text (1:14-1:17) "[email protected]")
+ ])
+ ])
+ ])
+ ])
+ ]),
+ );
+}
+
+#[test]
+fn echaw9() {
+ // fuzz/artifacts/all_options/minimized-from-8a07a44ba1f971ec39d0c14d377c78c2535c6fd5
+ assert_ast_match!(
+ [extension.tasklist],
+ "-\t[ ]
",
+ (document (1:1-1:14) [
+ (list (1:1-1:14) [
+ (taskitem (1:1-1:14))
+ ])
+ ]),
);
}
diff --git a/src/tests/math.rs b/src/tests/math.rs
--- a/src/tests/math.rs
+++ b/src/tests/math.rs
@@ -148,16 +148,16 @@ fn sourcepos() {
"```\n",
(document (1:1-9:3) [
(paragraph (1:1-1:29) [
- (math (1:2-1:4))
+ (math (1:1-1:5) "x^2")
(text (1:6-1:10) " and ")
- (math (1:13-1:15))
+ (math (1:11-1:17) "y^2")
(text (1:18-1:22) " and ")
- (math (1:25-1:27))
+ (math (1:23-1:29) "z^2")
])
(paragraph (3:1-5:2) [
- (math (3:3-5:0))
+ (math (3:1-5:2) "\na^2\n")
])
- (code_block (7:1-9:3))
+ (code_block (7:1-9:3) "b^2\n")
])
);
}
diff --git a/src/tests/regressions.rs b/src/tests/regressions.rs
--- a/src/tests/regressions.rs
+++ b/src/tests/regressions.rs
@@ -133,3 +133,109 @@ fn sourcepos_para() {
fn gemoji() {
html_opts!([extension.shortcodes], ":x:", "<p>❌</p>\n");
}
+
+#[test]
+fn sourcepos_lone_backtick() {
+ assert_ast_match!(
+ [],
+ "``\n",
+ (document (1:1-1:2) [
+ (paragraph (1:1-1:2) [
+ (text (1:1-1:2) "``")
+ ])
+ ])
+ );
+}
+
+#[ignore] // This one will require a bit of thinking.
+#[test]
+fn sourcepos_link_items() {
+ assert_ast_match!(
+ [],
+ "- ab\n"
+ "- cdef\n"
+ "\n"
+ "\n"
+ "g\n"
+ ,
+ (document (1:1-5:1) [
+ (list (1:1-2:6) [
+ (item (1:1-1:4) [
+ (paragraph (1:3-1:4) [
+ (text (1:3-1:4) "ab")
+ ])
+ ])
+ (item (2:1-2:6) [
+ (paragraph (2:3-2:6) [
+ (text (2:3-2:6) "cdef")
+ ])
+ ])
+ ])
+ (paragraph (5:1-5:1) [
+ (text (5:1-5:1) "g")
+ ])
+ ])
+ );
+}
+
+#[test]
+fn assorted_links() {
+ assert_ast_match!(
+ [extension.autolink],
+ r#"hello <https://example.com/fooo> world
+hello [foo](https://example.com) world
+hello [foo] world
+hello [bar][bar] world
+hello https://example.com/foo world
+hello www.example.com world
+hello [email protected] world
+
+[foo]: https://example.com
+[bar]: https://example.com"#,
+ (document (1:1-10:26) [
+ (paragraph (1:1-7:27) [
+ (text (1:1-1:6) "hello ")
+ (link (1:7-1:32) "https://example.com/fooo" [
+ (text (1:8-1:31) "https://example.com/fooo")
+ ])
+ (text (1:33-1:38) " world")
+ (softbreak (1:39-1:39))
+ (text (2:1-2:6) "hello ")
+ (link (2:7-2:32) "https://example.com" [
+ (text (2:8-2:10) "foo")
+ ])
+ (text (2:33-2:38) " world")
+ (softbreak (2:39-2:39))
+ (text (3:1-3:6) "hello ")
+ (link (3:7-3:11) "https://example.com" [
+ (text (3:8-3:10) "foo")
+ ])
+ (text (3:12-3:17) " world")
+ (softbreak (3:18-3:18))
+ (text (4:1-4:6) "hello ")
+ (link (4:7-4:16) "https://example.com" [
+ (text (4:8-4:10) "bar")
+ ])
+ (text (4:17-4:22) " world")
+ (softbreak (4:23-4:23))
+ (text (5:1-5:6) "hello ")
+ (link (5:7-5:29) "https://example.com/foo" [
+ (text (5:7-5:29) "https://example.com/foo")
+ ])
+ (text (5:30-5:35) " world")
+ (softbreak (5:36-5:36))
+ (text (6:1-6:6) "hello ")
+ (link (6:7-6:21) "http://www.example.com" [
+ (text (6:7-6:21) "www.example.com")
+ ])
+ (text (6:22-6:27) " world")
+ (softbreak (6:28-6:28))
+ (text (7:1-7:6) "hello ")
+ (link (7:7-7:21) "mailto:[email protected]" [
+ (text (7:7-7:21) "[email protected]")
+ ])
+ (text (7:22-7:27) " world")
+ ])
+ ])
+ );
+}
diff --git a/src/tests/sourcepos.rs b/src/tests/sourcepos.rs
--- a/src/tests/sourcepos.rs
+++ b/src/tests/sourcepos.rs
@@ -161,10 +161,10 @@ hello world
);
const THEMATIC_BREAK: TestCase = (
- &[sourcepos!((3:1-3:3))],
+ &[sourcepos!((3:2-3:4))],
r#"Hello
----
+ ---
World"#,
);
@@ -266,7 +266,10 @@ hello world
);
const SOFT_BREAK: TestCase = (&[sourcepos!((1:13-1:13))], "stuff before\nstuff after");
-const LINE_BREAK: TestCase = (&[sourcepos!((1:13-1:15))], "stuff before \nstuff after");
+const LINE_BREAK: TestCase = (
+ &[sourcepos!((1:13-1:15)), sourcepos!((4:13-4:14))],
+ "stuff before \nstuff after\n\nstuff before\\\nstuff after\n",
+);
const CODE: TestCase = (&[sourcepos!((1:7-1:13))], "hello `world`");
@@ -302,12 +305,16 @@ const LINK: TestCase = (
sourcepos!((3:7-3:11)),
sourcepos!((4:7-4:16)),
sourcepos!((5:7-5:29)),
+ sourcepos!((6:7-6:21)),
+ sourcepos!((7:7-7:21)),
],
r#"hello <https://example.com/fooo> world
hello [foo](https://example.com) world
hello [foo] world
hello [bar][bar] world
hello https://example.com/foo world
+hello www.example.com world
+hello [email protected] world
[foo]: https://example.com
[bar]: https://example.com"#,
@@ -387,8 +394,10 @@ const SPOILERED_TEXT: TestCase = (
after"#,
);
+// NOTE: I've adjusted this from its original asserted sourcepos (2:1-2:8) while
+// fixing emphasis sourcepos. I am not even sure what it is, really.
const ESCAPED_TAG: TestCase = (
- &[sourcepos!((2:1-2:8))],
+ &[sourcepos!((2:2-2:8))],
r#"before
||hello|
after"#,
@@ -418,12 +427,6 @@ fn node_values() -> HashMap<NodeValueDiscriminants, TestCase> {
| DescriptionItem // end is 4:0
| DescriptionTerm // end is 3:0
| DescriptionDetails // end is 4:0
- | HtmlInline // end is 1:31 but should be 3:14
- | LineBreak // start is 1:15 but should be 1:13
- | Code // is 1:8-1:12 but should be 1:7-1:13
- | ThematicBreak // end is 4:0
- | Link // inconsistent between link types
- | Math // is 3:2-3:6 but should be 3:1-3:7
| Raw // unparseable
)
})
|
`sourcepos` not correct for inline code
It seems that the `sourcepos` for inline code is slightly off. It doesn't seem to take into account the surrounding backticks.
<table>
<tr>
<th>Case</th>
<th>Markdown</th>
<th>Sourcemap</th>
</tr>
<tr>
<td>Bold</td>
<td>
```md
**bold**
```
</td>
<td>
```xml
<p dir="auto" data-sourcepos="1:1-1:8">
<strong data-sourcepos="1:1-1:8">bold</strong>
</p>
```
</td>
</tr>
<tr>
<td>Italic</td>
<td>
```md
_italic_
```
</td>
<td>
```xml
<p dir="auto" data-sourcepos="1:1-1:8">
<em data-sourcepos="1:1-1:8">italic</em>
</p>
```
</td>
</tr>
<tr>
<td>Code (current)</td>
<td>
```md
`code`
```
</td>
<td>
```xml
<p dir="auto" data-sourcepos="1:1-1:6">
<code data-sourcepos="1:2-1:5">code</code>
</p>
```
</td>
</tr>
<tr>
<td>Code (expected)</td>
<td>
```md
`code`
```
</td>
<td>
```xml
<p dir="auto" data-sourcepos="1:1-1:6">
<code data-sourcepos="1:1-1:6">code</code>
</p>
```
</td>
</tr>
<tr>
<td>Nested backticks (current)</td>
<td>
```md
`` `nested backticks` ``
```
</td>
<td>
```xml
<p dir="auto" data-sourcepos="1:1-1:24">
<code data-sourcepos="1:3-1:22">`nested backticks`</code>
</p>
```
</td>
</tr>
<tr>
<td>Nested backticks (expected)</td>
<td>
```md
`` `nested backticks` ``
```
</td>
<td>
```xml
<p dir="auto" data-sourcepos="1:1-1:24">
<code data-sourcepos="1:1-1:24">`nested backticks`</code>
</p>
```
</td>
</tr>
</table>
This assumes that the sourcepos of an inline such as strong or emphasis, or inline code, should include the surrounding syntax characters, the backticks in the case of inline code.
| 2025-02-26T04:53:12
|
rust
|
Easy
|
|
servo/rust-url
| 198
|
servo__rust-url-198
|
[
"197"
] |
d91d175186de915dba07a1c41a1225900e290b23
|
diff --git a/Cargo.toml b/Cargo.toml
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -1,7 +1,7 @@
[package]
name = "url"
-version = "1.1.0"
+version = "1.1.1"
authors = ["The rust-url developers"]
description = "URL library for Rust, based on the WHATWG URL Standard"
diff --git a/src/lib.rs b/src/lib.rs
--- a/src/lib.rs
+++ b/src/lib.rs
@@ -1243,11 +1243,17 @@ fn path_to_file_url_segments(path: &Path, serialization: &mut String) -> Result<
if !path.is_absolute() {
return Err(())
}
+ let mut empty = true;
// skip the root component
for component in path.components().skip(1) {
+ empty = false;
serialization.push('/');
serialization.extend(percent_encode(
- component.as_os_str().as_bytes(), PATH_SEGMENT_ENCODE_SET))
+ component.as_os_str().as_bytes(), PATH_SEGMENT_ENCODE_SET));
+ }
+ if empty {
+ // An URL’s path must not be empty.
+ serialization.push('/');
}
Ok(())
}
|
diff --git a/tests/unit.rs b/tests/unit.rs
--- a/tests/unit.rs
+++ b/tests/unit.rs
@@ -259,3 +259,12 @@ fn issue_61() {
assert_eq!(url.port_or_known_default(), Some(443));
url.assert_invariants();
}
+
+#[test]
+/// https://github.com/servo/rust-url/issues/197
+fn issue_197() {
+ let mut url = Url::from_file_path("/").unwrap();
+ url.assert_invariants();
+ assert_eq!(url, Url::parse("file:///").unwrap());
+ url.path_segments_mut().unwrap().pop_if_empty();
+}
|
Panic 'index out of bounds: the len is 7 but the index is 7'
This program:
``` rust
extern crate url;
use url::Url;
fn main() {
let mut url = Url::from_file_path("/").unwrap();
url.path_segments_mut().unwrap().pop_if_empty();
}
```
will panic with:
```
thread '<main>' panicked at 'index out of bounds: the len is 7 but the index is 7', src/lib.rs:1095
note: Run with `RUST_BACKTRACE=1` for a backtrace.
```
Oddly enough the "equivalent" program of `Url::parse("file://")` works just fine!
| 2016-05-25T20:34:32
|
rust
|
Hard
|
|
hyperium/h2
| 195
|
hyperium__h2-195
|
[
"33"
] |
1552d62e7c6e1000ed4545b45603ce6fa355eb19
|
diff --git a/src/proto/streams/prioritize.rs b/src/proto/streams/prioritize.rs
--- a/src/proto/streams/prioritize.rs
+++ b/src/proto/streams/prioritize.rs
@@ -238,6 +238,11 @@ impl Prioritize {
stream.send_flow
);
+ if stream.state.is_send_closed() && stream.buffered_send_data == 0 {
+ // We can't send any data, so don't bother doing anything else.
+ return Ok(());
+ }
+
// Update the stream level flow control.
stream.send_flow.inc_window(inc)?;
diff --git a/src/proto/streams/recv.rs b/src/proto/streams/recv.rs
--- a/src/proto/streams/recv.rs
+++ b/src/proto/streams/recv.rs
@@ -745,6 +745,10 @@ impl Recv {
if !stream.state.is_recv_streaming() {
// No need to send window updates on the stream if the stream is
// no longer receiving data.
+ //
+ // TODO: is this correct? We could possibly send a window
+ // update on a ReservedRemote stream if we already know
+ // we want to stream the data faster...
continue;
}
diff --git a/src/proto/streams/state.rs b/src/proto/streams/state.rs
--- a/src/proto/streams/state.rs
+++ b/src/proto/streams/state.rs
@@ -361,6 +361,13 @@ impl State {
}
}
+ pub fn is_send_closed(&self) -> bool {
+ match self.inner {
+ Closed(..) | HalfClosedLocal(..) | ReservedRemote => true,
+ _ => false,
+ }
+ }
+
pub fn is_idle(&self) -> bool {
match self.inner {
Idle => true,
|
diff --git a/tests/stream_states.rs b/tests/stream_states.rs
--- a/tests/stream_states.rs
+++ b/tests/stream_states.rs
@@ -666,6 +666,58 @@ fn rst_stream_max() {
});
+ client.join(srv).wait().expect("wait");
+}
+
+#[test]
+fn reserved_state_recv_window_update() {
+ let _ = ::env_logger::init();
+ let (io, srv) = mock::new();
+
+ let srv = srv.assert_client_handshake()
+ .unwrap()
+ .recv_settings()
+ .recv_frame(
+ frames::headers(1)
+ .request("GET", "https://example.com/")
+ .eos(),
+ )
+ .send_frame(
+ frames::push_promise(1, 2)
+ .request("GET", "https://example.com/push")
+ )
+ // it'd be weird to send a window update on a push promise,
+ // since the client can't send us data, but whatever. The
+ // point is that it's allowed, so we're testing it.
+ .send_frame(frames::window_update(2, 128))
+ .send_frame(frames::headers(1).response(200).eos())
+ // ping pong to ensure no goaway
+ .ping_pong([1; 8])
+ .close();
+
+ let client = Client::handshake(io)
+ .expect("handshake")
+ .and_then(|(mut client, conn)| {
+ let request = Request::builder()
+ .method(Method::GET)
+ .uri("https://example.com/")
+ .body(())
+ .unwrap();
+
+ let req = client.send_request(request, true)
+ .unwrap()
+ .0.expect("response")
+ .and_then(|resp| {
+ assert_eq!(resp.status(), StatusCode::OK);
+ Ok(())
+ });
+
+
+ conn.drive(req)
+ .and_then(|(conn, _)| conn.expect("client"))
+ });
+
+
client.join(srv).wait().expect("wait");
}
/*
|
Accept stream WINDOW_UPDATE frames in reserved state
In general, the various states in which frames can be accepted should be audited.
http://httpwg.org/specs/rfc7540.html#StreamStates
|
I'm fairly sure this is working, as the `recv_window_update` only checks that the target stream is not idle.
I guess this would require verifying that it currently works and add a test.
| 2017-12-19T22:18:30
|
rust
|
Hard
|
servo/rust-url
| 328
|
servo__rust-url-328
|
[
"300"
] |
a44ccbe161f056bb2631161bbb9a65954cff05ec
|
diff --git a/src/host.rs b/src/host.rs
--- a/src/host.rs
+++ b/src/host.rs
@@ -192,6 +192,15 @@ impl<'a> HostAndPort<&'a str> {
}
}
+impl<S: AsRef<str>> fmt::Display for HostAndPort<S> {
+ fn fmt(&self, f: &mut Formatter) -> fmt::Result {
+ self.host.fmt(f)?;
+ f.write_str(":")?;
+ self.port.fmt(f)
+ }
+}
+
+
impl<S: AsRef<str>> ToSocketAddrs for HostAndPort<S> {
type Iter = SocketAddrs;
|
diff --git a/tests/unit.rs b/tests/unit.rs
--- a/tests/unit.rs
+++ b/tests/unit.rs
@@ -13,7 +13,7 @@ extern crate url;
use std::borrow::Cow;
use std::net::{Ipv4Addr, Ipv6Addr};
use std::path::{Path, PathBuf};
-use url::{Host, Url, form_urlencoded};
+use url::{Host, HostAndPort, Url, form_urlencoded};
#[test]
fn size() {
@@ -254,6 +254,36 @@ fn test_form_serialize() {
assert_eq!(encoded, "foo=%C3%A9%26&bar=&foo=%23");
}
+#[test]
+fn host_and_port_display() {
+ assert_eq!(
+ format!(
+ "{}",
+ HostAndPort{ host: Host::Domain("www.mozilla.org"), port: 80}
+ ),
+ "www.mozilla.org:80"
+ );
+ assert_eq!(
+ format!(
+ "{}",
+ HostAndPort::<String>{ host: Host::Ipv4(Ipv4Addr::new(1, 35, 33, 49)), port: 65535 }
+ ),
+ "1.35.33.49:65535"
+ );
+ assert_eq!(
+ format!(
+ "{}",
+ HostAndPort::<String>{
+ host: Host::Ipv6(Ipv6Addr::new(
+ 0x2001, 0x0db8, 0x85a3, 0x08d3, 0x1319, 0x8a2e, 0x0370, 0x7344
+ )),
+ port: 1337
+ })
+ ,
+ "[2001:db8:85a3:8d3:1319:8a2e:370:7344]:1337"
+ )
+}
+
#[test]
/// https://github.com/servo/rust-url/issues/25
fn issue_25() {
|
Implement `Display` for `Host` and `HostAndPort`
Probably using the obvious serialization for "host:port". Looks like `HostAndPort` impl needs to be parameterized over `S: Display`.
|
For IPv6 addresses, using `[]` brackets is necessary to distinguish `:` within an address and `:` separating an address and port number. `Display for Host` already does this.
| 2017-05-07T16:39:51
|
rust
|
Hard
|
shuttle-hq/synth
| 250
|
shuttle-hq__synth-250
|
[
"191",
"190"
] |
db46076d72c6e1c5a54bdb29ac26b715b3adbaf5
|
diff --git a/.github/workflows/synth-errors.yml b/.github/workflows/synth-errors.yml
new file mode 100644
--- /dev/null
+++ b/.github/workflows/synth-errors.yml
@@ -0,0 +1,26 @@
+name: synth-errors
+
+on:
+ push:
+ branches: [master]
+ paths: ["**/*.rs", "synth/testing_harness/errors/**"]
+ pull_request:
+ branches: [master]
+ paths: ["**/*.rs", "synth/testing_harness/errors/**"]
+
+ workflow_dispatch:
+
+env:
+ RUSTFLAGS: "-D warnings"
+
+jobs:
+ e2e_tests_postgres:
+ runs-on: ubuntu-latest
+ steps:
+ - uses: actions/checkout@v2
+ - uses: actions-rs/toolchain@v1
+ with:
+ toolchain: nightly
+ - run: cargo +nightly install --debug --path=synth
+ - run: ./e2e.sh
+ working-directory: synth/testing_harness/errors
diff --git a/Cargo.lock b/Cargo.lock
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2195,6 +2195,12 @@ dependencies = [
"winapi",
]
+[[package]]
+name = "paste"
+version = "1.0.6"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "0744126afe1a6dd7f394cb50a716dbe086cb06e255e53d8d0185d82828358fb5"
+
[[package]]
name = "pbkdf2"
version = "0.7.5"
@@ -3276,6 +3282,7 @@ dependencies = [
"log",
"num",
"num_cpus",
+ "paste",
"rand 0.8.4",
"rand_regex",
"regex",
diff --git a/core/Cargo.toml b/core/Cargo.toml
--- a/core/Cargo.toml
+++ b/core/Cargo.toml
@@ -37,3 +37,4 @@ bloomfilter = "1.0.5"
dynfmt = { version = "0.1.5", features = [ "curly" ] }
sqlx = { version = "0.5.7", features = [ "postgres", "mysql", "runtime-async-std-native-tls", "decimal", "chrono" ] }
uriparse = "0.6.3"
+paste = "1.0"
diff --git a/core/src/schema/content/array.rs b/core/src/schema/content/array.rs
--- a/core/src/schema/content/array.rs
+++ b/core/src/schema/content/array.rs
@@ -1,15 +1,138 @@
use super::prelude::*;
use crate::graph::prelude::content::number::number_content::U64;
-use crate::schema::{NumberContent, RangeStep};
+use crate::graph::prelude::VariantContent;
+use crate::schema::{number_content, NumberContent, RangeStep};
+use serde::de;
+use std::fmt;
-#[derive(Debug, Serialize, Deserialize, Clone, PartialEq, Hash)]
+#[derive(Debug, Serialize, Clone, PartialEq, Hash)]
#[serde(rename_all = "snake_case")]
#[serde(deny_unknown_fields)]
pub struct ArrayContent {
+ #[serde(default)]
pub length: Box<Content>,
pub content: Box<Content>,
}
+lazy_static! {
+ static ref NULL_VARIANT: VariantContent =
+ VariantContent::new(Content::Null(prelude::NullContent {}));
+}
+
+impl<'de> Deserialize<'de> for ArrayContent {
+ fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
+ where
+ D: Deserializer<'de>,
+ {
+ #[derive(Deserialize)]
+ #[serde(field_identifier, rename_all = "lowercase")]
+ enum Field {
+ Length,
+ Content,
+ }
+
+ struct ArrayVisitor;
+
+ impl<'de> Visitor<'de> for ArrayVisitor {
+ type Value = ArrayContent;
+
+ fn expecting(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
+ formatter.write_str("a object with a 'content' and 'length' value")
+ }
+
+ fn visit_map<A>(self, mut access: A) -> Result<Self::Value, A::Error>
+ where
+ A: de::MapAccess<'de>,
+ {
+ let mut length = None;
+ let mut content = None;
+
+ while let Some(key) = access.next_key()? {
+ match key {
+ Field::Length => {
+ if length.is_some() {
+ return Err(de::Error::duplicate_field("length"));
+ }
+
+ length = Some(access.next_value()?);
+ }
+ Field::Content => {
+ if content.is_some() {
+ return Err(de::Error::duplicate_field("content"));
+ }
+
+ content = Some(access.next_value()?);
+ }
+ }
+ }
+
+ let length = length.ok_or_else(|| de::Error::missing_field("length"))?;
+ let content = content.ok_or_else(|| de::Error::missing_field("content"))?;
+
+ match length {
+ Content::Number(NumberContent::U64(number_content::U64::Range(r))) => {
+ if r.high.is_none() {
+ return Err(A::Error::custom(
+ "missing high value for array length range"
+ ));
+ }
+ }
+ // Default for ranges
+ Content::Number(NumberContent::U32(number_content::U32::Range(r))) => {
+ if r.high.is_none() {
+ return Err(A::Error::custom(
+ "missing high value for array length range"
+ ));
+ }
+ }
+ Content::Number(NumberContent::U64(_)) => {},
+ // Default for negative numbers
+ Content::Number(NumberContent::I64(number_content::I64::Constant(n))) => {
+ is_positive(n).map_err(A::Error::custom)?
+ }
+ Content::Number(NumberContent::I32(number_content::I32::Range(r))) => {
+ if r.high.is_none() {
+ return Err(A::Error::custom(
+ "missing high value for array length range"
+ ));
+ }
+
+ is_positive(
+ r.low .unwrap_or_default() .into(),
+ ).map_err(A::Error::custom)?
+ },
+ Content::SameAs(_) => {},
+ Content::Null(_) => return Err(de::Error::custom("array length is missing. Try adding '\"length\": [number]' to the array type where '[number]' is a positive integer")),
+ Content::Empty(_) => return Err(de::Error::custom("array length is not a constant or number type. Try replacing the '\"length\": {}' with '\"length\": [number]' where '[number]' is a positive integer")),
+ Content::OneOf(ref one) => if one.variants.iter().any(|variant| variant == &*NULL_VARIANT) {
+ return Err(de::Error::custom("cannot use 'one_of' with a 'null' variant nor '\"optional\": true' in array length"));
+ },
+ _ => {
+ return Err(de::Error::custom(
+ format!(
+ "cannot use {} as an array length",
+ length
+ )
+ ));
+ }
+ }
+
+ if let Content::Empty(_) = content {
+ return Err(de::Error::custom("array content is missing. Try replacing the '\"content\": {}' with '\"content\": { \"type\": \"object\" }'"));
+ }
+
+ Ok(ArrayContent {
+ length: Box::new(length),
+ content: Box::new(content),
+ })
+ }
+ }
+
+ const FIELDS: &[&str] = &["length", "content"];
+ deserializer.deserialize_struct("ArrayContent", FIELDS, ArrayVisitor)
+ }
+}
+
impl ArrayContent {
pub fn from_content_default_length(content: Content) -> Self {
Self {
@@ -29,6 +152,14 @@ impl Compile for ArrayContent {
}
}
+fn is_positive(i: i64) -> Result<()> {
+ if i.is_negative() {
+ return Err(anyhow!("cannot have a negative array length"));
+ }
+
+ Ok(())
+}
+
impl Find<Content> for ArrayContent {
fn project<I, R>(&self, mut reference: Peekable<I>) -> Result<&Content>
where
@@ -62,3 +193,315 @@ impl Find<Content> for ArrayContent {
}
}
}
+
+#[cfg(test)]
+mod tests {
+ use crate::schema::content::Content;
+ use paste::paste;
+
+ macro_rules! supported_length_tests {
+ ($($name:ident: {$($schema:tt)*},)*) => {
+ $(paste!{
+ #[test]
+ fn [<supported_length_ $name>]() {
+ let _schema: Content = schema!({$($schema)*});
+ }
+ })*
+ }
+ }
+
+ supported_length_tests! {
+ default: {
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object"
+ }
+ },
+ u64_constant: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "u64",
+ "constant": 3
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ default_range: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "range": {
+ "low": 5,
+ "high": 150
+ }
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ u64_range: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "u64",
+ "range": {
+ "low": 7,
+ "high": 8
+ }
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ }
+
+ macro_rules! negative_length_tests {
+ ($($name:ident: {$($schema:tt)*},)*) => {
+ $(paste!{
+ #[test]
+ #[should_panic(expected = "cannot have a negative array length")]
+ fn [<negative_length_ $name>]() {
+ let _schema: Content = schema!({$($schema)*});
+ }
+ })*
+ }
+ }
+
+ negative_length_tests! {
+ default: {
+ "type": "array",
+ "length": -1,
+ "content": {
+ "type": "object"
+ }
+ },
+ default_range: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "range": {
+ "low": -5,
+ "high": 40
+ }
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ }
+
+ macro_rules! unsupported_length_tests {
+ ($($name:ident: {$($schema:tt)*},)*) => {
+ $(paste!{
+ #[test]
+ #[should_panic(expected = "cannot use")]
+ fn [<unsupported_length_ $name>]() {
+ let _schema: Content = schema!({$($schema)*});
+ }
+ })*
+ }
+ }
+
+ unsupported_length_tests! {
+ i32_constant: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "i32",
+ "constant": 10
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ u32_constant: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "u32",
+ "constant": 8
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ i64_range: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "i64",
+ "range": {}
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ default_float_constant: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "constant": -5.0
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ f64_constant: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "f64",
+ "constant": -5.0
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ f64_range: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "f64",
+ "range": {}
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ f32_constant: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "f32",
+ "constant": 3.0
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ f32_range: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "f32",
+ "range": {}
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ }
+
+ macro_rules! missing_high_length_tests {
+ ($($name:ident: {$($schema:tt)*},)*) => {
+ $(paste!{
+ #[test]
+ #[should_panic(expected = "missing high value for array length")]
+ fn [<missing_high_length_ $name>]() {
+ let _schema: Content = schema!({$($schema)*});
+ }
+ })*
+ }
+ }
+
+ missing_high_length_tests! {
+ u64_default: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "u64",
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ u64_range: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "u64",
+ "range": {}
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ }
+
+ #[test]
+ #[should_panic(expected = "missing field `length`")]
+ fn missing_array_length() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "content": {
+ "type": "object"
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(
+ expected = "cannot use 'one_of' with a 'null' variant nor '\\\"optional\\\": true' in array length"
+ )]
+ fn optional_array_length() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": {
+ "type": "number",
+ "constant": 5,
+ "optional": true
+ },
+ "content": {
+ "type": "object"
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(
+ expected = "cannot use 'one_of' with a 'null' variant nor '\\\"optional\\\": true' in array length"
+ )]
+ fn one_of_null_array_length() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": {
+ "type": "one_of",
+ "variants": [
+ {
+ "type": "null",
+ },
+ {
+ "type": "number",
+ "constant": 5
+ }
+ ]
+ },
+ "content": {
+ "type": "object"
+ }
+ });
+ }
+
+ #[test]
+ fn one_of_array_length() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": {
+ "type": "one_of",
+ "variants": [{
+ "type": "number",
+ "constant": 3
+ }, {
+ "type": "number",
+ "constant": 5
+ }]
+ },
+ "content": {
+ "type": "object"
+ }
+ });
+ }
+}
diff --git a/core/src/schema/content/mod.rs b/core/src/schema/content/mod.rs
--- a/core/src/schema/content/mod.rs
+++ b/core/src/schema/content/mod.rs
@@ -13,8 +13,10 @@
//! - Things that belong to those submodules that also need to be exposed
//! to other parts of `synth` should be re-exported here.
+use std::collections::BTreeMap;
use std::hash::{Hash, Hasher};
+use paste::paste;
use serde::{de::IntoDeserializer, Deserialize, Serialize};
use serde_json::Value;
@@ -104,6 +106,9 @@ pub struct SameAsContent {
#[derive(Debug, Serialize, Deserialize, Clone, PartialEq, Hash)]
pub struct NullContent;
+#[derive(Debug, Serialize, Deserialize, Clone, PartialEq, Hash)]
+pub struct EmptyContent;
+
#[derive(Serialize, Deserialize, Debug)]
pub struct ContentLabels {
#[serde(default)]
@@ -137,11 +142,32 @@ impl ContentLabels {
}
}
+lazy_static! {
+ static ref UNEXPECTED: BTreeMap<&'static str, Vec<&'static str>> = {
+ let mut m = BTreeMap::new();
+ m.insert("arguments", vec!["format"]);
+ m.insert("low", vec!["range"]);
+ m.insert("high", vec!["range"]);
+ m.insert("step", vec!["range"]);
+ m.insert("include_high", vec!["range"]);
+ m.insert("include_low", vec!["range"]);
+ m.insert("start_at", vec!["id"]);
+ m.insert("start", vec!["incrementing", "poisson", "cyclical"]);
+ m.insert("increment", vec!["incrementing"]);
+ m.insert("rate", vec!["poisson"]);
+ m.insert("min_rate", vec!["cyclical"]);
+ m.insert("max_rate", vec!["cyclical"]);
+ m.insert("period", vec!["cyclical"]);
+ m.insert("series", vec!["zip"]);
+ m
+ };
+}
+
macro_rules! content {
{
labels: $labels:ty,
variants: {
- $($name:ident($variant:ty)$(,)?)+
+ $($name:ident($variant:ty) => $msg:tt,)+
}
} => {
#[derive(Debug, Serialize, Clone, PartialEq, Hash)]
@@ -192,6 +218,27 @@ macro_rules! content {
let value = map.next_value()?;
out.insert(key, value);
}
+
+ if out.is_empty() {
+ out.insert("type".to_string(), serde_json::Value::String("empty".to_string()));
+ } else if out.len() == 1 && out.contains_key("type") {
+ paste! {
+ match out.get("type").unwrap().as_str() {
+ $(
+ Some(stringify!([<$name:snake>])) => generator_field_error!($name, $msg),
+ )*
+ None | Some(_) => {}
+ }
+ }
+ }
+
+ for key in out.keys() {
+ if let Some(parent) = UNEXPECTED.get(key as &str) {
+ let parents = parent.iter().map(|p| format!("`{}`", p)).collect::<Vec<String>>().join(", ");
+ return Err(A::Error::custom(format!("`{}` is expected to be a field of {}", key, parents)));
+ }
+ }
+
let __ContentWithLabels { labels, content } = __ContentWithLabels::deserialize(out.into_deserializer()).map_err(A::Error::custom)?;
match content {
$(
@@ -242,23 +289,34 @@ macro_rules! content {
}
}
}
+macro_rules! generator_field_error {
+ ($name:ident, None) => {
+ {}
+ };
+ ($name:ident, $msg:tt) => {
+ paste! {
+ return Err(A::Error::custom(concat!("`", stringify!([<$name:snake>]), "` generator is ", $msg)))
+ }
+ }
+}
content! {
labels: ContentLabels,
variants: {
- Null(NullContent),
- Bool(BoolContent),
- Number(NumberContent),
- String(StringContent),
- DateTime(DateTimeContent),
- Array(ArrayContent),
- Object(ObjectContent),
- SameAs(SameAsContent),
- OneOf(OneOfContent),
- Series(SeriesContent),
- Unique(UniqueContent),
- Hidden(HiddenContent),
- Datasource(DatasourceContent),
+ Null(NullContent) => None,
+ Bool(BoolContent) => "missing a subtype. Try adding `constant`, or `frequency`",
+ Number(NumberContent) => "missing a subtype. Try adding `constant`, `range`, or `id`",
+ String(StringContent) => "missing a subtype. Try adding `pattern`, `faker`, `categorical`, `serialized`, `uuid`, `truncated`, or `format`",
+ DateTime(DateTimeContent) => "missing a `format` field",
+ Array(ArrayContent) => "missing a `length` and `content` field",
+ Object(ObjectContent) => None,
+ SameAs(SameAsContent) => "missing a `ref` field",
+ OneOf(OneOfContent) => "missing a `variants` field",
+ Series(SeriesContent) => "missing a variant. Try adding `incrementing`, `poisson`, `cyclical`, or `zip`",
+ Unique(UniqueContent) => "missing a `content` field",
+ Datasource(DatasourceContent) => "missing a `path` field",
+ Hidden(HiddenContent) => "missing a `content` field",
+ Empty(EmptyContent) => None,
}
}
@@ -452,6 +510,7 @@ impl Content {
Content::Unique(_) => "unique".to_string(),
Content::Hidden(_) => "hidden".to_string(),
Content::Datasource(_) => "datasource".to_string(),
+ Content::Empty(_) => "empty".to_string(),
}
}
}
@@ -582,6 +641,7 @@ impl Compile for Content {
Self::Hidden(hidden_content) => hidden_content.compile(compiler),
Self::Null(_) => Ok(Graph::null()),
Self::Datasource(datasource) => datasource.compile(compiler),
+ Self::Empty(_) => Err(anyhow!("unexpected empty object")),
}
}
}
@@ -637,6 +697,7 @@ impl Default for Weight {
#[cfg(test)]
pub mod tests {
use super::*;
+ use paste::paste;
lazy_static! {
pub static ref USER_SCHEMA: Content = schema!({
@@ -836,4 +897,371 @@ pub mod tests {
"end": "2020-11-05T09:53:10+0000"
});
}
+
+ #[test]
+ #[should_panic(
+ expected = "`string` generator is missing a subtype. Try adding `pattern`, `faker`, `categorical`, `serialized`, `uuid`, `truncated`, or `format`"
+ )]
+ fn string_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "string"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(
+ expected = "`bool` generator is missing a subtype. Try adding `constant`, or `frequency`"
+ )]
+ fn bool_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "b": {
+ "type": "bool"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(
+ expected = "`number` generator is missing a subtype. Try adding `constant`, `range`, or `id`"
+ )]
+ fn number_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "n": {
+ "type": "number"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(expected = "`date_time` generator is missing a `format` field")]
+ fn date_time_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "dt": {
+ "type": "date_time"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(expected = "`array` generator is missing a `length` and `content` field")]
+ fn array_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "a": {
+ "type": "array"
+ }
+ }
+ });
+ }
+
+ #[test]
+ fn object_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "o": {
+ "type": "object"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(expected = "`same_as` generator is missing a `ref` field")]
+ fn same_as_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "sa": {
+ "type": "same_as"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(expected = "`one_of` generator is missing a `variants` field")]
+ fn one_of_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "oo": {
+ "type": "one_of"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(
+ expected = "`series` generator is missing a variant. Try adding `incrementing`, `poisson`, `cyclical`, or `zip`"
+ )]
+ fn series_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "series"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(expected = "`unique` generator is missing a `content` field")]
+ fn unique_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "u": {
+ "type": "unique"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(expected = "`datasource` generator is missing a `path` field")]
+ fn datasource_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "d": {
+ "type": "datasource"
+ }
+ }
+ });
+ }
+
+ #[test]
+ #[should_panic(expected = "`hidden` generator is missing a `content` field")]
+ fn hidden_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "h": {
+ "type": "hidden"
+ }
+ }
+ });
+ }
+
+ #[test]
+ fn null_missing_subtype() {
+ let _schema: Content = schema!({
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "n": {
+ "type": "null"
+ }
+ }
+ });
+ }
+
+ macro_rules! unexpected_content_tests {
+ ($($name:ident: {$($schema:tt)*},)*) => {
+ $(paste!{
+ #[test]
+ #[should_panic(expected = "is expected to be a field of")]
+ fn [<unexpected_content_ $name>]() {
+ let _schema: Content = schema!({$($schema)*});
+ }
+ })*
+ }
+ }
+
+ unexpected_content_tests! {
+ format: {
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "string",
+ "format": "Hello {name}",
+ "arguments": {
+ "name": "synth"
+ }
+ }
+ }
+ },
+ low: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "low": 1
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ high: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "high": 10
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ step: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "step": 2
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ include_high: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "include_high": true
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ include_low: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "include_low": true
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ start_at: {
+ "type": "array",
+ "length": {
+ "type": "number",
+ "start_at": 5
+ },
+ "content": {
+ "type": "object"
+ }
+ },
+ start: {
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "series",
+ "start": "2021-02-01 09:00:00"
+ }
+ }
+ },
+ increment: {
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "series",
+ "increment": "1m"
+ }
+ }
+ },
+ rate: {
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "series",
+ "rate": "1m"
+ }
+ }
+ },
+ max_rate: {
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "series",
+ "max_rate": "1m"
+ }
+ }
+ },
+ min_rate: {
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "series",
+ "min_rate": "1m"
+ }
+ }
+ },
+ period: {
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "series",
+ "period": "1d"
+ }
+ }
+ },
+ series: {
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "series",
+ "series": []
+ }
+ }
+ },
+ }
}
diff --git a/core/src/schema/content/string.rs b/core/src/schema/content/string.rs
--- a/core/src/schema/content/string.rs
+++ b/core/src/schema/content/string.rs
@@ -163,7 +163,7 @@ impl Serialize for FakerContentArgument {
}
}
-#[derive(Debug, Serialize, Deserialize, Clone, PartialEq, Hash)]
+#[derive(Debug, Serialize, Clone, PartialEq, Hash)]
pub struct FakerContent {
pub generator: String,
/// deprecated: Use FakerArgs::locale instead
@@ -180,6 +180,72 @@ impl FakerContent {
}
}
+impl<'de> Deserialize<'de> for FakerContent {
+ fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
+ where
+ D: Deserializer<'de>,
+ {
+ #[derive(Deserialize)]
+ #[serde(field_identifier, rename_all = "lowercase")]
+ enum Field {
+ Generator,
+ Locales,
+ #[serde(other)]
+ Unknown,
+ }
+ struct FakerVisitor;
+
+ impl<'de> Visitor<'de> for FakerVisitor {
+ type Value = FakerContent;
+
+ fn expecting(&self, formatter: &mut std::fmt::Formatter) -> std::fmt::Result {
+ formatter.write_str("'generator'")
+ }
+
+ fn visit_map<A>(self, mut map: A) -> Result<Self::Value, A::Error>
+ where
+ A: serde::de::MapAccess<'de>,
+ {
+ let mut generator = None;
+ let mut args = None;
+ while let Some(key) = map.next_key()? {
+ match key {
+ Field::Generator => {
+ if generator.is_some() {
+ return Err(A::Error::duplicate_field("generator"));
+ }
+ generator = Some(map.next_value()?);
+ }
+ Field::Locales => {
+ if args.is_some() {
+ return Err(A::Error::duplicate_field("locales"));
+ }
+ args = Some(map.next_value()?);
+ }
+ Field::Unknown => {}
+ }
+ }
+ let generator = generator.ok_or_else(|| A::Error::missing_field("generator"))?;
+ let args = args.unwrap_or_default();
+ Ok(FakerContent {
+ generator,
+ args,
+ locales: Vec::new(),
+ })
+ }
+
+ fn visit_str<E>(self, v: &str) -> Result<Self::Value, E>
+ where
+ E: serde::de::Error,
+ {
+ Err(E::custom(format!("`faker` is expected to have a `generator` field. Try '\"faker\": {{\"generator\": \"{}\"}}'", v)))
+ }
+ }
+
+ deserializer.deserialize_any(FakerVisitor)
+ }
+}
+
#[derive(Debug, Serialize, Deserialize, Clone, PartialEq, Hash)]
#[serde(rename_all = "lowercase")]
#[serde(tag = "serializer")]
@@ -290,3 +356,19 @@ impl Compile for StringContent {
Ok(Graph::String(string_node))
}
}
+
+#[cfg(test)]
+mod tests {
+ use crate::schema::content::Content;
+
+ #[test]
+ #[should_panic(
+ expected = "`faker` is expected to have a `generator` field. Try '\\\"faker\\\": {\\\"generator\\\": \\\"lastname\\\"}'"
+ )]
+ fn faker_missing_generator() {
+ let _schema: Content = schema!({
+ "type": "string",
+ "faker": "lastname"
+ });
+ }
+}
diff --git a/synth/Cargo.toml b/synth/Cargo.toml
--- a/synth/Cargo.toml
+++ b/synth/Cargo.toml
@@ -9,6 +9,7 @@ authors = [
edition = "2021"
homepage = "https://getsynth.com"
license = "Apache-2.0"
+exclude = ["testing_harness/*"]
[[bench]]
name = "bench"
|
diff --git a/synth/testing_harness/errors/README.md b/synth/testing_harness/errors/README.md
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/README.md
@@ -0,0 +1,11 @@
+Integration Tests for Error Messages
+====================================
+
+This is an integration test that validates the synth generate command gives helpful error messages.
+
+# Requirements:
+- jq
+
+# Instructions
+
+To run this, execute `e2e.sh` script from the current directory. A non-zero return code denotes failure.
diff --git a/synth/testing_harness/errors/e2e.sh b/synth/testing_harness/errors/e2e.sh
new file mode 100755
--- /dev/null
+++ b/synth/testing_harness/errors/e2e.sh
@@ -0,0 +1,72 @@
+#!/usr/bin/env bash
+
+set -uo pipefail
+
+# load env vars
+if [ -f .env ]
+then
+ set -a
+ . .env
+ set +a
+fi
+
+SYNTH="synth"
+[ "${CI-false}" == "true" ] || { SYNTH="../../../target/debug/synth"; cargo build --bin synth || exit 1; }
+
+ERROR='\033[0;31m'
+INFO='\033[0;36m'
+DEBUG='\033[0;37m'
+NC='\033[0m' # No Color
+
+function help() {
+ echo "$1 <command>
+
+commands:
+ [test-name]|Optional parameter to run a specific test
+ --cleanup|Cleanup local files after a test run
+ --help|Shows this help text
+" | column -t -L -s"|"
+}
+
+function test() {
+
+ result=0
+ for ns in generate/*
+ do
+ test-specific $ns || { result=$?; echo; }
+ done
+
+ cleanup
+
+ echo -e "${DEBUG}Done${NC}"
+
+ return $result
+}
+
+function test-specific() {
+ echo -e "${INFO}Testing $1${NC}"
+ MSG=`$SYNTH generate $1 2>&1`
+ [ $? == 1 ] || { echo "$MSG"; echo -e "${ERROR}Expected error but got none${NC}"; return 1; }
+ diff --ignore-matching-lines="\[.*\]" <(echo "$MSG") "$1/errors.txt" || { echo "$MSG" | grep "\[.*\]"; echo -e "${ERROR}Errors do not match${NC}"; return 1; }
+}
+
+function cleanup() {
+ echo -e "${DEBUG}Cleaning up local files${NC}"
+ rm -Rf hospital_import
+ rm -Rf .synth
+}
+
+case "${1-all}" in
+ all)
+ test || exit 1
+ ;;
+ --cleanup)
+ cleanup
+ ;;
+ --help)
+ help $0
+ exit 1
+ ;;
+ *)
+ test-specific "generate/$1" || exit 1
+esac
diff --git a/synth/testing_harness/errors/generate/186-negative-array/errors.txt b/synth/testing_harness/errors/generate/186-negative-array/errors.txt
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/186-negative-array/errors.txt
@@ -0,0 +1,6 @@
+Error: Unable to open the namespace "generate/186-negative-array"
+
+Caused by:
+ 0: at file generate/186-negative-array/schema.json
+ 1: Failed to parse collection
+ 2: cannot have a negative array length at line 7 column 1
diff --git a/synth/testing_harness/errors/generate/186-negative-array/schema.json b/synth/testing_harness/errors/generate/186-negative-array/schema.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/186-negative-array/schema.json
@@ -0,0 +1,8 @@
+{
+ "type": "array",
+ "length": -1,
+ "content": {
+ "type": "object"
+ }
+}
+
diff --git a/synth/testing_harness/errors/generate/190-faker-mistyped/errors.txt b/synth/testing_harness/errors/generate/190-faker-mistyped/errors.txt
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/190-faker-mistyped/errors.txt
@@ -0,0 +1,6 @@
+Error: Unable to open the namespace "generate/190-faker-mistyped"
+
+Caused by:
+ 0: at file generate/190-faker-mistyped/schema.json
+ 1: Failed to parse collection
+ 2: `faker` is expected to have a `generator` field. Try '"faker": {"generator": "name"}' at line 11 column 1
diff --git a/synth/testing_harness/errors/generate/190-faker-mistyped/schema.json b/synth/testing_harness/errors/generate/190-faker-mistyped/schema.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/190-faker-mistyped/schema.json
@@ -0,0 +1,12 @@
+{
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "string",
+ "faker": "name"
+ }
+ }
+}
+
diff --git a/synth/testing_harness/errors/generate/191-format-structure-wrong/errors.txt b/synth/testing_harness/errors/generate/191-format-structure-wrong/errors.txt
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/191-format-structure-wrong/errors.txt
@@ -0,0 +1,6 @@
+Error: Unable to open the namespace "generate/191-format-structure-wrong"
+
+Caused by:
+ 0: at file generate/191-format-structure-wrong/schema.json
+ 1: Failed to parse collection
+ 2: `arguments` is expected to be a field of `format` at line 17 column 1
diff --git a/synth/testing_harness/errors/generate/191-format-structure-wrong/schema.json b/synth/testing_harness/errors/generate/191-format-structure-wrong/schema.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/191-format-structure-wrong/schema.json
@@ -0,0 +1,18 @@
+{
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "string",
+ "format": "Hello {name}",
+ "arguments": {
+ "name": {
+ "type": "string",
+ "pattern": "synth"
+ }
+ }
+ }
+ }
+}
+
diff --git a/synth/testing_harness/errors/generate/192-string-missing-subtype/errors.txt b/synth/testing_harness/errors/generate/192-string-missing-subtype/errors.txt
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/192-string-missing-subtype/errors.txt
@@ -0,0 +1,6 @@
+Error: Unable to open the namespace "generate/192-string-missing-subtype"
+
+Caused by:
+ 0: at file generate/192-string-missing-subtype/schema.json
+ 1: Failed to parse collection
+ 2: `string` generator is missing a subtype. Try adding `pattern`, `faker`, `categorical`, `serialized`, `uuid`, `truncated`, or `format` at line 10 column 1
diff --git a/synth/testing_harness/errors/generate/192-string-missing-subtype/schema.json b/synth/testing_harness/errors/generate/192-string-missing-subtype/schema.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/192-string-missing-subtype/schema.json
@@ -0,0 +1,11 @@
+{
+ "type": "array",
+ "length": 1,
+ "content": {
+ "type": "object",
+ "s": {
+ "type": "string"
+ }
+ }
+}
+
diff --git a/synth/testing_harness/errors/generate/193-array-length-missing-high/errors.txt b/synth/testing_harness/errors/generate/193-array-length-missing-high/errors.txt
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/193-array-length-missing-high/errors.txt
@@ -0,0 +1,6 @@
+Error: Unable to open the namespace "generate/193-array-length-missing-high"
+
+Caused by:
+ 0: at file generate/193-array-length-missing-high/schema.json
+ 1: Failed to parse collection
+ 2: missing high value for array length range at line 10 column 1
diff --git a/synth/testing_harness/errors/generate/193-array-length-missing-high/schema.json b/synth/testing_harness/errors/generate/193-array-length-missing-high/schema.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/193-array-length-missing-high/schema.json
@@ -0,0 +1,11 @@
+{
+ "type": "array",
+ "length": {
+ "type": "number",
+ "subtype": "u32"
+ },
+ "content": {
+ "type": "object"
+ }
+}
+
diff --git a/synth/testing_harness/errors/generate/195-empty-array-length/errors.txt b/synth/testing_harness/errors/generate/195-empty-array-length/errors.txt
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/195-empty-array-length/errors.txt
@@ -0,0 +1,6 @@
+Error: Unable to open the namespace "generate/195-empty-array-length"
+
+Caused by:
+ 0: at file generate/195-empty-array-length/schema.json
+ 1: Failed to parse collection
+ 2: array length is not a constant or number type. Try replacing the '"length": {}' with '"length": [number]' where '[number]' is a positive integer at line 7 column 1
diff --git a/synth/testing_harness/errors/generate/195-empty-array-length/schema.json b/synth/testing_harness/errors/generate/195-empty-array-length/schema.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/195-empty-array-length/schema.json
@@ -0,0 +1,8 @@
+{
+ "type": "array",
+ "length": {},
+ "content": {
+ "type": "object"
+ }
+}
+
diff --git a/synth/testing_harness/errors/generate/array-empty-content/errors.txt b/synth/testing_harness/errors/generate/array-empty-content/errors.txt
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/array-empty-content/errors.txt
@@ -0,0 +1,6 @@
+Error: Unable to open the namespace "generate/array-empty-content"
+
+Caused by:
+ 0: at file generate/array-empty-content/schema.json
+ 1: Failed to parse collection
+ 2: array content is missing. Try replacing the '"content": {}' with '"content": { "type": "object" }' at line 6 column 1
diff --git a/synth/testing_harness/errors/generate/array-empty-content/schema.json b/synth/testing_harness/errors/generate/array-empty-content/schema.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/array-empty-content/schema.json
@@ -0,0 +1,7 @@
+{
+ "type": "array",
+ "length": 1,
+ "content": {
+ }
+}
+
diff --git a/synth/testing_harness/errors/generate/missing-type/errors.txt b/synth/testing_harness/errors/generate/missing-type/errors.txt
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/missing-type/errors.txt
@@ -0,0 +1,6 @@
+Error: Unable to open the namespace "generate/missing-type"
+
+Caused by:
+ 0: at file generate/missing-type/schema.json
+ 1: Failed to parse collection
+ 2: missing field `type` at line 6 column 1
diff --git a/synth/testing_harness/errors/generate/missing-type/schema.json b/synth/testing_harness/errors/generate/missing-type/schema.json
new file mode 100644
--- /dev/null
+++ b/synth/testing_harness/errors/generate/missing-type/schema.json
@@ -0,0 +1,7 @@
+{
+ "length": 1,
+ "content": {
+ "type": "object"
+ }
+}
+
|
Unhelpful error when messing up `format` generator structure
**Describe the bug**
If we miss one level of JSON nesting in `format`, we get an unhelpful error:
**To Reproduce**
Steps to reproduce the behavior:
1. Schema (if applicable)
```
{
"type": "array",
"length": 1,
"content": {
"type": "object",
"s": {
"type": "string",
"format": "say my {name}",
"arguments": {
"name": "name"
}
}
}
}
```
2. See error
```
Error: Unable to open the namespace
Caused by:
0: at file 5_misformat/misformat.json
1: Failed to parse collection
2: invalid value: map, expected map with a single key at line 11 column 1
```
**Expected behavior**
```
Error: The `string:format` generator specified at line 11 column 1 needs one more level of indirection.
Instead of `"format": _, "arguments": { .. }` use `"format": { "format": _, "arguments": { .. } }`.
```
**Environment (please complete the following information):**
- OS: any
- Version: 0.5.6
Unhelpful error on mistyped faker generator
**Describe the bug**
The error if one mistypes a `faker` generator is less than helpful:
**To Reproduce**
Steps to reproduce the behavior:
1. Schema (if applicable)
```
{
"type": "array",
"length": 1,
"content": {
"type": "object",
"name": {
"type": "string",
"faker": "name"
}
}
}
```
2. See error
```
Error: Unable to open the namespace
Caused by:
0: at file empty/empty.json
1: Failed to parse collection
2: invalid type: string "name", expected struct FakerContent at line 8 column 1
```
**Expected behavior**
```
The `string:faker` generator in line 8 column 1 is incorrectly specified.
Please use `{"type": "string", "faker": { "generator": "name" } }` instead.
```
(Bonus points for using the value of the `"faker"` entry in the suggestion)
| 2021-11-12T10:00:35
|
rust
|
Hard
|
|
kivikakk/comrak
| 41
|
kivikakk__comrak-41
|
[
"40"
] |
2b7a877406b58e788e585cbb750093e7d4dc42be
|
diff --git a/src/entity.rs b/src/entity.rs
--- a/src/entity.rs
+++ b/src/entity.rs
@@ -65,7 +65,7 @@ pub fn unescape(text: &[u8]) -> Option<(Vec<u8>, usize)> {
}
fn lookup(text: &[u8]) -> Option<&[u8]> {
- let entity_str = format!("&{};", unsafe {str::from_utf8_unchecked(text) });
+ let entity_str = format!("&{};", unsafe { str::from_utf8_unchecked(text) });
let entity = ENTITIES.iter().find(|e| e.entity == entity_str);
diff --git a/src/html.rs b/src/html.rs
--- a/src/html.rs
+++ b/src/html.rs
@@ -1,7 +1,10 @@
use ctype::isspace;
use nodes::{TableAlignment, NodeValue, ListType, AstNode};
use parser::ComrakOptions;
+use regex::Regex;
+use std::borrow::Cow;
use std::cell::Cell;
+use std::collections::HashSet;
use std::io::{self, Write};
/// Formats an AST as HTML, modified by the given options.
@@ -42,6 +45,7 @@ impl<'w> Write for WriteWithLast<'w> {
struct HtmlFormatter<'o> {
output: &'o mut WriteWithLast<'o>,
options: &'o ComrakOptions,
+ seen_anchors: HashSet<String>,
}
const NEEDS_ESCAPED : [bool; 256] = [
@@ -142,6 +146,7 @@ impl<'o> HtmlFormatter<'o> {
HtmlFormatter {
options: options,
output: output,
+ seen_anchors: HashSet::new(),
}
}
@@ -269,6 +274,19 @@ impl<'o> HtmlFormatter<'o> {
Ok(())
}
+ fn collect_text<'a>(&self, node: &'a AstNode<'a>, output: &mut Vec<u8>) {
+ match node.data.borrow().value {
+ NodeValue::Text(ref literal) |
+ NodeValue::Code(ref literal) => output.extend_from_slice(literal),
+ NodeValue::LineBreak | NodeValue::SoftBreak => output.push(b' '),
+ _ => {
+ for n in node.children() {
+ self.collect_text(n, output);
+ }
+ }
+ }
+ }
+
fn format_node<'a>(&mut self, node: &'a AstNode<'a>, entering: bool) -> io::Result<bool> {
match node.data.borrow().value {
NodeValue::Document => (),
@@ -306,9 +324,48 @@ impl<'o> HtmlFormatter<'o> {
}
}
NodeValue::Heading(ref nch) => {
+ lazy_static! {
+ static ref REJECTED_CHARS: Regex = Regex::new(r"[^\p{L}\p{M}\p{N}\p{Pc} -]").unwrap();
+ }
+
if entering {
try!(self.cr());
try!(write!(self.output, "<h{}>", nch.level));
+
+ if let Some(ref prefix) = self.options.ext_header_ids {
+ let mut text_content = Vec::with_capacity(20);
+ self.collect_text(node, &mut text_content);
+
+ let mut id = String::from_utf8(text_content).unwrap();
+ id = id.to_lowercase();
+ id = REJECTED_CHARS.replace(&id, "").to_string();
+ id = id.replace(' ', "-");
+
+ let mut uniq = 0;
+ id = loop {
+ let anchor = if uniq == 0 {
+ Cow::from(&*id)
+ } else {
+ Cow::from(format!("{}-{}", &id, uniq))
+ };
+
+ if !self.seen_anchors.contains(&*anchor) {
+ break anchor.to_string();
+ }
+
+ uniq += 1;
+ };
+
+ self.seen_anchors.insert(id.clone());
+
+ try!(write!(
+ self.output,
+ "<a href=\"#{}\" aria-hidden=\"true\" class=\"anchor\" id=\"{}{}\"></a>",
+ id,
+ prefix,
+ id
+ ));
+ }
} else {
try!(write!(self.output, "</h{}>\n", nch.level));
}
diff --git a/src/main.rs b/src/main.rs
--- a/src/main.rs
+++ b/src/main.rs
@@ -103,6 +103,15 @@ fn main() {
.default_value("0")
.help("Specify wrap width (0 = nowrap)"),
)
+ .arg(
+ clap::Arg::with_name("header-ids")
+ .long("header-ids")
+ .takes_value(true)
+ .value_name("PREFIX")
+ .help(
+ "Use the Comrak header IDs extension, with the given ID prefix",
+ ),
+ )
.get_matches();
let mut exts = matches.values_of("extension").map_or(
@@ -122,6 +131,7 @@ fn main() {
ext_autolink: exts.remove("autolink"),
ext_tasklist: exts.remove("tasklist"),
ext_superscript: exts.remove("superscript"),
+ ext_header_ids: matches.value_of("header-ids").map(|s| s.to_string()),
};
assert!(exts.is_empty());
diff --git a/src/parser/mod.rs b/src/parser/mod.rs
--- a/src/parser/mod.rs
+++ b/src/parser/mod.rs
@@ -63,7 +63,7 @@ pub struct Parser<'a, 'o> {
options: &'o ComrakOptions,
}
-#[derive(Default, Debug, Clone, Copy)]
+#[derive(Default, Debug, Clone)]
/// Options for both parser and formatter functions.
pub struct ComrakOptions {
/// [Soft line breaks](http://spec.commonmark.org/0.27/#soft-line-breaks) in the input
@@ -197,6 +197,17 @@ pub struct ComrakOptions {
/// "<p>e = mc<sup>2</sup>.</p>\n");
/// ```
pub ext_superscript: bool,
+
+ /// Enables the header IDs Comrak extension.
+ ///
+ /// ```
+ /// # use comrak::{markdown_to_html, ComrakOptions};
+ /// let mut options = ComrakOptions::default();
+ /// options.ext_header_ids = Some("user-content-".to_string());
+ /// assert_eq!(markdown_to_html("# README\n", &options),
+ /// "<h1><a href=\"#readme\" aria-hidden=\"true\" class=\"anchor\" id=\"user-content-readme\"></a>README</h1>\n");
+ /// ```
+ pub ext_header_ids: Option<String>,
}
|
diff --git a/src/tests.rs b/src/tests.rs
--- a/src/tests.rs
+++ b/src/tests.rs
@@ -515,3 +515,26 @@ fn superscript() {
concat!("<p>e = mc<sup>2</sup>.</p>\n"),
|opts| opts.ext_superscript = true);
}
+
+#[test]
+fn header_ids() {
+ html_opts(
+ concat!(
+ "# Hi.\n",
+ "## Hi 1.\n",
+ "### Hi.\n",
+ "#### Hello.\n",
+ "##### Hi.\n",
+ "###### Hello.\n"
+ ),
+ concat!(
+ "<h1><a href=\"#hi\" aria-hidden=\"true\" class=\"anchor\" id=\"user-content-hi\"></a>Hi.</h1>\n",
+ "<h2><a href=\"#hi-1\" aria-hidden=\"true\" class=\"anchor\" id=\"user-content-hi-1\"></a>Hi 1.</h2>\n",
+ "<h3><a href=\"#hi-2\" aria-hidden=\"true\" class=\"anchor\" id=\"user-content-hi-2\"></a>Hi.</h3>\n",
+ "<h4><a href=\"#hello\" aria-hidden=\"true\" class=\"anchor\" id=\"user-content-hello\"></a>Hello.</h4>\n",
+ "<h5><a href=\"#hi-3\" aria-hidden=\"true\" class=\"anchor\" id=\"user-content-hi-3\"></a>Hi.</h5>\n",
+ "<h6><a href=\"#hello-1\" aria-hidden=\"true\" class=\"anchor\" id=\"user-content-hello-1\"></a>Hello.</h6>\n"
+ ),
+ |opts| opts.ext_header_ids = Some("user-content-".to_owned()),
+ );
+}
|
Generation of Header ID's
I suspect I may already know the answer to this question, however as I'm not really that familiar with the different markdown specs so thought I would reach out anyway.
Github automatically creates header id's, for example (`id="user-content-about"`)
```
## About
// Renders
<h2>
<a href="#about" aria-hidden="true" class="anchor" id="user-content-about">
...<svg></svg>
</a>About
</h2>
```
Im guessing github is using [kramdown#auto-ids](https://kramdown.gettalong.org/converter/html#auto-ids) which is not not supported in comrak, correct?
This stems from an [issue](https://github.com/rust-lang/crates.io/issues/1037) on crates.io as we're trying to link headers to the appropriate section within the readme.
Thanks for your time!
|
GitHub uses [`cmark-gfm`](https://github.com/github/cmark)/[`commonmarker`](https://github.com/gjtorikian/commonmarker); after Markdown is converted to HTML, the HTML is run through a user content stack which e.g. adds user links (like @treiff), issue links, as well as header IDs.
I'll happily add an extension to comrak to do this in a GitHub-compatible matter. I'll let you know via this issue when done, and help integrate it with crates.io.
| 2017-10-16T02:22:32
|
rust
|
Easy
|
servo/rust-url
| 537
|
servo__rust-url-537
|
[
"491"
] |
622d26020491aa08c5a3c10ace046b2f35274576
|
diff --git a/src/host.rs b/src/host.rs
--- a/src/host.rs
+++ b/src/host.rs
@@ -24,9 +24,10 @@ pub(crate) enum HostInternal {
Ipv6(Ipv6Addr),
}
-impl<S> From<Host<S>> for HostInternal {
- fn from(host: Host<S>) -> HostInternal {
+impl From<Host<String>> for HostInternal {
+ fn from(host: Host<String>) -> HostInternal {
match host {
+ Host::Domain(ref s) if s.is_empty() => HostInternal::None,
Host::Domain(_) => HostInternal::Domain,
Host::Ipv4(address) => HostInternal::Ipv4(address),
Host::Ipv6(address) => HostInternal::Ipv6(address),
diff --git a/src/lib.rs b/src/lib.rs
--- a/src/lib.rs
+++ b/src/lib.rs
@@ -456,13 +456,15 @@ impl Url {
if self.slice(self.scheme_end + 1..).starts_with("//") {
// URL with authority
- match self.byte_at(self.username_end) {
- b':' => {
- assert!(self.host_start >= self.username_end + 2);
- assert_eq!(self.byte_at(self.host_start - 1), b'@');
+ if self.username_end != self.serialization.len() as u32 {
+ match self.byte_at(self.username_end) {
+ b':' => {
+ assert!(self.host_start >= self.username_end + 2);
+ assert_eq!(self.byte_at(self.host_start - 1), b'@');
+ }
+ b'@' => assert!(self.host_start == self.username_end + 1),
+ _ => assert_eq!(self.username_end, self.scheme_end + 3),
}
- b'@' => assert!(self.host_start == self.username_end + 1),
- _ => assert_eq!(self.username_end, self.scheme_end + 3),
}
assert!(self.host_start >= self.username_end);
assert!(self.host_end >= self.host_start);
@@ -490,7 +492,10 @@ impl Url {
Some(port_str.parse::<u16>().expect("Couldn't parse port?"))
);
}
- assert_eq!(self.byte_at(self.path_start), b'/');
+ assert!(
+ self.path_start as usize == self.serialization.len()
+ || matches!(self.byte_at(self.path_start), b'/' | b'#' | b'?')
+ );
} else {
// Anarchist URL (no authority)
assert_eq!(self.username_end, self.scheme_end + 1);
@@ -501,11 +506,11 @@ impl Url {
assert_eq!(self.path_start, self.scheme_end + 1);
}
if let Some(start) = self.query_start {
- assert!(start > self.path_start);
+ assert!(start >= self.path_start);
assert_eq!(self.byte_at(start), b'?');
}
if let Some(start) = self.fragment_start {
- assert!(start > self.path_start);
+ assert!(start >= self.path_start);
assert_eq!(self.byte_at(start), b'#');
}
if let (Some(query_start), Some(fragment_start)) = (self.query_start, self.fragment_start) {
@@ -685,7 +690,7 @@ impl Url {
/// ```
#[inline]
pub fn cannot_be_a_base(&self) -> bool {
- !self.slice(self.path_start..).starts_with('/')
+ !self.slice(self.scheme_end + 1..).starts_with('/')
}
/// Return the username for this URL (typically the empty string)
@@ -745,7 +750,10 @@ impl Url {
pub fn password(&self) -> Option<&str> {
// This ':' is not the one marking a port number since a host can not be empty.
// (Except for file: URLs, which do not have port numbers.)
- if self.has_authority() && self.byte_at(self.username_end) == b':' {
+ if self.has_authority()
+ && self.username_end != self.serialization.len() as u32
+ && self.byte_at(self.username_end) == b':'
+ {
debug_assert!(self.byte_at(self.host_start - 1) == b'@');
Some(self.slice(self.username_end + 1..self.host_start - 1))
} else {
@@ -1226,7 +1234,7 @@ impl Url {
if let Some(input) = fragment {
self.fragment_start = Some(to_u32(self.serialization.len()).unwrap());
self.serialization.push('#');
- self.mutate(|parser| parser.parse_fragment(parser::Input::new(input)))
+ self.mutate(|parser| parser.parse_fragment(parser::Input::no_trim(input)))
} else {
self.fragment_start = None
}
@@ -1284,7 +1292,12 @@ impl Url {
let scheme_type = SchemeType::from(self.scheme());
let scheme_end = self.scheme_end;
self.mutate(|parser| {
- parser.parse_query(scheme_type, scheme_end, parser::Input::new(input))
+ let vfn = parser.violation_fn;
+ parser.parse_query(
+ scheme_type,
+ scheme_end,
+ parser::Input::trim_tab_and_newlines(input, vfn),
+ )
});
}
@@ -1625,14 +1638,34 @@ impl Url {
if host == "" && SchemeType::from(self.scheme()).is_special() {
return Err(ParseError::EmptyHost);
}
+ let mut host_substr = host;
+ // Otherwise, if c is U+003A (:) and the [] flag is unset, then
+ if !host.starts_with('[') || !host.ends_with(']') {
+ match host.find(':') {
+ Some(0) => {
+ // If buffer is the empty string, validation error, return failure.
+ return Err(ParseError::InvalidDomainCharacter);
+ }
+ // Let host be the result of host parsing buffer
+ Some(colon_index) => {
+ host_substr = &host[..colon_index];
+ }
+ None => {}
+ }
+ }
if SchemeType::from(self.scheme()).is_special() {
- self.set_host_internal(Host::parse(host)?, None)
+ self.set_host_internal(Host::parse(host_substr)?, None);
} else {
- self.set_host_internal(Host::parse_opaque(host)?, None)
+ self.set_host_internal(Host::parse_opaque(host_substr)?, None);
}
} else if self.has_host() {
- if SchemeType::from(self.scheme()).is_special() {
+ let scheme_type = SchemeType::from(self.scheme());
+ if scheme_type.is_special() {
return Err(ParseError::EmptyHost);
+ } else {
+ if self.serialization.len() == self.path_start as usize {
+ self.serialization.push('/');
+ }
}
debug_assert!(self.byte_at(self.scheme_end) == b':');
debug_assert!(self.byte_at(self.path_start) == b'/');
@@ -1935,14 +1968,28 @@ impl Url {
///
/// # fn run() -> Result<(), ParseError> {
/// let mut url = Url::parse("https://example.net")?;
- /// let result = url.set_scheme("foo");
- /// assert_eq!(url.as_str(), "foo://example.net/");
+ /// let result = url.set_scheme("http");
+ /// assert_eq!(url.as_str(), "http://example.net/");
/// assert!(result.is_ok());
/// # Ok(())
/// # }
/// # run().unwrap();
/// ```
+ /// Change the URL’s scheme from `foo` to `bar`:
///
+ /// ```
+ /// use url::Url;
+ /// # use url::ParseError;
+ ///
+ /// # fn run() -> Result<(), ParseError> {
+ /// let mut url = Url::parse("foo://example.net")?;
+ /// let result = url.set_scheme("bar");
+ /// assert_eq!(url.as_str(), "bar://example.net");
+ /// assert!(result.is_ok());
+ /// # Ok(())
+ /// # }
+ /// # run().unwrap();
+ /// ```
///
/// Cannot change URL’s scheme from `https` to `foõ`:
///
@@ -1975,14 +2022,55 @@ impl Url {
/// # }
/// # run().unwrap();
/// ```
+ /// Cannot change the URL’s scheme from `foo` to `https`:
+ ///
+ /// ```
+ /// use url::Url;
+ /// # use url::ParseError;
+ ///
+ /// # fn run() -> Result<(), ParseError> {
+ /// let mut url = Url::parse("foo://example.net")?;
+ /// let result = url.set_scheme("https");
+ /// assert_eq!(url.as_str(), "foo://example.net");
+ /// assert!(result.is_err());
+ /// # Ok(())
+ /// # }
+ /// # run().unwrap();
+ /// ```
+ /// Cannot change the URL’s scheme from `http` to `foo`:
+ ///
+ /// ```
+ /// use url::Url;
+ /// # use url::ParseError;
+ ///
+ /// # fn run() -> Result<(), ParseError> {
+ /// let mut url = Url::parse("http://example.net")?;
+ /// let result = url.set_scheme("foo");
+ /// assert_eq!(url.as_str(), "http://example.net/");
+ /// assert!(result.is_err());
+ /// # Ok(())
+ /// # }
+ /// # run().unwrap();
+ /// ```
pub fn set_scheme(&mut self, scheme: &str) -> Result<(), ()> {
let mut parser = Parser::for_setter(String::new());
let remaining = parser.parse_scheme(parser::Input::new(scheme))?;
- if !remaining.is_empty()
- || (!self.has_host() && SchemeType::from(&parser.serialization).is_special())
+ let new_scheme_type = SchemeType::from(&parser.serialization);
+ let old_scheme_type = SchemeType::from(self.scheme());
+ // If url’s scheme is a special scheme and buffer is not a special scheme, then return.
+ if (new_scheme_type.is_special() && !old_scheme_type.is_special()) ||
+ // If url’s scheme is not a special scheme and buffer is a special scheme, then return.
+ (!new_scheme_type.is_special() && old_scheme_type.is_special()) ||
+ // If url includes credentials or has a non-null port, and buffer is "file", then return.
+ // If url’s scheme is "file" and its host is an empty host or null, then return.
+ (new_scheme_type.is_file() && self.has_authority())
{
return Err(());
}
+
+ if !remaining.is_empty() || (!self.has_host() && new_scheme_type.is_special()) {
+ return Err(());
+ }
let old_scheme_end = self.scheme_end;
let new_scheme_end = to_u32(parser.serialization.len()).unwrap();
let adjust = |index: &mut u32| {
@@ -2004,6 +2092,14 @@ impl Url {
parser.serialization.push_str(self.slice(old_scheme_end..));
self.serialization = parser.serialization;
+
+ // Update the port so it can be removed
+ // If it is the scheme's default
+ // we don't mind it silently failing
+ // if there was no port in the first place
+ let previous_port = self.port();
+ let _ = self.set_port(previous_port);
+
Ok(())
}
@@ -2408,6 +2504,7 @@ fn path_to_file_url_segments_windows(
}
let mut components = path.components();
+ let host_start = serialization.len() + 1;
let host_end;
let host_internal;
match components.next() {
@@ -2434,15 +2531,24 @@ fn path_to_file_url_segments_windows(
_ => return Err(()),
}
+ let mut path_only_has_prefix = true;
for component in components {
if component == Component::RootDir {
continue;
}
+ path_only_has_prefix = false;
// FIXME: somehow work with non-unicode?
let component = component.as_os_str().to_str().ok_or(())?;
serialization.push('/');
serialization.extend(percent_encode(component.as_bytes(), PATH_SEGMENT));
}
+ // A windows drive letter must end with a slash.
+ if serialization.len() > host_start
+ && parser::is_windows_drive_letter(&serialization[host_start..])
+ && path_only_has_prefix
+ {
+ serialization.push('/');
+ }
Ok((host_end, host_internal))
}
@@ -2467,6 +2573,14 @@ fn file_url_segments_to_pathbuf(
bytes.push(b'/');
bytes.extend(percent_decode(segment.as_bytes()));
}
+ // A windows drive letter must end with a slash.
+ if bytes.len() > 2 {
+ if matches!(bytes[bytes.len() - 2], b'a'..=b'z' | b'A'..=b'Z')
+ && matches!(bytes[bytes.len() - 1], b':' | b'|')
+ {
+ bytes.push(b'/');
+ }
+ }
let os_str = OsStr::from_bytes(&bytes);
let path = PathBuf::from(os_str);
debug_assert!(
diff --git a/src/parser.rs b/src/parser.rs
--- a/src/parser.rs
+++ b/src/parser.rs
@@ -156,7 +156,7 @@ impl fmt::Display for SyntaxViolation {
}
}
-#[derive(Copy, Clone)]
+#[derive(Copy, Clone, PartialEq)]
pub enum SchemeType {
File,
SpecialNotFile,
@@ -201,6 +201,30 @@ impl<'i> Input<'i> {
Input::with_log(input, None)
}
+ pub fn no_trim(input: &'i str) -> Self {
+ Input {
+ chars: input.chars(),
+ }
+ }
+
+ pub fn trim_tab_and_newlines(
+ original_input: &'i str,
+ vfn: Option<&dyn Fn(SyntaxViolation)>,
+ ) -> Self {
+ let input = original_input.trim_matches(ascii_tab_or_new_line);
+ if let Some(vfn) = vfn {
+ if input.len() < original_input.len() {
+ vfn(SyntaxViolation::C0SpaceIgnored)
+ }
+ if input.chars().any(|c| matches!(c, '\t' | '\n' | '\r')) {
+ vfn(SyntaxViolation::TabOrNewlineIgnored)
+ }
+ }
+ Input {
+ chars: input.chars(),
+ }
+ }
+
pub fn with_log(original_input: &'i str, vfn: Option<&dyn Fn(SyntaxViolation)>) -> Self {
let input = original_input.trim_matches(c0_control_or_space);
if let Some(vfn) = vfn {
@@ -488,15 +512,112 @@ impl<'a> Parser<'a> {
mut self,
input: Input,
scheme_type: SchemeType,
- mut base_file_url: Option<&Url>,
+ base_file_url: Option<&Url>,
) -> ParseResult<Url> {
use SyntaxViolation::Backslash;
// file state
debug_assert!(self.serialization.is_empty());
let (first_char, input_after_first_char) = input.split_first();
- match first_char {
- None => {
- if let Some(base_url) = base_file_url {
+ if matches!(first_char, Some('/') | Some('\\')) {
+ self.log_violation_if(SyntaxViolation::Backslash, || first_char == Some('\\'));
+ // file slash state
+ let (next_char, input_after_next_char) = input_after_first_char.split_first();
+ if matches!(next_char, Some('/') | Some('\\')) {
+ self.log_violation_if(Backslash, || next_char == Some('\\'));
+ // file host state
+ self.serialization.push_str("file://");
+ let scheme_end = "file".len() as u32;
+ let host_start = "file://".len() as u32;
+ let (path_start, mut host, remaining) =
+ self.parse_file_host(input_after_next_char)?;
+ let mut host_end = to_u32(self.serialization.len())?;
+ let mut has_host = !matches!(host, HostInternal::None);
+ let remaining = if path_start {
+ self.parse_path_start(SchemeType::File, &mut has_host, remaining)
+ } else {
+ let path_start = self.serialization.len();
+ self.serialization.push('/');
+ self.parse_path(SchemeType::File, &mut has_host, path_start, remaining)
+ };
+
+ // For file URLs that have a host and whose path starts
+ // with the windows drive letter we just remove the host.
+ if !has_host {
+ self.serialization
+ .drain(host_start as usize..host_end as usize);
+ host_end = host_start;
+ host = HostInternal::None;
+ }
+ let (query_start, fragment_start) =
+ self.parse_query_and_fragment(scheme_type, scheme_end, remaining)?;
+ return Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: host_start,
+ host_start: host_start,
+ host_end: host_end,
+ host: host,
+ port: None,
+ path_start: host_end,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ });
+ } else {
+ self.serialization.push_str("file://");
+ let scheme_end = "file".len() as u32;
+ let host_start = "file://".len();
+ let mut host_end = host_start;
+ let mut host = HostInternal::None;
+ if !starts_with_windows_drive_letter_segment(&input_after_first_char) {
+ if let Some(base_url) = base_file_url {
+ let first_segment = base_url.path_segments().unwrap().next().unwrap();
+ if is_normalized_windows_drive_letter(first_segment) {
+ self.serialization.push('/');
+ self.serialization.push_str(first_segment);
+ } else if let Some(host_str) = base_url.host_str() {
+ self.serialization.push_str(host_str);
+ host_end = self.serialization.len();
+ host = base_url.host.clone();
+ }
+ }
+ }
+ // If c is the EOF code point, U+002F (/), U+005C (\), U+003F (?), or U+0023 (#), then decrease pointer by one
+ let parse_path_input = if let Some(c) = first_char {
+ if c == '/' || c == '\\' || c == '?' || c == '#' {
+ input
+ } else {
+ input_after_first_char
+ }
+ } else {
+ input_after_first_char
+ };
+
+ let remaining =
+ self.parse_path(SchemeType::File, &mut false, host_end, parse_path_input);
+
+ let host_start = host_start as u32;
+
+ let (query_start, fragment_start) =
+ self.parse_query_and_fragment(scheme_type, scheme_end, remaining)?;
+
+ let host_end = host_end as u32;
+ return Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: host_start,
+ host_start,
+ host_end,
+ host,
+ port: None,
+ path_start: host_end,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ });
+ }
+ }
+ if let Some(base_url) = base_file_url {
+ match first_char {
+ None => {
// Copy everything except the fragment
let before_fragment = match base_url.fragment_start {
Some(i) => &base_url.serialization[..i as usize],
@@ -508,26 +629,8 @@ impl<'a> Parser<'a> {
fragment_start: None,
..*base_url
})
- } else {
- self.serialization.push_str("file:///");
- let scheme_end = "file".len() as u32;
- let path_start = "file://".len() as u32;
- Ok(Url {
- serialization: self.serialization,
- scheme_end,
- username_end: path_start,
- host_start: path_start,
- host_end: path_start,
- host: HostInternal::None,
- port: None,
- path_start,
- query_start: None,
- fragment_start: None,
- })
}
- }
- Some('?') => {
- if let Some(base_url) = base_file_url {
+ Some('?') => {
// Copy everything up to the query string
let before_query = match (base_url.query_start, base_url.fragment_start) {
(None, None) => &*base_url.serialization,
@@ -542,179 +645,77 @@ impl<'a> Parser<'a> {
fragment_start,
..*base_url
})
- } else {
- self.serialization.push_str("file:///");
- let scheme_end = "file".len() as u32;
- let path_start = "file://".len() as u32;
- let (query_start, fragment_start) =
- self.parse_query_and_fragment(scheme_type, scheme_end, input)?;
- Ok(Url {
- serialization: self.serialization,
- scheme_end,
- username_end: path_start,
- host_start: path_start,
- host_end: path_start,
- host: HostInternal::None,
- port: None,
- path_start,
- query_start,
- fragment_start,
- })
}
- }
- Some('#') => {
- if let Some(base_url) = base_file_url {
- self.fragment_only(base_url, input)
- } else {
- self.serialization.push_str("file:///");
- let scheme_end = "file".len() as u32;
- let path_start = "file://".len() as u32;
- let fragment_start = "file:///".len() as u32;
- self.serialization.push('#');
- self.parse_fragment(input_after_first_char);
- Ok(Url {
- serialization: self.serialization,
- scheme_end,
- username_end: path_start,
- host_start: path_start,
- host_end: path_start,
- host: HostInternal::None,
- port: None,
- path_start,
- query_start: None,
- fragment_start: Some(fragment_start),
- })
- }
- }
- Some('/') | Some('\\') => {
- self.log_violation_if(Backslash, || first_char == Some('\\'));
- // file slash state
- let (next_char, input_after_next_char) = input_after_first_char.split_first();
- self.log_violation_if(Backslash, || next_char == Some('\\'));
- if matches!(next_char, Some('/') | Some('\\')) {
- // file host state
- self.serialization.push_str("file://");
- let scheme_end = "file".len() as u32;
- let host_start = "file://".len() as u32;
- let (path_start, mut host, remaining) =
- self.parse_file_host(input_after_next_char)?;
- let mut host_end = to_u32(self.serialization.len())?;
- let mut has_host = !matches!(host, HostInternal::None);
- let remaining = if path_start {
- self.parse_path_start(SchemeType::File, &mut has_host, remaining)
+ Some('#') => self.fragment_only(base_url, input),
+ _ => {
+ if !starts_with_windows_drive_letter_segment(&input) {
+ let before_query = match (base_url.query_start, base_url.fragment_start) {
+ (None, None) => &*base_url.serialization,
+ (Some(i), _) | (None, Some(i)) => base_url.slice(..i),
+ };
+ self.serialization.push_str(before_query);
+ self.shorten_path(SchemeType::File, base_url.path_start as usize);
+ let remaining = self.parse_path(
+ SchemeType::File,
+ &mut true,
+ base_url.path_start as usize,
+ input,
+ );
+ self.with_query_and_fragment(
+ SchemeType::File,
+ base_url.scheme_end,
+ base_url.username_end,
+ base_url.host_start,
+ base_url.host_end,
+ base_url.host,
+ base_url.port,
+ base_url.path_start,
+ remaining,
+ )
} else {
- let path_start = self.serialization.len();
- self.serialization.push('/');
- self.parse_path(SchemeType::File, &mut has_host, path_start, remaining)
- };
- // For file URLs that have a host and whose path starts
- // with the windows drive letter we just remove the host.
- if !has_host {
- self.serialization
- .drain(host_start as usize..host_end as usize);
- host_end = host_start;
- host = HostInternal::None;
- }
- let (query_start, fragment_start) =
- self.parse_query_and_fragment(scheme_type, scheme_end, remaining)?;
- Ok(Url {
- serialization: self.serialization,
- scheme_end,
- username_end: host_start,
- host_start,
- host_end,
- host,
- port: None,
- path_start: host_end,
- query_start,
- fragment_start,
- })
- } else {
- self.serialization.push_str("file:///");
- let scheme_end = "file".len() as u32;
- let path_start = "file://".len();
- if let Some(base_url) = base_file_url {
- let first_segment = base_url.path_segments().unwrap().next().unwrap();
- // FIXME: *normalized* drive letter
- if is_windows_drive_letter(first_segment) {
- self.serialization.push_str(first_segment);
- self.serialization.push('/');
- }
+ self.serialization.push_str("file:///");
+ let scheme_end = "file".len() as u32;
+ let path_start = "file://".len();
+ let remaining =
+ self.parse_path(SchemeType::File, &mut false, path_start, input);
+ let (query_start, fragment_start) =
+ self.parse_query_and_fragment(SchemeType::File, scheme_end, remaining)?;
+ let path_start = path_start as u32;
+ Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: path_start,
+ host_start: path_start,
+ host_end: path_start,
+ host: HostInternal::None,
+ port: None,
+ path_start: path_start,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ })
}
- let remaining = self.parse_path(
- SchemeType::File,
- &mut false,
- path_start,
- input_after_first_char,
- );
- let (query_start, fragment_start) =
- self.parse_query_and_fragment(scheme_type, scheme_end, remaining)?;
- let path_start = path_start as u32;
- Ok(Url {
- serialization: self.serialization,
- scheme_end,
- username_end: path_start,
- host_start: path_start,
- host_end: path_start,
- host: HostInternal::None,
- port: None,
- path_start,
- query_start,
- fragment_start,
- })
- }
- }
- _ => {
- if starts_with_windows_drive_letter_segment(&input) {
- base_file_url = None;
- }
- if let Some(base_url) = base_file_url {
- let before_query = match (base_url.query_start, base_url.fragment_start) {
- (None, None) => &*base_url.serialization,
- (Some(i), _) | (None, Some(i)) => base_url.slice(..i),
- };
- self.serialization.push_str(before_query);
- self.pop_path(SchemeType::File, base_url.path_start as usize);
- let remaining = self.parse_path(
- SchemeType::File,
- &mut true,
- base_url.path_start as usize,
- input,
- );
- self.with_query_and_fragment(
- SchemeType::File,
- base_url.scheme_end,
- base_url.username_end,
- base_url.host_start,
- base_url.host_end,
- base_url.host,
- base_url.port,
- base_url.path_start,
- remaining,
- )
- } else {
- self.serialization.push_str("file:///");
- let scheme_end = "file".len() as u32;
- let path_start = "file://".len();
- let remaining =
- self.parse_path(SchemeType::File, &mut false, path_start, input);
- let (query_start, fragment_start) =
- self.parse_query_and_fragment(SchemeType::File, scheme_end, remaining)?;
- let path_start = path_start as u32;
- Ok(Url {
- serialization: self.serialization,
- scheme_end,
- username_end: path_start,
- host_start: path_start,
- host_end: path_start,
- host: HostInternal::None,
- port: None,
- path_start,
- query_start,
- fragment_start,
- })
}
}
+ } else {
+ self.serialization.push_str("file:///");
+ let scheme_end = "file".len() as u32;
+ let path_start = "file://".len();
+ let remaining = self.parse_path(SchemeType::File, &mut false, path_start, input);
+ let (query_start, fragment_start) =
+ self.parse_query_and_fragment(SchemeType::File, scheme_end, remaining)?;
+ let path_start = path_start as u32;
+ Ok(Url {
+ serialization: self.serialization,
+ scheme_end: scheme_end,
+ username_end: path_start,
+ host_start: path_start,
+ host_end: path_start,
+ host: HostInternal::None,
+ port: None,
+ path_start: path_start,
+ query_start: query_start,
+ fragment_start: fragment_start,
+ })
}
}
@@ -772,12 +773,14 @@ impl<'a> Parser<'a> {
debug_assert!(base_url.byte_at(scheme_end) == b':');
self.serialization
.push_str(base_url.slice(..scheme_end + 1));
+ if let Some(after_prefix) = input.split_prefix("//") {
+ return self.after_double_slash(after_prefix, scheme_type, scheme_end);
+ }
return self.after_double_slash(remaining, scheme_type, scheme_end);
}
let path_start = base_url.path_start;
- debug_assert!(base_url.byte_at(path_start) == b'/');
- self.serialization
- .push_str(base_url.slice(..path_start + 1));
+ self.serialization.push_str(base_url.slice(..path_start));
+ self.serialization.push_str("/");
let remaining = self.parse_path(
scheme_type,
&mut true,
@@ -804,8 +807,24 @@ impl<'a> Parser<'a> {
self.serialization.push_str(before_query);
// FIXME spec says just "remove last entry", not the "pop" algorithm
self.pop_path(scheme_type, base_url.path_start as usize);
- let remaining =
- self.parse_path(scheme_type, &mut true, base_url.path_start as usize, input);
+ // A special url always has a path.
+ // A path always starts with '/'
+ if self.serialization.len() == base_url.path_start as usize {
+ if SchemeType::from(base_url.scheme()).is_special() || !input.is_empty() {
+ self.serialization.push('/');
+ }
+ }
+ let remaining = match input.split_first() {
+ (Some('/'), remaining) => self.parse_path(
+ scheme_type,
+ &mut true,
+ base_url.path_start as usize,
+ remaining,
+ ),
+ _ => {
+ self.parse_path(scheme_type, &mut true, base_url.path_start as usize, input)
+ }
+ };
self.with_query_and_fragment(
scheme_type,
base_url.scheme_end,
@@ -830,11 +849,16 @@ impl<'a> Parser<'a> {
self.serialization.push('/');
self.serialization.push('/');
// authority state
+ let before_authority = self.serialization.len();
let (username_end, remaining) = self.parse_userinfo(input, scheme_type)?;
+ let has_authority = before_authority != self.serialization.len();
// host state
let host_start = to_u32(self.serialization.len())?;
let (host_end, host, port, remaining) =
self.parse_host_and_port(remaining, scheme_end, scheme_type)?;
+ if host == HostInternal::None && has_authority {
+ return Err(ParseError::EmptyHost);
+ }
// path state
let path_start = to_u32(self.serialization.len())?;
let remaining = self.parse_path_start(scheme_type, &mut true, remaining);
@@ -878,7 +902,18 @@ impl<'a> Parser<'a> {
}
let (mut userinfo_char_count, remaining) = match last_at {
None => return Ok((to_u32(self.serialization.len())?, input)),
- Some((0, remaining)) => return Ok((to_u32(self.serialization.len())?, remaining)),
+ Some((0, remaining)) => {
+ // Otherwise, if one of the following is true
+ // c is the EOF code point, U+002F (/), U+003F (?), or U+0023 (#)
+ // url is special and c is U+005C (\)
+ // If @ flag is set and buffer is the empty string, validation error, return failure.
+ if let (Some(c), _) = remaining.split_first() {
+ if c == '/' || c == '?' || c == '#' || (scheme_type.is_special() && c == '\\') {
+ return Err(ParseError::EmptyHost);
+ }
+ }
+ return Ok((to_u32(self.serialization.len())?, remaining));
+ }
Some(x) => x,
};
@@ -924,6 +959,18 @@ impl<'a> Parser<'a> {
let (host, remaining) = Parser::parse_host(input, scheme_type)?;
write!(&mut self.serialization, "{}", host).unwrap();
let host_end = to_u32(self.serialization.len())?;
+ if let Host::Domain(h) = &host {
+ if h.is_empty() {
+ // Port with an empty host
+ if remaining.starts_with(":") {
+ return Err(ParseError::EmptyHost);
+ }
+ if scheme_type.is_special() {
+ return Err(ParseError::EmptyHost);
+ }
+ }
+ };
+
let (port, remaining) = if let Some(remaining) = remaining.split_prefix(':') {
let scheme = || default_port(&self.serialization[..scheme_end as usize]);
Parser::parse_port(remaining, scheme, self.context)?
@@ -940,6 +987,9 @@ impl<'a> Parser<'a> {
mut input: Input,
scheme_type: SchemeType,
) -> ParseResult<(Host<String>, Input)> {
+ if scheme_type.is_file() {
+ return Parser::get_file_host(input);
+ }
// Undo the Input abstraction here to avoid allocating in the common case
// where the host part of the input does not contain any tab or newline
let input_str = input.chars.as_str();
@@ -979,7 +1029,7 @@ impl<'a> Parser<'a> {
host_str = &input_str[..bytes]
}
}
- if scheme_type.is_special() && host_str.is_empty() {
+ if scheme_type == SchemeType::SpecialNotFile && host_str.is_empty() {
return Err(ParseError::EmptyHost);
}
if !scheme_type.is_special() {
@@ -990,10 +1040,41 @@ impl<'a> Parser<'a> {
Ok((host, input))
}
- pub(crate) fn parse_file_host<'i>(
+ fn get_file_host<'i>(input: Input<'i>) -> ParseResult<(Host<String>, Input)> {
+ let (_, host_str, remaining) = Parser::file_host(input)?;
+ let host = match Host::parse(&host_str)? {
+ Host::Domain(ref d) if d == "localhost" => Host::Domain("".to_string()),
+ host => host,
+ };
+ Ok((host, remaining))
+ }
+
+ fn parse_file_host<'i>(
&mut self,
input: Input<'i>,
) -> ParseResult<(bool, HostInternal, Input<'i>)> {
+ let has_host;
+ let (_, host_str, remaining) = Parser::file_host(input)?;
+ let host = if host_str.is_empty() {
+ has_host = false;
+ HostInternal::None
+ } else {
+ match Host::parse(&host_str)? {
+ Host::Domain(ref d) if d == "localhost" => {
+ has_host = false;
+ HostInternal::None
+ }
+ host => {
+ write!(&mut self.serialization, "{}", host).unwrap();
+ has_host = true;
+ host.into()
+ }
+ }
+ };
+ Ok((has_host, host, remaining))
+ }
+
+ pub fn file_host<'i>(input: Input<'i>) -> ParseResult<(bool, String, Input<'i>)> {
// Undo the Input abstraction here to avoid allocating in the common case
// where the host part of the input does not contain any tab or newline
let input_str = input.chars.as_str();
@@ -1022,20 +1103,9 @@ impl<'a> Parser<'a> {
}
}
if is_windows_drive_letter(host_str) {
- return Ok((false, HostInternal::None, input));
+ return Ok((false, "".to_string(), input));
}
- let host = if host_str.is_empty() {
- HostInternal::None
- } else {
- match Host::parse(host_str)? {
- Host::Domain(ref d) if d == "localhost" => HostInternal::None,
- host => {
- write!(&mut self.serialization, "{}", host).unwrap();
- host.into()
- }
- }
- };
- Ok((true, host, remaining))
+ Ok((true, host_str.to_string(), remaining))
}
pub fn parse_port<P>(
@@ -1073,21 +1143,34 @@ impl<'a> Parser<'a> {
&mut self,
scheme_type: SchemeType,
has_host: &mut bool,
- mut input: Input<'i>,
+ input: Input<'i>,
) -> Input<'i> {
- // Path start state
- match input.split_first() {
- (Some('/'), remaining) => input = remaining,
- (Some('\\'), remaining) => {
- if scheme_type.is_special() {
- self.log_violation(SyntaxViolation::Backslash);
- input = remaining
+ let path_start = self.serialization.len();
+ let (maybe_c, remaining) = input.split_first();
+ // If url is special, then:
+ if scheme_type.is_special() {
+ if maybe_c == Some('\\') {
+ // If c is U+005C (\), validation error.
+ self.log_violation(SyntaxViolation::Backslash);
+ }
+ // A special URL always has a non-empty path.
+ if !self.serialization.ends_with("/") {
+ self.serialization.push('/');
+ // We have already made sure the forward slash is present.
+ if maybe_c == Some('/') || maybe_c == Some('\\') {
+ return self.parse_path(scheme_type, has_host, path_start, remaining);
}
}
- _ => {}
+ return self.parse_path(scheme_type, has_host, path_start, input);
+ } else if maybe_c == Some('?') || maybe_c == Some('#') {
+ // Otherwise, if state override is not given and c is U+003F (?),
+ // set url’s query to the empty string and state to query state.
+ // Otherwise, if state override is not given and c is U+0023 (#),
+ // set url’s fragment to the empty string and state to fragment state.
+ // The query and path states will be handled by the caller.
+ return input;
}
- let path_start = self.serialization.len();
- self.serialization.push('/');
+ // Otherwise, if c is not the EOF code point:
self.parse_path(scheme_type, has_host, path_start, input)
}
@@ -1099,7 +1182,6 @@ impl<'a> Parser<'a> {
mut input: Input<'i>,
) -> Input<'i> {
// Relative path state
- debug_assert!(self.serialization.ends_with('/'));
loop {
let segment_start = self.serialization.len();
let mut ends_with_slash = false;
@@ -1112,6 +1194,7 @@ impl<'a> Parser<'a> {
};
match c {
'/' if self.context != Context::PathSegmentSetter => {
+ self.serialization.push(c);
ends_with_slash = true;
break;
}
@@ -1119,6 +1202,7 @@ impl<'a> Parser<'a> {
&& scheme_type.is_special() =>
{
self.log_violation(SyntaxViolation::Backslash);
+ self.serialization.push('/');
ends_with_slash = true;
break;
}
@@ -1142,44 +1226,104 @@ impl<'a> Parser<'a> {
}
}
}
- match &self.serialization[segment_start..] {
+ // Going from &str to String to &str to please the 1.33.0 borrow checker
+ let before_slash_string = if ends_with_slash {
+ self.serialization[segment_start..self.serialization.len() - 1].to_owned()
+ } else {
+ self.serialization[segment_start..self.serialization.len()].to_owned()
+ };
+ let segment_before_slash: &str = &before_slash_string;
+ match segment_before_slash {
+ // If buffer is a double-dot path segment, shorten url’s path,
".." | "%2e%2e" | "%2e%2E" | "%2E%2e" | "%2E%2E" | "%2e." | "%2E." | ".%2e"
| ".%2E" => {
debug_assert!(self.serialization.as_bytes()[segment_start - 1] == b'/');
- self.serialization.truncate(segment_start - 1); // Truncate "/.."
- self.pop_path(scheme_type, path_start);
- if !self.serialization[path_start..].ends_with('/') {
- self.serialization.push('/')
+ self.serialization.truncate(segment_start);
+ if self.serialization.ends_with("/")
+ && Parser::last_slash_can_be_removed(&self.serialization, path_start)
+ {
+ self.serialization.pop();
+ }
+ self.shorten_path(scheme_type, path_start);
+
+ // and then if neither c is U+002F (/), nor url is special and c is U+005C (\), append the empty string to url’s path.
+ if ends_with_slash && !self.serialization.ends_with("/") {
+ self.serialization.push('/');
}
}
+ // Otherwise, if buffer is a single-dot path segment and if neither c is U+002F (/),
+ // nor url is special and c is U+005C (\), append the empty string to url’s path.
"." | "%2e" | "%2E" => {
self.serialization.truncate(segment_start);
+ if !self.serialization.ends_with("/") {
+ self.serialization.push('/');
+ }
}
_ => {
- if scheme_type.is_file()
- && is_windows_drive_letter(&self.serialization[path_start + 1..])
- {
- if self.serialization.ends_with('|') {
- self.serialization.pop();
+ // If url’s scheme is "file", url’s path is empty, and buffer is a Windows drive letter, then
+ if scheme_type.is_file() && is_windows_drive_letter(segment_before_slash) {
+ // Replace the second code point in buffer with U+003A (:).
+ if let Some(c) = segment_before_slash.chars().nth(0) {
+ self.serialization.truncate(segment_start);
+ self.serialization.push(c);
self.serialization.push(':');
+ if ends_with_slash {
+ self.serialization.push('/');
+ }
}
+ // If url’s host is neither the empty string nor null,
+ // validation error, set url’s host to the empty string.
if *has_host {
self.log_violation(SyntaxViolation::FileWithHostAndWindowsDrive);
*has_host = false; // FIXME account for this in callers
}
}
- if ends_with_slash {
- self.serialization.push('/')
- }
}
}
if !ends_with_slash {
break;
}
}
+ if scheme_type.is_file() {
+ // while url’s path’s size is greater than 1
+ // and url’s path[0] is the empty string,
+ // validation error, remove the first item from url’s path.
+ //FIXME: log violation
+ let path = self.serialization.split_off(path_start);
+ self.serialization.push('/');
+ self.serialization.push_str(&path.trim_start_matches("/"));
+ }
input
}
+ fn last_slash_can_be_removed(serialization: &String, path_start: usize) -> bool {
+ let url_before_segment = &serialization[..serialization.len() - 1];
+ if let Some(segment_before_start) = url_before_segment.rfind("/") {
+ // Do not remove the root slash
+ segment_before_start >= path_start
+ // Or a windows drive letter slash
+ && !path_starts_with_windows_drive_letter(&serialization[segment_before_start..])
+ } else {
+ false
+ }
+ }
+
+ /// https://url.spec.whatwg.org/#shorten-a-urls-path
+ fn shorten_path(&mut self, scheme_type: SchemeType, path_start: usize) {
+ // If path is empty, then return.
+ if self.serialization.len() == path_start {
+ return;
+ }
+ // If url’s scheme is "file", path’s size is 1, and path[0] is a normalized Windows drive letter, then return.
+ if scheme_type.is_file()
+ && is_normalized_windows_drive_letter(&self.serialization[path_start..])
+ {
+ return;
+ }
+ // Remove path’s last item.
+ self.pop_path(scheme_type, path_start);
+ }
+
/// https://url.spec.whatwg.org/#pop-a-urls-path
fn pop_path(&mut self, scheme_type: SchemeType, path_start: usize) {
if self.serialization.len() > path_start {
@@ -1187,9 +1331,8 @@ impl<'a> Parser<'a> {
// + 1 since rfind returns the position before the slash.
let segment_start = path_start + slash_position + 1;
// Don’t pop a Windows drive letter
- // FIXME: *normalized* Windows drive letter
if !(scheme_type.is_file()
- && is_windows_drive_letter(&self.serialization[segment_start..]))
+ && is_normalized_windows_drive_letter(&self.serialization[segment_start..]))
{
self.serialization.truncate(segment_start);
}
@@ -1329,14 +1472,8 @@ impl<'a> Parser<'a> {
self.log_violation(SyntaxViolation::NullInFragment)
} else {
self.check_url_code_point(c, &input);
- self.serialization.extend(utf8_percent_encode(
- utf8_c,
- // FIXME: tests fail when we use the FRAGMENT set here
- // as defined in the spec as of 2019-07-17,
- // likely because tests are out of date.
- // See https://github.com/servo/rust-url/issues/290
- CONTROLS,
- ));
+ self.serialization
+ .extend(utf8_percent_encode(utf8_c, FRAGMENT));
}
}
}
@@ -1394,6 +1531,12 @@ fn c0_control_or_space(ch: char) -> bool {
ch <= ' ' // U+0000 to U+0020
}
+/// https://infra.spec.whatwg.org/#ascii-tab-or-newline
+#[inline]
+fn ascii_tab_or_new_line(ch: char) -> bool {
+ matches!(ch, '\t' | '\r' | '\n')
+}
+
/// https://url.spec.whatwg.org/#ascii-alpha
#[inline]
pub fn ascii_alpha(ch: char) -> bool {
@@ -1409,18 +1552,48 @@ pub fn to_u32(i: usize) -> ParseResult<u32> {
}
}
+fn is_normalized_windows_drive_letter(segment: &str) -> bool {
+ is_windows_drive_letter(segment) && segment.as_bytes()[1] == b':'
+}
+
/// Wether the scheme is file:, the path has a single segment, and that segment
/// is a Windows drive letter
-fn is_windows_drive_letter(segment: &str) -> bool {
+#[inline]
+pub fn is_windows_drive_letter(segment: &str) -> bool {
segment.len() == 2 && starts_with_windows_drive_letter(segment)
}
+/// Wether path starts with a root slash
+/// and a windows drive letter eg: "/c:" or "/a:/"
+fn path_starts_with_windows_drive_letter(s: &str) -> bool {
+ if let Some(c) = s.as_bytes().get(0) {
+ matches!(c, b'/' | b'\\' | b'?' | b'#') && starts_with_windows_drive_letter(&s[1..])
+ } else {
+ false
+ }
+}
+
fn starts_with_windows_drive_letter(s: &str) -> bool {
- ascii_alpha(s.as_bytes()[0] as char) && matches!(s.as_bytes()[1], b':' | b'|')
+ s.len() >= 2
+ && ascii_alpha(s.as_bytes()[0] as char)
+ && matches!(s.as_bytes()[1], b':' | b'|')
+ && (s.len() == 2 || matches!(s.as_bytes()[2], b'/' | b'\\' | b'?' | b'#'))
}
+/// https://url.spec.whatwg.org/#start-with-a-windows-drive-letter
fn starts_with_windows_drive_letter_segment(input: &Input) -> bool {
let mut input = input.clone();
- matches!((input.next(), input.next(), input.next()), (Some(a), Some(b), Some(c))
- if ascii_alpha(a) && matches!(b, ':' | '|') && matches!(c, '/' | '\\' | '?' | '#'))
+ match (input.next(), input.next(), input.next()) {
+ // its first two code points are a Windows drive letter
+ // its third code point is U+002F (/), U+005C (\), U+003F (?), or U+0023 (#).
+ (Some(a), Some(b), Some(c))
+ if ascii_alpha(a) && matches!(b, ':' | '|') && matches!(c, '/' | '\\' | '?' | '#') =>
+ {
+ true
+ }
+ // its first two code points are a Windows drive letter
+ // its length is 2
+ (Some(a), Some(b), None) if ascii_alpha(a) && matches!(b, ':' | '|') => true,
+ _ => false,
+ }
}
diff --git a/src/path_segments.rs b/src/path_segments.rs
--- a/src/path_segments.rs
+++ b/src/path_segments.rs
@@ -45,7 +45,15 @@ pub struct PathSegmentsMut<'a> {
pub fn new(url: &mut Url) -> PathSegmentsMut {
let after_path = url.take_after_path();
let old_after_path_position = to_u32(url.serialization.len()).unwrap();
- debug_assert!(url.byte_at(url.path_start) == b'/');
+ // Special urls always have a non empty path
+ if SchemeType::from(url.scheme()).is_special() {
+ debug_assert!(url.byte_at(url.path_start) == b'/');
+ } else {
+ debug_assert!(
+ url.serialization.len() == url.path_start as usize
+ || url.byte_at(url.path_start) == b'/'
+ );
+ }
PathSegmentsMut {
after_first_slash: url.path_start as usize + "/".len(),
url,
@@ -212,7 +220,10 @@ impl<'a> PathSegmentsMut<'a> {
if matches!(segment, "." | "..") {
continue;
}
- if parser.serialization.len() > path_start + 1 {
+ if parser.serialization.len() > path_start + 1
+ // Non special url's path might still be empty
+ || parser.serialization.len() == path_start
+ {
parser.serialization.push('/');
}
let mut has_host = true; // FIXME account for this?
diff --git a/src/quirks.rs b/src/quirks.rs
--- a/src/quirks.rs
+++ b/src/quirks.rs
@@ -99,26 +99,47 @@ pub fn host(url: &Url) -> &str {
/// Setter for https://url.spec.whatwg.org/#dom-url-host
pub fn set_host(url: &mut Url, new_host: &str) -> Result<(), ()> {
+ // If context object’s url’s cannot-be-a-base-URL flag is set, then return.
if url.cannot_be_a_base() {
return Err(());
}
+ // Host parsing rules are strict,
+ // We don't want to trim the input
+ let input = Input::no_trim(new_host);
let host;
let opt_port;
{
let scheme = url.scheme();
- let result = Parser::parse_host(Input::new(new_host), SchemeType::from(scheme));
- match result {
- Ok((h, remaining)) => {
- host = h;
- opt_port = if let Some(remaining) = remaining.split_prefix(':') {
+ let scheme_type = SchemeType::from(scheme);
+ if let Ok((h, remaining)) = Parser::parse_host(input, scheme_type) {
+ host = h;
+ opt_port = if let Some(remaining) = remaining.split_prefix(':') {
+ if remaining.is_empty() {
+ None
+ } else {
Parser::parse_port(remaining, || default_port(scheme), Context::Setter)
.ok()
.map(|(port, _remaining)| port)
- } else {
- None
- };
+ }
+ } else {
+ None
+ };
+ } else {
+ return Err(());
+ }
+ }
+ // Make sure we won't set an empty host to a url with a username or a port
+ if host == Host::Domain("".to_string()) {
+ if !username(&url).is_empty() {
+ return Err(());
+ }
+ if let Some(p) = opt_port {
+ if let Some(_) = p {
+ return Err(());
}
- Err(_) => return Err(()),
+ }
+ if url.port().is_some() {
+ return Err(());
}
}
url.set_host_internal(host, opt_port);
@@ -136,8 +157,24 @@ pub fn set_hostname(url: &mut Url, new_hostname: &str) -> Result<(), ()> {
if url.cannot_be_a_base() {
return Err(());
}
- let result = Parser::parse_host(Input::new(new_hostname), SchemeType::from(url.scheme()));
- if let Ok((host, _remaining)) = result {
+ // Host parsing rules are strict we don't want to trim the input
+ let input = Input::no_trim(new_hostname);
+ let scheme_type = SchemeType::from(url.scheme());
+ if let Ok((host, _remaining)) = Parser::parse_host(input, scheme_type) {
+ if let Host::Domain(h) = &host {
+ if h.is_empty() {
+ // Empty host on special not file url
+ if SchemeType::from(url.scheme()) == SchemeType::SpecialNotFile
+ // Port with an empty host
+ ||!port(&url).is_empty()
+ // Empty host that includes credentials
+ || !url.username().is_empty()
+ || !url.password().unwrap_or(&"").is_empty()
+ {
+ return Err(());
+ }
+ }
+ }
url.set_host_internal(host, None);
Ok(())
} else {
@@ -182,8 +219,19 @@ pub fn pathname(url: &Url) -> &str {
/// Setter for https://url.spec.whatwg.org/#dom-url-pathname
pub fn set_pathname(url: &mut Url, new_pathname: &str) {
- if !url.cannot_be_a_base() {
+ if url.cannot_be_a_base() {
+ return;
+ }
+ if Some('/') == new_pathname.chars().nth(0)
+ || (SchemeType::from(url.scheme()).is_special()
+ // \ is a segment delimiter for 'special' URLs"
+ && Some('\\') == new_pathname.chars().nth(0))
+ {
url.set_path(new_pathname)
+ } else {
+ let mut path_to_set = String::from("/");
+ path_to_set.push_str(new_pathname);
+ url.set_path(&path_to_set)
}
}
@@ -208,13 +256,14 @@ pub fn hash(url: &Url) -> &str {
/// Setter for https://url.spec.whatwg.org/#dom-url-hash
pub fn set_hash(url: &mut Url, new_hash: &str) {
- if url.scheme() != "javascript" {
- url.set_fragment(match new_hash {
- "" => None,
- _ if new_hash.starts_with('#') => Some(&new_hash[1..]),
- _ => Some(new_hash),
- })
- }
+ url.set_fragment(match new_hash {
+ // If the given value is the empty string,
+ // then set context object’s url’s fragment to null and return.
+ "" => None,
+ // Let input be the given value with a single leading U+0023 (#) removed, if any.
+ _ if new_hash.starts_with('#') => Some(&new_hash[1..]),
+ _ => Some(new_hash),
+ })
}
fn trim(s: &str) -> &str {
|
diff --git a/tests/setters_tests.json b/tests/setters_tests.json
--- a/tests/setters_tests.json
+++ b/tests/setters_tests.json
@@ -27,7 +27,7 @@
"href": "a://example.net",
"new_value": "",
"expected": {
- "href": "a://example.net/",
+ "href": "a://example.net",
"protocol": "a:"
}
},
@@ -35,16 +35,24 @@
"href": "a://example.net",
"new_value": "b",
"expected": {
- "href": "b://example.net/",
+ "href": "b://example.net",
"protocol": "b:"
}
},
+ {
+ "href": "javascript:alert(1)",
+ "new_value": "defuse",
+ "expected": {
+ "href": "defuse:alert(1)",
+ "protocol": "defuse:"
+ }
+ },
{
"comment": "Upper-case ASCII is lower-cased",
"href": "a://example.net",
"new_value": "B",
"expected": {
- "href": "b://example.net/",
+ "href": "b://example.net",
"protocol": "b:"
}
},
@@ -53,7 +61,7 @@
"href": "a://example.net",
"new_value": "é",
"expected": {
- "href": "a://example.net/",
+ "href": "a://example.net",
"protocol": "a:"
}
},
@@ -62,7 +70,7 @@
"href": "a://example.net",
"new_value": "0b",
"expected": {
- "href": "a://example.net/",
+ "href": "a://example.net",
"protocol": "a:"
}
},
@@ -71,7 +79,7 @@
"href": "a://example.net",
"new_value": "+b",
"expected": {
- "href": "a://example.net/",
+ "href": "a://example.net",
"protocol": "a:"
}
},
@@ -79,7 +87,7 @@
"href": "a://example.net",
"new_value": "bC0+-.",
"expected": {
- "href": "bc0+-.://example.net/",
+ "href": "bc0+-.://example.net",
"protocol": "bc0+-.:"
}
},
@@ -88,7 +96,7 @@
"href": "a://example.net",
"new_value": "b,c",
"expected": {
- "href": "a://example.net/",
+ "href": "a://example.net",
"protocol": "a:"
}
},
@@ -97,10 +105,35 @@
"href": "a://example.net",
"new_value": "bé",
"expected": {
- "href": "a://example.net/",
+ "href": "a://example.net",
"protocol": "a:"
}
},
+ {
+ "comment": "Can’t switch from URL containing username/password/port to file",
+ "href": "http://[email protected]",
+ "new_value": "file",
+ "expected": {
+ "href": "http://[email protected]/",
+ "protocol": "http:"
+ }
+ },
+ {
+ "href": "gopher://example.net:1234",
+ "new_value": "file",
+ "expected": {
+ "href": "gopher://example.net:1234/",
+ "protocol": "gopher:"
+ }
+ },
+ {
+ "href": "wss://x:[email protected]:1234",
+ "new_value": "file",
+ "expected": {
+ "href": "wss://x:[email protected]:1234/",
+ "protocol": "wss:"
+ }
+ },
{
"comment": "Can’t switch from file URL with no host",
"href": "file://localhost/",
@@ -127,12 +160,36 @@
}
},
{
- "comment": "Spec deviation: from special scheme to not is not problematic. https://github.com/whatwg/url/issues/104",
+ "comment": "Can’t switch from special scheme to non-special",
"href": "http://example.net",
"new_value": "b",
"expected": {
- "href": "b://example.net/",
- "protocol": "b:"
+ "href": "http://example.net/",
+ "protocol": "http:"
+ }
+ },
+ {
+ "href": "file://hi/path",
+ "new_value": "s",
+ "expected": {
+ "href": "file://hi/path",
+ "protocol": "file:"
+ }
+ },
+ {
+ "href": "https://example.net",
+ "new_value": "s",
+ "expected": {
+ "href": "https://example.net/",
+ "protocol": "https:"
+ }
+ },
+ {
+ "href": "ftp://example.net",
+ "new_value": "test",
+ "expected": {
+ "href": "ftp://example.net/",
+ "protocol": "ftp:"
}
},
{
@@ -145,12 +202,44 @@
}
},
{
- "comment": "Spec deviation: from non-special scheme with a host to special is not problematic. https://github.com/whatwg/url/issues/104",
+ "comment": "Can’t switch from non-special scheme to special",
"href": "ssh://[email protected]",
"new_value": "http",
"expected": {
- "href": "http://[email protected]/",
- "protocol": "http:"
+ "href": "ssh://[email protected]",
+ "protocol": "ssh:"
+ }
+ },
+ {
+ "href": "ssh://[email protected]",
+ "new_value": "gopher",
+ "expected": {
+ "href": "ssh://[email protected]",
+ "protocol": "ssh:"
+ }
+ },
+ {
+ "href": "ssh://[email protected]",
+ "new_value": "file",
+ "expected": {
+ "href": "ssh://[email protected]",
+ "protocol": "ssh:"
+ }
+ },
+ {
+ "href": "ssh://example.net",
+ "new_value": "file",
+ "expected": {
+ "href": "ssh://example.net",
+ "protocol": "ssh:"
+ }
+ },
+ {
+ "href": "nonsense:///test",
+ "new_value": "https",
+ "expected": {
+ "href": "nonsense:///test",
+ "protocol": "nonsense:"
}
},
{
@@ -170,6 +259,16 @@
"href": "view-source+data:text/html,<p>Test",
"protocol": "view-source+data:"
}
+ },
+ {
+ "comment": "Port is set to null if it is the default for new scheme.",
+ "href": "http://foo.com:443/",
+ "new_value": "https",
+ "expected": {
+ "href": "https://foo.com/",
+ "protocol": "https:",
+ "port": ""
+ }
}
],
"username": [
@@ -266,14 +365,6 @@
"username": ""
}
},
- {
- "href": "file://test/",
- "new_value": "test",
- "expected": {
- "href": "file://test/",
- "username": ""
- }
- },
{
"href": "javascript://x/",
"new_value": "wario",
@@ -281,6 +372,14 @@
"href": "javascript://wario@x/",
"username": "wario"
}
+ },
+ {
+ "href": "file://test/",
+ "new_value": "test",
+ "expected": {
+ "href": "file://test/",
+ "username": ""
+ }
}
],
"password": [
@@ -369,14 +468,6 @@
"password": ""
}
},
- {
- "href": "file://test/",
- "new_value": "test",
- "expected": {
- "href": "file://test/",
- "password": ""
- }
- },
{
"href": "javascript://x/",
"new_value": "bowser",
@@ -384,9 +475,27 @@
"href": "javascript://:bowser@x/",
"password": "bowser"
}
+ },
+ {
+ "href": "file://test/",
+ "new_value": "test",
+ "expected": {
+ "href": "file://test/",
+ "password": ""
+ }
}
],
"host": [
+ {
+ "comment": "Non-special scheme",
+ "href": "sc://x/",
+ "new_value": "\u0000",
+ "expected": {
+ "href": "sc://x/",
+ "host": "x",
+ "hostname": "x"
+ }
+ },
{
"href": "sc://x/",
"new_value": "\u0009",
@@ -414,6 +523,15 @@
"hostname": ""
}
},
+ {
+ "href": "sc://x/",
+ "new_value": " ",
+ "expected": {
+ "href": "sc://x/",
+ "host": "x",
+ "hostname": "x"
+ }
+ },
{
"href": "sc://x/",
"new_value": "#",
@@ -459,6 +577,16 @@
"hostname": "%C3%9F"
}
},
+ {
+ "comment": "IDNA Nontransitional_Processing",
+ "href": "https://x/",
+ "new_value": "ß",
+ "expected": {
+ "href": "https://xn--zca/",
+ "host": "xn--zca",
+ "hostname": "xn--zca"
+ }
+ },
{
"comment": "Cannot-be-a-base means no host",
"href": "mailto:[email protected]",
@@ -499,14 +627,14 @@
}
},
{
- "comment": "Port number is removed if empty in the new value: https://github.com/whatwg/url/pull/113",
+ "comment": "Port number is unchanged if not specified",
"href": "http://example.net:8080",
"new_value": "example.com:",
"expected": {
- "href": "http://example.com/",
- "host": "example.com",
+ "href": "http://example.com:8080/",
+ "host": "example.com:8080",
"hostname": "example.com",
- "port": ""
+ "port": "8080"
}
},
{
@@ -591,6 +719,17 @@
"port": "80"
}
},
+ {
+ "comment": "Port number is removed if new port is scheme default and existing URL has a non-default port",
+ "href": "http://example.net:8080",
+ "new_value": "example.com:80",
+ "expected": {
+ "href": "http://example.com/",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": ""
+ }
+ },
{
"comment": "Stuff after a / delimiter is ignored",
"href": "http://example.net/path",
@@ -790,9 +929,69 @@
"host": "example.net",
"hostname": "example.net"
}
+ },
+ {
+ "href": "file://y/",
+ "new_value": "x:123",
+ "expected": {
+ "href": "file://y/",
+ "host": "y",
+ "hostname": "y",
+ "port": ""
+ }
+ },
+ {
+ "href": "file://y/",
+ "new_value": "loc%41lhost",
+ "expected": {
+ "href": "file:///",
+ "host": "",
+ "hostname": "",
+ "port": ""
+ }
+ },
+ {
+ "href": "file://hi/x",
+ "new_value": "",
+ "expected": {
+ "href": "file:///x",
+ "host": "",
+ "hostname": "",
+ "port": ""
+ }
+ },
+ {
+ "href": "sc://test@test/",
+ "new_value": "",
+ "expected": {
+ "href": "sc://test@test/",
+ "host": "test",
+ "hostname": "test",
+ "username": "test"
+ }
+ },
+ {
+ "href": "sc://test:12/",
+ "new_value": "",
+ "expected": {
+ "href": "sc://test:12/",
+ "host": "test:12",
+ "hostname": "test",
+ "port": "12"
+ }
}
],
"hostname": [
+ {
+ "comment": "Non-special scheme",
+ "href": "sc://x/",
+ "new_value": "\u0000",
+ "expected": {
+ "href": "sc://x/",
+ "host": "x",
+ "hostname": "x"
+ }
+ },
{
"href": "sc://x/",
"new_value": "\u0009",
@@ -820,6 +1019,15 @@
"hostname": ""
}
},
+ {
+ "href": "sc://x/",
+ "new_value": " ",
+ "expected": {
+ "href": "sc://x/",
+ "host": "x",
+ "hostname": "x"
+ }
+ },
{
"href": "sc://x/",
"new_value": "#",
@@ -1055,6 +1263,56 @@
"host": "example.net",
"hostname": "example.net"
}
+ },
+ {
+ "href": "file://y/",
+ "new_value": "x:123",
+ "expected": {
+ "href": "file://y/",
+ "host": "y",
+ "hostname": "y",
+ "port": ""
+ }
+ },
+ {
+ "href": "file://y/",
+ "new_value": "loc%41lhost",
+ "expected": {
+ "href": "file:///",
+ "host": "",
+ "hostname": "",
+ "port": ""
+ }
+ },
+ {
+ "href": "file://hi/x",
+ "new_value": "",
+ "expected": {
+ "href": "file:///x",
+ "host": "",
+ "hostname": "",
+ "port": ""
+ }
+ },
+ {
+ "href": "sc://test@test/",
+ "new_value": "",
+ "expected": {
+ "href": "sc://test@test/",
+ "host": "test",
+ "hostname": "test",
+ "username": "test"
+ }
+ },
+ {
+ "href": "sc://test:12/",
+ "new_value": "",
+ "expected": {
+ "href": "sc://test:12/",
+ "host": "test:12",
+ "hostname": "test",
+ "port": "12"
+ }
}
],
"port": [
@@ -1324,12 +1582,12 @@
}
},
{
- "comment": "UTF-8 percent encoding with the default encode set. Tabs and newlines are removed. Leading or training C0 controls and space are removed.",
+ "comment": "UTF-8 percent encoding with the default encode set. Tabs and newlines are removed.",
"href": "a:/",
- "new_value": "\u0000\u0001\t\n\r\u001f !\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
+ "new_value": "\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
"expected": {
- "href": "a:/!%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E%3F@AZ[\\]^_%60az%7B|%7D~%7F%C2%80%C2%81%C3%89%C3%A9",
- "pathname": "/!%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E%3F@AZ[\\]^_%60az%7B|%7D~%7F%C2%80%C2%81%C3%89%C3%A9"
+ "href": "a:/%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E%3F@AZ[\\]^_%60az%7B|%7D~%7F%C2%80%C2%81%C3%89%C3%A9",
+ "pathname": "/%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E%3F@AZ[\\]^_%60az%7B|%7D~%7F%C2%80%C2%81%C3%89%C3%A9"
}
},
{
@@ -1376,6 +1634,33 @@
"href": "sc://example.net/%23",
"pathname": "/%23"
}
+ },
+ {
+ "comment": "File URLs and (back)slashes",
+ "href": "file://monkey/",
+ "new_value": "\\\\",
+ "expected": {
+ "href": "file://monkey/",
+ "pathname": "/"
+ }
+ },
+ {
+ "comment": "File URLs and (back)slashes",
+ "href": "file:///unicorn",
+ "new_value": "//\\/",
+ "expected": {
+ "href": "file:///",
+ "pathname": "/"
+ }
+ },
+ {
+ "comment": "File URLs and (back)slashes",
+ "href": "file:///unicorn",
+ "new_value": "//monkey/..//",
+ "expected": {
+ "href": "file:///",
+ "pathname": "/"
+ }
}
],
"search": [
@@ -1444,12 +1729,12 @@
}
},
{
- "comment": "UTF-8 percent encoding with the query encode set. Tabs and newlines are removed. Leading or training C0 controls and space are removed.",
+ "comment": "UTF-8 percent encoding with the query encode set. Tabs and newlines are removed.",
"href": "a:/",
- "new_value": "\u0000\u0001\t\n\r\u001f !\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
+ "new_value": "\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
"expected": {
- "href": "a:/?!%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E?@AZ[\\]^_`az{|}~%7F%C2%80%C2%81%C3%89%C3%A9",
- "search": "?!%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E?@AZ[\\]^_`az{|}~%7F%C2%80%C2%81%C3%89%C3%A9"
+ "href": "a:/?%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E?@AZ[\\]^_`az{|}~%7F%C2%80%C2%81%C3%89%C3%A9",
+ "search": "?%00%01%1F%20!%22%23$%&'()*+,-./09:;%3C=%3E?@AZ[\\]^_`az{|}~%7F%C2%80%C2%81%C3%89%C3%A9"
}
},
{
@@ -1511,13 +1796,53 @@
"hash": ""
}
},
+ {
+ "href": "http://example.net",
+ "new_value": "#foo bar",
+ "expected": {
+ "href": "http://example.net/#foo%20bar",
+ "hash": "#foo%20bar"
+ }
+ },
+ {
+ "href": "http://example.net",
+ "new_value": "#foo\"bar",
+ "expected": {
+ "href": "http://example.net/#foo%22bar",
+ "hash": "#foo%22bar"
+ }
+ },
+ {
+ "href": "http://example.net",
+ "new_value": "#foo<bar",
+ "expected": {
+ "href": "http://example.net/#foo%3Cbar",
+ "hash": "#foo%3Cbar"
+ }
+ },
+ {
+ "href": "http://example.net",
+ "new_value": "#foo>bar",
+ "expected": {
+ "href": "http://example.net/#foo%3Ebar",
+ "hash": "#foo%3Ebar"
+ }
+ },
+ {
+ "href": "http://example.net",
+ "new_value": "#foo`bar",
+ "expected": {
+ "href": "http://example.net/#foo%60bar",
+ "hash": "#foo%60bar"
+ }
+ },
{
"comment": "Simple percent-encoding; nuls, tabs, and newlines are removed",
"href": "a:/",
- "new_value": "\u0000\u0001\t\n\r\u001f !\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
+ "new_value": "\u0000\u0001\t\n\r\u001f !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~\u007f\u0080\u0081Éé",
"expected": {
- "href": "a:/#!%01%1F !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~%7F%C2%80%C2%81%C3%89%C3%A9",
- "hash": "#!%01%1F !\"#$%&'()*+,-./09:;<=>?@AZ[\\]^_`az{|}~%7F%C2%80%C2%81%C3%89%C3%A9"
+ "href": "a:/#%01%1F%20!%22#$%&'()*+,-./09:;%3C=%3E?@AZ[\\]^_%60az{|}~%7F%C2%80%C2%81%C3%89%C3%A9",
+ "hash": "#%01%1F%20!%22#$%&'()*+,-./09:;%3C=%3E?@AZ[\\]^_%60az{|}~%7F%C2%80%C2%81%C3%89%C3%A9"
}
},
{
@@ -1528,6 +1853,14 @@
"href": "http://example.net/#%c3%89t%C3%A9",
"hash": "#%c3%89t%C3%A9"
}
+ },
+ {
+ "href": "javascript:alert(1)",
+ "new_value": "castle",
+ "expected": {
+ "href": "javascript:alert(1)#castle",
+ "hash": "#castle"
+ }
}
]
}
diff --git a/tests/unit.rs b/tests/unit.rs
--- a/tests/unit.rs
+++ b/tests/unit.rs
@@ -23,6 +23,49 @@ fn size() {
assert_eq!(size_of::<Url>(), size_of::<Option<Url>>());
}
+#[test]
+fn test_relative() {
+ let base: Url = "sc://%C3%B1".parse().unwrap();
+ let url = base.join("/resources/testharness.js").unwrap();
+ assert_eq!(url.as_str(), "sc://%C3%B1/resources/testharness.js");
+}
+
+#[test]
+fn test_relative_empty() {
+ let base: Url = "sc://%C3%B1".parse().unwrap();
+ let url = base.join("").unwrap();
+ assert_eq!(url.as_str(), "sc://%C3%B1");
+}
+
+#[test]
+fn test_set_empty_host() {
+ let mut base: Url = "moz://foo:bar@servo/baz".parse().unwrap();
+ base.set_username("").unwrap();
+ assert_eq!(base.as_str(), "moz://:bar@servo/baz");
+ base.set_host(None).unwrap();
+ assert_eq!(base.as_str(), "moz:/baz");
+ base.set_host(Some("servo")).unwrap();
+ assert_eq!(base.as_str(), "moz://servo/baz");
+}
+
+#[test]
+fn test_set_empty_hostname() {
+ use url::quirks;
+ let mut base: Url = "moz://foo@servo/baz".parse().unwrap();
+ assert!(
+ quirks::set_hostname(&mut base, "").is_err(),
+ "setting an empty hostname to a url with a username should fail"
+ );
+ base = "moz://:pass@servo/baz".parse().unwrap();
+ assert!(
+ quirks::set_hostname(&mut base, "").is_err(),
+ "setting an empty hostname to a url with a password should fail"
+ );
+ base = "moz://servo/baz".parse().unwrap();
+ quirks::set_hostname(&mut base, "").unwrap();
+ assert_eq!(base.as_str(), "moz:///baz");
+}
+
macro_rules! assert_from_file_path {
($path: expr) => {
assert_from_file_path!($path, $path)
@@ -413,9 +456,9 @@ fn test_set_host() {
assert_eq!(url.as_str(), "foobar:/hello");
let mut url = Url::parse("foo://ș").unwrap();
- assert_eq!(url.as_str(), "foo://%C8%99/");
+ assert_eq!(url.as_str(), "foo://%C8%99");
url.set_host(Some("goșu.ro")).unwrap();
- assert_eq!(url.as_str(), "foo://go%C8%99u.ro/");
+ assert_eq!(url.as_str(), "foo://go%C8%99u.ro");
}
#[test]
@@ -550,3 +593,29 @@ fn test_options_reuse() {
assert_eq!(url.as_str(), "http://mozilla.org/sub/path");
assert_eq!(*violations.borrow(), vec!(ExpectedDoubleSlash, Backslash));
}
+
+/// https://github.com/servo/rust-url/issues/505
+#[cfg(windows)]
+#[test]
+fn test_url_from_file_path() {
+ use std::path::PathBuf;
+ use url::Url;
+
+ let p = PathBuf::from("c:///");
+ let u = Url::from_file_path(p).unwrap();
+ let path = u.to_file_path().unwrap();
+ assert_eq!("C:\\", path.to_str().unwrap());
+}
+
+/// https://github.com/servo/rust-url/issues/505
+#[cfg(not(windows))]
+#[test]
+fn test_url_from_file_path() {
+ use std::path::PathBuf;
+ use url::Url;
+
+ let p = PathBuf::from("/c:/");
+ let u = Url::from_file_path(p).unwrap();
+ let path = u.to_file_path().unwrap();
+ assert_eq!("/c:/", path.to_str().unwrap());
+}
diff --git a/tests/urltestdata.json b/tests/urltestdata.json
--- a/tests/urltestdata.json
+++ b/tests/urltestdata.json
@@ -153,7 +153,7 @@
{
"input": "http://f:21/ b ? d # e ",
"base": "http://example.org/foo/bar",
- "href": "http://f:21/%20b%20?%20d%20# e",
+ "href": "http://f:21/%20b%20?%20d%20#%20e",
"origin": "http://f:21",
"protocol": "http:",
"username": "",
@@ -163,12 +163,12 @@
"port": "21",
"pathname": "/%20b%20",
"search": "?%20d%20",
- "hash": "# e"
+ "hash": "#%20e"
},
{
"input": "lolscheme:x x#x x",
"base": "about:blank",
- "href": "lolscheme:x x#x x",
+ "href": "lolscheme:x x#x%20x",
"protocol": "lolscheme:",
"username": "",
"password": "",
@@ -177,7 +177,7 @@
"port": "",
"pathname": "x x",
"search": "",
- "hash": "#x x"
+ "hash": "#x%20x"
},
{
"input": "http://f:/c",
@@ -572,7 +572,7 @@
{
"input": "foo://",
"base": "http://example.org/foo/bar",
- "href": "foo:///",
+ "href": "foo://",
"origin": "null",
"protocol": "foo:",
"username": "",
@@ -580,7 +580,7 @@
"host": "",
"hostname": "",
"port": "",
- "pathname": "/",
+ "pathname": "",
"search": "",
"hash": ""
},
@@ -1433,6 +1433,22 @@
"search": "",
"hash": ""
},
+ "# Based on https://felixfbecker.github.io/whatwg-url-custom-host-repro/",
+ {
+ "input": "ssh://example.com/foo/bar.git",
+ "base": "http://example.org/",
+ "href": "ssh://example.com/foo/bar.git",
+ "origin": "null",
+ "protocol": "ssh:",
+ "username": "",
+ "password": "",
+ "host": "example.com",
+ "hostname": "example.com",
+ "port": "",
+ "pathname": "/foo/bar.git",
+ "search": "",
+ "hash": ""
+ },
"# Based on http://trac.webkit.org/browser/trunk/LayoutTests/fast/url/file.html",
{
"input": "file:c:\\foo\\bar.html",
@@ -2260,7 +2276,7 @@
{
"input": "http://www.google.com/foo?bar=baz# »",
"base": "about:blank",
- "href": "http://www.google.com/foo?bar=baz# %C2%BB",
+ "href": "http://www.google.com/foo?bar=baz#%20%C2%BB",
"origin": "http://www.google.com",
"protocol": "http:",
"username": "",
@@ -2270,12 +2286,12 @@
"port": "",
"pathname": "/foo",
"search": "?bar=baz",
- "hash": "# %C2%BB"
+ "hash": "#%20%C2%BB"
},
{
"input": "data:test# »",
"base": "about:blank",
- "href": "data:test# %C2%BB",
+ "href": "data:test#%20%C2%BB",
"origin": "null",
"protocol": "data:",
"username": "",
@@ -2285,7 +2301,7 @@
"port": "",
"pathname": "test",
"search": "",
- "hash": "# %C2%BB"
+ "hash": "#%20%C2%BB"
},
{
"input": "http://www.google.com",
@@ -4015,6 +4031,37 @@
"search": "?`{}",
"hash": ""
},
+ "byte is ' and url is special",
+ {
+ "input": "http://host/?'",
+ "base": "about:blank",
+ "href": "http://host/?%27",
+ "origin": "http://host",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "host",
+ "hostname": "host",
+ "port": "",
+ "pathname": "/",
+ "search": "?%27",
+ "hash": ""
+ },
+ {
+ "input": "notspecial://host/?'",
+ "base": "about:blank",
+ "href": "notspecial://host/?'",
+ "origin": "null",
+ "protocol": "notspecial:",
+ "username": "",
+ "password": "",
+ "host": "host",
+ "hostname": "host",
+ "port": "",
+ "pathname": "/",
+ "search": "?'",
+ "hash": ""
+ },
"# Credentials in base",
{
"input": "/some/path",
@@ -4473,6 +4520,26 @@
"search": "",
"hash": ""
},
+ {
+ "input": "sc://@/",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "sc://te@s:t@/",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "sc://:/",
+ "base": "about:blank",
+ "failure": true
+ },
+ {
+ "input": "sc://:12/",
+ "base": "about:blank",
+ "failure": true
+ },
{
"input": "sc://[/",
"base": "about:blank",
@@ -4566,6 +4633,22 @@
"search": "",
"hash": ""
},
+ "# unknown scheme with non-URL characters in the path",
+ {
+ "input": "wow:\uFFFF",
+ "base": "about:blank",
+ "href": "wow:%EF%BF%BF",
+ "origin": "null",
+ "protocol": "wow:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "%EF%BF%BF",
+ "search": "",
+ "hash": ""
+ },
"# Hosts and percent-encoding",
{
"input": "ftp://example.com%80/",
@@ -4767,6 +4850,70 @@
"searchParams": "qux=",
"hash": "#foo%08bar"
},
+ {
+ "input": "http://foo.bar/baz?qux#foo\"bar",
+ "base": "about:blank",
+ "href": "http://foo.bar/baz?qux#foo%22bar",
+ "origin": "http://foo.bar",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo.bar",
+ "hostname": "foo.bar",
+ "port": "",
+ "pathname": "/baz",
+ "search": "?qux",
+ "searchParams": "qux=",
+ "hash": "#foo%22bar"
+ },
+ {
+ "input": "http://foo.bar/baz?qux#foo<bar",
+ "base": "about:blank",
+ "href": "http://foo.bar/baz?qux#foo%3Cbar",
+ "origin": "http://foo.bar",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo.bar",
+ "hostname": "foo.bar",
+ "port": "",
+ "pathname": "/baz",
+ "search": "?qux",
+ "searchParams": "qux=",
+ "hash": "#foo%3Cbar"
+ },
+ {
+ "input": "http://foo.bar/baz?qux#foo>bar",
+ "base": "about:blank",
+ "href": "http://foo.bar/baz?qux#foo%3Ebar",
+ "origin": "http://foo.bar",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo.bar",
+ "hostname": "foo.bar",
+ "port": "",
+ "pathname": "/baz",
+ "search": "?qux",
+ "searchParams": "qux=",
+ "hash": "#foo%3Ebar"
+ },
+ {
+ "input": "http://foo.bar/baz?qux#foo`bar",
+ "base": "about:blank",
+ "href": "http://foo.bar/baz?qux#foo%60bar",
+ "origin": "http://foo.bar",
+ "protocol": "http:",
+ "username": "",
+ "password": "",
+ "host": "foo.bar",
+ "hostname": "foo.bar",
+ "port": "",
+ "pathname": "/baz",
+ "search": "?qux",
+ "searchParams": "qux=",
+ "hash": "#foo%60bar"
+ },
"# IPv4 parsing (via https://github.com/nodejs/node/pull/10317)",
{
"input": "http://192.168.257",
@@ -4954,6 +5101,11 @@
"hash": ""
},
"More IPv4 parsing (via https://github.com/jsdom/whatwg-url/issues/92)",
+ {
+ "input": "https://0x100000000/test",
+ "base": "about:blank",
+ "failure": true
+ },
{
"input": "https://256.0.0.1/test",
"base": "about:blank",
@@ -5187,6 +5339,90 @@
"hash": "#x"
},
"# File URLs and many (back)slashes",
+ {
+ "input": "file:\\\\//",
+ "base": "about:blank",
+ "href": "file:///",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:\\\\\\\\",
+ "base": "about:blank",
+ "href": "file:///",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:\\\\\\\\?fox",
+ "base": "about:blank",
+ "href": "file:///?fox",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "?fox",
+ "hash": ""
+ },
+ {
+ "input": "file:\\\\\\\\#guppy",
+ "base": "about:blank",
+ "href": "file:///#guppy",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": "#guppy"
+ },
+ {
+ "input": "file://spider///",
+ "base": "about:blank",
+ "href": "file://spider/",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "spider",
+ "hostname": "spider",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:\\\\localhost//",
+ "base": "about:blank",
+ "href": "file:///",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
{
"input": "file:///localhost//cat",
"base": "about:blank",
@@ -5201,6 +5437,48 @@
"search": "",
"hash": ""
},
+ {
+ "input": "file://\\/localhost//cat",
+ "base": "about:blank",
+ "href": "file:///localhost//cat",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/localhost//cat",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file://localhost//a//../..//",
+ "base": "about:blank",
+ "href": "file:///",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/////mouse",
+ "base": "file:///elephant",
+ "href": "file:///mouse",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/mouse",
+ "search": "",
+ "hash": ""
+ },
{
"input": "\\//pig",
"base": "file://lion/",
@@ -5215,6 +5493,48 @@
"search": "",
"hash": ""
},
+ {
+ "input": "\\/localhost//pig",
+ "base": "file://lion/",
+ "href": "file:///pig",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/pig",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "//localhost//pig",
+ "base": "file://lion/",
+ "href": "file:///pig",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/pig",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/..//localhost//pig",
+ "base": "file://lion/",
+ "href": "file://lion/localhost//pig",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "lion",
+ "hostname": "lion",
+ "port": "",
+ "pathname": "/localhost//pig",
+ "search": "",
+ "hash": ""
+ },
{
"input": "file://",
"base": "file://ape/",
@@ -5229,7 +5549,50 @@
"search": "",
"hash": ""
},
+ "# File URLs with non-empty hosts",
+ {
+ "input": "/rooibos",
+ "base": "file://tea/",
+ "href": "file://tea/rooibos",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "tea",
+ "hostname": "tea",
+ "port": "",
+ "pathname": "/rooibos",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/?chai",
+ "base": "file://tea/",
+ "href": "file://tea/?chai",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "tea",
+ "hostname": "tea",
+ "port": "",
+ "pathname": "/",
+ "search": "?chai",
+ "hash": ""
+ },
"# Windows drive letter handling with the 'file:' base URL",
+ {
+ "input": "C|",
+ "base": "file://host/dir/file",
+ "href": "file:///C:",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/C:",
+ "search": "",
+ "hash": ""
+ },
{
"input": "C|#",
"base": "file://host/dir/file",
@@ -5329,6 +5692,48 @@
"hash": ""
},
"# Windows drive letter quirk in the file slash state",
+ {
+ "input": "/c:/foo/bar",
+ "base": "file:///c:/baz/qux",
+ "href": "file:///c:/foo/bar",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/c:/foo/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "/c|/foo/bar",
+ "base": "file:///c:/baz/qux",
+ "href": "file:///c:/foo/bar",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/c:/foo/bar",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "file:\\c:\\foo\\bar",
+ "base": "file:///c:/baz/qux",
+ "href": "file:///c:/foo/bar",
+ "protocol": "file:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "/c:/foo/bar",
+ "search": "",
+ "hash": ""
+ },
{
"input": "/c:/foo/bar",
"base": "file://host/path",
@@ -5343,9 +5748,9 @@
"search": "",
"hash": ""
},
- "# Windows drive letter quirk (no host)",
+ "# Windows drive letter quirk with not empty host",
{
- "input": "file:/C|/",
+ "input": "file://example.net/C:/",
"base": "about:blank",
"href": "file:///C:/",
"protocol": "file:",
@@ -5359,7 +5764,7 @@
"hash": ""
},
{
- "input": "file://C|/",
+ "input": "file://1.2.3.4/C:/",
"base": "about:blank",
"href": "file:///C:/",
"protocol": "file:",
@@ -5372,9 +5777,8 @@
"search": "",
"hash": ""
},
- "# Windows drive letter quirk with not empty host",
{
- "input": "file://example.net/C:/",
+ "input": "file://[1::8]/C:/",
"base": "about:blank",
"href": "file:///C:/",
"protocol": "file:",
@@ -5387,8 +5791,9 @@
"search": "",
"hash": ""
},
+ "# Windows drive letter quirk (no host)",
{
- "input": "file://1.2.3.4/C:/",
+ "input": "file:/C|/",
"base": "about:blank",
"href": "file:///C:/",
"protocol": "file:",
@@ -5402,7 +5807,7 @@
"hash": ""
},
{
- "input": "file://[1::8]/C:/",
+ "input": "file://C|/",
"base": "about:blank",
"href": "file:///C:/",
"protocol": "file:",
@@ -5544,6 +5949,109 @@
"failure": true
},
"# Non-special-URL path tests",
+ {
+ "input": "sc://ñ",
+ "base": "about:blank",
+ "href": "sc://%C3%B1",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "%C3%B1",
+ "hostname": "%C3%B1",
+ "port": "",
+ "pathname": "",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "sc://ñ?x",
+ "base": "about:blank",
+ "href": "sc://%C3%B1?x",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "%C3%B1",
+ "hostname": "%C3%B1",
+ "port": "",
+ "pathname": "",
+ "search": "?x",
+ "hash": ""
+ },
+ {
+ "input": "sc://ñ#x",
+ "base": "about:blank",
+ "href": "sc://%C3%B1#x",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "%C3%B1",
+ "hostname": "%C3%B1",
+ "port": "",
+ "pathname": "",
+ "search": "",
+ "hash": "#x"
+ },
+ {
+ "input": "#x",
+ "base": "sc://ñ",
+ "href": "sc://%C3%B1#x",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "%C3%B1",
+ "hostname": "%C3%B1",
+ "port": "",
+ "pathname": "",
+ "search": "",
+ "hash": "#x"
+ },
+ {
+ "input": "?x",
+ "base": "sc://ñ",
+ "href": "sc://%C3%B1?x",
+ "origin": "null",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "%C3%B1",
+ "hostname": "%C3%B1",
+ "port": "",
+ "pathname": "",
+ "search": "?x",
+ "hash": ""
+ },
+ {
+ "input": "sc://?",
+ "base": "about:blank",
+ "href": "sc://?",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "sc://#",
+ "base": "about:blank",
+ "href": "sc://#",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "",
+ "search": "",
+ "hash": ""
+ },
{
"input": "///",
"base": "sc://x/",
@@ -5558,6 +6066,34 @@
"search": "",
"hash": ""
},
+ {
+ "input": "////",
+ "base": "sc://x/",
+ "href": "sc:////",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "//",
+ "search": "",
+ "hash": ""
+ },
+ {
+ "input": "////x/",
+ "base": "sc://x/",
+ "href": "sc:////x/",
+ "protocol": "sc:",
+ "username": "",
+ "password": "",
+ "host": "",
+ "hostname": "",
+ "port": "",
+ "pathname": "//x/",
+ "search": "",
+ "hash": ""
+ },
{
"input": "tftp://foobar.com/someconfig;mode=netascii",
"base": "about:blank",
@@ -6048,27 +6584,34 @@
"search": "?a",
"hash": "#%GH"
},
- "Bad bases",
+ "URLs that require a non-about:blank base. (Also serve as invalid base tests.)",
{
- "input": "test-a.html",
- "base": "a",
+ "input": "a",
+ "base": "about:blank",
"failure": true
},
{
- "input": "test-a-slash.html",
- "base": "a/",
+ "input": "a/",
+ "base": "about:blank",
"failure": true
},
{
- "input": "test-a-slash-slash.html",
- "base": "a//",
+ "input": "a//",
+ "base": "about:blank",
"failure": true
},
+ "Bases that don't fail to parse but fail to be bases",
{
"input": "test-a-colon.html",
"base": "a:",
"failure": true
},
+ {
+ "input": "test-a-colon-b.html",
+ "base": "a:b",
+ "failure": true
+ },
+ "Other base URL tests, that must succeed",
{
"input": "test-a-colon-slash.html",
"base": "a:/",
@@ -6097,11 +6640,6 @@
"search": "",
"hash": ""
},
- {
- "input": "test-a-colon-b.html",
- "base": "a:b",
- "failure": true
- },
{
"input": "test-a-colon-slash-b.html",
"base": "a:/b",
|
Added fragment percent encode set for URL fragments.
Hello!
I noticed that the spec here defines a fragment percent encode set:
https://url.spec.whatwg.org/#percent-encoded-bytes
> The fragment percent-encode set is the C0 control percent-encode set and U+0020 SPACE, U+0022 ("), U+003C (<), U+003E (>), and U+0060 (`).
It seemed to me that rust-url was using the SIMPLE_ENCODE_SET while parsing the fragment and that it should be using the fragment encode set instead:
https://url.spec.whatwg.org/#url-parsing
> UTF-8 percent encode c using the fragment percent-encode set and append the result to url’s fragment.
I made this PR which should fix it, or have I got it wrong?
<!-- Reviewable:start -->
---
This change is [<img src="https://reviewable.io/review_button.svg" height="34" align="absmiddle" alt="Reviewable"/>](https://reviewable.io/reviews/servo/rust-url/491)
<!-- Reviewable:end -->
|
:umbrella: The latest upstream changes (presumably #517) made this pull request unmergeable. Please resolve the merge conflicts.
Your assessment seems to be correct. I'll check upstream if the tests changed, given the tests are supposed to follow the spec and your interpretation of the spec seems correct to me.
```
thread '"http://f:21/ b ? d # e " @ base "http://example.org/foo/bar"' panicked at '
"http://f:21/%20b%20?%20d%20# e"
!= expected.href
"http://f:21/%20b%20?%20d%20#%20e"
for URL "http://f:21/%20b%20?%20d%20# e"
'
```
Yep, upstream tests were changed and we are just not aligned anymore.
| 2019-08-02T22:21:31
|
rust
|
Easy
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.