asset.rs 3.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130
  1. use crate::{
  2. amount::{AmountCents, Error},
  3. Amount, MaxLengthString,
  4. };
  5. use serde::{de, Serialize, Serializer};
  6. use std::{
  7. fmt::{self, Display},
  8. str::FromStr,
  9. };
  10. #[derive(Debug, Hash, PartialEq, Eq, Clone)]
  11. /// An asset type
  12. pub struct Asset {
  13. /// The name of the asset
  14. pub name: MaxLengthString<10>,
  15. /// The precision of the asset
  16. pub precision: u8,
  17. }
  18. impl FromStr for Asset {
  19. type Err = Error;
  20. fn from_str(s: &str) -> Result<Self, Self::Err> {
  21. let mut split = s.splitn(2, '/');
  22. let name = split
  23. .next()
  24. .ok_or_else(|| Error::InvalidAssetName(s.to_owned()))?;
  25. let precision = split
  26. .next()
  27. .ok_or_else(|| Error::InvalidAssetName(s.to_owned()))?
  28. .parse::<u8>()
  29. .map_err(|_| Error::NoANumber(s.to_owned()))?;
  30. Ok(Asset {
  31. name: MaxLengthString::new(name.to_owned())
  32. .map_err(|_| Error::InvalidAssetName(name.to_owned()))?,
  33. precision,
  34. })
  35. }
  36. }
  37. impl Display for Asset {
  38. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  39. write!(f, "{}/{}", self.name, self.precision)
  40. }
  41. }
  42. impl Asset {
  43. /// Creates a new amount from a given amount in cents
  44. pub fn new_amount(&self, cents: AmountCents) -> Amount {
  45. Amount::new(self.clone(), cents)
  46. }
  47. /// Creates a new amount from a human amount (a floating number serialized
  48. /// as string to avoid loss precision)
  49. pub fn from_human(&self, human_amount: &str) -> Result<Amount, Error> {
  50. let mut dot_at = None;
  51. for (pos, i) in human_amount.chars().enumerate() {
  52. match i {
  53. '-' => {
  54. if pos != 0 {
  55. return Err(Error::NoANumber(human_amount.to_owned()));
  56. }
  57. }
  58. '.' => {
  59. if dot_at.is_some() {
  60. return Err(Error::NoANumber(human_amount.to_owned()));
  61. }
  62. dot_at = Some(pos);
  63. }
  64. '0'..='9' => {}
  65. _ => {
  66. return Err(Error::NoANumber(human_amount.to_owned()));
  67. }
  68. }
  69. }
  70. let (whole, fractional_part) = if let Some(dot_at) = dot_at {
  71. let (whole, fractional_part) = human_amount.split_at(dot_at);
  72. (whole, fractional_part[1..].to_owned())
  73. } else {
  74. (human_amount, "".to_owned())
  75. };
  76. let fractional_part = fractional_part + &"0".repeat(self.precision.into());
  77. let cents = (whole.to_owned() + &fractional_part[..self.precision.into()])
  78. .parse::<AmountCents>()
  79. .map_err(|_| Error::NoANumber(format!("{}.{}", whole, fractional_part)))?;
  80. Ok(Amount::new(self.clone(), cents))
  81. }
  82. }
  83. impl Serialize for Asset {
  84. fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
  85. where
  86. S: Serializer,
  87. {
  88. serializer.serialize_str(&format!("{}/{}", self.name, self.precision))
  89. }
  90. }
  91. struct AssetVisitor;
  92. impl<'de> de::Visitor<'de> for AssetVisitor {
  93. type Value = Asset;
  94. fn expecting(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
  95. formatter.write_str("a string in the format 'name/precision'")
  96. }
  97. fn visit_str<E>(self, value: &str) -> Result<Self::Value, E>
  98. where
  99. E: de::Error,
  100. {
  101. value
  102. .parse::<Self::Value>()
  103. .map_err(|e| de::Error::custom(e.to_string()))
  104. }
  105. }
  106. impl<'de> de::Deserialize<'de> for Asset {
  107. fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
  108. where
  109. D: de::Deserializer<'de>,
  110. {
  111. deserializer.deserialize_str(AssetVisitor)
  112. }
  113. }