1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
use std::{collections::HashMap, path::PathBuf};
use async_trait::async_trait;
use ethers::types::U256;
use eyre::Result;
use serde::de::DeserializeOwned;
use tokio::sync::RwLock;
use crate::{open_sea::ContractMetadata, MetadataGenerator, NftMetadata};
#[derive(Debug)]
pub struct LocalJson {
location: PathBuf,
cache: RwLock<HashMap<U256, NftMetadata>>,
contract_cache: RwLock<Option<ContractMetadata>>,
}
#[derive(thiserror::Error, Debug)]
pub enum LocalJsonError {
#[error("{0}")]
Serde(#[from] serde_json::Error),
#[error("{0}")]
Filesystem(#[from] std::io::Error),
}
impl LocalJson {
pub fn new(location: PathBuf) -> Result<Self> {
eyre::ensure!(
!location.exists() || location.is_dir(),
"location exists and is not a directory"
);
std::fs::create_dir_all(&location)?;
Ok(Self {
location,
cache: Default::default(),
contract_cache: Default::default(),
})
}
async fn load_json<T, S>(&self, file_name: S) -> Result<Option<T>, LocalJsonError>
where
T: DeserializeOwned,
S: AsRef<str>,
{
let path = self.location.with_file_name(file_name.as_ref());
let raw = tokio::fs::read(path).await;
match raw {
Ok(raw) => Ok(serde_json::from_slice(&raw)?),
Err(e) => {
if e.kind() == tokio::io::ErrorKind::NotFound {
Ok(None)
} else {
Err(e.into())
}
}
}
}
async fn load_metadata(&self, token_id: U256) -> Result<Option<NftMetadata>, LocalJsonError> {
if let Some(metadata) = self.cache.read().await.get(&token_id).cloned() {
return Ok(Some(metadata));
} else if let Some(metadata) = self
.load_json::<NftMetadata, _>(format!("{}.json", token_id))
.await?
{
self.cache.write().await.insert(token_id, metadata.clone());
return Ok(Some(metadata));
}
Ok(None)
}
async fn load_contract_metadata(&self) -> Option<ContractMetadata> {
match *(self.contract_cache.read().await) {
Some(ref metadata) => Some(metadata.clone()),
None => match self.load_json::<ContractMetadata, _>("contract.json").await {
Ok(Some(metadata)) => {
self.contract_cache.write().await.replace(metadata.clone());
Some(metadata)
}
_ => None,
},
}
}
}
#[async_trait]
impl MetadataGenerator for LocalJson {
type Error = LocalJsonError;
async fn metadata_for(&self, token_id: U256) -> Result<Option<NftMetadata>, Self::Error> {
self.load_metadata(token_id).await
}
async fn contract_metadata(&self) -> Option<ContractMetadata> {
self.load_contract_metadata().await
}
}