Skip to content

Commit a7f2928

Browse files
authored
feat(postgres): point (#3583)
* feat: point * test: try if eq operator works for arrays of geometries * fix: re-introduce comparison * fix: test other geometry comparison * test: geometry array equality check * test: array match for geo arrays geo match for geo only * fix: prepare geometric array type * fix: update array comparison * fix: try another method of geometric array comparison * fix: one more geometry match tests * fix: correct query syntax * test: geometry test further
1 parent 3e8952b commit a7f2928

File tree

6 files changed

+183
-0
lines changed

6 files changed

+183
-0
lines changed

sqlx-postgres/src/type_checking.rs

+2
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,8 @@ impl_type_checking!(
3232

3333
sqlx::postgres::types::PgCube,
3434

35+
sqlx::postgres::types::PgPoint,
36+
3537
#[cfg(feature = "uuid")]
3638
sqlx::types::Uuid,
3739

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
pub mod point;
+138
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,138 @@
1+
use crate::decode::Decode;
2+
use crate::encode::{Encode, IsNull};
3+
use crate::error::BoxDynError;
4+
use crate::types::Type;
5+
use crate::{PgArgumentBuffer, PgHasArrayType, PgTypeInfo, PgValueFormat, PgValueRef, Postgres};
6+
use sqlx_core::bytes::Buf;
7+
use sqlx_core::Error;
8+
use std::str::FromStr;
9+
10+
/// ## Postgres Geometric Point type
11+
///
12+
/// Description: Point on a plane
13+
/// Representation: `(x, y)`
14+
///
15+
/// Points are the fundamental two-dimensional building block for geometric types. Values of type point are specified using either of the following syntaxes:
16+
/// ```text
17+
/// ( x , y )
18+
/// x , y
19+
/// ````
20+
/// where x and y are the respective coordinates, as floating-point numbers.
21+
///
22+
/// See https://www.postgresql.org/docs/16/datatype-geometric.html#DATATYPE-GEOMETRIC-POINTS
23+
#[derive(Debug, Clone, PartialEq)]
24+
pub struct PgPoint {
25+
pub x: f64,
26+
pub y: f64,
27+
}
28+
29+
impl Type<Postgres> for PgPoint {
30+
fn type_info() -> PgTypeInfo {
31+
PgTypeInfo::with_name("point")
32+
}
33+
}
34+
35+
impl PgHasArrayType for PgPoint {
36+
fn array_type_info() -> PgTypeInfo {
37+
PgTypeInfo::with_name("_point")
38+
}
39+
}
40+
41+
impl<'r> Decode<'r, Postgres> for PgPoint {
42+
fn decode(value: PgValueRef<'r>) -> Result<Self, Box<dyn std::error::Error + Send + Sync>> {
43+
match value.format() {
44+
PgValueFormat::Text => Ok(PgPoint::from_str(value.as_str()?)?),
45+
PgValueFormat::Binary => Ok(PgPoint::from_bytes(value.as_bytes()?)?),
46+
}
47+
}
48+
}
49+
50+
impl<'q> Encode<'q, Postgres> for PgPoint {
51+
fn produces(&self) -> Option<PgTypeInfo> {
52+
Some(PgTypeInfo::with_name("point"))
53+
}
54+
55+
fn encode_by_ref(&self, buf: &mut PgArgumentBuffer) -> Result<IsNull, BoxDynError> {
56+
self.serialize(buf)?;
57+
Ok(IsNull::No)
58+
}
59+
}
60+
61+
fn parse_float_from_str(s: &str, error_msg: &str) -> Result<f64, Error> {
62+
s.trim()
63+
.parse()
64+
.map_err(|_| Error::Decode(error_msg.into()))
65+
}
66+
67+
impl FromStr for PgPoint {
68+
type Err = BoxDynError;
69+
70+
fn from_str(s: &str) -> Result<Self, Self::Err> {
71+
let (x_str, y_str) = s
72+
.trim_matches(|c| c == '(' || c == ')' || c == ' ')
73+
.split_once(',')
74+
.ok_or_else(|| format!("error decoding POINT: could not get x and y from {}", s))?;
75+
76+
let x = parse_float_from_str(x_str, "error decoding POINT: could not get x")?;
77+
let y = parse_float_from_str(y_str, "error decoding POINT: could not get x")?;
78+
79+
Ok(PgPoint { x, y })
80+
}
81+
}
82+
83+
impl PgPoint {
84+
fn from_bytes(mut bytes: &[u8]) -> Result<PgPoint, BoxDynError> {
85+
let x = bytes.get_f64();
86+
let y = bytes.get_f64();
87+
Ok(PgPoint { x, y })
88+
}
89+
90+
fn serialize(&self, buff: &mut PgArgumentBuffer) -> Result<(), BoxDynError> {
91+
buff.extend_from_slice(&self.x.to_be_bytes());
92+
buff.extend_from_slice(&self.y.to_be_bytes());
93+
Ok(())
94+
}
95+
96+
#[cfg(test)]
97+
fn serialize_to_vec(&self) -> Vec<u8> {
98+
let mut buff = PgArgumentBuffer::default();
99+
self.serialize(&mut buff).unwrap();
100+
buff.to_vec()
101+
}
102+
}
103+
104+
#[cfg(test)]
105+
mod point_tests {
106+
107+
use std::str::FromStr;
108+
109+
use super::PgPoint;
110+
111+
const POINT_BYTES: &[u8] = &[
112+
64, 0, 204, 204, 204, 204, 204, 205, 64, 20, 204, 204, 204, 204, 204, 205,
113+
];
114+
115+
#[test]
116+
fn can_deserialise_point_type_bytes() {
117+
let point = PgPoint::from_bytes(POINT_BYTES).unwrap();
118+
assert_eq!(point, PgPoint { x: 2.1, y: 5.2 })
119+
}
120+
121+
#[test]
122+
fn can_deserialise_point_type_str() {
123+
let point = PgPoint::from_str("(2, 3)").unwrap();
124+
assert_eq!(point, PgPoint { x: 2., y: 3. });
125+
}
126+
127+
#[test]
128+
fn can_deserialise_point_type_str_float() {
129+
let point = PgPoint::from_str("(2.5, 3.4)").unwrap();
130+
assert_eq!(point, PgPoint { x: 2.5, y: 3.4 });
131+
}
132+
133+
#[test]
134+
fn can_serialise_point_type() {
135+
let point = PgPoint { x: 2.1, y: 5.2 };
136+
assert_eq!(point.serialize_to_vec(), POINT_BYTES,)
137+
}
138+
}

sqlx-postgres/src/types/mod.rs

+4
Original file line numberDiff line numberDiff line change
@@ -21,6 +21,7 @@
2121
//! | [`PgLQuery`] | LQUERY |
2222
//! | [`PgCiText`] | CITEXT<sup>1</sup> |
2323
//! | [`PgCube`] | CUBE |
24+
//! | [`PgPoint] | POINT |
2425
//! | [`PgHstore`] | HSTORE |
2526
//!
2627
//! <sup>1</sup> SQLx generally considers `CITEXT` to be compatible with `String`, `&str`, etc.,
@@ -212,6 +213,8 @@ mod bigdecimal;
212213

213214
mod cube;
214215

216+
mod geometry;
217+
215218
#[cfg(any(feature = "bigdecimal", feature = "rust_decimal"))]
216219
mod numeric;
217220

@@ -242,6 +245,7 @@ mod bit_vec;
242245
pub use array::PgHasArrayType;
243246
pub use citext::PgCiText;
244247
pub use cube::PgCube;
248+
pub use geometry::point::PgPoint;
245249
pub use hstore::PgHstore;
246250
pub use interval::PgInterval;
247251
pub use lquery::PgLQuery;

sqlx-test/src/lib.rs

+27
Original file line numberDiff line numberDiff line change
@@ -51,6 +51,18 @@ macro_rules! test_type {
5151
}
5252
};
5353

54+
($name:ident<$ty:ty>($db:ident, $($text:literal ~= $value:expr),+ $(,)?)) => {
55+
paste::item! {
56+
$crate::__test_prepared_type!($name<$ty>($db, $crate::[< $db _query_for_test_prepared_geometric_type >]!(), $($text == $value),+));
57+
}
58+
};
59+
($name:ident<$ty:ty>($db:ident, $($text:literal @= $value:expr),+ $(,)?)) => {
60+
paste::item! {
61+
$crate::__test_prepared_type!($name<$ty>($db, $crate::[< $db _query_for_test_prepared_geometric_array_type >]!(), $($text == $value),+));
62+
}
63+
};
64+
65+
5466
($name:ident($db:ident, $($text:literal == $value:expr),+ $(,)?)) => {
5567
$crate::test_type!($name<$name>($db, $($text == $value),+));
5668
};
@@ -82,6 +94,7 @@ macro_rules! test_prepared_type {
8294
}
8395
};
8496

