Compare commits
3 Commits
27f5536f23
...
1cb33a407d
Author | SHA1 | Date | |
---|---|---|---|
1cb33a407d | |||
|
9abc4af203 | ||
|
70cd1a89b5 |
@ -5,7 +5,7 @@ All notable changes to this project will be documented in this file.
|
|||||||
The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/),
|
The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/),
|
||||||
and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html).
|
and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html).
|
||||||
|
|
||||||
## 2.145.0 - 2025-03-09
|
## 2.145.1 - 2025-03-10
|
||||||
|
|
||||||
### Added
|
### Added
|
||||||
|
|
||||||
|
@ -2,6 +2,7 @@ import { HasPermission } from '@ghostfolio/api/decorators/has-permission.decorat
|
|||||||
import { HasPermissionGuard } from '@ghostfolio/api/guards/has-permission.guard';
|
import { HasPermissionGuard } from '@ghostfolio/api/guards/has-permission.guard';
|
||||||
import { parseDate } from '@ghostfolio/common/helper';
|
import { parseDate } from '@ghostfolio/common/helper';
|
||||||
import {
|
import {
|
||||||
|
DataProviderGhostfolioAssetProfileResponse,
|
||||||
DataProviderGhostfolioStatusResponse,
|
DataProviderGhostfolioStatusResponse,
|
||||||
DividendsResponse,
|
DividendsResponse,
|
||||||
HistoricalResponse,
|
HistoricalResponse,
|
||||||
@ -37,6 +38,41 @@ export class GhostfolioController {
|
|||||||
@Inject(REQUEST) private readonly request: RequestWithUser
|
@Inject(REQUEST) private readonly request: RequestWithUser
|
||||||
) {}
|
) {}
|
||||||
|
|
||||||
|
@Get('asset-profile/:symbol')
|
||||||
|
@HasPermission(permissions.enableDataProviderGhostfolio)
|
||||||
|
@UseGuards(AuthGuard('api-key'), HasPermissionGuard)
|
||||||
|
public async getAssetProfile(
|
||||||
|
@Param('symbol') symbol: string
|
||||||
|
): Promise<DataProviderGhostfolioAssetProfileResponse> {
|
||||||
|
const maxDailyRequests = await this.ghostfolioService.getMaxDailyRequests();
|
||||||
|
|
||||||
|
if (
|
||||||
|
this.request.user.dataProviderGhostfolioDailyRequests > maxDailyRequests
|
||||||
|
) {
|
||||||
|
throw new HttpException(
|
||||||
|
getReasonPhrase(StatusCodes.TOO_MANY_REQUESTS),
|
||||||
|
StatusCodes.TOO_MANY_REQUESTS
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
const assetProfile = await this.ghostfolioService.getAssetProfile({
|
||||||
|
symbol
|
||||||
|
});
|
||||||
|
|
||||||
|
await this.ghostfolioService.incrementDailyRequests({
|
||||||
|
userId: this.request.user.id
|
||||||
|
});
|
||||||
|
|
||||||
|
return assetProfile;
|
||||||
|
} catch {
|
||||||
|
throw new HttpException(
|
||||||
|
getReasonPhrase(StatusCodes.INTERNAL_SERVER_ERROR),
|
||||||
|
StatusCodes.INTERNAL_SERVER_ERROR
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @deprecated
|
* @deprecated
|
||||||
*/
|
*/
|
||||||
|
@ -1,6 +1,7 @@
|
|||||||
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
||||||
import { DataProviderService } from '@ghostfolio/api/services/data-provider/data-provider.service';
|
import { DataProviderService } from '@ghostfolio/api/services/data-provider/data-provider.service';
|
||||||
import {
|
import {
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -15,6 +16,7 @@ import {
|
|||||||
} from '@ghostfolio/common/config';
|
} from '@ghostfolio/common/config';
|
||||||
import { PROPERTY_DATA_SOURCES_GHOSTFOLIO_DATA_PROVIDER_MAX_REQUESTS } from '@ghostfolio/common/config';
|
import { PROPERTY_DATA_SOURCES_GHOSTFOLIO_DATA_PROVIDER_MAX_REQUESTS } from '@ghostfolio/common/config';
|
||||||
import {
|
import {
|
||||||
|
DataProviderGhostfolioAssetProfileResponse,
|
||||||
DataProviderInfo,
|
DataProviderInfo,
|
||||||
DividendsResponse,
|
DividendsResponse,
|
||||||
HistoricalResponse,
|
HistoricalResponse,
|
||||||
@ -25,7 +27,7 @@ import {
|
|||||||
import { UserWithSettings } from '@ghostfolio/common/types';
|
import { UserWithSettings } from '@ghostfolio/common/types';
|
||||||
|
|
||||||
import { Injectable, Logger } from '@nestjs/common';
|
import { Injectable, Logger } from '@nestjs/common';
|
||||||
import { DataSource } from '@prisma/client';
|
import { DataSource, SymbolProfile } from '@prisma/client';
|
||||||
import { Big } from 'big.js';
|
import { Big } from 'big.js';
|
||||||
|
|
||||||
@Injectable()
|
@Injectable()
|
||||||
@ -37,6 +39,44 @@ export class GhostfolioService {
|
|||||||
private readonly propertyService: PropertyService
|
private readonly propertyService: PropertyService
|
||||||
) {}
|
) {}
|
||||||
|
|
||||||
|
public async getAssetProfile({
|
||||||
|
requestTimeout = this.configurationService.get('REQUEST_TIMEOUT'),
|
||||||
|
symbol
|
||||||
|
}: GetAssetProfileParams) {
|
||||||
|
let result: DataProviderGhostfolioAssetProfileResponse = {};
|
||||||
|
|
||||||
|
try {
|
||||||
|
const promises: Promise<Partial<SymbolProfile>>[] = [];
|
||||||
|
|
||||||
|
for (const dataProviderService of this.getDataProviderServices()) {
|
||||||
|
promises.push(
|
||||||
|
dataProviderService
|
||||||
|
.getAssetProfile({
|
||||||
|
requestTimeout,
|
||||||
|
symbol
|
||||||
|
})
|
||||||
|
.then((assetProfile) => {
|
||||||
|
result = {
|
||||||
|
...result,
|
||||||
|
...assetProfile,
|
||||||
|
dataSource: DataSource.GHOSTFOLIO
|
||||||
|
};
|
||||||
|
|
||||||
|
return assetProfile;
|
||||||
|
})
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
await Promise.all(promises);
|
||||||
|
|
||||||
|
return result;
|
||||||
|
} catch (error) {
|
||||||
|
Logger.error(error, 'GhostfolioService');
|
||||||
|
|
||||||
|
throw error;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
public async getDividends({
|
public async getDividends({
|
||||||
from,
|
from,
|
||||||
granularity,
|
granularity,
|
||||||
@ -277,6 +317,7 @@ export class GhostfolioService {
|
|||||||
});
|
});
|
||||||
|
|
||||||
results.items = filteredItems;
|
results.items = filteredItems;
|
||||||
|
|
||||||
return results;
|
return results;
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
Logger.error(error, 'GhostfolioService');
|
Logger.error(error, 'GhostfolioService');
|
||||||
|
@ -1,6 +1,7 @@
|
|||||||
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
||||||
import {
|
import {
|
||||||
DataProviderInterface,
|
DataProviderInterface,
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -41,9 +42,7 @@ export class AlphaVantageService implements DataProviderInterface {
|
|||||||
|
|
||||||
public async getAssetProfile({
|
public async getAssetProfile({
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>> {
|
||||||
symbol: string;
|
|
||||||
}): Promise<Partial<SymbolProfile>> {
|
|
||||||
return {
|
return {
|
||||||
symbol,
|
symbol,
|
||||||
dataSource: this.getName()
|
dataSource: this.getName()
|
||||||
|
@ -1,6 +1,7 @@
|
|||||||
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
||||||
import {
|
import {
|
||||||
DataProviderInterface,
|
DataProviderInterface,
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -56,9 +57,7 @@ export class CoinGeckoService implements DataProviderInterface {
|
|||||||
|
|
||||||
public async getAssetProfile({
|
public async getAssetProfile({
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>> {
|
||||||
symbol: string;
|
|
||||||
}): Promise<Partial<SymbolProfile>> {
|
|
||||||
const response: Partial<SymbolProfile> = {
|
const response: Partial<SymbolProfile> = {
|
||||||
symbol,
|
symbol,
|
||||||
assetClass: AssetClass.LIQUIDITY,
|
assetClass: AssetClass.LIQUIDITY,
|
||||||
|
@ -1,6 +1,7 @@
|
|||||||
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
||||||
import {
|
import {
|
||||||
DataProviderInterface,
|
DataProviderInterface,
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -51,9 +52,7 @@ export class EodHistoricalDataService implements DataProviderInterface {
|
|||||||
|
|
||||||
public async getAssetProfile({
|
public async getAssetProfile({
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>> {
|
||||||
symbol: string;
|
|
||||||
}): Promise<Partial<SymbolProfile>> {
|
|
||||||
const [searchResult] = await this.getSearchResult(symbol);
|
const [searchResult] = await this.getSearchResult(symbol);
|
||||||
|
|
||||||
return {
|
return {
|
||||||
|
@ -2,6 +2,7 @@ import { ConfigurationService } from '@ghostfolio/api/services/configuration/con
|
|||||||
import { CryptocurrencyService } from '@ghostfolio/api/services/cryptocurrency/cryptocurrency.service';
|
import { CryptocurrencyService } from '@ghostfolio/api/services/cryptocurrency/cryptocurrency.service';
|
||||||
import {
|
import {
|
||||||
DataProviderInterface,
|
DataProviderInterface,
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -56,10 +57,9 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
}
|
}
|
||||||
|
|
||||||
public async getAssetProfile({
|
public async getAssetProfile({
|
||||||
|
requestTimeout = this.configurationService.get('REQUEST_TIMEOUT'),
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>> {
|
||||||
symbol: string;
|
|
||||||
}): Promise<Partial<SymbolProfile>> {
|
|
||||||
const response: Partial<SymbolProfile> = {
|
const response: Partial<SymbolProfile> = {
|
||||||
symbol,
|
symbol,
|
||||||
dataSource: this.getName()
|
dataSource: this.getName()
|
||||||
@ -70,9 +70,7 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
const [quote] = await fetch(
|
const [quote] = await fetch(
|
||||||
`${this.URL}/quote/${symbol}?apikey=${this.apiKey}`,
|
`${this.URL}/quote/${symbol}?apikey=${this.apiKey}`,
|
||||||
{
|
{
|
||||||
signal: AbortSignal.timeout(
|
signal: AbortSignal.timeout(requestTimeout)
|
||||||
this.configurationService.get('REQUEST_TIMEOUT')
|
|
||||||
)
|
|
||||||
}
|
}
|
||||||
).then((res) => res.json());
|
).then((res) => res.json());
|
||||||
|
|
||||||
@ -84,9 +82,7 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
const [assetProfile] = await fetch(
|
const [assetProfile] = await fetch(
|
||||||
`${this.URL}/profile/${symbol}?apikey=${this.apiKey}`,
|
`${this.URL}/profile/${symbol}?apikey=${this.apiKey}`,
|
||||||
{
|
{
|
||||||
signal: AbortSignal.timeout(
|
signal: AbortSignal.timeout(requestTimeout)
|
||||||
this.configurationService.get('REQUEST_TIMEOUT')
|
|
||||||
)
|
|
||||||
}
|
}
|
||||||
).then((res) => res.json());
|
).then((res) => res.json());
|
||||||
|
|
||||||
@ -100,9 +96,7 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
const etfCountryWeightings = await fetch(
|
const etfCountryWeightings = await fetch(
|
||||||
`${this.URL}/etf-country-weightings/${symbol}?apikey=${this.apiKey}`,
|
`${this.URL}/etf-country-weightings/${symbol}?apikey=${this.apiKey}`,
|
||||||
{
|
{
|
||||||
signal: AbortSignal.timeout(
|
signal: AbortSignal.timeout(requestTimeout)
|
||||||
this.configurationService.get('REQUEST_TIMEOUT')
|
|
||||||
)
|
|
||||||
}
|
}
|
||||||
).then((res) => res.json());
|
).then((res) => res.json());
|
||||||
|
|
||||||
@ -127,9 +121,7 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
const [etfInformation] = await fetch(
|
const [etfInformation] = await fetch(
|
||||||
`${this.getUrl({ version: 4 })}/etf-info?symbol=${symbol}&apikey=${this.apiKey}`,
|
`${this.getUrl({ version: 4 })}/etf-info?symbol=${symbol}&apikey=${this.apiKey}`,
|
||||||
{
|
{
|
||||||
signal: AbortSignal.timeout(
|
signal: AbortSignal.timeout(requestTimeout)
|
||||||
this.configurationService.get('REQUEST_TIMEOUT')
|
|
||||||
)
|
|
||||||
}
|
}
|
||||||
).then((res) => res.json());
|
).then((res) => res.json());
|
||||||
|
|
||||||
@ -140,9 +132,7 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
const [portfolioDate] = await fetch(
|
const [portfolioDate] = await fetch(
|
||||||
`${this.getUrl({ version: 4 })}/etf-holdings/portfolio-date?symbol=${symbol}&apikey=${this.apiKey}`,
|
`${this.getUrl({ version: 4 })}/etf-holdings/portfolio-date?symbol=${symbol}&apikey=${this.apiKey}`,
|
||||||
{
|
{
|
||||||
signal: AbortSignal.timeout(
|
signal: AbortSignal.timeout(requestTimeout)
|
||||||
this.configurationService.get('REQUEST_TIMEOUT')
|
|
||||||
)
|
|
||||||
}
|
}
|
||||||
).then((res) => res.json());
|
).then((res) => res.json());
|
||||||
|
|
||||||
@ -150,9 +140,7 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
const etfHoldings = await fetch(
|
const etfHoldings = await fetch(
|
||||||
`${this.getUrl({ version: 4 })}/etf-holdings?date=${portfolioDate.date}&symbol=${symbol}&apikey=${this.apiKey}`,
|
`${this.getUrl({ version: 4 })}/etf-holdings?date=${portfolioDate.date}&symbol=${symbol}&apikey=${this.apiKey}`,
|
||||||
{
|
{
|
||||||
signal: AbortSignal.timeout(
|
signal: AbortSignal.timeout(requestTimeout)
|
||||||
this.configurationService.get('REQUEST_TIMEOUT')
|
|
||||||
)
|
|
||||||
}
|
}
|
||||||
).then((res) => res.json());
|
).then((res) => res.json());
|
||||||
|
|
||||||
@ -170,9 +158,7 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
const etfSectorWeightings = await fetch(
|
const etfSectorWeightings = await fetch(
|
||||||
`${this.URL}/etf-sector-weightings/${symbol}?apikey=${this.apiKey}`,
|
`${this.URL}/etf-sector-weightings/${symbol}?apikey=${this.apiKey}`,
|
||||||
{
|
{
|
||||||
signal: AbortSignal.timeout(
|
signal: AbortSignal.timeout(requestTimeout)
|
||||||
this.configurationService.get('REQUEST_TIMEOUT')
|
|
||||||
)
|
|
||||||
}
|
}
|
||||||
).then((res) => res.json());
|
).then((res) => res.json());
|
||||||
|
|
||||||
@ -211,7 +197,7 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
|
|
||||||
if (error?.name === 'AbortError') {
|
if (error?.name === 'AbortError') {
|
||||||
message = `RequestError: The operation to get the asset profile for ${symbol} was aborted because the request to the data provider took more than ${(
|
message = `RequestError: The operation to get the asset profile for ${symbol} was aborted because the request to the data provider took more than ${(
|
||||||
this.configurationService.get('REQUEST_TIMEOUT') / 1000
|
requestTimeout / 1000
|
||||||
).toFixed(3)} seconds`;
|
).toFixed(3)} seconds`;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -376,7 +362,7 @@ export class FinancialModelingPrepService implements DataProviderInterface {
|
|||||||
|
|
||||||
if (error?.name === 'AbortError') {
|
if (error?.name === 'AbortError') {
|
||||||
message = `RequestError: The operation to get the quotes was aborted because the request to the data provider took more than ${(
|
message = `RequestError: The operation to get the quotes was aborted because the request to the data provider took more than ${(
|
||||||
this.configurationService.get('REQUEST_TIMEOUT') / 1000
|
requestTimeout / 1000
|
||||||
).toFixed(3)} seconds`;
|
).toFixed(3)} seconds`;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -2,6 +2,7 @@ import { environment } from '@ghostfolio/api/environments/environment';
|
|||||||
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
||||||
import {
|
import {
|
||||||
DataProviderInterface,
|
DataProviderInterface,
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -18,6 +19,7 @@ import {
|
|||||||
} from '@ghostfolio/common/config';
|
} from '@ghostfolio/common/config';
|
||||||
import { DATE_FORMAT } from '@ghostfolio/common/helper';
|
import { DATE_FORMAT } from '@ghostfolio/common/helper';
|
||||||
import {
|
import {
|
||||||
|
DataProviderGhostfolioAssetProfileResponse,
|
||||||
DataProviderInfo,
|
DataProviderInfo,
|
||||||
DividendsResponse,
|
DividendsResponse,
|
||||||
HistoricalResponse,
|
HistoricalResponse,
|
||||||
@ -46,21 +48,46 @@ export class GhostfolioService implements DataProviderInterface {
|
|||||||
}
|
}
|
||||||
|
|
||||||
public async getAssetProfile({
|
public async getAssetProfile({
|
||||||
|
requestTimeout = this.configurationService.get('REQUEST_TIMEOUT'),
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>> {
|
||||||
symbol: string;
|
let response: DataProviderGhostfolioAssetProfileResponse = {};
|
||||||
}): Promise<Partial<SymbolProfile>> {
|
|
||||||
const { items } = await this.search({ query: symbol });
|
|
||||||
const searchResult = items?.[0];
|
|
||||||
|
|
||||||
return {
|
try {
|
||||||
symbol,
|
const assetProfile = (await fetch(
|
||||||
assetClass: searchResult?.assetClass,
|
`${this.URL}/v1/data-providers/ghostfolio/asset-profile/${symbol}`,
|
||||||
assetSubClass: searchResult?.assetSubClass,
|
{
|
||||||
currency: searchResult?.currency,
|
headers: await this.getRequestHeaders(),
|
||||||
dataSource: this.getName(),
|
signal: AbortSignal.timeout(requestTimeout)
|
||||||
name: searchResult?.name
|
}
|
||||||
};
|
).then((res) =>
|
||||||
|
res.json()
|
||||||
|
)) as DataProviderGhostfolioAssetProfileResponse;
|
||||||
|
|
||||||
|
response = assetProfile;
|
||||||
|
} catch (error) {
|
||||||
|
let message = error;
|
||||||
|
|
||||||
|
if (error.name === 'AbortError') {
|
||||||
|
message = `RequestError: The operation to get the quotes was aborted because the request to the data provider took more than ${(
|
||||||
|
requestTimeout / 1000
|
||||||
|
).toFixed(3)} seconds`;
|
||||||
|
} else if (error.response?.statusCode === StatusCodes.TOO_MANY_REQUESTS) {
|
||||||
|
message = 'RequestError: The daily request limit has been exceeded';
|
||||||
|
} else if (error.response?.statusCode === StatusCodes.UNAUTHORIZED) {
|
||||||
|
if (!error.request?.options?.headers?.authorization?.includes('-')) {
|
||||||
|
message =
|
||||||
|
'RequestError: The provided API key is invalid. Please update it in the Settings section of the Admin Control panel.';
|
||||||
|
} else {
|
||||||
|
message =
|
||||||
|
'RequestError: The provided API key has expired. Please request a new one and update it in the Settings section of the Admin Control panel.';
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Logger.error(message, 'GhostfolioService');
|
||||||
|
}
|
||||||
|
|
||||||
|
return response;
|
||||||
}
|
}
|
||||||
|
|
||||||
public getDataProviderInfo(): DataProviderInfo {
|
public getDataProviderInfo(): DataProviderInfo {
|
||||||
@ -203,7 +230,7 @@ export class GhostfolioService implements DataProviderInterface {
|
|||||||
|
|
||||||
if (error.name === 'AbortError') {
|
if (error.name === 'AbortError') {
|
||||||
message = `RequestError: The operation to get the quotes was aborted because the request to the data provider took more than ${(
|
message = `RequestError: The operation to get the quotes was aborted because the request to the data provider took more than ${(
|
||||||
this.configurationService.get('REQUEST_TIMEOUT') / 1000
|
requestTimeout / 1000
|
||||||
).toFixed(3)} seconds`;
|
).toFixed(3)} seconds`;
|
||||||
} else if (error.response?.statusCode === StatusCodes.TOO_MANY_REQUESTS) {
|
} else if (error.response?.statusCode === StatusCodes.TOO_MANY_REQUESTS) {
|
||||||
message = 'RequestError: The daily request limit has been exceeded';
|
message = 'RequestError: The daily request limit has been exceeded';
|
||||||
@ -224,10 +251,13 @@ export class GhostfolioService implements DataProviderInterface {
|
|||||||
}
|
}
|
||||||
|
|
||||||
public getTestSymbol() {
|
public getTestSymbol() {
|
||||||
return 'AAPL.US';
|
return 'AAPL';
|
||||||
}
|
}
|
||||||
|
|
||||||
public async search({ query }: GetSearchParams): Promise<LookupResponse> {
|
public async search({
|
||||||
|
requestTimeout = this.configurationService.get('REQUEST_TIMEOUT'),
|
||||||
|
query
|
||||||
|
}: GetSearchParams): Promise<LookupResponse> {
|
||||||
let searchResult: LookupResponse = { items: [] };
|
let searchResult: LookupResponse = { items: [] };
|
||||||
|
|
||||||
try {
|
try {
|
||||||
@ -235,9 +265,7 @@ export class GhostfolioService implements DataProviderInterface {
|
|||||||
`${this.URL}/v2/data-providers/ghostfolio/lookup?query=${query}`,
|
`${this.URL}/v2/data-providers/ghostfolio/lookup?query=${query}`,
|
||||||
{
|
{
|
||||||
headers: await this.getRequestHeaders(),
|
headers: await this.getRequestHeaders(),
|
||||||
signal: AbortSignal.timeout(
|
signal: AbortSignal.timeout(requestTimeout)
|
||||||
this.configurationService.get('REQUEST_TIMEOUT')
|
|
||||||
)
|
|
||||||
}
|
}
|
||||||
).then((res) => res.json())) as LookupResponse;
|
).then((res) => res.json())) as LookupResponse;
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
@ -245,7 +273,7 @@ export class GhostfolioService implements DataProviderInterface {
|
|||||||
|
|
||||||
if (error.name === 'AbortError') {
|
if (error.name === 'AbortError') {
|
||||||
message = `RequestError: The operation to search for ${query} was aborted because the request to the data provider took more than ${(
|
message = `RequestError: The operation to search for ${query} was aborted because the request to the data provider took more than ${(
|
||||||
this.configurationService.get('REQUEST_TIMEOUT') / 1000
|
requestTimeout / 1000
|
||||||
).toFixed(3)} seconds`;
|
).toFixed(3)} seconds`;
|
||||||
} else if (error.response?.statusCode === StatusCodes.TOO_MANY_REQUESTS) {
|
} else if (error.response?.statusCode === StatusCodes.TOO_MANY_REQUESTS) {
|
||||||
message = 'RequestError: The daily request limit has been exceeded';
|
message = 'RequestError: The daily request limit has been exceeded';
|
||||||
|
@ -1,6 +1,7 @@
|
|||||||
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
||||||
import {
|
import {
|
||||||
DataProviderInterface,
|
DataProviderInterface,
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -37,9 +38,7 @@ export class GoogleSheetsService implements DataProviderInterface {
|
|||||||
|
|
||||||
public async getAssetProfile({
|
public async getAssetProfile({
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>> {
|
||||||
symbol: string;
|
|
||||||
}): Promise<Partial<SymbolProfile>> {
|
|
||||||
return {
|
return {
|
||||||
symbol,
|
symbol,
|
||||||
dataSource: this.getName()
|
dataSource: this.getName()
|
||||||
|
@ -15,9 +15,7 @@ export interface DataProviderInterface {
|
|||||||
|
|
||||||
getAssetProfile({
|
getAssetProfile({
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>>;
|
||||||
symbol: string;
|
|
||||||
}): Promise<Partial<SymbolProfile>>;
|
|
||||||
|
|
||||||
getDataProviderInfo(): DataProviderInfo;
|
getDataProviderInfo(): DataProviderInfo;
|
||||||
|
|
||||||
@ -55,6 +53,11 @@ export interface DataProviderInterface {
|
|||||||
search({ includeIndices, query }: GetSearchParams): Promise<LookupResponse>;
|
search({ includeIndices, query }: GetSearchParams): Promise<LookupResponse>;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export interface GetAssetProfileParams {
|
||||||
|
requestTimeout?: number;
|
||||||
|
symbol: string;
|
||||||
|
}
|
||||||
|
|
||||||
export interface GetDividendsParams {
|
export interface GetDividendsParams {
|
||||||
from: Date;
|
from: Date;
|
||||||
granularity?: Granularity;
|
granularity?: Granularity;
|
||||||
@ -79,5 +82,6 @@ export interface GetQuotesParams {
|
|||||||
export interface GetSearchParams {
|
export interface GetSearchParams {
|
||||||
includeIndices?: boolean;
|
includeIndices?: boolean;
|
||||||
query: string;
|
query: string;
|
||||||
|
requestTimeout?: number;
|
||||||
userId?: string;
|
userId?: string;
|
||||||
}
|
}
|
||||||
|
@ -1,6 +1,7 @@
|
|||||||
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
||||||
import {
|
import {
|
||||||
DataProviderInterface,
|
DataProviderInterface,
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -43,9 +44,7 @@ export class ManualService implements DataProviderInterface {
|
|||||||
|
|
||||||
public async getAssetProfile({
|
public async getAssetProfile({
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>> {
|
||||||
symbol: string;
|
|
||||||
}): Promise<Partial<SymbolProfile>> {
|
|
||||||
const assetProfile: Partial<SymbolProfile> = {
|
const assetProfile: Partial<SymbolProfile> = {
|
||||||
symbol,
|
symbol,
|
||||||
dataSource: this.getName()
|
dataSource: this.getName()
|
||||||
|
@ -1,6 +1,7 @@
|
|||||||
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service';
|
||||||
import {
|
import {
|
||||||
DataProviderInterface,
|
DataProviderInterface,
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -33,9 +34,7 @@ export class RapidApiService implements DataProviderInterface {
|
|||||||
|
|
||||||
public async getAssetProfile({
|
public async getAssetProfile({
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>> {
|
||||||
symbol: string;
|
|
||||||
}): Promise<Partial<SymbolProfile>> {
|
|
||||||
return {
|
return {
|
||||||
symbol,
|
symbol,
|
||||||
dataSource: this.getName()
|
dataSource: this.getName()
|
||||||
|
@ -2,6 +2,7 @@ import { CryptocurrencyService } from '@ghostfolio/api/services/cryptocurrency/c
|
|||||||
import { YahooFinanceDataEnhancerService } from '@ghostfolio/api/services/data-provider/data-enhancer/yahoo-finance/yahoo-finance.service';
|
import { YahooFinanceDataEnhancerService } from '@ghostfolio/api/services/data-provider/data-enhancer/yahoo-finance/yahoo-finance.service';
|
||||||
import {
|
import {
|
||||||
DataProviderInterface,
|
DataProviderInterface,
|
||||||
|
GetAssetProfileParams,
|
||||||
GetDividendsParams,
|
GetDividendsParams,
|
||||||
GetHistoricalParams,
|
GetHistoricalParams,
|
||||||
GetQuotesParams,
|
GetQuotesParams,
|
||||||
@ -43,9 +44,7 @@ export class YahooFinanceService implements DataProviderInterface {
|
|||||||
|
|
||||||
public async getAssetProfile({
|
public async getAssetProfile({
|
||||||
symbol
|
symbol
|
||||||
}: {
|
}: GetAssetProfileParams): Promise<Partial<SymbolProfile>> {
|
||||||
symbol: string;
|
|
||||||
}): Promise<Partial<SymbolProfile>> {
|
|
||||||
return this.yahooFinanceDataEnhancerService.getAssetProfile(symbol);
|
return this.yahooFinanceDataEnhancerService.getAssetProfile(symbol);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -41,6 +41,7 @@ import type { AccountBalancesResponse } from './responses/account-balances-respo
|
|||||||
import type { AiPromptResponse } from './responses/ai-prompt-response.interface';
|
import type { AiPromptResponse } from './responses/ai-prompt-response.interface';
|
||||||
import type { ApiKeyResponse } from './responses/api-key-response.interface';
|
import type { ApiKeyResponse } from './responses/api-key-response.interface';
|
||||||
import type { BenchmarkResponse } from './responses/benchmark-response.interface';
|
import type { BenchmarkResponse } from './responses/benchmark-response.interface';
|
||||||
|
import type { DataProviderGhostfolioAssetProfileResponse } from './responses/data-provider-ghostfolio-asset-profile-response.interface';
|
||||||
import type { DataProviderGhostfolioStatusResponse } from './responses/data-provider-ghostfolio-status-response.interface';
|
import type { DataProviderGhostfolioStatusResponse } from './responses/data-provider-ghostfolio-status-response.interface';
|
||||||
import type { DividendsResponse } from './responses/dividends-response.interface';
|
import type { DividendsResponse } from './responses/dividends-response.interface';
|
||||||
import type { ResponseError } from './responses/errors.interface';
|
import type { ResponseError } from './responses/errors.interface';
|
||||||
@ -83,6 +84,7 @@ export {
|
|||||||
BenchmarkProperty,
|
BenchmarkProperty,
|
||||||
BenchmarkResponse,
|
BenchmarkResponse,
|
||||||
Coupon,
|
Coupon,
|
||||||
|
DataProviderGhostfolioAssetProfileResponse,
|
||||||
DataProviderGhostfolioStatusResponse,
|
DataProviderGhostfolioStatusResponse,
|
||||||
DataProviderInfo,
|
DataProviderInfo,
|
||||||
DividendsResponse,
|
DividendsResponse,
|
||||||
|
@ -0,0 +1,4 @@
|
|||||||
|
import { SymbolProfile } from '@prisma/client';
|
||||||
|
|
||||||
|
export interface DataProviderGhostfolioAssetProfileResponse
|
||||||
|
extends Partial<SymbolProfile> {}
|
4
package-lock.json
generated
4
package-lock.json
generated
@ -1,12 +1,12 @@
|
|||||||
{
|
{
|
||||||
"name": "ghostfolio",
|
"name": "ghostfolio",
|
||||||
"version": "2.145.0",
|
"version": "2.145.1",
|
||||||
"lockfileVersion": 3,
|
"lockfileVersion": 3,
|
||||||
"requires": true,
|
"requires": true,
|
||||||
"packages": {
|
"packages": {
|
||||||
"": {
|
"": {
|
||||||
"name": "ghostfolio",
|
"name": "ghostfolio",
|
||||||
"version": "2.145.0",
|
"version": "2.145.1",
|
||||||
"hasInstallScript": true,
|
"hasInstallScript": true,
|
||||||
"license": "AGPL-3.0",
|
"license": "AGPL-3.0",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
|
@ -1,6 +1,6 @@
|
|||||||
{
|
{
|
||||||
"name": "ghostfolio",
|
"name": "ghostfolio",
|
||||||
"version": "2.145.0",
|
"version": "2.145.1",
|
||||||
"homepage": "https://ghostfol.io",
|
"homepage": "https://ghostfol.io",
|
||||||
"license": "AGPL-3.0",
|
"license": "AGPL-3.0",
|
||||||
"repository": "https://github.com/ghostfolio/ghostfolio",
|
"repository": "https://github.com/ghostfolio/ghostfolio",
|
||||||
|
Loading…
x
Reference in New Issue
Block a user