AlphaVantage API的键中包含空格和句点。该API没有正式的doco,尽管您可以在其演示网址中看到它
在我的Typescript应用程序中,我为此创建了数据结构(我很高兴任何人都可以复制和使用它们-也许在找到我的问题的解决方案之后):
export class MetaData {
'1. Information': string
'2. Symbol': string
'3. Last Refreshed': string
'4. Output Size': string
'5. Time Zone': string
constructor(one, two, three, four, five) {
this['1. Information'] = one
this['2. Symbol'] = two
this['3. Last Refreshed'] = three
this['4. Output Size'] = four
this['5. Time Zone'] = five
}
}
export interface TimeSeries {
[date: string]: {
'1. open': string;
'2. high': string;
'3. low': string;
'4. close': string;
'5. volume': string;
}
}
export interface AlphaVantage {
'Meta Data': MetaData;
'Time Series (Daily)'?: TimeSeries;
'Time Series (Weekly)'?: TimeSeries;
}
我从NPM使用alphavantage
调用API,并将其隐式转换为我的AlphaVantage
:
const av: AlphaVantage = await alpha.data.weekly(options.stocks, 'compact', 'json')
然后(可能在进行某些按摩之后)我将其保留在MongoDB集合中:
const doc = await this.model.findByIdAndUpdate(proxyModel._id, proxyModel)
(ProxyModel是一个DTO,用于定义数据库密钥,例如日期,股票代码等。其中一个字段是AlphaVantage数据)。
这必须对数据进行序列化,并出现以下错误:
key 1. Information must not contain '.'
是否有一种简单的方法来处理此问题。我的选择是创建没有空格的等效对象:
export interface TimeSeries {
[date: string]: {
'1_open': string;
'2_high': string;
'3_low': string;
'4_close': string;
'5_volume': string;
}
}
然后强制执行此操作。在这种情况下,请提供映射...
我可以看到自己创建了一个实现。但是,在我开始之前,我想听听有关如何最好地处理这种数据结构的任何想法。
答案 0 :(得分:0)
我写了一个带有简单对象键映射功能的解决方案。
我还尝试使用AutoMapper-ts-https://www.npmjs.com/package/automapper-ts-以便更清楚地了解所做的更改。但是,很难绘制所有案例。在分配给我的时间内,我无法进行测试(充当doco)。我刚刚看到有https://github.com/gonza-lito/AutoMapper,它是最近修改的fork。但是,它不是npm install
开箱即用。
这是我想解决我的问题的课程:
export class ObjectUtils {
static fixKey(key) {
const upperCaseReplacer = (match: string, g1: string) => {
return g1.toUpperCase()
}
const wordsReplacer = (match: string, g1: string, g2: string) => {
return g1 + g2.toUpperCase()
}
const m1 = key.replace(/^\d+ *\. *([a-zA-Z])/, upperCaseReplacer)
const m2 = m1.replace(/([a-zA-Z]) +([a-zA-Z])/g, wordsReplacer)
const out = m2.replace(/^([a-zA-Z])/, upperCaseReplacer)
return out
}
static fixObj(obj: any) {
let newObj = null
if (Array.isArray(obj)) {
newObj = []
for (const i of obj) {
newObj.push(ObjectUtils.fixObj(i))
}
return newObj
} else if (typeof obj === 'object') {
newObj = {}
for (const key of Object.keys(obj)) {
newObj[ObjectUtils.fixKey(key)] = ObjectUtils.fixObj(obj[key])
}
return newObj
} else {
return obj
}
}
}
这将创建以下内容:
export class Metadata {
Information: string
Symbol: string
LastRefreshed: string
OutputSize: string
TimeZone: string
}
export interface TimeSeries {
[date: string]: {
Open: string;
High: string;
Low: string;
Close: string;
Volume: string;
}
}
export interface AlphaVantage {
Metadata: Metadata
DailyTimeSeries?: TimeSeries
WeeklyTimeSeries?: TimeSeries
}