Strongly typed identifier
A strongly typed identifier is user-defined data type which serves as an identifier or key that is strongly typed. This is a solution to the "primitive obsession" code smell as mentioned by Martin Fowler. The data type should preferably be immutable if possible. It is common for implementations to handle equality testing, serialization and model binding.
The strongly typed identifier commonly wraps the data type used as the primary key in the database, such as a string, an integer or universally unique identifier (UUID).
Web frameworks can often be configured to model bind properties on view models that are strongly typed identifiers. Object–relational mappers can often be configured with value converters to map data between the properties on a model using strongly typed identifier data types and database columns.
Examples
C#
C# have records which provide immutability and equality testing.[1] The record is sealed to prevent inheritance.[2] It overrides the built-in ToString()
method.[3]
This example implementation includes a static method which can be used to initialize a new instance with a randomly generated globally unique identifier (GUID).
/// <summary> /// Represents a user identifier. /// </summary> /// <param name="Id">The user identifier.</param> public sealed record UserId(Guid Id) { /// <summary> /// Initializes a new instance of the <see cref="UserId" /> record. /// </summary> /// <returns>A new UserId object.</returns> public static UserId New() => new(Guid.NewGuid()); public override string ToString() => Id.ToString(); }
C++
C++ have structs but not immutability so here the id field is marked as private with a method named value()
to get the value.
struct UserId { UserId(const string _id) { id = _id; } string value() const { return id; } bool operator==(const UserId& rhs) const { return value() == rhs.value(); } private: string id; }; ostream& operator << (ostream &os, const UserId &id) { return os << id.value() << std::endl; }
D
import std; /** Represents a user identifier. */ immutable struct UserId { immutable UUID id; /** Initializes a new instance of the UserId struct. */ this(immutable string id) { this.id = UUID(id); } public static UserId create() { return UserId(randomUUID.toString()); } string toString() { return this.id.toString(); } }
Dart
Dart have classes with operator overloading.
import 'package:meta/meta.dart'; /// Represents a user identifier. @immutable final class UserId { final String id; /// Initializes a new instance of the UserId struct. const UserId(this.id); @override operator ==(other) => other is UserId && other.id == id; @override int get hashCode => id.hashCode; @override String toString() => id; }
F#
F# lets you create override the Equals
, GetHashCode
and ToString
methods.
open System /// <summary> /// Represents a user identifier. /// </summary> /// <param name="id">The user identifier.</param> type UserId(id: Guid) = member x.id = id static member New() = Guid.NewGuid() static member Empty = Guid.Empty override x.Equals(b) = match b with | :? UserId as p -> id = p.id | _ -> false override x.GetHashCode() = hash id override x.ToString() = id.ToString()
Go
Go have structs which provide equality testing. Go however does not provide immutability.
// Represents a user identifier. type UserId struct{ id string } // Creates a new user identifier. func NewUserId(id string) UserId { return UserId{id: id} } func (x UserId) String() string { return x.id }
Groovy
Groovy have record classes which provide immutability and equality testing.[5]
/** * Represents a user identifier. * @param id The user identifier. */ record Message(String id) { String toString() { id } }
Haskell
Haskell can create user-defined custom data types using the newtype
keyword.[6] It provides equality testing using the Eq
standard class and printing using the Read
and Show
standard classes.
-- Represents a user identifier. newtype UserId = UserId String deriving (Eq, Read, Show)
Java
Java have records which provide equality testing.[7]
The record is declared using the final
modifier keyword to prevent inheritance. It overrides the built-in toString()
method.
import java.util.UUID; /** * Represents a user identifier. * @param id The user identifier. */ public final record UserId(UUID id) { /** * Initializes a new instance of the UserId record. * @return A new UserId object. */ public static UserId newId() { return new UserId(UUID.randomUUID()); } public String toString() { return id.toString(); } }
JavaScript
This JavaScript example implementation provides the toJSON
method used by the JSON.stringify()
[8] function to serialize the class into a simple string instead of a composite data type.
It calls Object.freeze()
to make the instance immutable.[9]
It overrides the built-in toString()
method[10] and the valueOf()
method.[11]
class UserId { #id; constructor(id) { if (id == undefined) { throw new TypeError("Argument is null or undefined."); } this.#id = id; Object.freeze(this); } static empty = new this.prototype.constructor("00000000-0000-0000-0000-000000000000"); static new() { return new this.prototype.constructor(crypto.randomUUID()); } equals(id) { return id instanceof this.constructor && this.#id === id.valueOf(); } toJSON() { return this.#id; } toString() { return this.#id; } valueOf() { return this.#id; } }
Julia
Julia have immutable composite data types.[12]
using UUIDs "Represents a user identifier." struct UserId id::UUID end Base.string(userId::UserId) = userId.id
Kotlin
Kotlin have "inline classes".[13]
/** * Represents a user identifier. * @property id The user identifier. * @constructor Creates a user identifier. */ @JvmInline public value class UserId(public val id: String) { override fun toString() = id }
Nim
Nim have "distinct types".[14][15]
## Represents a user identifier. type UserId* = distinct string
PHP
This PHP example implementation implements the __toString()
magic method.[16]
Furthermore, it implements the JsonSerializable
interface which is used by the built-in json_encode
function to serialize the class into a simple string instead of a composite data type.[17]
The class is declared using the final
modifier keyword to prevent inheritance.[18]
PHP has traits as a way to re-use code.[19]
/** * Represents a user identifier. */ final class UserId implements JsonSerializable { use StronglyTypedIdentifier; } /** * Provides methods for use with strongly typed identifiers. */ trait StronglyTypedIdentifier { /** * Initializes a new instance of the UserId object. * @param string $id The user identifier. */ public function __construct(public readonly string $id) {} /** * Creates a new user identifier. */ public static function new(): self { return new self(bin2hex(random_bytes(16))); } public function jsonSerialize(): string { return $this->id; } public function __toString(): string { return $this->id; } }
Python
Python have data classes which provides equality testing and can be made immutable using the frozen
parameter.[20] It overrides the __str__
dunder method.[21]
This example implementation includes a static method which can be used to initialize a new instance with a randomly generated universally unique identifier (UUID).
from dataclasses import dataclass import uuid @dataclass(frozen=True) class UserId: """Represents a user identifier.""" id: uuid.UUID @staticmethod def new() -> Self: """Create a new user identifier.""" return __class__(uuid.uuid4()) def __str__(self): return str(self.id)
Python also have NewType
which can be used to create new data types.[22]
from typing import NewType UserId = NewType('UserId', int)
Ruby
Ruby have data classes which provides equality testing and are immutable.[23] It overrides the built-in to_s
method.
This example implementation includes a static method which can be used to initialize a new instance with a randomly generated universally unique identifier (UUID).
require 'securerandom' # Represents a user identifier. UserId = Data.define(:id) do # Create a new user identifier. def self.create self.new(SecureRandom.uuid) end def self.empty self.new('00000000-0000-0000-0000-000000000000') end def to_s id end end
Rust
In Rust this can be done using a tuple struct containing a single value.[24] This example implementation implements the Debug
[25] and the PartialEq
[26] traits. The PartialEq
trait provides equality testing.
// Represents a user identifier. #[derive(Debug, PartialEq)] pub struct UserId(String);
Scala
Scala have case classes which provide immutability and equality testing.[27] The case class is sealed to prevent inheritance.
import java.util.UUID /** Represents a user identifier. * @constructor * Create a new user identifier. * @param id * The user identifier. */ sealed case class UserId(id: UUID) object UserId: /** Initializes a new instance of the UserId class. */ def create(): UserId = UserId(UUID.randomUUID())
Swift
Swift have the CustomStringConvertible
protocol which can be used to provide its own representation to be used when converting an instance to a string,[28] and the Equatable
protocol which provides equality testing.[29]
import Foundation /// Represents a user identifier. struct UserId: CustomStringConvertible, Equatable { private let id: UUID init(_ id: UUID) { self.id = id } var description: String { return id.uuidString.lowercased } /// Creates a new user identifier. static func new() -> Self { return Self(UUID()) } }
See also
References
- ↑ "Records - C# reference" (in en-us). https://learn.microsoft.com/en-us/dotnet/csharp/language-reference/builtin-types/record.
- ↑ "sealed modifier - C# Reference" (in en-us). https://learn.microsoft.com/en-us/dotnet/csharp/language-reference/keywords/sealed.
- ↑ "Object.ToString Method (System)" (in en-us). https://learn.microsoft.com/en-us/dotnet/api/system.object.tostring.
- ↑ "Structs, Unions - D Programming Language". https://dlang.org/spec/struct.html.
- ↑ "The Apache Groovy programming language - Object orientation". https://groovy-lang.org/objectorientation.html#_record_classes_incubating.
- ↑ "Newtype - HaskellWiki". https://wiki.haskell.org/Newtype.
- ↑ "Record Classes". https://docs.oracle.com/en/java/javase/19/language/records.html.
- ↑ "JSON.stringify() - JavaScript | MDN". https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/JSON/stringify.
- ↑ "Object.freeze() - JavaScript | MDN". https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/freeze.
- ↑ "Object.prototype.toString() - JavaScript | MDN". https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/toString.
- ↑ "Object.prototype.valueOf() - JavaScript | MDN". https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/valueOf.
- ↑ "Types · The Julia Language". https://docs.julialang.org/en/v1/manual/types/#Composite-Types.
- ↑ "Inline classes | Kotlin". https://kotlinlang.org/docs/inline-classes.html.
- ↑ "Nim Manual". https://nim-lang.org/docs/manual.html#types-distinct-type.
- ↑ "Nim by Example - Distinct Types". https://nim-by-example.github.io/types/distinct/.
- ↑ "PHP: Magic Methods - Manual". https://www.php.net/manual/en/language.oop5.magic.php#object.tostring.
- ↑ "PHP: JsonSerializable::jsonSerialize - Manual". https://www.php.net/manual/en/jsonserializable.jsonserialize.php.
- ↑ "PHP: Final Keyword - Manual". https://www.php.net/manual/en/language.oop5.final.php.
- ↑ "PHP: Traits - Manual". https://www.php.net/manual/en/language.oop5.traits.php.
- ↑ "dataclasses — Data Classes". Python Software Foundation. https://docs.python.org/3/library/dataclasses.html.
- ↑ "3. Data model". Python Software Foundation. https://docs.python.org/3/reference/datamodel.html#object.__str__.
- ↑ "typing — Support for type hints". Python Software Foundation. https://docs.python.org/3/library/typing.html#newtype.
- ↑ "class Data - Documentation for Ruby 3.3". https://docs.ruby-lang.org/en/master/Data.html.
- ↑ "New Type Idiom - Rust By Example". https://doc.rust-lang.org/rust-by-example/generics/new_types.html.
- ↑ "Debug in std::fmt - Rust". https://doc.rust-lang.org/std/fmt/trait.Debug.html.
- ↑ "PartialEq in std::cmp - Rust". https://doc.rust-lang.org/std/cmp/trait.PartialEq.html.
- ↑ "Case Classes". https://docs.scala-lang.org/tour/case-classes.html.
- ↑ "CustomStringConvertible" (in en). https://developer.apple.com/documentation/swift/customstringconvertible.
- ↑ "Documentation". https://docs.swift.org/swift-book/documentation/the-swift-programming-language/advancedoperators#Equivalence-Operators.
External links
Original source: https://en.wikipedia.org/wiki/Strongly typed identifier.
Read more |