97+
8598
($name:ident($db:ident, $($text:literal == $value:expr),+ $(,)?)) => {
8699
$crate::__test_prepared_type!($name<$name>($db, $($text == $value),+));
87100
};
@@ -223,3 +236,17 @@ macro_rules! Postgres_query_for_test_prepared_type {
223236
"SELECT ({0} is not distinct from $1)::int4, {0}, $2"
224237
};
225238
}
239+
240+
#[macro_export]
241+
macro_rules! Postgres_query_for_test_prepared_geometric_type {
242+
() => {
243+
"SELECT ({0} ~= $1)::int4, {0}, $2"
244+
};
245+
}
246+
247+
#[macro_export]
248+
macro_rules! Postgres_query_for_test_prepared_geometric_array_type {
249+
() => {
250+
"SELECT (SELECT bool_and(geo1.geometry ~= geo2.geometry) FROM unnest({0}) WITH ORDINALITY AS geo1(geometry, idx) JOIN unnest($1) WITH ORDINALITY AS geo2(geometry, idx) ON geo1.idx = geo2.idx)::int4, {0}, $2"
251+
};
252+
}

tests/postgres/types.rs

+11
Original file line numberDiff line numberDiff line change
@@ -492,6 +492,17 @@ test_type!(_cube<Vec<sqlx::postgres::types::PgCube>>(Postgres,
492492
"array[cube(2.2,-3.4)]" == vec![sqlx::postgres::types::PgCube::OneDimensionInterval(2.2, -3.4)],
493493
));
494494

495+
#[cfg(any(postgres_12, postgres_13, postgres_14, postgres_15))]
496+
test_type!(point<sqlx::postgres::types::PgPoint>(Postgres,
497+
"point(2.2,-3.4)" ~= sqlx::postgres::types::PgPoint { x: 2.2, y:-3.4 },
498+
));
499+
500+
#[cfg(any(postgres_12, postgres_13, postgres_14, postgres_15))]
501+
test_type!(_point<Vec<sqlx::postgres::types::PgPoint>>(Postgres,
502+
"array[point(2,3),point(2.1,3.4)]" @= vec![sqlx::postgres::types::PgPoint { x:2., y: 3. }, sqlx::postgres::types::PgPoint { x:2.1, y: 3.4 }],
503+
"array[point(2.2,-3.4)]" @= vec![sqlx::postgres::types::PgPoint { x: 2.2, y: -3.4 }],
504+
));
505+
495506
#[cfg(feature = "rust_decimal")]
496507
test_type!(decimal<sqlx::types::Decimal>(Postgres,
497508
"0::numeric" == sqlx::types::Decimal::from_str("0").unwrap(),

0 commit comments

Comments
 (0)