Skip to content

Commit 2d119d6

Browse files
authoredMay 9, 2021
Add Latitude Scalar (#3493)
Adds Latitude Scalar
1 parent 55b5660 commit 2d119d6

File tree

10 files changed

+787
-30
lines changed

10 files changed

+787
-30
lines changed
 
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,192 @@
1+
using System;
2+
using System.Diagnostics.CodeAnalysis;
3+
using System.Text.RegularExpressions;
4+
using HotChocolate.Language;
5+
using static System.Math;
6+
7+
namespace HotChocolate.Types
8+
{
9+
/// <summary>
10+
/// The `LatitudeType` scalar represents a valid decimal degrees latitude number.
11+
/// <a href="https://en.wikipedia.org/wiki/Latitude">Read More</a>
12+
/// </summary>
13+
public class LatitudeType : ScalarType<double, StringValueNode>
14+
{
15+
/// <summary>
16+
/// Initializes a new instance of <see cref="LatitudeType"/>
17+
/// </summary>
18+
public LatitudeType()
19+
: this(
20+
WellKnownScalarTypes.Latitude,
21+
ScalarResources.LatitudeType_Description)
22+
{
23+
}
24+
25+
/// <summary>
26+
/// Initializes a new instance of <see cref="LatitudeType"/>
27+
/// </summary>
28+
public LatitudeType(
29+
NameString name,
30+
string? description = null,
31+
BindingBehavior bind = BindingBehavior.Explicit)
32+
: base(name, bind)
33+
{
34+
Description = description;
35+
}
36+
37+
/// <inheritdoc />
38+
protected override bool IsInstanceOfType(double runtimeValue) =>
39+
Latitude.IsValid(runtimeValue);
40+
41+
/// <inheritdoc />
42+
public override IValueNode ParseResult(object? resultValue)
43+
{
44+
return resultValue switch
45+
{
46+
null => NullValueNode.Default,
47+
48+
string s when Latitude.TryDeserialize(s, out var runtimeValue) =>
49+
ParseValue(runtimeValue),
50+
51+
int i => ParseValue(i),
52+
53+
double d => ParseValue(d),
54+
55+
_ => throw ThrowHelper.LatitudeType_ParseValue_IsInvalid(this)
56+
};
57+
}
58+
59+
/// <inheritdoc />
60+
protected override double ParseLiteral(StringValueNode valueSyntax)
61+
{
62+
if (Latitude.TryDeserialize(valueSyntax.Value, out var runtimeValue))
63+
{
64+
return runtimeValue.Value;
65+
}
66+
67+
throw ThrowHelper.LatitudeType_ParseLiteral_IsInvalid(this);
68+
}
69+
70+
/// <inheritdoc />
71+
protected override StringValueNode ParseValue(double runtimeValue)
72+
{
73+
if (Latitude.TrySerialize(runtimeValue, out var s))
74+
{
75+
return new StringValueNode(s);
76+
}
77+
78+
throw ThrowHelper.LatitudeType_ParseLiteral_IsInvalid(this);
79+
}
80+
81+
/// <inheritdoc />
82+
public override bool TrySerialize(object? runtimeValue, out object? resultValue)
83+
{
84+
switch (runtimeValue)
85+
{
86+
case double d when Latitude.TrySerialize(d, out var serializedDouble):
87+
resultValue = serializedDouble;
88+
return true;
89+
90+
case int i when Latitude.TrySerialize(i, out var serializedInt):
91+
resultValue = serializedInt;
92+
return true;
93+
94+
default:
95+
resultValue = null;
96+
return false;
97+
}
98+
}
99+
100+
/// <inheritdoc />
101+
public override bool TryDeserialize(object? resultValue, out object? runtimeValue)
102+
{
103+
if (resultValue is string s &&
104+
Latitude.TryDeserialize(s, out var value))
105+
{
106+
runtimeValue = value;
107+
return true;
108+
}
109+
110+
runtimeValue = null;
111+
return false;
112+
}
113+
114+
private static class Latitude
115+
{
116+
private const double _min = -90.0;
117+
private const double _max = 90.0;
118+
private const int _maxPrecision = 8;
119+
120+
private const string _sexagesimalRegex =
121+
"^([0-9]{1,3})°\\s*([0-9]{1,3}(?:\\.(?:[0-9]{1,}))?)['′]\\s*(([0-9]{1,3}" +
122+
"(\\.([0-9]{1,}))?)[\"″]\\s*)?([NEOSW]?)$";
123+
124+
private static readonly Regex _validationPattern =
125+
new(_sexagesimalRegex, RegexOptions.Compiled | RegexOptions.IgnoreCase);
126+
127+
public static bool IsValid(double value) => value is > _min and < _max;
128+
129+
public static bool TryDeserialize(
130+
string serialized,
131+
[NotNullWhen(true)] out double? value)
132+
{
133+
MatchCollection coords = _validationPattern.Matches(serialized);
134+
if (coords.Count > 0)
135+
{
136+
var minute = double.TryParse(coords[0].Groups[2].Value, out var min)
137+
? min / 60
138+
: 0;
139+
var second = double.TryParse(coords[0].Groups[4].Value, out var sec)
140+
? sec / 3600
141+
: 0;
142+
var degree = double.Parse(coords[0].Groups[1].Value);
143+
var result = degree + minute + second;
144+
145+
// Southern and western coordinates must be negative decimals
146+
var deserialized = coords[0].Groups[7].Value is "W" or "S" ? -result : result;
147+
148+
value = deserialized;
149+
return IsValid(deserialized);
150+
}
151+
152+
value = null;
153+
return false;
154+
}
155+
156+
public static bool TrySerialize(
157+
double runtimeValue,
158+
[NotNullWhen(true)] out string? resultValue)
159+
{
160+
if (IsValid(runtimeValue))
161+
{
162+
var degree = runtimeValue >= 0
163+
? Floor(runtimeValue)
164+
: Ceiling(runtimeValue);
165+
var degreeDecimals = runtimeValue - degree;
166+
167+
var minutesWhole = degreeDecimals * 60;
168+
var minutes = minutesWhole >= 0
169+
? Floor(minutesWhole)
170+
: Ceiling(minutesWhole);
171+
var minutesDecimal = minutesWhole - minutes;
172+
173+
var seconds =
174+
Round(minutesDecimal * 60, _maxPrecision, MidpointRounding.AwayFromZero);
175+
176+
string serializedLatitude = degree switch
177+
{
178+
>= 0 and < _max => $"{degree}° {minutes}' {seconds}\" N",
179+
< 0 and > _min => $"{Abs(degree)}° {Abs(minutes)}' {Abs(seconds)}\" S",
180+
_ => $"{degree}° {minutes}' {seconds}\""
181+
};
182+
183+
resultValue = serializedLatitude;
184+
return true;
185+
}
186+
187+
resultValue = null;
188+
return false;
189+
}
190+
}
191+
}
192+
}

‎src/HotChocolate/Core/src/Types.Scalars/LocalCurrencyType.cs

+1-1
Original file line numberDiff line numberDiff line change
@@ -58,7 +58,7 @@ protected override decimal ParseLiteral(StringValueNode valueSyntax)
5858
return value.Value;
5959
}
6060

