本次提交完成了一项重要的架构重构,将所有外部服务的API凭证管理从环境变量迁移到了中心化的数据库配置中。
主要变更:
1. **统一配置源**:
- `data-persistence-service` 现已提供 `/api/v1/configs/data_sources` 端点,用于统一管理数据源配置。
- 所有配置(LLM 和数据源)现在都通过数据库的 `system_config` 表进行管理,实现了“单一事实源”。
2. **增强服务韧性**:
- 重构了 `finnhub-`, `tushare-`, `alphavantage-provider-service`。
- 这些服务在启动时不再强制要求 API Key。
- 引入了动态配置轮询器 (`config_poller`),服务现在可以定期从数据库获取最新配置。
- 实现了“降级模式”:当配置缺失时,服务会进入 `Degraded` 状态并暂停处理消息,而不是直接崩溃。配置恢复后,服务会自动回到 `Active` 状态。
- `/health` 端点现在能准确反映服务的真实运行状态。
3. **前端易用性提升**:
- 您在 `/config` 页面上增加了“数据源配置”面板,允许用户通过 UI 动态更新所有 API Token。
4. **部署简化**:
- 从 `docker-compose.yml` 中移除了所有已废弃的 `_API_KEY` 环境变量,消除了启动时的警告。
这项重构显著提升了系统的可维护性、健壮性和用户体验,为未来的功能扩展奠定了坚实的基础。
101 lines
2.5 KiB
Rust
101 lines
2.5 KiB
Rust
use crate::error::AppError;
|
|
use serde::{de::DeserializeOwned, Deserialize, Serialize};
|
|
use tracing::info;
|
|
|
|
#[derive(Serialize)]
|
|
struct TushareRequest<'a> {
|
|
api_name: &'a str,
|
|
token: &'a str,
|
|
params: serde_json::Value,
|
|
fields: &'a str,
|
|
}
|
|
|
|
#[derive(Deserialize, Debug)]
|
|
pub struct TushareResponse<T> {
|
|
pub code: i64,
|
|
pub msg: String,
|
|
pub data: Option<TushareData<T>>,
|
|
}
|
|
|
|
#[derive(Deserialize, Debug)]
|
|
pub struct TushareData<T> {
|
|
pub fields: Vec<String>,
|
|
pub items: Vec<Vec<serde_json::Value>>,
|
|
#[serde(skip)]
|
|
_marker: std::marker::PhantomData<T>,
|
|
}
|
|
|
|
#[derive(Clone)]
|
|
pub struct TushareClient {
|
|
client: reqwest::Client,
|
|
api_url: String,
|
|
api_token: String,
|
|
}
|
|
|
|
impl TushareClient {
|
|
pub fn new(api_url: String, api_token: String) -> Self {
|
|
Self {
|
|
client: reqwest::Client::new(),
|
|
api_url,
|
|
api_token,
|
|
}
|
|
}
|
|
|
|
pub async fn send_request<T: DeserializeOwned>(
|
|
&self,
|
|
api_name: &str,
|
|
params: serde_json::Value,
|
|
fields: &str,
|
|
) -> Result<Vec<T>, AppError> {
|
|
let request_payload = TushareRequest {
|
|
api_name,
|
|
token: &self.api_token,
|
|
params,
|
|
fields,
|
|
};
|
|
|
|
info!("Sending Tushare request for api_name: {}", api_name);
|
|
|
|
let res = self
|
|
.client
|
|
.post(&self.api_url)
|
|
.json(&request_payload)
|
|
.send()
|
|
.await?;
|
|
|
|
let text = res.text().await?;
|
|
let response: TushareResponse<T> = serde_json::from_str(&text)?;
|
|
|
|
if response.code != 0 {
|
|
return Err(AppError::DataParsing(anyhow::anyhow!(format!(
|
|
"Tushare API error code {}: {}",
|
|
response.code, response.msg
|
|
))));
|
|
}
|
|
|
|
let data = response.data.ok_or_else(|| {
|
|
AppError::DataParsing(anyhow::anyhow!(
|
|
"Tushare response missing data field"
|
|
))
|
|
})?;
|
|
|
|
let items = data
|
|
.items
|
|
.into_iter()
|
|
.map(|row| {
|
|
let json_map: serde_json::Map<String, serde_json::Value> = data
|
|
.fields
|
|
.iter()
|
|
.zip(row.into_iter())
|
|
.map(|(field, value)| (field.clone(), value))
|
|
.collect();
|
|
serde_json::from_value::<T>(serde_json::Value::Object(json_map))
|
|
})
|
|
.collect::<Result<Vec<T>, _>>()?;
|
|
|
|
Ok(items)
|
|
}
|
|
}
|
|
|
|
|