61-
throw ThrowHelper.LocalTimeType_ParseLiteral_IsInvalid(this);
61+
throw ThrowHelper.LocalCurrencyType_ParseLiteral_IsInvalid(this);
6262
}
6363

6464
protected override StringValueNode ParseValue(decimal runtimeValue)

‎src/HotChocolate/Core/src/Types.Scalars/ScalarResources.Designer.cs

+18
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

‎src/HotChocolate/Core/src/Types.Scalars/ScalarResources.resx

+9
Original file line numberDiff line numberDiff line change
@@ -205,6 +205,15 @@
205205
<data name="LocalDateType_IsInvalid_ParseValue" xml:space="preserve">
206206
<value>LocalDateType cannot parse the provided value. The provided value is not a valid Local Date.</value>
207207
</data>
208+
<data name="LatitudeType_Description" xml:space="preserve">
209+
<value>The Latitude scalar type represents represents a valid decimal degrees latitude number.</value>
210+
</data>
211+
<data name="LatitudeType_IsInvalid_ParseLiteral" xml:space="preserve">
212+
<value>LatitudeType cannot parse the provided literal. The provided value was not a valid decimal degrees latitude number.</value>
213+
</data>
214+
<data name="LatitudeType_IsInvalid_ParseValue" xml:space="preserve">
215+
<value>LatitudeType cannot parse the provided value. The provided value was not a valid decimal degrees latitude number.</value>
216+
</data>
208217
<data name="LocalTimeType_Description" xml:space="preserve">
209218
<value>The LocalTime scalar type is a local time string (i.e., with no associated timezone) in 24-hr HH:mm:ss.</value>
210219
</data>

‎src/HotChocolate/Core/src/Types.Scalars/ThrowHelper.cs

+22
Original file line numberDiff line numberDiff line change
@@ -156,6 +156,28 @@ public static SerializationException IsbnType_ParseLiteral_IsInvalid(IType type)
156156
type);
157157
}
158158

159+
public static SerializationException LatitudeType_ParseValue_IsInvalid(IType type)
160+
{
161+
return new SerializationException(
162+
ErrorBuilder.New()
163+
.SetMessage(ScalarResources.LatitudeType_IsInvalid_ParseValue)
164+
.SetCode(ErrorCodes.Scalars.InvalidRuntimeType)
165+
.SetExtension("actualType", WellKnownScalarTypes.Latitude)
166+
.Build(),
167+
type);
168+
}
169+
170+
public static SerializationException LatitudeType_ParseLiteral_IsInvalid(IType type)
171+
{
172+
return new SerializationException(
173+
ErrorBuilder.New()
174+
.SetMessage(ScalarResources.LatitudeType_IsInvalid_ParseLiteral)
175+
.SetCode(ErrorCodes.Scalars.InvalidSyntaxFormat)
176+
.SetExtension("actualType", WellKnownScalarTypes.Latitude)
177+
.Build(),
178+
type);
179+
}
180+
159181
public static SerializationException LocalDateType_ParseValue_IsInvalid(IType type)
160182
{
161183
return new SerializationException(

‎src/HotChocolate/Core/src/Types.Scalars/WellKnownScalarTypes.cs

+1
Original file line numberDiff line numberDiff line change
@@ -9,6 +9,7 @@ internal static class WellKnownScalarTypes
99
public const string IPv4 = nameof(IPv4);
1010
public const string IPv6 = nameof(IPv6);
1111
public const string Isbn = nameof(Isbn);
12+
public const string Latitude = nameof(Latitude);
1213
public const string LocalDate = nameof(LocalDate);
1314
public const string LocalCurency = nameof(LocalCurency);
1415
public const string LocalTime = nameof(LocalTime);

‎src/HotChocolate/Core/test/Types.Scalars.Tests/LatitudeTypeTests.cs

+493
Large diffs are not rendered by default.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
{
2+
"data": {
3+
"test": "0° 0' 0\" N"
4+
}
5+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,16 @@
1+
schema {
2+
query: Query
3+
}
4+
5+
type Query {
6+
scalar: Latitude
7+
}
8+
9+
"The `@defer` directive may be provided for fragment spreads and inline fragments to inform the executor to delay the execution of the current fragment to indicate deprioritization of the current fragment. A query with `@defer` directive will cause the request to potentially return multiple responses, where non-deferred data is delivered in the initial response and data deferred is delivered in a subsequent response. `@include` and `@skip` take precedence over `@defer`."
10+
directive @defer("If this argument label has a value other than null, it will be passed on to the result of this defer directive. This label is intended to give client applications a way to identify to which fragment a deferred result belongs to." label: String "Deferred when true." if: Boolean) on FRAGMENT_SPREAD | INLINE_FRAGMENT
11+
12+
"The `@stream` directive may be provided for a field of `List` type so that the backend can leverage technology such as asynchronous iterators to provide a partial list in the initial response, and additional list items in subsequent responses. `@include` and `@skip` take precedence over `@stream`."
13+
directive @stream("If this argument label has a value other than null, it will be passed on to the result of this stream directive. This label is intended to give client applications a way to identify to which fragment a streamed result belongs to." label: String "The initial elements that shall be send down to the consumer." initialCount: Int! "Streamed when true." if: Boolean!) on FIELD
14+
15+
"The Latitude scalar type represents represents a valid decimal degrees latitude number."
16+
scalar Latitude

‎website/src/docs/hotchocolate/defining-a-schema/scalars.md

+30-29
Original file line numberDiff line numberDiff line change
@@ -414,32 +414,33 @@ services
414414

415415
**Available Scalars:**
416416

417-
| Type | Description |
418-
| ---------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
419-
| EmailAddress | The `EmailAddress` scalar type represents a email address, represented as UTF-8 character sequences that follows the specification defined in RFC 5322. |
420-
| HexColor | The `HexColor` scalar type represents a valid HEX color code. |
421-
| Hsl | The `Hsl` scalar type represents a valid a CSS HSL color as defined [here](https://developer.mozilla.org/en-US/docs/Web/CSS/) color_value#hsl_colors. |
422-
| Hsla | The `Hsla` scalar type represents a valid a CSS HSLA color as defined [here](https://developer.mozilla.org/en-US/docs/Web/CSS/) color_value#hsl_colors. |
423-
| IPv4 | The `IPv4` scalar type represents a valid a IPv4 address as defined [here](https://en.wikipedia.org/wiki/) IPv4. |
424-
| IPv6 | The `IPv6` scalar type represents a valid a IPv6 address as defined here [RFC8064](https://tools.ietf.org/html/rfc8064). |
425-
| Isbn | The `ISBN` scalar type is a ISBN-10 or ISBN-13 number: https:\/\/en.wikipedia.org\/wiki\/International_Standard_Book_Number. |
426-
| LocalCurrency | The `LocalCurrency` scalar type is a currency string. |
427-
| LocalDate | The `LocalDate` scalar type represents a ISO date string, represented as UTF-8 character sequences yyyy-mm-dd. The scalar follows the specification defined in RFC3339. |
428-
| LocalTime | The `LocalTime` scalar type is a local time string (i.e., with no associated timezone) in 24-hr `HH:mm:ss]`. |
429-
| MacAddress | The `MacAddess` scalar type represents a IEEE 802 48-bit Mac address, represented as UTF-8 character sequences. The scalar follows the specification defined in [RFC7042](https://tools.ietf.org/html/rfc7042#page-19). |
430-
| NegativeFloat | The `NegativeFloat` scalar type represents a double‐precision fractional value less than 0. |
431-
| NegativeInt | The `NegativeIntType` scalar type represents a signed 32-bit numeric non-fractional with a maximum of -1. |
432-
| NonEmptyString | The `NonNullString` scalar type represents non empty textual data, represented as UTF‐8 character sequences with at least one character. |
433-
| NonNegativeFloat | The `NonNegativeFloat` scalar type represents a double‐precision fractional value greater than or equal to 0. |
434-
| NonNegativeInt | The `NonNegativeIntType` scalar type represents a unsigned 32-bit numeric non-fractional value greater than or equal to 0. |
435-
| NonPositiveFloat | The `NonPositiveFloat` scalar type represents a double‐precision fractional value less than or equal to 0. |
436-
| NonPositiveInt | The `NonPositiveInt` scalar type represents a signed 32-bit numeric non-fractional value less than or equal to 0. |
437-
| PhoneNumber | The `PhoneNumber` scalar type represents a value that conforms to the standard E.164 format as specified [here](https://en.wikipedia.org/wiki/E).164. |
438-
| PositiveInt | The `PositiveInt` scalar type represents a signed 32‐bit numeric non‐fractional value of at least the value 1. |
439-
| PostalCode | The `PostalCode` scalar type represents a valid postal code. |
440-
| Port | The `Port` scalar type represents a field whose value is a valid TCP port within the range of 0 to 65535. |
441-
| Rgb | The `RGB` scalar type represents a valid CSS RGB color as defined [here](<https://developer.mozilla.org/en-US/docs/Web/CSS/color_value#rgb()_and_rgba()>). |
442-
| Rgba | The `RGBA` scalar type represents a valid CSS RGBA color as defined [here](<https://developer.mozilla.org/en-US/docs/Web/CSS/color_value#rgb()_and_rgba()>). |
443-
| UnsignedInt | The `UnsignedInt` scalar type represents a unsigned 32‐bit numeric non‐fractional value greater than or equal to 0. |
444-
| UnsignedLong | The `UnsignedLong` scalar type represents a unsigned 64‐bit numeric non‐fractional value greater than or equal to 0. |
445-
| UtcOffset | The `UtcOffset` scalar type represents a value of format `±hh:mm`. |
417+
| Type | Description
418+
| ---------------- | ----------------------------------------------------------------------------------------------------------------------------------|
419+
| EmailAddress | The `EmailAddress` scalar type represents a email address, represented as UTF-8 character sequences that follows the specification defined in RFC 5322.
420+
| HexColor | The `HexColor` scalar type represents a valid HEX color code.
421+
| Hsl | The `Hsl` scalar type represents a valid a CSS HSL color as defined [here](https://developer.mozilla.org/en-US/docs/Web/CSS/) color_value#hsl_colors.
422+
| Hsla | The `Hsla` scalar type represents a valid a CSS HSLA color as defined [here](https://developer.mozilla.org/en-US/docs/Web/CSS/) color_value#hsl_colors.
423+
| IPv4 | The `IPv4` scalar type represents a valid a IPv4 address as defined [here](https://en.wikipedia.org/wiki/) IPv4.
424+
| IPv6 | The `IPv6` scalar type represents a valid a IPv6 address as defined here [RFC8064](https://tools.ietf.org/html/rfc8064).
425+
| Isbn | The `ISBN` scalar type is a ISBN-10 or ISBN-13 number: https:\/\/en.wikipedia.org\/wiki\/International_Standard_Book_Number.
426+
| Latitude | The `Latitude` scalar type is a valid decimal degrees latitude number.
427+
| LocalCurrency | The `LocalCurrency` scalar type is a currency string.
428+
| LocalDate | The `LocalDate` scalar type represents a ISO date string, represented as UTF-8 character sequences yyyy-mm-dd. The scalar follows the specification defined in RFC3339.
429+
| LocalTime | The `LocalTime` scalar type is a local time string (i.e., with no associated timezone) in 24-hr `HH:mm:ss]`.
430+
| MacAddress | The `MacAddess` scalar type represents a IEEE 802 48-bit Mac address, represented as UTF-8 character sequences. The scalar follows the specification defined in [RFC7042](https://tools.ietf.org/html/rfc7042#page-19).
431+
| NegativeFloat | The `NegativeFloat` scalar type represents a double‐precision fractional value less than 0.
432+
| NegativeInt | The `NegativeIntType` scalar type represents a signed 32-bit numeric non-fractional with a maximum of -1.
433+
| NonEmptyString | The `NonNullString` scalar type represents non empty textual data, represented as UTF‐8 character sequences with at least one character.
434+
| NonNegativeFloat | The `NonNegativeFloat` scalar type represents a double‐precision fractional value greater than or equal to 0.
435+
| NonNegativeInt | The `NonNegativeIntType` scalar type represents a unsigned 32-bit numeric non-fractional value greater than or equal to 0.
436+
| NonPositiveFloat | The `NonPositiveFloat` scalar type represents a double‐precision fractional value less than or equal to 0.
437+
| NonPositiveInt | The `NonPositiveInt` scalar type represents a signed 32-bit numeric non-fractional value less than or equal to 0.
438+
| PhoneNumber | The `PhoneNumber` scalar type represents a value that conforms to the standard E.164 format as specified [here](https://en.wikipedia.org/wiki/E).164.
439+
| PositiveInt | The `PositiveInt` scalar type represents a signed 32‐bit numeric non‐fractional value of at least the value 1.
440+
| PostalCode | The `PostalCode` scalar type represents a valid postal code.
441+
| Port | The `Port` scalar type represents a field whose value is a valid TCP port within the range of 0 to 65535.
442+
| Rgb | The `RGB` scalar type represents a valid CSS RGB color as defined [here](<https://developer.mozilla.org/en-US/docs/Web/CSS/color_value#rgb()_and_rgba()>).
443+
| Rgba | The `RGBA` scalar type represents a valid CSS RGBA color as defined [here](<https://developer.mozilla.org/en-US/docs/Web/CSS/color_value#rgb()_and_rgba()>).
444+
| UnsignedInt | The `UnsignedInt` scalar type represents a unsigned 32‐bit numeric non‐fractional value greater than or equal to 0.
445+
| UnsignedLong | The `UnsignedLong` scalar type represents a unsigned 64‐bit numeric non‐fractional value greater than or equal to 0.
446+
| UtcOffset | The `UtcOffset` scalar type represents a value of format `±hh:mm`.

0 commit comments

Comments
 (0)
Please sign in to comment.