From 5719d9b9151ab4c6348841bfac0ef22bde536b3d Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Fri, 29 Aug 2025 19:46:44 +0200 Subject: [PATCH 01/26] Feature/upgrade chart.js to version 4.5.0 (#5397) * Upgrade chart.js to version 4.5.0 * Update changelog --- CHANGELOG.md | 1 + package-lock.json | 8 ++++---- package.json | 2 +- 3 files changed, 6 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 399d2a07c..da274d2ff 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Changed - Refactored the _ZEN_ page to standalone +- Upgraded `chart.js` from version `4.4.9` to `4.5.0` ## 2.194.0 - 2025-08-27 diff --git a/package-lock.json b/package-lock.json index 80cddc76d..974264de7 100644 --- a/package-lock.json +++ b/package-lock.json @@ -53,7 +53,7 @@ "big.js": "7.0.1", "bootstrap": "4.6.2", "bull": "4.16.5", - "chart.js": "4.4.9", + "chart.js": "4.5.0", "chartjs-adapter-date-fns": "3.0.0", "chartjs-chart-treemap": "3.1.0", "chartjs-plugin-annotation": "3.1.0", @@ -16235,9 +16235,9 @@ "license": "MIT" }, "node_modules/chart.js": { - "version": "4.4.9", - "resolved": "https://registry.npmjs.org/chart.js/-/chart.js-4.4.9.tgz", - "integrity": "sha512-EyZ9wWKgpAU0fLJ43YAEIF8sr5F2W3LqbS40ZJyHIner2lY14ufqv2VMp69MAiZ2rpwxEUxEhIH/0U3xyRynxg==", + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/chart.js/-/chart.js-4.5.0.tgz", + "integrity": "sha512-aYeC/jDgSEx8SHWZvANYMioYMZ2KX02W6f6uVfyteuCGcadDLcYVHdfdygsTQkQ4TKn5lghoojAsPj5pu0SnvQ==", "license": "MIT", "dependencies": { "@kurkle/color": "^0.3.0" diff --git a/package.json b/package.json index cf7153afc..e773df354 100644 --- a/package.json +++ b/package.json @@ -99,7 +99,7 @@ "big.js": "7.0.1", "bootstrap": "4.6.2", "bull": "4.16.5", - "chart.js": "4.4.9", + "chart.js": "4.5.0", "chartjs-adapter-date-fns": "3.0.0", "chartjs-chart-treemap": "3.1.0", "chartjs-plugin-annotation": "3.1.0", From f3fb12330921ab8271000670855725ee91a10512 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Fri, 29 Aug 2025 19:47:14 +0200 Subject: [PATCH 02/26] Feature/improve various functions of data providers (#5418) * Improve various functions of data providers * Reuse request timeout * Handle exception in getQuotes() of FinancialModelingPrepService * Update changelog --- CHANGELOG.md | 5 ++++ .../coingecko/coingecko.service.ts | 9 +++--- .../eod-historical-data.service.ts | 29 +++++++++++++------ .../financial-modeling-prep.service.ts | 18 ++++++++---- .../ghostfolio/ghostfolio.service.ts | 4 +-- 5 files changed, 44 insertions(+), 21 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index da274d2ff..c756f4e6f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,9 +9,14 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Changed +- Reused the request timeout in various functions of the data providers - Refactored the _ZEN_ page to standalone - Upgraded `chart.js` from version `4.4.9` to `4.5.0` +### Fixed + +- Handled an exception in the get quotes functionality of the _Financial Modeling Prep_ service + ## 2.194.0 - 2025-08-27 ### Added diff --git a/apps/api/src/services/data-provider/coingecko/coingecko.service.ts b/apps/api/src/services/data-provider/coingecko/coingecko.service.ts index 8a3adb507..561d7d6db 100644 --- a/apps/api/src/services/data-provider/coingecko/coingecko.service.ts +++ b/apps/api/src/services/data-provider/coingecko/coingecko.service.ts @@ -214,15 +214,16 @@ export class CoinGeckoService implements DataProviderInterface { return 'bitcoin'; } - public async search({ query }: GetSearchParams): Promise { + public async search({ + query, + requestTimeout = this.configurationService.get('REQUEST_TIMEOUT') + }: GetSearchParams): Promise { let items: LookupItem[] = []; try { const { coins } = await fetch(`${this.apiUrl}/search?query=${query}`, { headers: this.headers, - signal: AbortSignal.timeout( - this.configurationService.get('REQUEST_TIMEOUT') - ) + signal: AbortSignal.timeout(requestTimeout) }).then((res) => res.json()); items = coins.map(({ id: symbol, name }) => { diff --git a/apps/api/src/services/data-provider/eod-historical-data/eod-historical-data.service.ts b/apps/api/src/services/data-provider/eod-historical-data/eod-historical-data.service.ts index 58b4d0d3e..c18ec193f 100644 --- a/apps/api/src/services/data-provider/eod-historical-data/eod-historical-data.service.ts +++ b/apps/api/src/services/data-provider/eod-historical-data/eod-historical-data.service.ts @@ -51,9 +51,13 @@ export class EodHistoricalDataService implements DataProviderInterface { } public async getAssetProfile({ + requestTimeout = this.configurationService.get('REQUEST_TIMEOUT'), symbol }: GetAssetProfileParams): Promise> { - const [searchResult] = await this.getSearchResult(symbol); + const [searchResult] = await this.getSearchResult({ + requestTimeout, + query: symbol + }); if (!searchResult) { return undefined; @@ -304,8 +308,11 @@ export class EodHistoricalDataService implements DataProviderInterface { return 'AAPL.US'; } - public async search({ query }: GetSearchParams): Promise { - const searchResult = await this.getSearchResult(query); + public async search({ + query, + requestTimeout = this.configurationService.get('REQUEST_TIMEOUT') + }: GetSearchParams): Promise { + const searchResult = await this.getSearchResult({ query, requestTimeout }); return { items: searchResult @@ -394,7 +401,13 @@ export class EodHistoricalDataService implements DataProviderInterface { return name; } - private async getSearchResult(aQuery: string) { + private async getSearchResult({ + query, + requestTimeout = this.configurationService.get('REQUEST_TIMEOUT') + }: { + query: string; + requestTimeout?: number; + }) { let searchResult: (LookupItem & { assetClass: AssetClass; assetSubClass: AssetSubClass; @@ -403,11 +416,9 @@ export class EodHistoricalDataService implements DataProviderInterface { try { const response = await fetch( - `${this.URL}/search/${aQuery}?api_token=${this.apiKey}`, + `${this.URL}/search/${query}?api_token=${this.apiKey}`, { - signal: AbortSignal.timeout( - this.configurationService.get('REQUEST_TIMEOUT') - ) + signal: AbortSignal.timeout(requestTimeout) } ).then((res) => res.json()); @@ -433,7 +444,7 @@ export class EodHistoricalDataService implements DataProviderInterface { let message = error; if (['AbortError', 'TimeoutError'].includes(error?.name)) { - message = `RequestError: The operation to search for ${aQuery} 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 ).toFixed(3)} seconds`; } diff --git a/apps/api/src/services/data-provider/financial-modeling-prep/financial-modeling-prep.service.ts b/apps/api/src/services/data-provider/financial-modeling-prep/financial-modeling-prep.service.ts index d1e591d5d..8f52fb779 100644 --- a/apps/api/src/services/data-provider/financial-modeling-prep/financial-modeling-prep.service.ts +++ b/apps/api/src/services/data-provider/financial-modeling-prep/financial-modeling-prep.service.ts @@ -365,8 +365,13 @@ export class FinancialModelingPrepService implements DataProviderInterface { await Promise.all( quotes.map(({ symbol }) => { - return this.getAssetProfile({ symbol }).then(({ currency }) => { - currencyBySymbolMap[symbol] = { currency }; + return this.getAssetProfile({ + requestTimeout, + symbol + }).then((assetProfile) => { + if (assetProfile?.currency) { + currencyBySymbolMap[symbol] = { currency: assetProfile.currency }; + } }); }) ); @@ -411,7 +416,10 @@ export class FinancialModelingPrepService implements DataProviderInterface { return 'AAPL'; } - public async search({ query }: GetSearchParams): Promise { + public async search({ + query, + requestTimeout = this.configurationService.get('REQUEST_TIMEOUT') + }: GetSearchParams): Promise { const assetProfileBySymbolMap: { [symbol: string]: Partial; } = {}; @@ -422,9 +430,7 @@ export class FinancialModelingPrepService implements DataProviderInterface { const result = await fetch( `${this.getUrl({ version: 'stable' })}/search-isin?isin=${query.toUpperCase()}&apikey=${this.apiKey}`, { - signal: AbortSignal.timeout( - this.configurationService.get('REQUEST_TIMEOUT') - ) + signal: AbortSignal.timeout(requestTimeout) } ).then((res) => res.json()); diff --git a/apps/api/src/services/data-provider/ghostfolio/ghostfolio.service.ts b/apps/api/src/services/data-provider/ghostfolio/ghostfolio.service.ts index c4a6996c1..ca8d72827 100644 --- a/apps/api/src/services/data-provider/ghostfolio/ghostfolio.service.ts +++ b/apps/api/src/services/data-provider/ghostfolio/ghostfolio.service.ts @@ -284,8 +284,8 @@ export class GhostfolioService implements DataProviderInterface { } public async search({ - requestTimeout = this.configurationService.get('REQUEST_TIMEOUT'), - query + query, + requestTimeout = this.configurationService.get('REQUEST_TIMEOUT') }: GetSearchParams): Promise { let searchResult: LookupResponse = { items: [] }; From 94ac85003dca6b1ec632be76355d4f54b98226f0 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Fri, 29 Aug 2025 19:58:04 +0200 Subject: [PATCH 03/26] Release 2.195.0 (#5425) --- CHANGELOG.md | 2 +- package-lock.json | 4 ++-- package.json | 2 +- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c756f4e6f..c331117bb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -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/), and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). -## Unreleased +## 2.195.0 - 2025-08-29 ### Changed diff --git a/package-lock.json b/package-lock.json index 974264de7..1b00e37fd 100644 --- a/package-lock.json +++ b/package-lock.json @@ -1,12 +1,12 @@ { "name": "ghostfolio", - "version": "2.194.0", + "version": "2.195.0", "lockfileVersion": 3, "requires": true, "packages": { "": { "name": "ghostfolio", - "version": "2.194.0", + "version": "2.195.0", "hasInstallScript": true, "license": "AGPL-3.0", "dependencies": { diff --git a/package.json b/package.json index e773df354..f0f226555 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "ghostfolio", - "version": "2.194.0", + "version": "2.195.0", "homepage": "https://ghostfol.io", "license": "AGPL-3.0", "repository": "https://github.com/ghostfolio/ghostfolio", From 5246f6da686ce5cea91dc6f33500674bf65339a3 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Sat, 30 Aug 2025 14:59:31 +0200 Subject: [PATCH 04/26] Feature/upgrade yahoo-finance2 to version 3.8.0 (#5426) * Upgrade yahoo-finance2 to version 3.8.0 * Update changelog --- CHANGELOG.md | 6 ++++++ package-lock.json | 11 ++++++----- package.json | 2 +- 3 files changed, 13 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c331117bb..8c8966b25 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,12 @@ 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/), and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). +## Unreleased + +### Changed + +- Upgraded `yahoo-finance2` from version `3.6.4` to `3.8.0` + ## 2.195.0 - 2025-08-29 ### Changed diff --git a/package-lock.json b/package-lock.json index 1b00e37fd..ceae9915f 100644 --- a/package-lock.json +++ b/package-lock.json @@ -93,7 +93,7 @@ "svgmap": "2.12.2", "twitter-api-v2": "1.23.0", "uuid": "11.1.0", - "yahoo-finance2": "3.6.4", + "yahoo-finance2": "3.8.0", "zone.js": "0.15.1" }, "devDependencies": { @@ -40823,18 +40823,19 @@ } }, "node_modules/yahoo-finance2": { - "version": "3.6.4", - "resolved": "https://registry.npmjs.org/yahoo-finance2/-/yahoo-finance2-3.6.4.tgz", - "integrity": "sha512-IoMU8Hb4BEaNPVnamZjRBuorTGDbaaiV/tM/m3KI8dzwrR6BGmeuT40OX+5IqRiSkMlD8g0kAwGi9E4bY3rLvg==", + "version": "3.8.0", + "resolved": "https://registry.npmjs.org/yahoo-finance2/-/yahoo-finance2-3.8.0.tgz", + "integrity": "sha512-em11JOlfSg23wevm4kXs1+A/CoSWD9eg7/hKRU3zKWuPknCfE4NkIhGVb601Nokid+KPE8Q0eoXK4qgLsMIjKA==", "license": "MIT", "dependencies": { "@deno/shim-deno": "~0.18.0", "fetch-mock-cache": "npm:fetch-mock-cache@^2.1.3", + "json-schema": "^0.4.0", "tough-cookie": "npm:tough-cookie@^5.1.1", "tough-cookie-file-store": "npm:tough-cookie-file-store@^2.0.3" }, "bin": { - "yahoo-finance": "bin/yahoo-finance.mjs" + "yahoo-finance": "esm/bin/yahoo-finance.js" }, "engines": { "node": ">=20.0.0" diff --git a/package.json b/package.json index f0f226555..7b58e9c17 100644 --- a/package.json +++ b/package.json @@ -139,7 +139,7 @@ "svgmap": "2.12.2", "twitter-api-v2": "1.23.0", "uuid": "11.1.0", - "yahoo-finance2": "3.6.4", + "yahoo-finance2": "3.8.0", "zone.js": "0.15.1" }, "devDependencies": { From 1704814f8cd524c76f53457284168696f4242e2b Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Sat, 30 Aug 2025 15:06:43 +0200 Subject: [PATCH 05/26] Feature/localize content of about page (#5436) * Localize content of about page * Update changelog --- CHANGELOG.md | 1 + .../about/overview/about-overview-page.html | 126 ++++++++++-------- 2 files changed, 73 insertions(+), 54 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8c8966b25..4e77151f2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,6 +9,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Changed +- Localized the content of the about page - Upgraded `yahoo-finance2` from version `3.6.4` to `3.8.0` ## 2.195.0 - 2025-08-29 diff --git a/apps/client/src/app/pages/about/overview/about-overview-page.html b/apps/client/src/app/pages/about/overview/about-overview-page.html index ce442fe27..8681be23a 100644 --- a/apps/client/src/app/pages/about/overview/about-overview-page.html +++ b/apps/client/src/app/pages/about/overview/about-overview-page.html @@ -6,74 +6,92 @@

- Ghostfolio is a lightweight wealth management application for - individuals to keep track of stocks, ETFs or cryptocurrencies and make - solid, data-driven investment decisions. The source code is fully - available as - open source softwareGhostfolio is a lightweight wealth management application for + individuals to keep track of stocks, ETFs or cryptocurrencies and + make solid, data-driven investment decisions. - (OSS) under the - AGPL-3.0 license + The source code is fully available as + open source software + (OSS) under the + AGPL-3.0 license @if (hasPermissionForStatistics) { - and we share aggregated - key metrics + and we share aggregated + key metrics + of the platform’s performance - of the platform’s performance } - . The project has been initiated by - Thomas KaulThe project has been initiated by + Thomas Kaul + and is driven by the efforts of its + contributors. - and is driven by the efforts of its - contributors. @if (hasPermissionForSubscription) { - Check the system status at - status.ghostfol.io. + + Check the system status at + status.ghostfol.io. }

- If you encounter a bug or would like to suggest an improvement or a - new - feature, please join the - Ghostfolio - Slack - community, post to - @ghostfolio_ + If you encounter a bug or would like to suggest an improvement or a + new + feature, please join the + Ghostfolio + Slack + community, post to + @ghostfolio_ @if (user?.subscription?.type === 'Premium') { - , send an e-mail to - hi@ghostfol.iosend an e-mail to + hi@ghostfol.io } - or start a discussion at - GitHub. + + or start a discussion at + GitHub.

Date: Sat, 30 Aug 2025 15:28:01 +0200 Subject: [PATCH 06/26] Feature/upgrade Stripe dependencies 20250829 (#5429) * Upgrade Stripe dependencies * Update changelog --- CHANGELOG.md | 1 + .../src/app/subscription/subscription.service.ts | 2 +- package-lock.json | 16 ++++++++-------- package.json | 4 ++-- 4 files changed, 12 insertions(+), 11 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4e77151f2..0355218e1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Changed - Localized the content of the about page +- Upgraded the _Stripe_ dependencies - Upgraded `yahoo-finance2` from version `3.6.4` to `3.8.0` ## 2.195.0 - 2025-08-29 diff --git a/apps/api/src/app/subscription/subscription.service.ts b/apps/api/src/app/subscription/subscription.service.ts index 4aa1897a1..9574d17e9 100644 --- a/apps/api/src/app/subscription/subscription.service.ts +++ b/apps/api/src/app/subscription/subscription.service.ts @@ -32,7 +32,7 @@ export class SubscriptionService { this.stripe = new Stripe( this.configurationService.get('STRIPE_SECRET_KEY'), { - apiVersion: '2025-06-30.basil' + apiVersion: '2025-08-27.basil' } ); } diff --git a/package-lock.json b/package-lock.json index ceae9915f..d4b593e28 100644 --- a/package-lock.json +++ b/package-lock.json @@ -47,7 +47,7 @@ "@prisma/client": "6.14.0", "@simplewebauthn/browser": "13.1.0", "@simplewebauthn/server": "13.1.1", - "@stripe/stripe-js": "7.6.1", + "@stripe/stripe-js": "7.9.0", "ai": "4.3.16", "alphavantage": "2.2.0", "big.js": "7.0.1", @@ -89,7 +89,7 @@ "passport-jwt": "4.0.1", "reflect-metadata": "0.2.2", "rxjs": "7.8.1", - "stripe": "18.3.0", + "stripe": "18.5.0", "svgmap": "2.12.2", "twitter-api-v2": "1.23.0", "uuid": "11.1.0", @@ -11924,9 +11924,9 @@ } }, "node_modules/@stripe/stripe-js": { - "version": "7.6.1", - "resolved": "https://registry.npmjs.org/@stripe/stripe-js/-/stripe-js-7.6.1.tgz", - "integrity": "sha512-BUDj5gujbtx53/Cexws0+aPrEBsKAN8ExPf9UfuTCivVU6ug2PjqI0zUeL1jon3795eOLlyqvCDjp6VNknjE0A==", + "version": "7.9.0", + "resolved": "https://registry.npmjs.org/@stripe/stripe-js/-/stripe-js-7.9.0.tgz", + "integrity": "sha512-ggs5k+/0FUJcIgNY08aZTqpBTtbExkJMYMLSMwyucrhtWexVOEY1KJmhBsxf+E/Q15f5rbwBpj+t0t2AW2oCsQ==", "license": "MIT", "engines": { "node": ">=12.16" @@ -37591,9 +37591,9 @@ } }, "node_modules/stripe": { - "version": "18.3.0", - "resolved": "https://registry.npmjs.org/stripe/-/stripe-18.3.0.tgz", - "integrity": "sha512-FkxrTUUcWB4CVN2yzgsfF/YHD6WgYHduaa7VmokCy5TLCgl5UNJkwortxcedrxSavQ8Qfa4Ir4JxcbIYiBsyLg==", + "version": "18.5.0", + "resolved": "https://registry.npmjs.org/stripe/-/stripe-18.5.0.tgz", + "integrity": "sha512-Hp+wFiEQtCB0LlNgcFh5uVyKznpDjzyUZ+CNVEf+I3fhlYvh7rZruIg+jOwzJRCpy0ZTPMjlzm7J2/M2N6d+DA==", "license": "MIT", "dependencies": { "qs": "^6.11.0" diff --git a/package.json b/package.json index 7b58e9c17..555db1ec5 100644 --- a/package.json +++ b/package.json @@ -93,7 +93,7 @@ "@prisma/client": "6.14.0", "@simplewebauthn/browser": "13.1.0", "@simplewebauthn/server": "13.1.1", - "@stripe/stripe-js": "7.6.1", + "@stripe/stripe-js": "7.9.0", "ai": "4.3.16", "alphavantage": "2.2.0", "big.js": "7.0.1", @@ -135,7 +135,7 @@ "passport-jwt": "4.0.1", "reflect-metadata": "0.2.2", "rxjs": "7.8.1", - "stripe": "18.3.0", + "stripe": "18.5.0", "svgmap": "2.12.2", "twitter-api-v2": "1.23.0", "uuid": "11.1.0", From 78c6fb3809b4ae53eff0c00eb9fba413077cad6c Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Sat, 30 Aug 2025 17:38:21 +0200 Subject: [PATCH 07/26] Feature/upgrade ngx-device-detector to version 10.1.0 (#5427) * Upgrade ngx-device-detector to version 10.1.0 * Update changelog --- CHANGELOG.md | 1 + package-lock.json | 8 ++++---- package.json | 2 +- 3 files changed, 6 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0355218e1..b918140f4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -11,6 +11,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 - Localized the content of the about page - Upgraded the _Stripe_ dependencies +- Upgraded `ngx-device-detector` from version `10.0.2` to `10.1.0` - Upgraded `yahoo-finance2` from version `3.6.4` to `3.8.0` ## 2.195.0 - 2025-08-29 diff --git a/package-lock.json b/package-lock.json index d4b593e28..944126c10 100644 --- a/package-lock.json +++ b/package-lock.json @@ -77,7 +77,7 @@ "marked": "15.0.4", "ms": "3.0.0-canary.1", "ng-extract-i18n-merge": "3.0.0", - "ngx-device-detector": "10.0.2", + "ngx-device-detector": "10.1.0", "ngx-markdown": "20.0.0", "ngx-skeleton-loader": "11.2.1", "ngx-stripe": "20.7.0", @@ -31562,9 +31562,9 @@ } }, "node_modules/ngx-device-detector": { - "version": "10.0.2", - "resolved": "https://registry.npmjs.org/ngx-device-detector/-/ngx-device-detector-10.0.2.tgz", - "integrity": "sha512-KLbd2hJtpUT7lRek+9pRUINvxa6yG4YDZ6RKzYmMbIbNpYEPJwXVmszG2fMPq+DarXABdqOYwp7wUQ2DQFgihw==", + "version": "10.1.0", + "resolved": "https://registry.npmjs.org/ngx-device-detector/-/ngx-device-detector-10.1.0.tgz", + "integrity": "sha512-+MrJReetLq9Flp/IoncJYvmnOP8X6vEFK/qR+2PghoqUXwDlyNjh8ujX/nx2SK/5khK2Yr0bj7ICowhXjhgC/w==", "license": "MIT", "dependencies": { "tslib": "^2.6.3" diff --git a/package.json b/package.json index 555db1ec5..f1f566461 100644 --- a/package.json +++ b/package.json @@ -123,7 +123,7 @@ "marked": "15.0.4", "ms": "3.0.0-canary.1", "ng-extract-i18n-merge": "3.0.0", - "ngx-device-detector": "10.0.2", + "ngx-device-detector": "10.1.0", "ngx-markdown": "20.0.0", "ngx-skeleton-loader": "11.2.1", "ngx-stripe": "20.7.0", From 0a996b07a8c1cb6e43fe6b8bb3ba1d9f06322efd Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Sat, 30 Aug 2025 18:24:50 +0200 Subject: [PATCH 08/26] Feature/upgrade ngx-skeleton-loader to version 11.3.0 (#5428) * Upgrade ngx-skeleton-loader to version 11.3.0 * Update changelog --- CHANGELOG.md | 1 + package-lock.json | 8 ++++---- package.json | 2 +- 3 files changed, 6 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b918140f4..c51cadff9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -12,6 +12,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 - Localized the content of the about page - Upgraded the _Stripe_ dependencies - Upgraded `ngx-device-detector` from version `10.0.2` to `10.1.0` +- Upgraded `ngx-skeleton-loader` from version `11.2.1` to `11.3.0` - Upgraded `yahoo-finance2` from version `3.6.4` to `3.8.0` ## 2.195.0 - 2025-08-29 diff --git a/package-lock.json b/package-lock.json index 944126c10..bb0df3845 100644 --- a/package-lock.json +++ b/package-lock.json @@ -79,7 +79,7 @@ "ng-extract-i18n-merge": "3.0.0", "ngx-device-detector": "10.1.0", "ngx-markdown": "20.0.0", - "ngx-skeleton-loader": "11.2.1", + "ngx-skeleton-loader": "11.3.0", "ngx-stripe": "20.7.0", "open-color": "1.9.1", "papaparse": "5.3.1", @@ -31599,9 +31599,9 @@ } }, "node_modules/ngx-skeleton-loader": { - "version": "11.2.1", - "resolved": "https://registry.npmjs.org/ngx-skeleton-loader/-/ngx-skeleton-loader-11.2.1.tgz", - "integrity": "sha512-0YWwQgK3X4trtiLvTv3/CMGxcvjPkUbtTTKJJ2EOHhFuvPf0b+XO1KwguK0Ub9BMHnsqK8xOol0cEoVXyNh64Q==", + "version": "11.3.0", + "resolved": "https://registry.npmjs.org/ngx-skeleton-loader/-/ngx-skeleton-loader-11.3.0.tgz", + "integrity": "sha512-MLm5shgXGiCA1W5NEqct6glBFx2AEgEKbk8pDyY15BsZ2zTGUwa5jw4pe6nJdrCj6xcl/d9oFTinQHrO0q+3RA==", "license": "MIT", "dependencies": { "tslib": "^2.0.0" diff --git a/package.json b/package.json index f1f566461..5cd232a44 100644 --- a/package.json +++ b/package.json @@ -125,7 +125,7 @@ "ng-extract-i18n-merge": "3.0.0", "ngx-device-detector": "10.1.0", "ngx-markdown": "20.0.0", - "ngx-skeleton-loader": "11.2.1", + "ngx-skeleton-loader": "11.3.0", "ngx-stripe": "20.7.0", "open-color": "1.9.1", "papaparse": "5.3.1", From 3048c8e69cfac567d9788cdb767c5dd6dadc1736 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Sat, 30 Aug 2025 19:43:50 +0200 Subject: [PATCH 09/26] Feature/localize content of about page (part 2) (#5437) * Localize content of about page --- .../about/overview/about-overview-page.html | 27 +++++++++---------- 1 file changed, 13 insertions(+), 14 deletions(-) diff --git a/apps/client/src/app/pages/about/overview/about-overview-page.html b/apps/client/src/app/pages/about/overview/about-overview-page.html index 8681be23a..86391af2d 100644 --- a/apps/client/src/app/pages/about/overview/about-overview-page.html +++ b/apps/client/src/app/pages/about/overview/about-overview-page.html @@ -34,26 +34,25 @@ of the platform’s performance } - . + . + The project has been initiated by + + Thomas Kaul + The project has been initiated by - Thomas Kaul - and is driven by the efforts of its + >and is driven by the efforts of its contributors. + >. @if (hasPermissionForSubscription) { - - Check the system status at - status.ghostfol.io. + Check the system status at +   + status.ghostfol.io. }

From c702e826536e304c7b04965c109db6d100d0e1ff Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Sat, 30 Aug 2025 20:14:10 +0200 Subject: [PATCH 10/26] Feature/localize content of about page (part 3) (#5441) * Localize content of about page --- .../about/overview/about-overview-page.html | 42 +++++++++++-------- 1 file changed, 24 insertions(+), 18 deletions(-) diff --git a/apps/client/src/app/pages/about/overview/about-overview-page.html b/apps/client/src/app/pages/about/overview/about-overview-page.html index 86391af2d..cfe753699 100644 --- a/apps/client/src/app/pages/about/overview/about-overview-page.html +++ b/apps/client/src/app/pages/about/overview/about-overview-page.html @@ -36,7 +36,11 @@ } . The project has been initiated by - + Thomas Kaul Check the system status at   - status.ghostfol.io. }

- If you encounter a bug or would like to suggest an improvement or a + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio @@ -74,23 +81,22 @@ > @if (user?.subscription?.type === 'Premium') { - , - send an e-mail to - hi@ghostfol.io, + send an e-mail to +   + hi@ghostfol.io } - - or start a discussion at - GitHub. +   + or start a discussion at +   + GitHub.

Date: Sun, 31 Aug 2025 09:26:39 +0200 Subject: [PATCH 11/26] Feature/update locales (#5391) * Update locales * Update translations * Update changelog --------- Co-authored-by: github-actions[bot] Co-authored-by: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> --- CHANGELOG.md | 1 + apps/client/src/locales/messages.ca.xlf | 350 ++++++++++++++--------- apps/client/src/locales/messages.de.xlf | 352 +++++++++++++++--------- apps/client/src/locales/messages.es.xlf | 350 ++++++++++++++--------- apps/client/src/locales/messages.fr.xlf | 350 ++++++++++++++--------- apps/client/src/locales/messages.it.xlf | 350 ++++++++++++++--------- apps/client/src/locales/messages.nl.xlf | 350 ++++++++++++++--------- apps/client/src/locales/messages.pl.xlf | 350 ++++++++++++++--------- apps/client/src/locales/messages.pt.xlf | 350 ++++++++++++++--------- apps/client/src/locales/messages.tr.xlf | 350 ++++++++++++++--------- apps/client/src/locales/messages.uk.xlf | 350 ++++++++++++++--------- apps/client/src/locales/messages.xlf | 339 ++++++++++++++--------- apps/client/src/locales/messages.zh.xlf | 350 ++++++++++++++--------- 13 files changed, 2667 insertions(+), 1525 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c51cadff9..8fbc5f009 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Changed - Localized the content of the about page +- Improved the language localization for German (`de`) - Upgraded the _Stripe_ dependencies - Upgraded `ngx-device-detector` from version `10.0.2` to `10.1.0` - Upgraded `ngx-skeleton-loader` from version `11.2.1` to `11.3.0` diff --git a/apps/client/src/locales/messages.ca.xlf b/apps/client/src/locales/messages.ca.xlf index 6e5a9b3ea..6240e46ec 100644 --- a/apps/client/src/locales/messages.ca.xlf +++ b/apps/client/src/locales/messages.ca.xlf @@ -42,7 +42,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -339,7 +339,7 @@ Revocar apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -347,7 +347,7 @@ Realment vol revocar aquest accés? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -693,6 +693,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Priority @@ -738,6 +742,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Delete Jobs Aturar Processos @@ -827,7 +839,7 @@ Punts de referència apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -835,7 +847,7 @@ Divises apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -847,7 +859,7 @@ ETFs sense País apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -855,7 +867,7 @@ ETFs sense Sector apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -863,7 +875,7 @@ Filtra per... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -979,7 +991,7 @@ El preu de mercat actual és apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -1078,6 +1090,14 @@ 360 + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 + + Scraper Configuration Configuració del Proveïdor de Dades @@ -1663,7 +1683,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -1671,7 +1691,7 @@ Indonèsia libs/ui/src/lib/i18n.ts - 89 + 90 @@ -1743,7 +1763,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -1759,7 +1779,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -1790,6 +1810,14 @@ 12 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Configura els teus comptes @@ -1911,7 +1939,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -1939,7 +1967,7 @@ Inicieu la sessió amb la identitat d’Internet apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -1947,7 +1975,7 @@ Inicieu la sessió amb Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -1955,7 +1983,7 @@ Manteniu la sessió iniciada apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -2271,7 +2299,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -3043,7 +3071,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -3643,6 +3671,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + Active Users Usuaris actius @@ -3879,6 +3915,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Validating data... S’estan validant les dades... @@ -4068,7 +4112,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -4188,7 +4232,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -4372,7 +4416,7 @@ Riscos del clúster de divises apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -4380,7 +4424,7 @@ Riscos del clúster de comptes apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -4403,8 +4447,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4725,7 +4769,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -4737,7 +4781,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -4780,6 +4824,14 @@ 55 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Fundat @@ -5313,7 +5365,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -5433,7 +5485,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -5493,11 +5545,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -5505,7 +5557,7 @@ Subvenció libs/ui/src/lib/i18n.ts - 18 + 19 @@ -5513,7 +5565,7 @@ Risc Alt libs/ui/src/lib/i18n.ts - 19 + 20 @@ -5521,7 +5573,7 @@ Aquesta activitat ja existeix. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -5529,7 +5581,7 @@ Japó libs/ui/src/lib/i18n.ts - 91 + 92 @@ -5537,7 +5589,7 @@ Risc Baix libs/ui/src/lib/i18n.ts - 21 + 22 @@ -5545,7 +5597,7 @@ Mes libs/ui/src/lib/i18n.ts - 22 + 23 @@ -5553,7 +5605,7 @@ Mesos libs/ui/src/lib/i18n.ts - 23 + 24 @@ -5561,7 +5613,7 @@ Altres libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -5573,7 +5625,7 @@ Predefinit libs/ui/src/lib/i18n.ts - 26 + 27 @@ -5581,7 +5633,7 @@ Provisió de jubilació libs/ui/src/lib/i18n.ts - 27 + 28 @@ -5589,7 +5641,7 @@ Satèl·lit libs/ui/src/lib/i18n.ts - 28 + 29 @@ -5617,7 +5669,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -5629,7 +5681,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -5637,7 +5689,7 @@ Any libs/ui/src/lib/i18n.ts - 31 + 32 @@ -5645,7 +5697,7 @@ Anys libs/ui/src/lib/i18n.ts - 32 + 33 @@ -5657,7 +5709,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -5673,7 +5725,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5681,7 +5733,7 @@ Valuós libs/ui/src/lib/i18n.ts - 40 + 41 @@ -5689,7 +5741,7 @@ Passiu libs/ui/src/lib/i18n.ts - 41 + 42 @@ -5701,7 +5753,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -5713,7 +5765,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -5721,7 +5773,7 @@ Mercaderia libs/ui/src/lib/i18n.ts - 46 + 47 @@ -5733,7 +5785,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -5741,7 +5793,7 @@ Ingressos Fixos libs/ui/src/lib/i18n.ts - 48 + 49 @@ -5753,7 +5805,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5761,7 +5813,7 @@ Immobiliari libs/ui/src/lib/i18n.ts - 50 + 51 @@ -5769,7 +5821,7 @@ Bona libs/ui/src/lib/i18n.ts - 53 + 54 @@ -5777,7 +5829,7 @@ Criptomoneda libs/ui/src/lib/i18n.ts - 56 + 57 @@ -5785,7 +5837,7 @@ ETF libs/ui/src/lib/i18n.ts - 57 + 58 @@ -5793,7 +5845,7 @@ Fons d’inversió libs/ui/src/lib/i18n.ts - 58 + 59 @@ -5801,7 +5853,7 @@ Metall preciós libs/ui/src/lib/i18n.ts - 59 + 60 @@ -5809,7 +5861,7 @@ Capital privat libs/ui/src/lib/i18n.ts - 60 + 61 @@ -5817,7 +5869,7 @@ Acció libs/ui/src/lib/i18n.ts - 61 + 62 @@ -5825,7 +5877,7 @@ Àfrica libs/ui/src/lib/i18n.ts - 68 + 69 @@ -5833,7 +5885,7 @@ Àsia libs/ui/src/lib/i18n.ts - 69 + 70 @@ -5841,7 +5893,7 @@ Europa libs/ui/src/lib/i18n.ts - 70 + 71 @@ -5849,7 +5901,7 @@ Amèrica del Nord libs/ui/src/lib/i18n.ts - 71 + 72 @@ -5857,7 +5909,7 @@ Oceania libs/ui/src/lib/i18n.ts - 72 + 73 @@ -5865,7 +5917,7 @@ Amèrica del Sud libs/ui/src/lib/i18n.ts - 73 + 74 @@ -5873,7 +5925,7 @@ Por extrema libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5881,7 +5933,7 @@ Avarícia extrema libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5889,7 +5941,7 @@ Neutral libs/ui/src/lib/i18n.ts - 109 + 110 @@ -6121,7 +6173,7 @@ Australia libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6129,7 +6181,7 @@ Austria libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6137,7 +6189,7 @@ Belgium libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6145,7 +6197,7 @@ Bulgaria libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6153,7 +6205,7 @@ Canada libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6161,7 +6213,7 @@ Czech Republic libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6169,7 +6221,7 @@ Finland libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6177,7 +6229,7 @@ France libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6185,7 +6237,7 @@ Germany libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6193,7 +6245,7 @@ India libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6201,7 +6253,7 @@ Italy libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6209,7 +6261,7 @@ Netherlands libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6217,7 +6269,7 @@ New Zealand libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6225,7 +6277,7 @@ Poland libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6233,7 +6285,7 @@ Romania libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6241,7 +6293,7 @@ South Africa libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6249,7 +6301,7 @@ Thailand libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6257,7 +6309,7 @@ United States libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6265,7 +6317,7 @@ Error apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6273,7 +6325,7 @@ Deactivate apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6281,7 +6333,7 @@ Activate apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6289,7 +6341,7 @@ Inactive apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6333,7 +6385,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6377,7 +6429,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6389,7 +6441,7 @@ Yes libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6405,7 +6457,7 @@ Copy link to clipboard apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6448,12 +6500,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Customize apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6592,6 +6652,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. Oops! Could not find any assets. @@ -6621,7 +6689,7 @@ Get access to 80’000+ tickers from over 50 exchanges libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6629,7 +6697,7 @@ Ukraine libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6719,7 +6787,7 @@ Economic Market Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6875,7 +6943,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6887,7 +6955,7 @@ Asset Class Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6910,6 +6978,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. Please enter your Ghostfolio API key. @@ -6931,7 +7007,7 @@ Link has been copied to the clipboard apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6939,7 +7015,7 @@ Regional Market Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6947,7 +7023,7 @@ Lazy apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6955,7 +7031,7 @@ Instant apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6995,7 +7071,7 @@ end of day apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7003,7 +7079,7 @@ real-time apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7058,6 +7134,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Copy portfolio data to clipboard for AI prompt @@ -7079,7 +7163,7 @@ Armenia libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7087,7 +7171,7 @@ British Virgin Islands libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7095,7 +7179,7 @@ Singapore libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7179,7 +7263,7 @@ United Kingdom libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7228,7 +7312,7 @@ () is already in use. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7236,7 +7320,7 @@ An error occurred while updating to (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7767,6 +7851,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Stocks @@ -7812,7 +7904,7 @@ Alternative Investment libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7820,7 +7912,7 @@ Collectible libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8176,11 +8268,11 @@ Find Ghostfolio on GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8188,7 +8280,7 @@ Join the Ghostfolio Slack community apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8196,7 +8288,7 @@ Follow Ghostfolio on X (formerly Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8204,7 +8296,11 @@ Send an e-mail apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8212,7 +8308,7 @@ Follow Ghostfolio on LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8220,7 +8316,7 @@ Ghostfolio is an independent & bootstrapped business apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8228,7 +8324,7 @@ Support Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.de.xlf b/apps/client/src/locales/messages.de.xlf index bef98b3b6..882249fc7 100644 --- a/apps/client/src/locales/messages.de.xlf +++ b/apps/client/src/locales/messages.de.xlf @@ -70,7 +70,7 @@ Widerrufen apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -78,7 +78,7 @@ Möchtest du diese Zugangsberechtigung wirklich widerrufen? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -300,6 +300,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -337,6 +341,14 @@ 92 + + and is driven by the efforts of its contributors + und wird durch die Beiträge seiner Mitwirkenden vorangetrieben + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Asset Profiles Anlageprofile @@ -682,7 +694,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -766,7 +778,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -794,7 +806,7 @@ Einloggen mit Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -802,7 +814,7 @@ Einloggen mit Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -810,7 +822,7 @@ Eingeloggt bleiben apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1498,7 +1510,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -1810,7 +1822,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -1941,6 +1953,14 @@ 179 + + or start a discussion at + oder beginne eine Diskussion unter + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Pricing Preise @@ -1961,8 +1981,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -2306,7 +2326,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -2386,7 +2406,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -2426,7 +2446,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -2442,7 +2462,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -2450,7 +2470,7 @@ Filtern nach... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -2654,7 +2674,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -2666,7 +2686,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -2678,7 +2698,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -2686,7 +2706,7 @@ Rohstoff libs/ui/src/lib/i18n.ts - 46 + 47 @@ -2698,7 +2718,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -2706,7 +2726,7 @@ Feste Einkünfte libs/ui/src/lib/i18n.ts - 48 + 49 @@ -2714,7 +2734,7 @@ Immobilien libs/ui/src/lib/i18n.ts - 50 + 51 @@ -2722,7 +2742,7 @@ Anleihe libs/ui/src/lib/i18n.ts - 53 + 54 @@ -2730,7 +2750,7 @@ Kryptowährung libs/ui/src/lib/i18n.ts - 56 + 57 @@ -2738,7 +2758,7 @@ ETF libs/ui/src/lib/i18n.ts - 57 + 58 @@ -2746,7 +2766,7 @@ Investmentfonds libs/ui/src/lib/i18n.ts - 58 + 59 @@ -2754,7 +2774,7 @@ Edelmetall libs/ui/src/lib/i18n.ts - 59 + 60 @@ -2762,7 +2782,7 @@ Privates Beteiligungskapital libs/ui/src/lib/i18n.ts - 60 + 61 @@ -2770,7 +2790,7 @@ Aktie libs/ui/src/lib/i18n.ts - 61 + 62 @@ -2786,11 +2806,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -2798,7 +2818,7 @@ Andere libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -2838,7 +2858,7 @@ Nordamerika libs/ui/src/lib/i18n.ts - 71 + 72 @@ -2846,7 +2866,7 @@ Afrika libs/ui/src/lib/i18n.ts - 68 + 69 @@ -2854,7 +2874,7 @@ Asien libs/ui/src/lib/i18n.ts - 69 + 70 @@ -2862,7 +2882,7 @@ Europa libs/ui/src/lib/i18n.ts - 70 + 71 @@ -2870,7 +2890,7 @@ Ozeanien libs/ui/src/lib/i18n.ts - 72 + 73 @@ -2878,7 +2898,7 @@ Südamerika libs/ui/src/lib/i18n.ts - 73 + 74 @@ -2962,7 +2982,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -2986,7 +3006,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -3126,7 +3146,7 @@ Zuwendung libs/ui/src/lib/i18n.ts - 18 + 19 @@ -3134,7 +3154,7 @@ Höheres Risiko libs/ui/src/lib/i18n.ts - 19 + 20 @@ -3142,7 +3162,7 @@ Geringeres Risiko libs/ui/src/lib/i18n.ts - 21 + 22 @@ -3150,7 +3170,7 @@ Altersvorsorge libs/ui/src/lib/i18n.ts - 27 + 28 @@ -3158,7 +3178,7 @@ Satellit libs/ui/src/lib/i18n.ts - 28 + 29 @@ -3442,7 +3462,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -3742,7 +3762,7 @@ Diese Aktivität existiert bereits. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -3822,7 +3842,7 @@ Monate libs/ui/src/lib/i18n.ts - 23 + 24 @@ -3830,7 +3850,7 @@ Jahre libs/ui/src/lib/i18n.ts - 32 + 33 @@ -3838,7 +3858,7 @@ Monat libs/ui/src/lib/i18n.ts - 22 + 23 @@ -3846,7 +3866,7 @@ Jahr libs/ui/src/lib/i18n.ts - 31 + 32 @@ -3986,7 +4006,15 @@ Verbindlichkeit libs/ui/src/lib/i18n.ts - 41 + 42 + + + + and we share aggregated key metrics of the platform’s performance + und wir veröffentlichen aggregierte Kennzahlen zur Performance der Plattform + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 @@ -4025,6 +4053,14 @@ 5 + + Website of Thomas Kaul + Website von Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Gegründet @@ -4206,7 +4242,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -4214,7 +4250,7 @@ Wertsache libs/ui/src/lib/i18n.ts - 40 + 41 @@ -4222,7 +4258,7 @@ ETFs ohne Länder apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -4230,7 +4266,7 @@ ETFs ohne Sektoren apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -4246,7 +4282,7 @@ Filtervorlage libs/ui/src/lib/i18n.ts - 26 + 27 @@ -4270,7 +4306,7 @@ Japan libs/ui/src/lib/i18n.ts - 91 + 92 @@ -4281,6 +4317,14 @@ 11 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + Der Quellcode ist vollständig als Open-Source-Software (OSS) unter der AGPL-3.0-Lizenz verfügbar + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Konten einrichten @@ -4442,7 +4486,7 @@ Währungen apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -5012,7 +5056,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -5024,7 +5068,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -5035,6 +5079,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + (Last 30 days) (Letzte 30 Tage) @@ -5100,7 +5152,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5148,7 +5200,7 @@ Währungsklumpenrisiken apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -5156,7 +5208,7 @@ Kontoklumpenrisiken apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -5316,7 +5368,7 @@ Extreme Angst libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5324,7 +5376,7 @@ Extreme Gier libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5332,7 +5384,7 @@ Neutral libs/ui/src/lib/i18n.ts - 109 + 110 @@ -5408,7 +5460,7 @@ Der aktuelle Marktpreis ist apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -5464,7 +5516,7 @@ Argentinien libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5765,7 +5817,7 @@ Indonesien libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5817,7 +5869,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5870,7 +5922,7 @@ Close Account - Konto schliessen + Konto schliessen apps/client/src/app/components/user-account-settings/user-account-settings.html 307 @@ -5921,7 +5973,7 @@ Benchmarks apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -6145,7 +6197,7 @@ Australien libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6153,7 +6205,7 @@ Österreich libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6161,7 +6213,7 @@ Belgien libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6169,7 +6221,7 @@ Bulgarien libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6177,7 +6229,7 @@ Kanada libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6185,7 +6237,7 @@ Tschechien libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6193,7 +6245,7 @@ Finnland libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6201,7 +6253,7 @@ Frankreich libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6209,7 +6261,7 @@ Deutschland libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6217,7 +6269,7 @@ Indien libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6225,7 +6277,7 @@ Italien libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6233,7 +6285,7 @@ Niederlande libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6241,7 +6293,7 @@ Neuseeland libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6249,7 +6301,7 @@ Polen libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6257,7 +6309,7 @@ Rumänien libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6265,7 +6317,7 @@ Südafrika libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6273,7 +6325,7 @@ Thailand libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6281,7 +6333,7 @@ USA libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6289,7 +6341,7 @@ Fehler apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6297,7 +6349,7 @@ Deaktivieren apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6305,7 +6357,7 @@ Aktivieren apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6313,7 +6365,7 @@ Inaktiv apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6357,7 +6409,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6401,7 +6453,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6413,7 +6465,7 @@ Ja libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6429,7 +6481,7 @@ Link in die Zwischenablage kopieren apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6472,12 +6524,20 @@ 92 + + send an e-mail to + sende eine E-Mail an + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Anpassen apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6616,6 +6676,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio ist eine leichtgewichtige Vermögensverwaltungsanwendung für Privatpersonen, um Aktien, ETFs oder Kryptowährungen im Blick zu behalten und fundierte, datengestützte Anlageentscheidungen zu treffen. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. Ups! Es konnten leider keine Assets gefunden werden. @@ -6645,7 +6713,7 @@ Erhalte Zugang zu 80’000+ Tickern von über 50 Handelsplätzen libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6653,7 +6721,7 @@ Ukraine libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6743,7 +6811,7 @@ Wirtschaftsraumklumpenrisiken apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6899,7 +6967,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6911,7 +6979,7 @@ Anlageklasseklumpenrisiken apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6934,6 +7002,14 @@ 53 + + Check the system status at + Prüfe den Systemstatus unter + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. Bitte gebe deinen Ghostfolio API-Schlüssel ein. @@ -6955,7 +7031,7 @@ Link wurde in die Zwischenablage kopiert apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6963,7 +7039,7 @@ Regionale Marktklumpenrisiken apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6971,7 +7047,7 @@ Verzögert apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6979,7 +7055,7 @@ Sofort apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7019,7 +7095,7 @@ Tagesende apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7027,7 +7103,7 @@ in Echtzeit apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7082,6 +7158,14 @@ 380 + + The project has been initiated by + Das Projekt wurde initiiert von + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Kopiere Portfolio-Daten in die Zwischenablage für KI-Anweisung @@ -7103,7 +7187,7 @@ Armenien libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7111,7 +7195,7 @@ Britische Jungferninseln libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7119,7 +7203,7 @@ Singapur libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7203,7 +7287,7 @@ Vereinigtes Königreich libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7252,7 +7336,7 @@ () wird bereits verwendet. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7260,7 +7344,7 @@ Bei der Änderung zu () ist ein Fehler aufgetreten. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7767,6 +7851,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + Wenn du einen Fehler feststellst oder eine Verbesserung bzw. ein neues Feature vorschlagen möchtest, tritt der Ghostfolio Slack Community bei oder poste an @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Aktien @@ -7812,7 +7904,7 @@ Alternative Investition libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7820,7 +7912,7 @@ Sammlerobjekt libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8176,11 +8268,11 @@ Finde Ghostfolio auf GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8188,7 +8280,7 @@ Tritt der Ghostfolio Slack Community bei apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8196,7 +8288,7 @@ Folge Ghostfolio auf X (ehemals Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8204,7 +8296,11 @@ E-Mail senden apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8212,7 +8308,7 @@ Folge Ghostfolio auf LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8220,7 +8316,7 @@ Ghostfolio ist ein unabhängiges & selbstfinanziertes Unternehmen apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8228,7 +8324,7 @@ Unterstütze Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.es.xlf b/apps/client/src/locales/messages.es.xlf index 3f2fb0a0b..94884faa6 100644 --- a/apps/client/src/locales/messages.es.xlf +++ b/apps/client/src/locales/messages.es.xlf @@ -71,7 +71,7 @@ Revoca apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -79,7 +79,7 @@ ¿Quieres revocar el acceso concedido? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -301,6 +301,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -338,6 +342,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Asset Profiles Perfiles de activos. @@ -667,7 +679,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -751,7 +763,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -779,7 +791,7 @@ Iniciar sesión con Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -787,7 +799,7 @@ Iniciar sesión con Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -795,7 +807,7 @@ Seguir conectado apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1483,7 +1495,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -1795,7 +1807,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -1926,6 +1938,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Pricing Precios @@ -1946,8 +1966,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -2247,7 +2267,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -2363,7 +2383,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -2411,7 +2431,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -2427,7 +2447,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -2435,7 +2455,7 @@ Filtrar por... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -2639,7 +2659,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -2651,7 +2671,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -2663,7 +2683,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -2671,7 +2691,7 @@ Bien libs/ui/src/lib/i18n.ts - 46 + 47 @@ -2683,7 +2703,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -2691,7 +2711,7 @@ Renta fija libs/ui/src/lib/i18n.ts - 48 + 49 @@ -2699,7 +2719,7 @@ Propiedad inmobiliaria libs/ui/src/lib/i18n.ts - 50 + 51 @@ -2707,7 +2727,7 @@ Bono libs/ui/src/lib/i18n.ts - 53 + 54 @@ -2715,7 +2735,7 @@ Criptomoneda libs/ui/src/lib/i18n.ts - 56 + 57 @@ -2723,7 +2743,7 @@ ETF libs/ui/src/lib/i18n.ts - 57 + 58 @@ -2731,7 +2751,7 @@ Fondo de inversión libs/ui/src/lib/i18n.ts - 58 + 59 @@ -2739,7 +2759,7 @@ Metal precioso libs/ui/src/lib/i18n.ts - 59 + 60 @@ -2747,7 +2767,7 @@ Capital riesgo libs/ui/src/lib/i18n.ts - 60 + 61 @@ -2755,7 +2775,7 @@ Acción libs/ui/src/lib/i18n.ts - 61 + 62 @@ -2771,11 +2791,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -2783,7 +2803,7 @@ Otros libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -2823,7 +2843,7 @@ América del Norte libs/ui/src/lib/i18n.ts - 71 + 72 @@ -2831,7 +2851,7 @@ África libs/ui/src/lib/i18n.ts - 68 + 69 @@ -2839,7 +2859,7 @@ Asia libs/ui/src/lib/i18n.ts - 69 + 70 @@ -2847,7 +2867,7 @@ Europa libs/ui/src/lib/i18n.ts - 70 + 71 @@ -2855,7 +2875,7 @@ Oceanía libs/ui/src/lib/i18n.ts - 72 + 73 @@ -2863,7 +2883,7 @@ América del Sur libs/ui/src/lib/i18n.ts - 73 + 74 @@ -2939,7 +2959,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -2971,7 +2991,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -3111,7 +3131,7 @@ Conceder libs/ui/src/lib/i18n.ts - 18 + 19 @@ -3119,7 +3139,7 @@ Riesgo mayor libs/ui/src/lib/i18n.ts - 19 + 20 @@ -3127,7 +3147,7 @@ Menor riesgo libs/ui/src/lib/i18n.ts - 21 + 22 @@ -3135,7 +3155,7 @@ Provisión de jubilación libs/ui/src/lib/i18n.ts - 27 + 28 @@ -3143,7 +3163,7 @@ Satélite libs/ui/src/lib/i18n.ts - 28 + 29 @@ -3427,7 +3447,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -3719,7 +3739,7 @@ Esta actividad ya existe. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -3799,7 +3819,7 @@ Meses libs/ui/src/lib/i18n.ts - 23 + 24 @@ -3807,7 +3827,7 @@ Años libs/ui/src/lib/i18n.ts - 32 + 33 @@ -3815,7 +3835,7 @@ Mes libs/ui/src/lib/i18n.ts - 22 + 23 @@ -3823,7 +3843,7 @@ Año libs/ui/src/lib/i18n.ts - 31 + 32 @@ -3963,7 +3983,15 @@ Responsabilidad libs/ui/src/lib/i18n.ts - 41 + 42 + + + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 @@ -4002,6 +4030,14 @@ 5 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Fundada @@ -4183,7 +4219,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -4191,7 +4227,7 @@ Valioso libs/ui/src/lib/i18n.ts - 40 + 41 @@ -4199,7 +4235,7 @@ ETFs sin países apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -4207,7 +4243,7 @@ ETFs sin sectores apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -4223,7 +4259,7 @@ Preestablecido libs/ui/src/lib/i18n.ts - 26 + 27 @@ -4247,7 +4283,7 @@ Japón libs/ui/src/lib/i18n.ts - 91 + 92 @@ -4258,6 +4294,14 @@ 11 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Configura tus cuentas @@ -4419,7 +4463,7 @@ Monedas apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -4989,7 +5033,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -5001,7 +5045,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -5012,6 +5056,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + (Last 30 days) (Últimos 30 días) @@ -5077,7 +5129,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5125,7 +5177,7 @@ Riesgos de clúster de divisas apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -5133,7 +5185,7 @@ Riesgos de clúster de cuentas apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -5293,7 +5345,7 @@ Miedo extremo libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5301,7 +5353,7 @@ Avaricia extrema libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5309,7 +5361,7 @@ Neutral libs/ui/src/lib/i18n.ts - 109 + 110 @@ -5385,7 +5437,7 @@ El precio actual de mercado es apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -5441,7 +5493,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5742,7 +5794,7 @@ Indonesia libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5794,7 +5846,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5898,7 +5950,7 @@ Puntos de referencia apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -6122,7 +6174,7 @@ Australia libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6130,7 +6182,7 @@ Austria libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6138,7 +6190,7 @@ Bélgica libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6146,7 +6198,7 @@ Bulgaria libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6154,7 +6206,7 @@ Canadá libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6162,7 +6214,7 @@ República Checa libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6170,7 +6222,7 @@ Finlandia libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6178,7 +6230,7 @@ Francia libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6186,7 +6238,7 @@ Alemania libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6194,7 +6246,7 @@ India libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6202,7 +6254,7 @@ Italia libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6210,7 +6262,7 @@ Países Bajos libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6218,7 +6270,7 @@ Nueva Zelanda libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6226,7 +6278,7 @@ Polonia libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6234,7 +6286,7 @@ Rumanía libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6242,7 +6294,7 @@ Sudáfrica libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6250,7 +6302,7 @@ Tailandia libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6258,7 +6310,7 @@ Estados Unidos libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6266,7 +6318,7 @@ Error apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6274,7 +6326,7 @@ Desactivar apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6282,7 +6334,7 @@ Activar apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6290,7 +6342,7 @@ Inactiva apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6334,7 +6386,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6378,7 +6430,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6390,7 +6442,7 @@ libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6406,7 +6458,7 @@ Copiar enlace al portapapeles apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6449,12 +6501,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Personalizar apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6593,6 +6653,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. ¡Ups! No se pudieron encontrar activos. @@ -6622,7 +6690,7 @@ Accede a más de 80’000 tickers de más de 50 bolsas libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6630,7 +6698,7 @@ Ucrania libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6720,7 +6788,7 @@ Riesgos de clúster del mercado económico apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6876,7 +6944,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6888,7 +6956,7 @@ Riesgos del grupo de clases de activos apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6911,6 +6979,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. Por favor, ingresa tu clave API de Ghostfolio. @@ -6932,7 +7008,7 @@ El enlace ha sido copiado al portapapeles apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6940,7 +7016,7 @@ Riesgos del mercado regional agrupados apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6948,7 +7024,7 @@ Perezoso apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6956,7 +7032,7 @@ Instantáneo apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6996,7 +7072,7 @@ final del día apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7004,7 +7080,7 @@ en tiempo real apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7059,6 +7135,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Copiar los datos del portafolio al portapapeles para el aviso de IA @@ -7080,7 +7164,7 @@ Armenia libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7088,7 +7172,7 @@ Islas Vírgenes Británicas libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7096,7 +7180,7 @@ Singapur libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7180,7 +7264,7 @@ Reino Unido libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7229,7 +7313,7 @@ () ya está en uso. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7237,7 +7321,7 @@ Ocurrió un error al actualizar a (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7768,6 +7852,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Acciones @@ -7813,7 +7905,7 @@ Inversión alternativa libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7821,7 +7913,7 @@ Coleccionable libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8177,11 +8269,11 @@ Encuentra Ghostfolio en GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8189,7 +8281,7 @@ Únete a la comunidad de Ghostfolio Slack apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8197,7 +8289,7 @@ Siga a Ghostfolio en X (anteriormente Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8205,7 +8297,11 @@ Enviar un correo electrónico apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8213,7 +8309,7 @@ Siga a Ghostfolio en LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8221,7 +8317,7 @@ Ghostfolio es una empresa independiente y autónoma apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8229,7 +8325,7 @@ Soporte Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.fr.xlf b/apps/client/src/locales/messages.fr.xlf index db30d79cb..4dd1a96e4 100644 --- a/apps/client/src/locales/messages.fr.xlf +++ b/apps/client/src/locales/messages.fr.xlf @@ -62,7 +62,7 @@ Révoquer apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -70,7 +70,7 @@ Voulez-vous vraiment révoquer cet accès ? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -348,6 +348,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -385,6 +389,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Delete Jobs Supprimer Tâches @@ -486,7 +498,7 @@ Filtrer par... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -914,7 +926,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -962,7 +974,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -978,7 +990,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -1046,7 +1058,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -1074,7 +1086,7 @@ Se connecter avec Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -1082,7 +1094,7 @@ Se connecter avec Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -1090,7 +1102,7 @@ Rester connecté apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1786,7 +1798,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -1970,7 +1982,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -2021,6 +2033,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Validating data... Validation des données... @@ -2166,7 +2186,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -2246,7 +2266,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -2357,8 +2377,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -2662,7 +2682,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -2774,7 +2794,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -2794,11 +2814,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -2806,7 +2826,7 @@ Autre libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -2838,7 +2858,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -2850,7 +2870,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -2862,7 +2882,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -2870,7 +2890,7 @@ Marchandise libs/ui/src/lib/i18n.ts - 46 + 47 @@ -2882,7 +2902,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -2890,7 +2910,7 @@ Revenu Fixe libs/ui/src/lib/i18n.ts - 48 + 49 @@ -2898,7 +2918,7 @@ Immobilier libs/ui/src/lib/i18n.ts - 50 + 51 @@ -2906,7 +2926,7 @@ Obligation libs/ui/src/lib/i18n.ts - 53 + 54 @@ -2914,7 +2934,7 @@ Cryptomonnaie libs/ui/src/lib/i18n.ts - 56 + 57 @@ -2922,7 +2942,7 @@ ETF libs/ui/src/lib/i18n.ts - 57 + 58 @@ -2930,7 +2950,7 @@ SICAV libs/ui/src/lib/i18n.ts - 58 + 59 @@ -2938,7 +2958,7 @@ Métal Précieux libs/ui/src/lib/i18n.ts - 59 + 60 @@ -2946,7 +2966,7 @@ Capital Propre libs/ui/src/lib/i18n.ts - 60 + 61 @@ -2954,7 +2974,7 @@ Action libs/ui/src/lib/i18n.ts - 61 + 62 @@ -2962,7 +2982,7 @@ Afrique libs/ui/src/lib/i18n.ts - 68 + 69 @@ -2970,7 +2990,7 @@ Asie libs/ui/src/lib/i18n.ts - 69 + 70 @@ -2978,7 +2998,7 @@ Europe libs/ui/src/lib/i18n.ts - 70 + 71 @@ -2986,7 +3006,7 @@ Amérique du Nord libs/ui/src/lib/i18n.ts - 71 + 72 @@ -2994,7 +3014,7 @@ Océanie libs/ui/src/lib/i18n.ts - 72 + 73 @@ -3002,7 +3022,7 @@ Amérique du Sud libs/ui/src/lib/i18n.ts - 73 + 74 @@ -3110,7 +3130,7 @@ Donner libs/ui/src/lib/i18n.ts - 18 + 19 @@ -3118,7 +3138,7 @@ Risque élevé libs/ui/src/lib/i18n.ts - 19 + 20 @@ -3126,7 +3146,7 @@ Risque faible libs/ui/src/lib/i18n.ts - 21 + 22 @@ -3134,7 +3154,7 @@ Réserve pour retraite libs/ui/src/lib/i18n.ts - 27 + 28 @@ -3142,7 +3162,7 @@ Satellite libs/ui/src/lib/i18n.ts - 28 + 29 @@ -3426,7 +3446,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -3718,7 +3738,7 @@ Cette activité existe déjà. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -3798,7 +3818,7 @@ Mois libs/ui/src/lib/i18n.ts - 23 + 24 @@ -3806,7 +3826,7 @@ Années libs/ui/src/lib/i18n.ts - 32 + 33 @@ -3814,7 +3834,7 @@ Mois libs/ui/src/lib/i18n.ts - 22 + 23 @@ -3822,7 +3842,7 @@ Année libs/ui/src/lib/i18n.ts - 31 + 32 @@ -3962,7 +3982,15 @@ Dette libs/ui/src/lib/i18n.ts - 41 + 42 + + + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 @@ -4001,6 +4029,14 @@ 5 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Fondée @@ -4182,7 +4218,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -4190,7 +4226,7 @@ Actifs libs/ui/src/lib/i18n.ts - 40 + 41 @@ -4198,7 +4234,7 @@ ETF sans Pays apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -4206,7 +4242,7 @@ ETF sans Secteurs apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -4222,7 +4258,7 @@ Configuration par défaut libs/ui/src/lib/i18n.ts - 26 + 27 @@ -4246,7 +4282,7 @@ Japon libs/ui/src/lib/i18n.ts - 91 + 92 @@ -4257,6 +4293,14 @@ 11 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Configurer votre compte @@ -4418,7 +4462,7 @@ Devises apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -4988,7 +5032,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -5000,7 +5044,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -5011,6 +5055,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + (Last 30 days) (Derniers 30 jours) @@ -5076,7 +5128,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5124,7 +5176,7 @@ Risques de change apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -5132,7 +5184,7 @@ Risques liés aux regroupements de comptes apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -5292,7 +5344,7 @@ Extreme Peur libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5300,7 +5352,7 @@ Extreme Cupidité libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5308,7 +5360,7 @@ Neutre libs/ui/src/lib/i18n.ts - 109 + 110 @@ -5384,7 +5436,7 @@ Le prix actuel du marché est apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -5440,7 +5492,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5741,7 +5793,7 @@ Indonesia libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5793,7 +5845,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5897,7 +5949,7 @@ Benchmarks apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -6121,7 +6173,7 @@ Australie libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6129,7 +6181,7 @@ Autriche libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6137,7 +6189,7 @@ Belgique libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6145,7 +6197,7 @@ Bulgarie libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6153,7 +6205,7 @@ Canada libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6161,7 +6213,7 @@ République Tchèque libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6169,7 +6221,7 @@ Finlande libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6177,7 +6229,7 @@ France libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6185,7 +6237,7 @@ Allemagne libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6193,7 +6245,7 @@ Inde libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6201,7 +6253,7 @@ Italie libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6209,7 +6261,7 @@ Pays-Bas libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6217,7 +6269,7 @@ Nouvelle-Zélande libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6225,7 +6277,7 @@ Pologne libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6233,7 +6285,7 @@ Roumanie libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6241,7 +6293,7 @@ Afrique du Sud libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6249,7 +6301,7 @@ Thaïlande libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6257,7 +6309,7 @@ Etats-Unis libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6265,7 +6317,7 @@ Erreur apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6273,7 +6325,7 @@ Désactiver apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6281,7 +6333,7 @@ Activer apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6289,7 +6341,7 @@ Inactif apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6333,7 +6385,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6377,7 +6429,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6389,7 +6441,7 @@ Oui libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6405,7 +6457,7 @@ Copier le lien dans le presse-papiers apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6448,12 +6500,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Personnaliser apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6592,6 +6652,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. Oups! Aucun actif n’a été trouvé. @@ -6621,7 +6689,7 @@ Accédez à plus de 80 000 symboles financiers issus de plus de 50 marchés boursiers. libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6629,7 +6697,7 @@ Ukraine libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6719,7 +6787,7 @@ Risques liés aux zones économiques du marché apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6875,7 +6943,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6887,7 +6955,7 @@ Risques liés aux regroupements de classes d’actifs apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6910,6 +6978,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. Veuillez saisir votre clé API Ghostfolio. @@ -6931,7 +7007,7 @@ Le lien a été copié dans le presse-papiers apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6939,7 +7015,7 @@ Risques liés aux regroupements de marchés régionaux apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6947,7 +7023,7 @@ Paresseux apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6955,7 +7031,7 @@ Instantané apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6995,7 +7071,7 @@ fin de journée apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7003,7 +7079,7 @@ temps réel apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7058,6 +7134,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Copier les données du portefeuille dans le presse-papiers pour le prompt IA @@ -7079,7 +7163,7 @@ Arménie libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7087,7 +7171,7 @@ Îles Vierges britanniques libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7095,7 +7179,7 @@ Singapour libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7179,7 +7263,7 @@ Royaume-Uni libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7228,7 +7312,7 @@ () est déjà utilisé. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7236,7 +7320,7 @@ Une erreur s’est produite lors de la mise à jour vers (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7767,6 +7851,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Actions @@ -7812,7 +7904,7 @@ Investissement alternatif libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7820,7 +7912,7 @@ Objet de collection libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8176,11 +8268,11 @@ Find Ghostfolio on GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8188,7 +8280,7 @@ Join the Ghostfolio Slack community apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8196,7 +8288,7 @@ Follow Ghostfolio on X (formerly Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8204,7 +8296,11 @@ Send an e-mail apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8212,7 +8308,7 @@ Follow Ghostfolio on LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8220,7 +8316,7 @@ Ghostfolio is an independent & bootstrapped business apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8228,7 +8324,7 @@ Support Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.it.xlf b/apps/client/src/locales/messages.it.xlf index 9d8bd6e92..928f0d739 100644 --- a/apps/client/src/locales/messages.it.xlf +++ b/apps/client/src/locales/messages.it.xlf @@ -71,7 +71,7 @@ Revoca apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -79,7 +79,7 @@ Vuoi davvero revocare l’accesso concesso? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -301,6 +301,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -338,6 +342,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Asset Profiles Profilo dell’asset @@ -667,7 +679,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -751,7 +763,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -779,7 +791,7 @@ Accedi con Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -787,7 +799,7 @@ Accedi con Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -795,7 +807,7 @@ Rimani connesso apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1483,7 +1495,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -1795,7 +1807,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -1926,6 +1938,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Pricing Prezzi @@ -1946,8 +1966,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -2247,7 +2267,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -2363,7 +2383,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -2411,7 +2431,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -2427,7 +2447,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -2435,7 +2455,7 @@ Filtra per... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -2639,7 +2659,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -2651,7 +2671,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -2663,7 +2683,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -2671,7 +2691,7 @@ Materia prima libs/ui/src/lib/i18n.ts - 46 + 47 @@ -2683,7 +2703,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -2691,7 +2711,7 @@ Reddito fisso libs/ui/src/lib/i18n.ts - 48 + 49 @@ -2699,7 +2719,7 @@ Immobiliare libs/ui/src/lib/i18n.ts - 50 + 51 @@ -2707,7 +2727,7 @@ Obbligazioni libs/ui/src/lib/i18n.ts - 53 + 54 @@ -2715,7 +2735,7 @@ Criptovaluta libs/ui/src/lib/i18n.ts - 56 + 57 @@ -2723,7 +2743,7 @@ ETF libs/ui/src/lib/i18n.ts - 57 + 58 @@ -2731,7 +2751,7 @@ Fondo comune di investimento libs/ui/src/lib/i18n.ts - 58 + 59 @@ -2739,7 +2759,7 @@ Metalli preziosi libs/ui/src/lib/i18n.ts - 59 + 60 @@ -2747,7 +2767,7 @@ Azione ordinaria privata libs/ui/src/lib/i18n.ts - 60 + 61 @@ -2755,7 +2775,7 @@ Azione libs/ui/src/lib/i18n.ts - 61 + 62 @@ -2771,11 +2791,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -2783,7 +2803,7 @@ Altro libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -2823,7 +2843,7 @@ Nord America libs/ui/src/lib/i18n.ts - 71 + 72 @@ -2831,7 +2851,7 @@ Africa libs/ui/src/lib/i18n.ts - 68 + 69 @@ -2839,7 +2859,7 @@ Asia libs/ui/src/lib/i18n.ts - 69 + 70 @@ -2847,7 +2867,7 @@ Europa libs/ui/src/lib/i18n.ts - 70 + 71 @@ -2855,7 +2875,7 @@ Oceania libs/ui/src/lib/i18n.ts - 72 + 73 @@ -2863,7 +2883,7 @@ Sud America libs/ui/src/lib/i18n.ts - 73 + 74 @@ -2939,7 +2959,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -2971,7 +2991,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -3111,7 +3131,7 @@ Sovvenzione libs/ui/src/lib/i18n.ts - 18 + 19 @@ -3119,7 +3139,7 @@ Rischio più elevato libs/ui/src/lib/i18n.ts - 19 + 20 @@ -3127,7 +3147,7 @@ Rischio inferiore libs/ui/src/lib/i18n.ts - 21 + 22 @@ -3135,7 +3155,7 @@ Fondo pensione libs/ui/src/lib/i18n.ts - 27 + 28 @@ -3143,7 +3163,7 @@ Satellite libs/ui/src/lib/i18n.ts - 28 + 29 @@ -3427,7 +3447,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -3719,7 +3739,7 @@ Questa attività esiste già. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -3799,7 +3819,7 @@ Mesi libs/ui/src/lib/i18n.ts - 23 + 24 @@ -3807,7 +3827,7 @@ Anni libs/ui/src/lib/i18n.ts - 32 + 33 @@ -3815,7 +3835,7 @@ Mese libs/ui/src/lib/i18n.ts - 22 + 23 @@ -3823,7 +3843,7 @@ Anno libs/ui/src/lib/i18n.ts - 31 + 32 @@ -3963,7 +3983,15 @@ Passività libs/ui/src/lib/i18n.ts - 41 + 42 + + + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 @@ -4002,6 +4030,14 @@ 5 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Fondato @@ -4183,7 +4219,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -4191,7 +4227,7 @@ Prezioso libs/ui/src/lib/i18n.ts - 40 + 41 @@ -4199,7 +4235,7 @@ ETF senza paesi apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -4207,7 +4243,7 @@ ETF senza settori apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -4223,7 +4259,7 @@ Preimpostato libs/ui/src/lib/i18n.ts - 26 + 27 @@ -4247,7 +4283,7 @@ Giappone libs/ui/src/lib/i18n.ts - 91 + 92 @@ -4258,6 +4294,14 @@ 11 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Configura i tuoi account @@ -4419,7 +4463,7 @@ Valute apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -4989,7 +5033,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -5001,7 +5045,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -5012,6 +5056,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + (Last 30 days) (Ultimi 30 giorni) @@ -5077,7 +5129,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5125,7 +5177,7 @@ Rischio di Concentrazione Valutario apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -5133,7 +5185,7 @@ Rischi di Concentrazione dei Conti apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -5293,7 +5345,7 @@ Paura estrema libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5301,7 +5353,7 @@ Avidità estrema libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5309,7 +5361,7 @@ Neutrale libs/ui/src/lib/i18n.ts - 109 + 110 @@ -5385,7 +5437,7 @@ L’attuale prezzo di mercato è apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -5441,7 +5493,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5742,7 +5794,7 @@ Indonesia libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5794,7 +5846,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5898,7 +5950,7 @@ Benchmarks apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -6122,7 +6174,7 @@ Australia libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6130,7 +6182,7 @@ Austria libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6138,7 +6190,7 @@ Belgio libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6146,7 +6198,7 @@ Bulgaria libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6154,7 +6206,7 @@ Canada libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6162,7 +6214,7 @@ Repubblica Ceca libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6170,7 +6222,7 @@ Finlandia libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6178,7 +6230,7 @@ Francia libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6186,7 +6238,7 @@ Germania libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6194,7 +6246,7 @@ India libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6202,7 +6254,7 @@ Italia libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6210,7 +6262,7 @@ Olanda libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6218,7 +6270,7 @@ Nuova Zelanda libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6226,7 +6278,7 @@ Polonia libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6234,7 +6286,7 @@ Romania libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6242,7 +6294,7 @@ Sud Africa libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6250,7 +6302,7 @@ Tailandia libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6258,7 +6310,7 @@ Stati Uniti libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6266,7 +6318,7 @@ Errore apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6274,7 +6326,7 @@ Disattiva apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6282,7 +6334,7 @@ Attiva apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6290,7 +6342,7 @@ Inattivo apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6334,7 +6386,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6378,7 +6430,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6390,7 +6442,7 @@ Si libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6406,7 +6458,7 @@ Copia link negli appunti apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6449,12 +6501,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Personalizza apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6593,6 +6653,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. Oops! Non ho trovato alcun asset. @@ -6622,7 +6690,7 @@ Ottieni accesso a oltre 80’000+ titoli da oltre 50 borse libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6630,7 +6698,7 @@ Ucraina libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6720,7 +6788,7 @@ Rischi del cluster di mercato economico apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6876,7 +6944,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6888,7 +6956,7 @@ Rischi del cluster di classi di asset apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6911,6 +6979,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. Inserisci la tua API key di Ghostfolio. @@ -6932,7 +7008,7 @@ Il link è stato copiato negli appunti apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6940,7 +7016,7 @@ Rischi del cluster di mercato regionale apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6948,7 +7024,7 @@ Pigro apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6956,7 +7032,7 @@ Istantaneo apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6996,7 +7072,7 @@ fine giornata apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7004,7 +7080,7 @@ in tempo reale apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7059,6 +7135,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Copia i dati del portafoglio negli appunti per l’AI prompt @@ -7080,7 +7164,7 @@ Armenia libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7088,7 +7172,7 @@ Isole Vergini Britanniche libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7096,7 +7180,7 @@ Singapore libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7180,7 +7264,7 @@ United Kingdom libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7229,7 +7313,7 @@ () e gia in uso. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7237,7 +7321,7 @@ Si è verificato un errore durante l’aggiornamento di (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7768,6 +7852,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Azioni @@ -7813,7 +7905,7 @@ Investimenti alternativi libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7821,7 +7913,7 @@ Da collezione libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8177,11 +8269,11 @@ Find Ghostfolio on GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8189,7 +8281,7 @@ Join the Ghostfolio Slack community apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8197,7 +8289,7 @@ Follow Ghostfolio on X (formerly Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8205,7 +8297,11 @@ Send an e-mail apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8213,7 +8309,7 @@ Follow Ghostfolio on LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8221,7 +8317,7 @@ Ghostfolio is an independent & bootstrapped business apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8229,7 +8325,7 @@ Support Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.nl.xlf b/apps/client/src/locales/messages.nl.xlf index 3b7de7aa9..3e77dcefe 100644 --- a/apps/client/src/locales/messages.nl.xlf +++ b/apps/client/src/locales/messages.nl.xlf @@ -70,7 +70,7 @@ Intrekken apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -78,7 +78,7 @@ Wil je deze verleende toegang echt intrekken? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -300,6 +300,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -337,6 +341,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Asset Profiles Activa Profiel @@ -666,7 +678,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -750,7 +762,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -778,7 +790,7 @@ Aanmelden met Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -786,7 +798,7 @@ Aanmelden met Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -794,7 +806,7 @@ Aangemeld blijven apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1482,7 +1494,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -1794,7 +1806,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -1925,6 +1937,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Pricing Prijzen @@ -1945,8 +1965,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -2246,7 +2266,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -2362,7 +2382,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -2410,7 +2430,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -2426,7 +2446,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -2434,7 +2454,7 @@ Filter op... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -2638,7 +2658,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -2650,7 +2670,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -2662,7 +2682,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -2670,7 +2690,7 @@ Grondstof libs/ui/src/lib/i18n.ts - 46 + 47 @@ -2682,7 +2702,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -2690,7 +2710,7 @@ Vast inkomen libs/ui/src/lib/i18n.ts - 48 + 49 @@ -2698,7 +2718,7 @@ Vastgoed libs/ui/src/lib/i18n.ts - 50 + 51 @@ -2706,7 +2726,7 @@ Obligatie libs/ui/src/lib/i18n.ts - 53 + 54 @@ -2714,7 +2734,7 @@ Cryptovaluta libs/ui/src/lib/i18n.ts - 56 + 57 @@ -2722,7 +2742,7 @@ ETF libs/ui/src/lib/i18n.ts - 57 + 58 @@ -2730,7 +2750,7 @@ Beleggingsfonds libs/ui/src/lib/i18n.ts - 58 + 59 @@ -2738,7 +2758,7 @@ Edelmetaal libs/ui/src/lib/i18n.ts - 59 + 60 @@ -2746,7 +2766,7 @@ Private equity libs/ui/src/lib/i18n.ts - 60 + 61 @@ -2754,7 +2774,7 @@ Aandeel libs/ui/src/lib/i18n.ts - 61 + 62 @@ -2770,11 +2790,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -2782,7 +2802,7 @@ Anders libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -2822,7 +2842,7 @@ Noord-Amerika libs/ui/src/lib/i18n.ts - 71 + 72 @@ -2830,7 +2850,7 @@ Afrika libs/ui/src/lib/i18n.ts - 68 + 69 @@ -2838,7 +2858,7 @@ Azië libs/ui/src/lib/i18n.ts - 69 + 70 @@ -2846,7 +2866,7 @@ Europa libs/ui/src/lib/i18n.ts - 70 + 71 @@ -2854,7 +2874,7 @@ Oceanië libs/ui/src/lib/i18n.ts - 72 + 73 @@ -2862,7 +2882,7 @@ Zuid-Amerika libs/ui/src/lib/i18n.ts - 73 + 74 @@ -2938,7 +2958,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -2970,7 +2990,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -3110,7 +3130,7 @@ Toelage libs/ui/src/lib/i18n.ts - 18 + 19 @@ -3118,7 +3138,7 @@ Hoger risico libs/ui/src/lib/i18n.ts - 19 + 20 @@ -3126,7 +3146,7 @@ Lager risico libs/ui/src/lib/i18n.ts - 21 + 22 @@ -3134,7 +3154,7 @@ Pensioen libs/ui/src/lib/i18n.ts - 27 + 28 @@ -3142,7 +3162,7 @@ Satelliet libs/ui/src/lib/i18n.ts - 28 + 29 @@ -3426,7 +3446,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -3718,7 +3738,7 @@ Deze activiteit bestaat al. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -3798,7 +3818,7 @@ Maanden libs/ui/src/lib/i18n.ts - 23 + 24 @@ -3806,7 +3826,7 @@ Jaren libs/ui/src/lib/i18n.ts - 32 + 33 @@ -3814,7 +3834,7 @@ Maand libs/ui/src/lib/i18n.ts - 22 + 23 @@ -3822,7 +3842,7 @@ Jaar libs/ui/src/lib/i18n.ts - 31 + 32 @@ -3962,7 +3982,15 @@ Verplichtingen libs/ui/src/lib/i18n.ts - 41 + 42 + + + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 @@ -4001,6 +4029,14 @@ 5 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Opgericht @@ -4182,7 +4218,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -4190,7 +4226,7 @@ Waardevol libs/ui/src/lib/i18n.ts - 40 + 41 @@ -4198,7 +4234,7 @@ ETF’s zonder Landen apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -4206,7 +4242,7 @@ ETF’s zonder Sectoren apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -4222,7 +4258,7 @@ Voorinstelling libs/ui/src/lib/i18n.ts - 26 + 27 @@ -4246,7 +4282,7 @@ Japan libs/ui/src/lib/i18n.ts - 91 + 92 @@ -4257,6 +4293,14 @@ 11 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Je accounts instellen @@ -4418,7 +4462,7 @@ Valuta apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -4988,7 +5032,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -5000,7 +5044,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -5011,6 +5055,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + (Last 30 days) (Laatste 30 dagen) @@ -5076,7 +5128,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5124,7 +5176,7 @@ Valuta Cluster Risico’s apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -5132,7 +5184,7 @@ Account Cluster Risco’s apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -5292,7 +5344,7 @@ Extreme Angst libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5300,7 +5352,7 @@ Extreme Hebzucht libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5308,7 +5360,7 @@ Neutraal libs/ui/src/lib/i18n.ts - 109 + 110 @@ -5384,7 +5436,7 @@ De huidige markt waarde is apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -5440,7 +5492,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5741,7 +5793,7 @@ Indonesië libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5793,7 +5845,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5897,7 +5949,7 @@ Benchmarks apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -6121,7 +6173,7 @@ Australië libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6129,7 +6181,7 @@ Oostenrijk libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6137,7 +6189,7 @@ België libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6145,7 +6197,7 @@ Bulgarije libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6153,7 +6205,7 @@ Canada libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6161,7 +6213,7 @@ Tsjechische Republiek libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6169,7 +6221,7 @@ Finland libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6177,7 +6229,7 @@ Frankrijk libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6185,7 +6237,7 @@ Duitsland libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6193,7 +6245,7 @@ India libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6201,7 +6253,7 @@ Italië libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6209,7 +6261,7 @@ Nederland libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6217,7 +6269,7 @@ Nieuw-Zeeland libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6225,7 +6277,7 @@ Polen libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6233,7 +6285,7 @@ Roemenië libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6241,7 +6293,7 @@ Zuid-Afrika libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6249,7 +6301,7 @@ Thailand libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6257,7 +6309,7 @@ Verenigde Station libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6265,7 +6317,7 @@ Fout apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6273,7 +6325,7 @@ Deactiveren apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6281,7 +6333,7 @@ Activeren apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6289,7 +6341,7 @@ Inactief apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6333,7 +6385,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6377,7 +6429,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6389,7 +6441,7 @@ Ja libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6405,7 +6457,7 @@ Kopieer link naar klembord apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6448,12 +6500,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Aanpassen apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6592,6 +6652,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. Oeps! Kan geen activa vinden. @@ -6621,7 +6689,7 @@ Krijg toegang tot meer dan 80.000 tickers van meer dan 50 beurzen libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6629,7 +6697,7 @@ Oekraïne libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6719,7 +6787,7 @@ Risico’s van Economische Marktclusters apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6875,7 +6943,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6887,7 +6955,7 @@ Activa Klasse Cluster Risico’s apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6910,6 +6978,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. Voer uw Ghostfolio API-sleutel in. @@ -6931,7 +7007,7 @@ Link is gekopieerd naar klemboord apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6939,7 +7015,7 @@ Regionale Markt Clusterrisico’s apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6947,7 +7023,7 @@ Lui apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6955,7 +7031,7 @@ Direct apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6995,7 +7071,7 @@ eind van de dag apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7003,7 +7079,7 @@ real-time apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7058,6 +7134,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Kopieer portfolio gegevens naar klemboord voor AI-prompt @@ -7079,7 +7163,7 @@ Armenië libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7087,7 +7171,7 @@ Britse Maagdeneilanden libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7095,7 +7179,7 @@ Singapore libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7179,7 +7263,7 @@ Verenigd Koninkrijk libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7228,7 +7312,7 @@ () is al in gebruik. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7236,7 +7320,7 @@ Er is een fout opgetreden tijdens het updaten naar (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7767,6 +7851,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Aandelen @@ -7812,7 +7904,7 @@ Alternatieve belegging libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7820,7 +7912,7 @@ Verzamelobject libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8176,11 +8268,11 @@ Vind Ghostfolio op GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8188,7 +8280,7 @@ Word lid van de Ghostfolio Slack-gemeenschap apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8196,7 +8288,7 @@ Volg Ghostfolio op X (voorheen Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8204,7 +8296,11 @@ Stuur een e-mail apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8212,7 +8308,7 @@ Volg Ghostfolio op LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8220,7 +8316,7 @@ Ghostfolio is een onafhankelijk en zelfgefinancierd bedrijf apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8228,7 +8324,7 @@ Ondersteun Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.pl.xlf b/apps/client/src/locales/messages.pl.xlf index e6b118c7d..7fca576c9 100644 --- a/apps/client/src/locales/messages.pl.xlf +++ b/apps/client/src/locales/messages.pl.xlf @@ -271,7 +271,7 @@ Cofnij apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -279,7 +279,7 @@ Czy na pewno chcesz cofnąć przyznany dostęp? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -589,6 +589,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -626,6 +630,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Delete Jobs Usuń Zadania @@ -707,7 +719,7 @@ Waluty apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -719,7 +731,7 @@ ETF-y bez Krajów apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -727,7 +739,7 @@ ETF-y bez Sektorów apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -743,7 +755,7 @@ Filtruj według... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -918,6 +930,14 @@ 360 + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 + + Scraper Configuration Konfiguracja Scrapera @@ -1387,7 +1407,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -1435,7 +1455,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -1451,7 +1471,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -1482,6 +1502,14 @@ 12 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Skonfiguruj swoje konta @@ -1603,7 +1631,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -1631,7 +1659,7 @@ Zaloguj się przy użyciu Tożsamości Internetowej (Internet Identity) apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -1639,7 +1667,7 @@ Zaloguj się przez Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -1647,7 +1675,7 @@ Pozostań zalogowany apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1679,7 +1707,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -2703,7 +2731,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -3262,6 +3290,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + Active Users Aktywni Użytkownicy @@ -3506,6 +3542,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Validating data... Weryfikacja danych... @@ -3695,7 +3739,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -3799,7 +3843,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -3911,7 +3955,7 @@ Ryzyko związane z klastrem walutowym apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -3919,7 +3963,7 @@ Ryzyko związane z klastrem kont apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -3950,8 +3994,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4311,6 +4355,14 @@ 55 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Rok założenia @@ -4480,7 +4532,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -4492,7 +4544,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -4720,7 +4772,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -4840,7 +4892,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -4892,11 +4944,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -4904,7 +4956,7 @@ Dotacja libs/ui/src/lib/i18n.ts - 18 + 19 @@ -4912,7 +4964,7 @@ Wyższe Ryzyko libs/ui/src/lib/i18n.ts - 19 + 20 @@ -4920,7 +4972,7 @@ Ta działalność już istnieje. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -4928,7 +4980,7 @@ Japonia libs/ui/src/lib/i18n.ts - 91 + 92 @@ -4936,7 +4988,7 @@ Niższe Ryzyko libs/ui/src/lib/i18n.ts - 21 + 22 @@ -4944,7 +4996,7 @@ Miesiąc libs/ui/src/lib/i18n.ts - 22 + 23 @@ -4952,7 +5004,7 @@ Miesiące libs/ui/src/lib/i18n.ts - 23 + 24 @@ -4960,7 +5012,7 @@ Inne libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -4972,7 +5024,7 @@ Wstępnie ustawione libs/ui/src/lib/i18n.ts - 26 + 27 @@ -4980,7 +5032,7 @@ Świadczenia Emerytalne libs/ui/src/lib/i18n.ts - 27 + 28 @@ -4988,7 +5040,7 @@ Satelita libs/ui/src/lib/i18n.ts - 28 + 29 @@ -5016,7 +5068,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -5028,7 +5080,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -5036,7 +5088,7 @@ Rok libs/ui/src/lib/i18n.ts - 31 + 32 @@ -5044,7 +5096,7 @@ Lata libs/ui/src/lib/i18n.ts - 32 + 33 @@ -5056,7 +5108,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -5072,7 +5124,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5080,7 +5132,7 @@ Kosztowności libs/ui/src/lib/i18n.ts - 40 + 41 @@ -5088,7 +5140,7 @@ Zobowiązanie libs/ui/src/lib/i18n.ts - 41 + 42 @@ -5100,7 +5152,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -5112,7 +5164,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -5120,7 +5172,7 @@ Towar libs/ui/src/lib/i18n.ts - 46 + 47 @@ -5132,7 +5184,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -5140,7 +5192,7 @@ Stały Dochód libs/ui/src/lib/i18n.ts - 48 + 49 @@ -5148,7 +5200,7 @@ Nieruchomość libs/ui/src/lib/i18n.ts - 50 + 51 @@ -5156,7 +5208,7 @@ Obligacja libs/ui/src/lib/i18n.ts - 53 + 54 @@ -5164,7 +5216,7 @@ Kryptowaluta libs/ui/src/lib/i18n.ts - 56 + 57 @@ -5172,7 +5224,7 @@ ETF libs/ui/src/lib/i18n.ts - 57 + 58 @@ -5180,7 +5232,7 @@ Fundusz Wzajemny libs/ui/src/lib/i18n.ts - 58 + 59 @@ -5188,7 +5240,7 @@ Metal Szlachetny libs/ui/src/lib/i18n.ts - 59 + 60 @@ -5196,7 +5248,7 @@ Prywatny Kapitał libs/ui/src/lib/i18n.ts - 60 + 61 @@ -5204,7 +5256,7 @@ Akcje libs/ui/src/lib/i18n.ts - 61 + 62 @@ -5212,7 +5264,7 @@ Afryka libs/ui/src/lib/i18n.ts - 68 + 69 @@ -5220,7 +5272,7 @@ Azja libs/ui/src/lib/i18n.ts - 69 + 70 @@ -5228,7 +5280,7 @@ Europa libs/ui/src/lib/i18n.ts - 70 + 71 @@ -5236,7 +5288,7 @@ Ameryka Północna libs/ui/src/lib/i18n.ts - 71 + 72 @@ -5244,7 +5296,7 @@ Oceania libs/ui/src/lib/i18n.ts - 72 + 73 @@ -5252,7 +5304,7 @@ Ameryka Południowa libs/ui/src/lib/i18n.ts - 73 + 74 @@ -5260,7 +5312,7 @@ Skrajny Strach libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5268,7 +5320,7 @@ Skrajna Zachłanność libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5276,7 +5328,7 @@ Neutralny libs/ui/src/lib/i18n.ts - 109 + 110 @@ -5384,7 +5436,7 @@ Obecna cena rynkowa wynosi apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -5440,7 +5492,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5741,7 +5793,7 @@ Indonezja libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5793,7 +5845,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5897,7 +5949,7 @@ Punkty Odniesienia apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -6121,7 +6173,7 @@ Australia libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6129,7 +6181,7 @@ Austria libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6137,7 +6189,7 @@ Belgia libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6145,7 +6197,7 @@ Bułgaria libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6153,7 +6205,7 @@ Kanada libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6161,7 +6213,7 @@ Czechy libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6169,7 +6221,7 @@ Finlandia libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6177,7 +6229,7 @@ Francja libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6185,7 +6237,7 @@ Niemcy libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6193,7 +6245,7 @@ Indie libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6201,7 +6253,7 @@ Włochy libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6209,7 +6261,7 @@ Holandia libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6217,7 +6269,7 @@ Nowa Zelandia libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6225,7 +6277,7 @@ Polska libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6233,7 +6285,7 @@ Rumunia libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6241,7 +6293,7 @@ Południowa Afryka libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6249,7 +6301,7 @@ Tajlandia libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6257,7 +6309,7 @@ Stany Zjednoczone libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6265,7 +6317,7 @@ Błąd apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6273,7 +6325,7 @@ Dezaktywuj apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6281,7 +6333,7 @@ Aktywuj apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6289,7 +6341,7 @@ Nieaktywny apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6333,7 +6385,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6377,7 +6429,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6389,7 +6441,7 @@ Tak libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6405,7 +6457,7 @@ Kopiuj link do schowka apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6448,12 +6500,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Dostosuj apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6592,6 +6652,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. Ups! Nie znaleziono żadnych aktywów. @@ -6621,7 +6689,7 @@ Uzyskaj dostęp do ponad 80 000 pasków notowań giełdowych z ponad 50 giełd libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6629,7 +6697,7 @@ Ukraina libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6719,7 +6787,7 @@ Ryzyko związane z klastrem rynków gospodarczych apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6875,7 +6943,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6887,7 +6955,7 @@ Ryzyko klastra klasy aktywów apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6910,6 +6978,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. Wprowadź swój klucz API Ghostfolio. @@ -6931,7 +7007,7 @@ Link został skopiowany do schowka apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6939,7 +7015,7 @@ Ryzyka klastrów regionalnych rynków apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6947,7 +7023,7 @@ Leniwy apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6955,7 +7031,7 @@ Natychmiastowy apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6995,7 +7071,7 @@ koniec dnia apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7003,7 +7079,7 @@ w czasie rzeczywistym apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7058,6 +7134,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Skopiuj dane portfela do schowka dla prompta AI @@ -7079,7 +7163,7 @@ Armenia libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7087,7 +7171,7 @@ Brytyjskie Wyspy Dziewicze libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7095,7 +7179,7 @@ Singapur libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7179,7 +7263,7 @@ Wielka Brytania libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7228,7 +7312,7 @@ () jest już w użyciu. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7236,7 +7320,7 @@ Wystąpił błąd podczas aktualizacji do (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7767,6 +7851,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Akcje @@ -7812,7 +7904,7 @@ Inwestycja alternatywna libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7820,7 +7912,7 @@ Kolekcjonerskie libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8176,11 +8268,11 @@ Find Ghostfolio on GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8188,7 +8280,7 @@ Join the Ghostfolio Slack community apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8196,7 +8288,7 @@ Follow Ghostfolio on X (formerly Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8204,7 +8296,11 @@ Send an e-mail apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8212,7 +8308,7 @@ Follow Ghostfolio on LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8220,7 +8316,7 @@ Ghostfolio is an independent & bootstrapped business apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8228,7 +8324,7 @@ Support Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.pt.xlf b/apps/client/src/locales/messages.pt.xlf index e6255b1e4..e9c833ebd 100644 --- a/apps/client/src/locales/messages.pt.xlf +++ b/apps/client/src/locales/messages.pt.xlf @@ -62,7 +62,7 @@ Revogar apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -70,7 +70,7 @@ Pretende realmente revogar este acesso concedido? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -348,6 +348,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -385,6 +389,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Delete Jobs Eliminar Tarefas @@ -486,7 +498,7 @@ Filtrar por... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -786,7 +798,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -834,7 +846,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -850,7 +862,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -926,7 +938,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -954,7 +966,7 @@ Iniciar sessão com Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -962,7 +974,7 @@ Iniciar sessão com Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -970,7 +982,7 @@ Manter sessão iniciada apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1762,7 +1774,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -1942,7 +1954,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -2009,6 +2021,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + The following file formats are supported: Os seguintes formatos de ficheiro são suportados: @@ -2130,7 +2150,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -2297,8 +2317,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -2570,7 +2590,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -2646,11 +2666,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -2658,7 +2678,7 @@ Outro libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -2690,7 +2710,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -2702,7 +2722,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -2714,7 +2734,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -2722,7 +2742,7 @@ Matéria-prima libs/ui/src/lib/i18n.ts - 46 + 47 @@ -2734,7 +2754,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -2742,7 +2762,7 @@ Rendimento Fixo libs/ui/src/lib/i18n.ts - 48 + 49 @@ -2750,7 +2770,7 @@ Imobiliário libs/ui/src/lib/i18n.ts - 50 + 51 @@ -2758,7 +2778,7 @@ Obrigação libs/ui/src/lib/i18n.ts - 53 + 54 @@ -2766,7 +2786,7 @@ Criptomoedas libs/ui/src/lib/i18n.ts - 56 + 57 @@ -2774,7 +2794,7 @@ ETF libs/ui/src/lib/i18n.ts - 57 + 58 @@ -2782,7 +2802,7 @@ Fundo de Investimento libs/ui/src/lib/i18n.ts - 58 + 59 @@ -2790,7 +2810,7 @@ Metal Precioso libs/ui/src/lib/i18n.ts - 59 + 60 @@ -2798,7 +2818,7 @@ Private Equity libs/ui/src/lib/i18n.ts - 60 + 61 @@ -2806,7 +2826,7 @@ Ação libs/ui/src/lib/i18n.ts - 61 + 62 @@ -2814,7 +2834,7 @@ África libs/ui/src/lib/i18n.ts - 68 + 69 @@ -2822,7 +2842,7 @@ Ásia libs/ui/src/lib/i18n.ts - 69 + 70 @@ -2830,7 +2850,7 @@ Europa libs/ui/src/lib/i18n.ts - 70 + 71 @@ -2838,7 +2858,7 @@ América do Norte libs/ui/src/lib/i18n.ts - 71 + 72 @@ -2846,7 +2866,7 @@ Oceânia libs/ui/src/lib/i18n.ts - 72 + 73 @@ -2854,7 +2874,7 @@ América do Sul libs/ui/src/lib/i18n.ts - 73 + 74 @@ -3002,7 +3022,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -3034,7 +3054,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -3110,7 +3130,7 @@ Conceder libs/ui/src/lib/i18n.ts - 18 + 19 @@ -3118,7 +3138,7 @@ Risco mais Elevado libs/ui/src/lib/i18n.ts - 19 + 20 @@ -3126,7 +3146,7 @@ Risco menos Elevado libs/ui/src/lib/i18n.ts - 21 + 22 @@ -3134,7 +3154,7 @@ Provisão de Reforma libs/ui/src/lib/i18n.ts - 27 + 28 @@ -3142,7 +3162,7 @@ Satélite libs/ui/src/lib/i18n.ts - 28 + 29 @@ -3426,7 +3446,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -3718,7 +3738,7 @@ Essa atividade já existe. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -3798,7 +3818,7 @@ Meses libs/ui/src/lib/i18n.ts - 23 + 24 @@ -3806,7 +3826,7 @@ Anos libs/ui/src/lib/i18n.ts - 32 + 33 @@ -3814,7 +3834,7 @@ Mês libs/ui/src/lib/i18n.ts - 22 + 23 @@ -3822,7 +3842,7 @@ Ano libs/ui/src/lib/i18n.ts - 31 + 32 @@ -3962,7 +3982,15 @@ Responsabilidade libs/ui/src/lib/i18n.ts - 41 + 42 + + + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 @@ -4001,6 +4029,14 @@ 5 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Fundada @@ -4182,7 +4218,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -4190,7 +4226,7 @@ De valor libs/ui/src/lib/i18n.ts - 40 + 41 @@ -4198,7 +4234,7 @@ ETFs sem países apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -4206,7 +4242,7 @@ ETFs sem setores apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -4222,7 +4258,7 @@ Predefinição libs/ui/src/lib/i18n.ts - 26 + 27 @@ -4246,7 +4282,7 @@ Japão libs/ui/src/lib/i18n.ts - 91 + 92 @@ -4257,6 +4293,14 @@ 11 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Configurar as suas contas @@ -4418,7 +4462,7 @@ Moedas apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -4988,7 +5032,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -5000,7 +5044,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -5011,6 +5055,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + (Last 30 days) (Últimos 30 dias) @@ -5076,7 +5128,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5124,7 +5176,7 @@ Riscos de cluster monetário apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -5132,7 +5184,7 @@ Riscos de cluster de contas apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -5292,7 +5344,7 @@ Medo Extremo libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5300,7 +5352,7 @@ Ganância Extrema libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5308,7 +5360,7 @@ Neutro libs/ui/src/lib/i18n.ts - 109 + 110 @@ -5384,7 +5436,7 @@ O preço de mercado atual é apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -5440,7 +5492,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5741,7 +5793,7 @@ Indonésia libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5793,7 +5845,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5897,7 +5949,7 @@ Referências apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -6121,7 +6173,7 @@ Austrália libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6129,7 +6181,7 @@ Áustria libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6137,7 +6189,7 @@ Bélgica libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6145,7 +6197,7 @@ Bulgária libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6153,7 +6205,7 @@ Canadá libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6161,7 +6213,7 @@ República Tcheca libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6169,7 +6221,7 @@ Finlândia libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6177,7 +6229,7 @@ França libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6185,7 +6237,7 @@ Alemanha libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6193,7 +6245,7 @@ Índia libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6201,7 +6253,7 @@ Itália libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6209,7 +6261,7 @@ Holanda libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6217,7 +6269,7 @@ Nova Zelândia libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6225,7 +6277,7 @@ Polônia libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6233,7 +6285,7 @@ Romênia libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6241,7 +6293,7 @@ África do Sul libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6249,7 +6301,7 @@ Tailândia libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6257,7 +6309,7 @@ Estados Unidos libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6265,7 +6317,7 @@ Erro apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6273,7 +6325,7 @@ Desativar apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6281,7 +6333,7 @@ Ativar apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6289,7 +6341,7 @@ Inativo apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6333,7 +6385,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6377,7 +6429,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6389,7 +6441,7 @@ Sim libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6405,7 +6457,7 @@ Copiar link para a área de transferência apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6448,12 +6500,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Personalizar apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6592,6 +6652,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. Ops! Não foi possível encontrar nenhum ativo. @@ -6621,7 +6689,7 @@ Tenha acesso a mais de 80’000 tickers de mais de 50 bolsas libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6629,7 +6697,7 @@ Ucrânia libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6719,7 +6787,7 @@ Riscos do Cluster do Mercado Econômico apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6875,7 +6943,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6887,7 +6955,7 @@ Riscos do Cluster de Classes de Ativos apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6910,6 +6978,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. Please enter your Ghostfolio API key. @@ -6931,7 +7007,7 @@ O link foi copiado para a área de transferência apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6939,7 +7015,7 @@ Regional Market Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6947,7 +7023,7 @@ Lazy apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6955,7 +7031,7 @@ Instant apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6995,7 +7071,7 @@ end of day apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7003,7 +7079,7 @@ real-time apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7058,6 +7134,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Copy portfolio data to clipboard for AI prompt @@ -7079,7 +7163,7 @@ Armenia libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7087,7 +7171,7 @@ British Virgin Islands libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7095,7 +7179,7 @@ Singapore libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7179,7 +7263,7 @@ United Kingdom libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7228,7 +7312,7 @@ () is already in use. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7236,7 +7320,7 @@ An error occurred while updating to (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7767,6 +7851,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Stocks @@ -7812,7 +7904,7 @@ Investimento Alternativo libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7820,7 +7912,7 @@ Colecionável libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8176,11 +8268,11 @@ Encontre o Ghostfolio no GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8188,7 +8280,7 @@ Junte-se à comunidade do Ghostfolio Slack apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8196,7 +8288,7 @@ Siga o Ghostfolio no X (antigo Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8204,7 +8296,11 @@ Enviar um e-mail apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8212,7 +8308,7 @@ Siga o Ghostfolio no LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8220,7 +8316,7 @@ Ghostfolio é um negócio independente e autossuficiente apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8228,7 +8324,7 @@ Apoie o Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.tr.xlf b/apps/client/src/locales/messages.tr.xlf index f6e99f832..d616f48e3 100644 --- a/apps/client/src/locales/messages.tr.xlf +++ b/apps/client/src/locales/messages.tr.xlf @@ -243,7 +243,7 @@ Geri Al apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -251,7 +251,7 @@ Bu erişim iznini geri almayı gerçekten istiyor musunuz? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -529,6 +529,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -566,6 +570,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Delete Jobs İşleri Sil @@ -667,7 +679,7 @@ Para Birimleri apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -679,7 +691,7 @@ Ülkesi Olmayan ETF’ler apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -687,7 +699,7 @@ Sektörü Olmayan ETF’ler apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -695,7 +707,7 @@ Filtrele... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -846,6 +858,14 @@ 360 + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 + + Scraper Configuration Veri Toplayıcı Yapılandırması @@ -1243,7 +1263,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -1291,7 +1311,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -1307,7 +1327,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -1338,6 +1358,14 @@ 12 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Hesaplarınızı kurun @@ -1459,7 +1487,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -1487,7 +1515,7 @@ İnternet Kimliği (Internet Identity) ile Oturum Aç apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -1495,7 +1523,7 @@ Google ile Oturum Aç apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -1503,7 +1531,7 @@ Oturumu açık tut apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1655,7 +1683,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -2275,7 +2303,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -3014,6 +3042,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Validating data... Veri doğrulanıyor... @@ -3211,7 +3247,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -3315,7 +3351,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -3450,8 +3486,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -3823,6 +3859,14 @@ 44 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Kuruluş @@ -3992,7 +4036,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -4004,7 +4048,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -4448,7 +4492,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -4568,7 +4612,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -4620,11 +4664,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -4632,7 +4676,7 @@ Hibe libs/ui/src/lib/i18n.ts - 18 + 19 @@ -4640,7 +4684,7 @@ Daha Yüksek Risk libs/ui/src/lib/i18n.ts - 19 + 20 @@ -4648,7 +4692,7 @@ Bu işlem zaten mevcut. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -4656,7 +4700,7 @@ Japonya libs/ui/src/lib/i18n.ts - 91 + 92 @@ -4664,7 +4708,7 @@ Daha Düşük Risk libs/ui/src/lib/i18n.ts - 21 + 22 @@ -4672,7 +4716,7 @@ Ay libs/ui/src/lib/i18n.ts - 22 + 23 @@ -4680,7 +4724,7 @@ Ay libs/ui/src/lib/i18n.ts - 23 + 24 @@ -4688,7 +4732,7 @@ Diğer libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -4700,7 +4744,7 @@ Önceden Ayarlanmış libs/ui/src/lib/i18n.ts - 26 + 27 @@ -4708,7 +4752,7 @@ Yaşlılık Provizyonu libs/ui/src/lib/i18n.ts - 27 + 28 @@ -4716,7 +4760,7 @@ Uydu libs/ui/src/lib/i18n.ts - 28 + 29 @@ -4744,7 +4788,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -4756,7 +4800,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -4764,7 +4808,7 @@ Yıl libs/ui/src/lib/i18n.ts - 31 + 32 @@ -4772,7 +4816,7 @@ Yıl libs/ui/src/lib/i18n.ts - 32 + 33 @@ -4784,7 +4828,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -4792,7 +4836,7 @@ Kıymet libs/ui/src/lib/i18n.ts - 40 + 41 @@ -4800,7 +4844,7 @@ Yükümlülük libs/ui/src/lib/i18n.ts - 41 + 42 @@ -4812,7 +4856,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -4824,7 +4868,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -4832,7 +4876,7 @@ Emtia libs/ui/src/lib/i18n.ts - 46 + 47 @@ -4844,7 +4888,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -4852,7 +4896,7 @@ Sabit Gelir libs/ui/src/lib/i18n.ts - 48 + 49 @@ -4860,7 +4904,7 @@ Gayrimenkul libs/ui/src/lib/i18n.ts - 50 + 51 @@ -4868,7 +4912,7 @@ Bono libs/ui/src/lib/i18n.ts - 53 + 54 @@ -4876,7 +4920,7 @@ Kriptopara libs/ui/src/lib/i18n.ts - 56 + 57 @@ -4884,7 +4928,7 @@ Borsada İşlem Gören Fonlar (ETF) libs/ui/src/lib/i18n.ts - 57 + 58 @@ -4892,7 +4936,7 @@ Borsada İşlem Görmeyen Fonlar (Mutual Fund) libs/ui/src/lib/i18n.ts - 58 + 59 @@ -4900,7 +4944,7 @@ Kıymetli Metaller libs/ui/src/lib/i18n.ts - 59 + 60 @@ -4908,7 +4952,7 @@ Özel Menkul Kıymetler libs/ui/src/lib/i18n.ts - 60 + 61 @@ -4916,7 +4960,7 @@ Hisse Senetleri libs/ui/src/lib/i18n.ts - 61 + 62 @@ -4924,7 +4968,7 @@ Afrika libs/ui/src/lib/i18n.ts - 68 + 69 @@ -4932,7 +4976,7 @@ Asya libs/ui/src/lib/i18n.ts - 69 + 70 @@ -4940,7 +4984,7 @@ Avrupa libs/ui/src/lib/i18n.ts - 70 + 71 @@ -4948,7 +4992,7 @@ Kuzey Amerika libs/ui/src/lib/i18n.ts - 71 + 72 @@ -4956,7 +5000,7 @@ Okyanusya libs/ui/src/lib/i18n.ts - 72 + 73 @@ -4964,7 +5008,7 @@ Güney Amerika libs/ui/src/lib/i18n.ts - 73 + 74 @@ -5019,6 +5063,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + (Last 30 days) (Son 30 gün) @@ -5084,7 +5136,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5124,7 +5176,7 @@ Kur Kümelenme Riskleri (Currency Cluster Risks) apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -5132,7 +5184,7 @@ Hesap Kümelenme Riski (Account Cluster Risks) apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -5292,7 +5344,7 @@ Aşırı Korku libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5300,7 +5352,7 @@ Aşırı Açgözlülük libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5308,7 +5360,7 @@ Nötr libs/ui/src/lib/i18n.ts - 109 + 110 @@ -5384,7 +5436,7 @@ Şu anki piyasa fiyatı apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -5440,7 +5492,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5741,7 +5793,7 @@ Indonesia libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5793,7 +5845,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5897,7 +5949,7 @@ Kıyaslamalar apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -6121,7 +6173,7 @@ Avustralya libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6129,7 +6181,7 @@ Avusturya libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6137,7 +6189,7 @@ Belçika libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6145,7 +6197,7 @@ Bulgaristan libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6153,7 +6205,7 @@ Kanada libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6161,7 +6213,7 @@ Çek Cumhuriyeti libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6169,7 +6221,7 @@ Finlandiya libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6177,7 +6229,7 @@ Fransa libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6185,7 +6237,7 @@ Almanya libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6193,7 +6245,7 @@ Hindistan libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6201,7 +6253,7 @@ İtalya libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6209,7 +6261,7 @@ Hollanda libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6217,7 +6269,7 @@ Yeni Zelanda libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6225,7 +6277,7 @@ Polonya libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6233,7 +6285,7 @@ Romanya libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6241,7 +6293,7 @@ Güney Afrika libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6249,7 +6301,7 @@ Tayland libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6257,7 +6309,7 @@ Amerika Birleşik Devletleri libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6265,7 +6317,7 @@ Hata apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6273,7 +6325,7 @@ Devre Dışı Bırak apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6281,7 +6333,7 @@ Aktif Et apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6289,7 +6341,7 @@ Pasif apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6333,7 +6385,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6377,7 +6429,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6389,7 +6441,7 @@ Evet libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6405,7 +6457,7 @@ Bağlantıyı panoya kopyala apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6448,12 +6500,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Özelleştir apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6592,6 +6652,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. Oops! Herhangi bir varlık bulunamadı. @@ -6621,7 +6689,7 @@ 80’000+ sembolden 50’den fazla borsada erişim alın libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6629,7 +6697,7 @@ Ukraine libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6719,7 +6787,7 @@ Ekonomik Piyasa Küme Riskleri apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6875,7 +6943,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6887,7 +6955,7 @@ Varlık Sınıfı Küme Riskleri apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6910,6 +6978,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. Lütfen Ghostfolio API anahtarınızı girin. @@ -6931,7 +7007,7 @@ Bağlantı panoya kopyalandı apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6939,7 +7015,7 @@ Bölgesel Piyasa Küme Riskleri apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6947,7 +7023,7 @@ Tembel apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6955,7 +7031,7 @@ Anında apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6995,7 +7071,7 @@ gün sonu apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7003,7 +7079,7 @@ gerçek zamanlı apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7058,6 +7134,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Yapay zeka istemi için portföy verilerini panoya kopyalayın @@ -7079,7 +7163,7 @@ Ermenistan libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7087,7 +7171,7 @@ Britanya Virjin Adaları libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7095,7 +7179,7 @@ Singapur libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7179,7 +7263,7 @@ Birleşik Krallık libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7228,7 +7312,7 @@ () is already in use. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7236,7 +7320,7 @@ Güncelleştirilirken bir hata oluştu (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7767,6 +7851,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Stocks @@ -7812,7 +7904,7 @@ Alternative Investment libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7820,7 +7912,7 @@ Collectible libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8176,11 +8268,11 @@ GitHub’da Ghostfolio’yu bulun apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8188,7 +8280,7 @@ Ghostfolio Slack topluluğuna katılın apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8196,7 +8288,7 @@ Ghostfolio’yu X’te takip edin (eski adıyla Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8204,7 +8296,11 @@ Bir e-posta gönder apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8212,7 +8308,7 @@ Ghostfolio’yu LinkedIn’de takip edin apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8220,7 +8316,7 @@ Ghostfolio is an independent & bootstrapped business apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8228,7 +8324,7 @@ Ghostfolio’yu destekleyin apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.uk.xlf b/apps/client/src/locales/messages.uk.xlf index c2d420b1f..3a430f88e 100644 --- a/apps/client/src/locales/messages.uk.xlf +++ b/apps/client/src/locales/messages.uk.xlf @@ -42,7 +42,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -347,7 +347,7 @@ Скопіювати посилання в буфер обміну apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -355,7 +355,7 @@ Відкликати apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -363,7 +363,7 @@ Посилання скопійовано в буфер обміну apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -371,7 +371,7 @@ Ви дійсно хочете відкликати цей наданий доступ? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -725,6 +725,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Priority @@ -770,6 +774,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Delete Jobs Видалити завдання @@ -815,7 +827,7 @@ Порівняльні показники apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -823,7 +835,7 @@ Валюти apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -835,7 +847,7 @@ ETF без країн apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -843,7 +855,7 @@ ETF без секторів apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -851,7 +863,7 @@ Фільтрувати за... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -975,7 +987,7 @@ Помилка apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -983,7 +995,7 @@ Поточна ринкова ціна apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -1066,6 +1078,14 @@ 360 + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 + + Scraper Configuration Конфігурація скребка @@ -1455,7 +1475,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -1783,7 +1803,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -1791,7 +1811,7 @@ Indonesia libs/ui/src/lib/i18n.ts - 89 + 90 @@ -1863,7 +1883,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -1879,7 +1899,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -1910,6 +1930,14 @@ 12 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts Налаштуйте ваші рахунки @@ -2027,7 +2055,7 @@ Увійти з Інтернет-Ідентичністю apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -2035,7 +2063,7 @@ Увійти з Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -2043,7 +2071,7 @@ Залишатися в системі apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -2203,7 +2231,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -2242,12 +2270,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize Налаштувати apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -2255,7 +2291,7 @@ Деактивувати apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -2263,7 +2299,7 @@ Активувати apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -2463,7 +2499,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -2522,6 +2558,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Granted Access Наданий доступ @@ -3303,7 +3347,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -3903,6 +3947,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + Active Users Активні користувачі @@ -4159,6 +4211,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Validating data... Перевірка даних... @@ -4364,7 +4424,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -4484,7 +4544,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -4692,7 +4752,7 @@ Ризики зосередження валюти apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -4700,7 +4760,7 @@ Ризики зосередження класу активів apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -4708,7 +4768,7 @@ Ризики зосередження рахунків apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -4716,7 +4776,7 @@ Ризики зосередження економічного ринку apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -4724,7 +4784,7 @@ Неактивний apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -4747,8 +4807,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -5143,7 +5203,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -5155,7 +5215,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -5374,6 +5434,14 @@ 55 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded Засновано @@ -5598,6 +5666,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Starting from Починаючи з @@ -6003,7 +6079,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -6139,7 +6215,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -6195,7 +6271,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6247,7 +6323,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6291,11 +6367,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -6303,7 +6379,7 @@ Грант libs/ui/src/lib/i18n.ts - 18 + 19 @@ -6311,7 +6387,7 @@ Вищий ризик libs/ui/src/lib/i18n.ts - 19 + 20 @@ -6319,7 +6395,7 @@ Така активність вже існує. libs/ui/src/lib/i18n.ts - 20 + 21 @@ -6327,7 +6403,7 @@ Нижчий ризик libs/ui/src/lib/i18n.ts - 21 + 22 @@ -6335,7 +6411,7 @@ Місяць libs/ui/src/lib/i18n.ts - 22 + 23 @@ -6343,7 +6419,7 @@ Місяців libs/ui/src/lib/i18n.ts - 23 + 24 @@ -6351,7 +6427,7 @@ Інші libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -6363,7 +6439,7 @@ Отримайте доступ до 80 000+ тікерів з понад 50 бірж libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6371,7 +6447,7 @@ Пресет libs/ui/src/lib/i18n.ts - 26 + 27 @@ -6379,7 +6455,7 @@ Пенсійне накопичення libs/ui/src/lib/i18n.ts - 27 + 28 @@ -6387,7 +6463,7 @@ Супутник libs/ui/src/lib/i18n.ts - 28 + 29 @@ -6415,7 +6491,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -6427,7 +6503,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -6435,7 +6511,7 @@ Рік libs/ui/src/lib/i18n.ts - 31 + 32 @@ -6443,7 +6519,7 @@ Роки libs/ui/src/lib/i18n.ts - 32 + 33 @@ -6451,7 +6527,7 @@ Так libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6463,7 +6539,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -6479,7 +6555,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -6487,7 +6563,7 @@ Цінний libs/ui/src/lib/i18n.ts - 40 + 41 @@ -6495,7 +6571,7 @@ Зобов’язання libs/ui/src/lib/i18n.ts - 41 + 42 @@ -6507,7 +6583,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -6519,7 +6595,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -6527,7 +6603,7 @@ Товар libs/ui/src/lib/i18n.ts - 46 + 47 @@ -6539,7 +6615,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -6547,7 +6623,7 @@ Фіксований дохід libs/ui/src/lib/i18n.ts - 48 + 49 @@ -6559,7 +6635,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -6567,7 +6643,7 @@ Нерухомість libs/ui/src/lib/i18n.ts - 50 + 51 @@ -6575,7 +6651,7 @@ Облігація libs/ui/src/lib/i18n.ts - 53 + 54 @@ -6583,7 +6659,7 @@ Криптовалюта libs/ui/src/lib/i18n.ts - 56 + 57 @@ -6591,7 +6667,7 @@ ETF libs/ui/src/lib/i18n.ts - 57 + 58 @@ -6599,7 +6675,7 @@ Взаємний фонд libs/ui/src/lib/i18n.ts - 58 + 59 @@ -6607,7 +6683,7 @@ Дорогоцінний метал libs/ui/src/lib/i18n.ts - 59 + 60 @@ -6615,7 +6691,7 @@ Приватний капітал libs/ui/src/lib/i18n.ts - 60 + 61 @@ -6623,7 +6699,7 @@ Акція libs/ui/src/lib/i18n.ts - 61 + 62 @@ -6631,7 +6707,7 @@ Африка libs/ui/src/lib/i18n.ts - 68 + 69 @@ -6639,7 +6715,7 @@ Азія libs/ui/src/lib/i18n.ts - 69 + 70 @@ -6647,7 +6723,7 @@ Європа libs/ui/src/lib/i18n.ts - 70 + 71 @@ -6655,7 +6731,7 @@ Північна Америка libs/ui/src/lib/i18n.ts - 71 + 72 @@ -6663,7 +6739,7 @@ Океанія libs/ui/src/lib/i18n.ts - 72 + 73 @@ -6671,7 +6747,7 @@ Південна Америка libs/ui/src/lib/i18n.ts - 73 + 74 @@ -6679,7 +6755,7 @@ Австралія libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6687,7 +6763,7 @@ Австрія libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6695,7 +6771,7 @@ Бельгія libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6703,7 +6779,7 @@ Болгарія libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6711,7 +6787,7 @@ Канада libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6719,7 +6795,7 @@ Чеська Республіка libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6727,7 +6803,7 @@ Фінляндія libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6735,7 +6811,7 @@ Франція libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6743,7 +6819,7 @@ Німеччина libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6751,7 +6827,7 @@ Індія libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6759,7 +6835,7 @@ Італія libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6767,7 +6843,7 @@ Японія libs/ui/src/lib/i18n.ts - 91 + 92 @@ -6775,7 +6851,7 @@ Нідерланди libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6783,7 +6859,7 @@ Нова Зеландія libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6791,7 +6867,7 @@ Польща libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6799,7 +6875,7 @@ Румунія libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6807,7 +6883,7 @@ Південна Африка libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6815,7 +6891,7 @@ Таїланд libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6823,7 +6899,7 @@ Україна libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6831,7 +6907,7 @@ Сполучені Штати libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6839,7 +6915,7 @@ Екстремальний страх libs/ui/src/lib/i18n.ts - 105 + 106 @@ -6847,7 +6923,7 @@ Екстремальна жадібність libs/ui/src/lib/i18n.ts - 106 + 107 @@ -6855,7 +6931,7 @@ Нейтрально libs/ui/src/lib/i18n.ts - 109 + 110 @@ -6939,7 +7015,7 @@ Regional Market Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6947,7 +7023,7 @@ Lazy apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6955,7 +7031,7 @@ Instant apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6995,7 +7071,7 @@ end of day apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7003,7 +7079,7 @@ real-time apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7058,6 +7134,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt Copy portfolio data to clipboard for AI prompt @@ -7079,7 +7163,7 @@ Armenia libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7087,7 +7171,7 @@ British Virgin Islands libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7095,7 +7179,7 @@ Singapore libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7179,7 +7263,7 @@ United Kingdom libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7228,7 +7312,7 @@ () is already in use. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7236,7 +7320,7 @@ An error occurred while updating to (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7767,6 +7851,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks Stocks @@ -7812,7 +7904,7 @@ Alternative Investment libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7820,7 +7912,7 @@ Collectible libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8176,11 +8268,11 @@ Find Ghostfolio on GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8188,7 +8280,7 @@ Join the Ghostfolio Slack community apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8196,7 +8288,7 @@ Follow Ghostfolio on X (formerly Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8204,7 +8296,11 @@ Send an e-mail apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8212,7 +8308,7 @@ Follow Ghostfolio on LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8220,7 +8316,7 @@ Ghostfolio is an independent & bootstrapped business apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8228,7 +8324,7 @@ Support Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 diff --git a/apps/client/src/locales/messages.xlf b/apps/client/src/locales/messages.xlf index af021f379..04dcf83d5 100644 --- a/apps/client/src/locales/messages.xlf +++ b/apps/client/src/locales/messages.xlf @@ -254,14 +254,14 @@ Revoke apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 Do you really want to revoke this granted access? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -565,6 +565,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -598,6 +602,13 @@ 92 + + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Delete Jobs @@ -671,7 +682,7 @@ Currencies apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -682,14 +693,14 @@ ETFs without Countries apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 ETFs without Sectors apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -703,7 +714,7 @@ Filter by... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -885,6 +896,13 @@ 360 + + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 + + Scraper Configuration @@ -1305,7 +1323,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -1350,7 +1368,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -1365,7 +1383,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -1393,6 +1411,13 @@ 12 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts @@ -1502,7 +1527,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -1529,21 +1554,21 @@ Sign in with Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 Sign in with Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 Stay signed in apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1572,7 +1597,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -2509,7 +2534,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -3011,6 +3036,13 @@ 37 + + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + Active Users @@ -3233,6 +3265,13 @@ 179 + + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Validating data... @@ -3401,7 +3440,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -3497,7 +3536,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -3595,14 +3634,14 @@ Currency Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 Account Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -3631,8 +3670,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -3956,6 +3995,13 @@ 55 + + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded @@ -4122,7 +4168,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -4133,7 +4179,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -4359,7 +4405,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -4472,7 +4518,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -4519,67 +4565,67 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 Grant libs/ui/src/lib/i18n.ts - 18 + 19 Higher Risk libs/ui/src/lib/i18n.ts - 19 + 20 This activity already exists. libs/ui/src/lib/i18n.ts - 20 + 21 Japan libs/ui/src/lib/i18n.ts - 91 + 92 Lower Risk libs/ui/src/lib/i18n.ts - 21 + 22 Month libs/ui/src/lib/i18n.ts - 22 + 23 Months libs/ui/src/lib/i18n.ts - 23 + 24 Other libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -4590,21 +4636,21 @@ Preset libs/ui/src/lib/i18n.ts - 26 + 27 Retirement Provision libs/ui/src/lib/i18n.ts - 27 + 28 Satellite libs/ui/src/lib/i18n.ts - 28 + 29 @@ -4631,7 +4677,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -4642,21 +4688,21 @@ libs/ui/src/lib/i18n.ts - 30 + 31 Year libs/ui/src/lib/i18n.ts - 31 + 32 Years libs/ui/src/lib/i18n.ts - 32 + 33 @@ -4667,7 +4713,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -4682,21 +4728,21 @@ libs/ui/src/lib/i18n.ts - 38 + 39 Valuable libs/ui/src/lib/i18n.ts - 40 + 41 Liability libs/ui/src/lib/i18n.ts - 41 + 42 @@ -4707,7 +4753,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -4718,14 +4764,14 @@ libs/ui/src/lib/i18n.ts - 54 + 55 Commodity libs/ui/src/lib/i18n.ts - 46 + 47 @@ -4736,133 +4782,133 @@ libs/ui/src/lib/i18n.ts - 47 + 48 Fixed Income libs/ui/src/lib/i18n.ts - 48 + 49 Real Estate libs/ui/src/lib/i18n.ts - 50 + 51 Bond libs/ui/src/lib/i18n.ts - 53 + 54 Cryptocurrency libs/ui/src/lib/i18n.ts - 56 + 57 ETF libs/ui/src/lib/i18n.ts - 57 + 58 Mutual Fund libs/ui/src/lib/i18n.ts - 58 + 59 Precious Metal libs/ui/src/lib/i18n.ts - 59 + 60 Private Equity libs/ui/src/lib/i18n.ts - 60 + 61 Stock libs/ui/src/lib/i18n.ts - 61 + 62 Africa libs/ui/src/lib/i18n.ts - 68 + 69 Asia libs/ui/src/lib/i18n.ts - 69 + 70 Europe libs/ui/src/lib/i18n.ts - 70 + 71 North America libs/ui/src/lib/i18n.ts - 71 + 72 Oceania libs/ui/src/lib/i18n.ts - 72 + 73 South America libs/ui/src/lib/i18n.ts - 73 + 74 Extreme Fear libs/ui/src/lib/i18n.ts - 105 + 106 Extreme Greed libs/ui/src/lib/i18n.ts - 106 + 107 Neutral libs/ui/src/lib/i18n.ts - 109 + 110 @@ -4928,7 +4974,7 @@ The current market price is apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -4949,7 +4995,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5240,7 +5286,7 @@ Indonesia libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5286,7 +5332,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5398,7 +5444,7 @@ Benchmarks apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -5488,35 +5534,35 @@ Thailand libs/ui/src/lib/i18n.ts - 99 + 100 India libs/ui/src/lib/i18n.ts - 88 + 89 Austria libs/ui/src/lib/i18n.ts - 79 + 80 Poland libs/ui/src/lib/i18n.ts - 94 + 95 Italy libs/ui/src/lib/i18n.ts - 90 + 91 @@ -5558,21 +5604,21 @@ Canada libs/ui/src/lib/i18n.ts - 83 + 84 New Zealand libs/ui/src/lib/i18n.ts - 93 + 94 Netherlands libs/ui/src/lib/i18n.ts - 92 + 93 @@ -5611,21 +5657,21 @@ Romania libs/ui/src/lib/i18n.ts - 95 + 96 Germany libs/ui/src/lib/i18n.ts - 87 + 88 United States libs/ui/src/lib/i18n.ts - 102 + 103 @@ -5639,7 +5685,7 @@ Belgium libs/ui/src/lib/i18n.ts - 80 + 81 @@ -5657,28 +5703,28 @@ Czech Republic libs/ui/src/lib/i18n.ts - 84 + 85 Australia libs/ui/src/lib/i18n.ts - 78 + 79 South Africa libs/ui/src/lib/i18n.ts - 97 + 98 Bulgaria libs/ui/src/lib/i18n.ts - 82 + 83 @@ -5692,21 +5738,21 @@ Finland libs/ui/src/lib/i18n.ts - 85 + 86 France libs/ui/src/lib/i18n.ts - 86 + 87 Error apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -5749,7 +5795,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -5768,14 +5814,14 @@ Yes libs/ui/src/lib/i18n.ts - 33 + 34 Inactive apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -5806,7 +5852,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -5817,14 +5863,14 @@ Activate apps/client/src/app/components/rule/rule.component.html - 74 + 83 Deactivate apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -5834,11 +5880,18 @@ 92 + + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -5873,7 +5926,7 @@ Copy link to clipboard apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -5926,6 +5979,13 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + can be self-hosted @@ -6017,7 +6077,7 @@ Ukraine libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6031,7 +6091,7 @@ Get access to 80’000+ tickers from over 50 exchanges libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6113,7 +6173,7 @@ Economic Market Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6261,7 +6321,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6272,7 +6332,7 @@ Asset Class Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6282,6 +6342,13 @@ 53 + + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Me @@ -6311,14 +6378,14 @@ Link has been copied to the clipboard apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 Regional Market Cluster Risks apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6346,14 +6413,14 @@ Instant apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 Lazy apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6367,14 +6434,14 @@ real-time apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 end of day apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6425,6 +6492,13 @@ 380 + + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy AI prompt to clipboard for analysis @@ -6436,21 +6510,21 @@ Singapore libs/ui/src/lib/i18n.ts - 96 + 97 Armenia libs/ui/src/lib/i18n.ts - 76 + 77 British Virgin Islands libs/ui/src/lib/i18n.ts - 81 + 82 @@ -6531,7 +6605,7 @@ United Kingdom libs/ui/src/lib/i18n.ts - 101 + 102 @@ -6575,14 +6649,14 @@ () is already in use. apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 An error occurred while updating to (). apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7025,6 +7099,13 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Do you really want to generate a new security token? @@ -7072,14 +7153,14 @@ Alternative Investment libs/ui/src/lib/i18n.ts - 45 + 46 Collectible libs/ui/src/lib/i18n.ts - 55 + 56 @@ -7391,53 +7472,57 @@ Support Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 Find Ghostfolio on GitHub apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 Ghostfolio is an independent & bootstrapped business apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 Send an e-mail apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 Join the Ghostfolio Slack community apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 Follow Ghostfolio on LinkedIn apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 Follow Ghostfolio on X (formerly Twitter) apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 diff --git a/apps/client/src/locales/messages.zh.xlf b/apps/client/src/locales/messages.zh.xlf index 66517e0c7..17e1dde55 100644 --- a/apps/client/src/locales/messages.zh.xlf +++ b/apps/client/src/locales/messages.zh.xlf @@ -272,7 +272,7 @@ 撤销 apps/client/src/app/components/access-table/access-table.component.html - 75 + 80 @@ -280,7 +280,7 @@ 您真的要撤销此访问权限吗? apps/client/src/app/components/access-table/access-table.component.ts - 108 + 112 @@ -598,6 +598,10 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html 155 + + libs/ui/src/lib/i18n.ts + 15 + Attempts @@ -635,6 +639,14 @@ 92 + + and is driven by the efforts of its contributors + and is driven by the efforts of its contributors + + apps/client/src/app/pages/about/overview/about-overview-page.html + 47 + + Delete Jobs 删除任务 @@ -716,7 +728,7 @@ 货币 apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 125 + 132 apps/client/src/app/pages/public/public-page.html @@ -728,7 +740,7 @@ 没有国家的 ETF apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 130 + 137 @@ -736,7 +748,7 @@ 无行业类别的 ETF apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 135 + 142 @@ -752,7 +764,7 @@ 过滤... apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 379 + 386 @@ -927,6 +939,14 @@ 360 + + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + + apps/client/src/app/pages/about/overview/about-overview-page.html + 30 + + Scraper Configuration 刮削配置 @@ -1396,7 +1416,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 71 + 72 libs/common/src/lib/routes/routes.ts @@ -1444,7 +1464,7 @@ libs/ui/src/lib/i18n.ts - 107 + 108 @@ -1460,7 +1480,7 @@ libs/ui/src/lib/i18n.ts - 108 + 109 @@ -1491,6 +1511,14 @@ 12 + + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + + apps/client/src/app/pages/about/overview/about-overview-page.html + 15 + + Setup your accounts 设置您的帐户 @@ -1612,7 +1640,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 32 + 31 apps/client/src/app/pages/landing/landing-page.html @@ -1640,7 +1668,7 @@ 使用互联网身份登录 apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 42 + 41 @@ -1648,7 +1676,7 @@ 使用 Google 登录 apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 52 + 51 @@ -1656,7 +1684,7 @@ 保持登录 apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 61 + 60 @@ -1688,7 +1716,7 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 237 + 223 @@ -2712,7 +2740,7 @@ apps/client/src/app/pages/about/overview/about-overview-page.html - 164 + 187 apps/client/src/app/pages/faq/overview/faq-overview-page.routes.ts @@ -3271,6 +3299,14 @@ 37 + + Ghostfolio Status + Ghostfolio Status + + apps/client/src/app/pages/about/overview/about-overview-page.html + 60 + + Active Users 活跃用户 @@ -3515,6 +3551,14 @@ 179 + + or start a discussion at + or start a discussion at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 92 + + Validating data... 验证数据... @@ -3704,7 +3748,7 @@ libs/ui/src/lib/i18n.ts - 16 + 17 @@ -3808,7 +3852,7 @@ libs/ui/src/lib/i18n.ts - 37 + 38 @@ -3920,7 +3964,7 @@ 货币集群风险 apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 117 + 113 @@ -3928,7 +3972,7 @@ 账户集群风险 apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 165 + 157 @@ -3959,8 +4003,8 @@ 389 - apps/client/src/app/pages/pricing/pricing-page-routing.module.ts - 13 + apps/client/src/app/pages/pricing/pricing-page.routes.ts + 12 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4320,6 +4364,14 @@ 55 + + Website of Thomas Kaul + Website of Thomas Kaul + + apps/client/src/app/pages/about/overview/about-overview-page.html + 42 + + Founded 成立 @@ -4501,7 +4553,7 @@ libs/ui/src/lib/i18n.ts - 98 + 99 @@ -4513,7 +4565,7 @@ libs/ui/src/lib/i18n.ts - 17 + 18 @@ -4765,7 +4817,7 @@ libs/ui/src/lib/i18n.ts - 39 + 40 @@ -4885,7 +4937,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 306 + 309 libs/ui/src/lib/i18n.ts @@ -4937,11 +4989,11 @@ apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 93 + 91 libs/ui/src/lib/i18n.ts - 15 + 16 @@ -4949,7 +5001,7 @@ 授予 libs/ui/src/lib/i18n.ts - 18 + 19 @@ -4957,7 +5009,7 @@ 风险较高 libs/ui/src/lib/i18n.ts - 19 + 20 @@ -4965,7 +5017,7 @@ 这项活动已经存在。 libs/ui/src/lib/i18n.ts - 20 + 21 @@ -4973,7 +5025,7 @@ 日本 libs/ui/src/lib/i18n.ts - 91 + 92 @@ -4981,7 +5033,7 @@ 降低风险 libs/ui/src/lib/i18n.ts - 21 + 22 @@ -4989,7 +5041,7 @@ libs/ui/src/lib/i18n.ts - 22 + 23 @@ -4997,7 +5049,7 @@ 几个月 libs/ui/src/lib/i18n.ts - 23 + 24 @@ -5005,7 +5057,7 @@ 其他 libs/ui/src/lib/i18n.ts - 24 + 25 libs/ui/src/lib/portfolio-proportion-chart/portfolio-proportion-chart.component.ts @@ -5017,7 +5069,7 @@ 预设 libs/ui/src/lib/i18n.ts - 26 + 27 @@ -5025,7 +5077,7 @@ 退休金 libs/ui/src/lib/i18n.ts - 27 + 28 @@ -5033,7 +5085,7 @@ 卫星 libs/ui/src/lib/i18n.ts - 28 + 29 @@ -5061,7 +5113,7 @@ libs/ui/src/lib/i18n.ts - 29 + 30 @@ -5073,7 +5125,7 @@ libs/ui/src/lib/i18n.ts - 30 + 31 @@ -5081,7 +5133,7 @@ libs/ui/src/lib/i18n.ts - 31 + 32 @@ -5089,7 +5141,7 @@ libs/ui/src/lib/i18n.ts - 32 + 33 @@ -5101,7 +5153,7 @@ libs/ui/src/lib/i18n.ts - 36 + 37 @@ -5117,7 +5169,7 @@ libs/ui/src/lib/i18n.ts - 38 + 39 @@ -5125,7 +5177,7 @@ 贵重物品 libs/ui/src/lib/i18n.ts - 40 + 41 @@ -5133,7 +5185,7 @@ 负债 libs/ui/src/lib/i18n.ts - 41 + 42 @@ -5145,7 +5197,7 @@ libs/ui/src/lib/i18n.ts - 42 + 43 @@ -5157,7 +5209,7 @@ libs/ui/src/lib/i18n.ts - 54 + 55 @@ -5165,7 +5217,7 @@ 商品 libs/ui/src/lib/i18n.ts - 46 + 47 @@ -5177,7 +5229,7 @@ libs/ui/src/lib/i18n.ts - 47 + 48 @@ -5185,7 +5237,7 @@ 固定收益 libs/ui/src/lib/i18n.ts - 48 + 49 @@ -5193,7 +5245,7 @@ 房地产 libs/ui/src/lib/i18n.ts - 50 + 51 @@ -5201,7 +5253,7 @@ 债券 libs/ui/src/lib/i18n.ts - 53 + 54 @@ -5209,7 +5261,7 @@ 加密货币 libs/ui/src/lib/i18n.ts - 56 + 57 @@ -5217,7 +5269,7 @@ 交易所交易基金 libs/ui/src/lib/i18n.ts - 57 + 58 @@ -5225,7 +5277,7 @@ 共同基金 libs/ui/src/lib/i18n.ts - 58 + 59 @@ -5233,7 +5285,7 @@ 贵金属 libs/ui/src/lib/i18n.ts - 59 + 60 @@ -5241,7 +5293,7 @@ 私募股权 libs/ui/src/lib/i18n.ts - 60 + 61 @@ -5249,7 +5301,7 @@ 股票 libs/ui/src/lib/i18n.ts - 61 + 62 @@ -5257,7 +5309,7 @@ 非洲 libs/ui/src/lib/i18n.ts - 68 + 69 @@ -5265,7 +5317,7 @@ 亚洲 libs/ui/src/lib/i18n.ts - 69 + 70 @@ -5273,7 +5325,7 @@ 欧洲 libs/ui/src/lib/i18n.ts - 70 + 71 @@ -5281,7 +5333,7 @@ 北美 libs/ui/src/lib/i18n.ts - 71 + 72 @@ -5289,7 +5341,7 @@ 大洋洲 libs/ui/src/lib/i18n.ts - 72 + 73 @@ -5297,7 +5349,7 @@ 南美洲 libs/ui/src/lib/i18n.ts - 73 + 74 @@ -5305,7 +5357,7 @@ 极度恐惧 libs/ui/src/lib/i18n.ts - 105 + 106 @@ -5313,7 +5365,7 @@ 极度贪婪 libs/ui/src/lib/i18n.ts - 106 + 107 @@ -5321,7 +5373,7 @@ 中性的 libs/ui/src/lib/i18n.ts - 109 + 110 @@ -5393,7 +5445,7 @@ 当前市场价格为 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 636 + 634 @@ -5417,7 +5469,7 @@ Argentina libs/ui/src/lib/i18n.ts - 77 + 78 @@ -5742,7 +5794,7 @@ Indonesia libs/ui/src/lib/i18n.ts - 89 + 90 @@ -5794,7 +5846,7 @@ libs/ui/src/lib/i18n.ts - 49 + 50 @@ -5898,7 +5950,7 @@ 基准 apps/client/src/app/components/admin-market-data/admin-market-data.component.ts - 120 + 127 @@ -6122,7 +6174,7 @@ 澳大利亚 libs/ui/src/lib/i18n.ts - 78 + 79 @@ -6130,7 +6182,7 @@ 奥地利 libs/ui/src/lib/i18n.ts - 79 + 80 @@ -6138,7 +6190,7 @@ 比利时 libs/ui/src/lib/i18n.ts - 80 + 81 @@ -6146,7 +6198,7 @@ 保加利亚 libs/ui/src/lib/i18n.ts - 82 + 83 @@ -6154,7 +6206,7 @@ 加拿大 libs/ui/src/lib/i18n.ts - 83 + 84 @@ -6162,7 +6214,7 @@ 捷克共和国 libs/ui/src/lib/i18n.ts - 84 + 85 @@ -6170,7 +6222,7 @@ 芬兰 libs/ui/src/lib/i18n.ts - 85 + 86 @@ -6178,7 +6230,7 @@ 法国 libs/ui/src/lib/i18n.ts - 86 + 87 @@ -6186,7 +6238,7 @@ 德国 libs/ui/src/lib/i18n.ts - 87 + 88 @@ -6194,7 +6246,7 @@ 印度 libs/ui/src/lib/i18n.ts - 88 + 89 @@ -6202,7 +6254,7 @@ 意大利 libs/ui/src/lib/i18n.ts - 90 + 91 @@ -6210,7 +6262,7 @@ 荷兰 libs/ui/src/lib/i18n.ts - 92 + 93 @@ -6218,7 +6270,7 @@ 新西兰 libs/ui/src/lib/i18n.ts - 93 + 94 @@ -6226,7 +6278,7 @@ 波兰 libs/ui/src/lib/i18n.ts - 94 + 95 @@ -6234,7 +6286,7 @@ 罗马尼亚 libs/ui/src/lib/i18n.ts - 95 + 96 @@ -6242,7 +6294,7 @@ 南非 libs/ui/src/lib/i18n.ts - 97 + 98 @@ -6250,7 +6302,7 @@ 泰国 libs/ui/src/lib/i18n.ts - 99 + 100 @@ -6258,7 +6310,7 @@ 美国 libs/ui/src/lib/i18n.ts - 102 + 103 @@ -6266,7 +6318,7 @@ 错误 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 627 + 625 @@ -6274,7 +6326,7 @@ 停用 apps/client/src/app/components/rule/rule.component.html - 72 + 78 @@ -6282,7 +6334,7 @@ 激活 apps/client/src/app/components/rule/rule.component.html - 74 + 83 @@ -6290,7 +6342,7 @@ 非活跃 apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 256 + 240 @@ -6334,7 +6386,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 340 + 346 apps/client/src/app/pages/register/show-access-token-dialog/show-access-token-dialog.html @@ -6378,7 +6430,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 342 + 348 libs/ui/src/lib/i18n.ts @@ -6390,7 +6442,7 @@ libs/ui/src/lib/i18n.ts - 33 + 34 @@ -6406,7 +6458,7 @@ 复制链接到剪贴板 apps/client/src/app/components/access-table/access-table.component.html - 70 + 72 @@ -6449,12 +6501,20 @@ 92 + + send an e-mail to + send an e-mail to + + apps/client/src/app/pages/about/overview/about-overview-page.html + 85 + + Customize 自定义 apps/client/src/app/components/rule/rule.component.html - 67 + 69 @@ -6593,6 +6653,14 @@ 280 + + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + Ghostfolio is a lightweight wealth management application for individuals to keep track of stocks, ETFs or cryptocurrencies and make solid, data-driven investment decisions. + + apps/client/src/app/pages/about/overview/about-overview-page.html + 10 + + Oops! Could not find any assets. 哎呀!找不到任何资产。 @@ -6622,7 +6690,7 @@ 获取来自 50 多个交易所的 80,000+ 股票代码访问权限 libs/ui/src/lib/i18n.ts - 25 + 26 @@ -6630,7 +6698,7 @@ 乌克兰 libs/ui/src/lib/i18n.ts - 100 + 101 @@ -6720,7 +6788,7 @@ 经济市场集群风险 apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 189 + 179 @@ -6876,7 +6944,7 @@ apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html - 351 + 357 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -6888,7 +6956,7 @@ 资产类别集群风险 apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 141 + 135 @@ -6911,6 +6979,14 @@ 53 + + Check the system status at + Check the system status at + + apps/client/src/app/pages/about/overview/about-overview-page.html + 55 + + Please enter your Ghostfolio API key. 请输入您的 Ghostfolio API 密钥。 @@ -6932,7 +7008,7 @@ 链接已复制到剪贴板 apps/client/src/app/components/access-table/access-table.component.ts - 94 + 98 @@ -6940,7 +7016,7 @@ 区域市场集群风险 apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html - 213 + 201 @@ -6948,7 +7024,7 @@ 延迟 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -6956,7 +7032,7 @@ 即时 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -6996,7 +7072,7 @@ 收盘 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 200 + 198 @@ -7004,7 +7080,7 @@ 实时 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 204 + 202 @@ -7059,6 +7135,14 @@ 380 + + The project has been initiated by + The project has been initiated by + + apps/client/src/app/pages/about/overview/about-overview-page.html + 38 + + Copy portfolio data to clipboard for AI prompt 复制投资组合数据到剪贴板以供 AI 提示使用 @@ -7080,7 +7164,7 @@ 亚美尼亚 libs/ui/src/lib/i18n.ts - 76 + 77 @@ -7088,7 +7172,7 @@ 英属维尔京群岛 libs/ui/src/lib/i18n.ts - 81 + 82 @@ -7096,7 +7180,7 @@ 新加坡 libs/ui/src/lib/i18n.ts - 96 + 97 @@ -7180,7 +7264,7 @@ 英国 libs/ui/src/lib/i18n.ts - 101 + 102 @@ -7229,7 +7313,7 @@ () 已在使用中。 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 563 + 561 @@ -7237,7 +7321,7 @@ 在更新到 () 时发生错误。 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.component.ts - 571 + 569 @@ -7768,6 +7852,14 @@ 43 + + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + + apps/client/src/app/pages/about/overview/about-overview-page.html + 67 + + Stocks 股票 @@ -7813,7 +7905,7 @@ 另类投资 libs/ui/src/lib/i18n.ts - 45 + 46 @@ -7821,7 +7913,7 @@ 收藏品 libs/ui/src/lib/i18n.ts - 55 + 56 @@ -8177,11 +8269,11 @@ 在 GitHub 上查找 Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 74 + 97 apps/client/src/app/pages/about/overview/about-overview-page.html - 113 + 136 @@ -8189,7 +8281,7 @@ 加入 Ghostfolio Slack 社区 apps/client/src/app/pages/about/overview/about-overview-page.html - 84 + 107 @@ -8197,7 +8289,7 @@ 在 X (前身为 Twitter) 上关注 Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 93 + 116 @@ -8205,7 +8297,11 @@ 发送电子邮件 apps/client/src/app/pages/about/overview/about-overview-page.html - 103 + 87 + + + apps/client/src/app/pages/about/overview/about-overview-page.html + 126 @@ -8213,7 +8309,7 @@ 在 LinkedIn 上关注 Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 122 + 145 @@ -8221,7 +8317,7 @@ Ghostfolio 是一家独立的自筹资金企业 apps/client/src/app/pages/about/overview/about-overview-page.html - 132 + 155 @@ -8229,7 +8325,7 @@ 支持 Ghostfolio apps/client/src/app/pages/about/overview/about-overview-page.html - 141 + 164 From 9744f1bade7e369f818c470f1dad0575c1bae23d Mon Sep 17 00:00:00 2001 From: Kenrick Tandrian <60643640+KenTandrian@users.noreply.github.com> Date: Sun, 31 Aug 2025 14:36:52 +0700 Subject: [PATCH 12/26] Task/migrate world map chart component to standalone (#5443) * Migrate world map chart component to standalone * Update changelog --- CHANGELOG.md | 1 + .../world-map-chart/world-map-chart.component.ts | 9 +++++---- .../world-map-chart/world-map-chart.module.ts | 12 ------------ .../src/app/pages/landing/landing-page.component.ts | 4 ++-- .../allocations/allocations-page.component.ts | 4 ++-- .../src/app/pages/public/public-page.module.ts | 4 ++-- 6 files changed, 12 insertions(+), 22 deletions(-) delete mode 100644 apps/client/src/app/components/world-map-chart/world-map-chart.module.ts diff --git a/CHANGELOG.md b/CHANGELOG.md index 8fbc5f009..160ec0e47 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Changed - Localized the content of the about page +- Refactored the world map chart component to standalone - Improved the language localization for German (`de`) - Upgraded the _Stripe_ dependencies - Upgraded `ngx-device-detector` from version `10.0.2` to `10.1.0` diff --git a/apps/client/src/app/components/world-map-chart/world-map-chart.component.ts b/apps/client/src/app/components/world-map-chart/world-map-chart.component.ts index b394915c4..2a926cf7c 100644 --- a/apps/client/src/app/components/world-map-chart/world-map-chart.component.ts +++ b/apps/client/src/app/components/world-map-chart/world-map-chart.component.ts @@ -8,16 +8,17 @@ import { OnChanges, OnDestroy } from '@angular/core'; +import { NgxSkeletonLoaderModule } from 'ngx-skeleton-loader'; import svgMap from 'svgmap'; @Component({ - selector: 'gf-world-map-chart', changeDetection: ChangeDetectionStrategy.OnPush, - templateUrl: './world-map-chart.component.html', + imports: [NgxSkeletonLoaderModule], + selector: 'gf-world-map-chart', styleUrls: ['./world-map-chart.component.scss'], - standalone: false + templateUrl: './world-map-chart.component.html' }) -export class WorldMapChartComponent implements OnChanges, OnDestroy { +export class GfWorldMapChartComponent implements OnChanges, OnDestroy { @Input() countries: { [code: string]: { name?: string; value: number } }; @Input() format: string; @Input() isInPercent = false; diff --git a/apps/client/src/app/components/world-map-chart/world-map-chart.module.ts b/apps/client/src/app/components/world-map-chart/world-map-chart.module.ts deleted file mode 100644 index 52551344d..000000000 --- a/apps/client/src/app/components/world-map-chart/world-map-chart.module.ts +++ /dev/null @@ -1,12 +0,0 @@ -import { CommonModule } from '@angular/common'; -import { NgModule } from '@angular/core'; -import { NgxSkeletonLoaderModule } from 'ngx-skeleton-loader'; - -import { WorldMapChartComponent } from './world-map-chart.component'; - -@NgModule({ - declarations: [WorldMapChartComponent], - exports: [WorldMapChartComponent], - imports: [CommonModule, NgxSkeletonLoaderModule] -}) -export class GfWorldMapChartModule {} diff --git a/apps/client/src/app/pages/landing/landing-page.component.ts b/apps/client/src/app/pages/landing/landing-page.component.ts index bc859a5e3..31d067697 100644 --- a/apps/client/src/app/pages/landing/landing-page.component.ts +++ b/apps/client/src/app/pages/landing/landing-page.component.ts @@ -1,4 +1,4 @@ -import { GfWorldMapChartModule } from '@ghostfolio/client/components/world-map-chart/world-map-chart.module'; +import { GfWorldMapChartComponent } from '@ghostfolio/client/components/world-map-chart/world-map-chart.component'; import { DataService } from '@ghostfolio/client/services/data.service'; import { Statistics } from '@ghostfolio/common/interfaces'; import { hasPermission, permissions } from '@ghostfolio/common/permissions'; @@ -30,7 +30,7 @@ import { Subject } from 'rxjs'; GfCarouselComponent, GfLogoComponent, GfValueComponent, - GfWorldMapChartModule, + GfWorldMapChartComponent, IonIcon, MatButtonModule, MatCardModule, diff --git a/apps/client/src/app/pages/portfolio/allocations/allocations-page.component.ts b/apps/client/src/app/pages/portfolio/allocations/allocations-page.component.ts index 1b7874542..27bf0036c 100644 --- a/apps/client/src/app/pages/portfolio/allocations/allocations-page.component.ts +++ b/apps/client/src/app/pages/portfolio/allocations/allocations-page.component.ts @@ -1,6 +1,6 @@ import { AccountDetailDialog } from '@ghostfolio/client/components/account-detail-dialog/account-detail-dialog.component'; import { AccountDetailDialogParams } from '@ghostfolio/client/components/account-detail-dialog/interfaces/interfaces'; -import { GfWorldMapChartModule } from '@ghostfolio/client/components/world-map-chart/world-map-chart.module'; +import { GfWorldMapChartComponent } from '@ghostfolio/client/components/world-map-chart/world-map-chart.component'; import { DataService } from '@ghostfolio/client/services/data.service'; import { ImpersonationStorageService } from '@ghostfolio/client/services/impersonation-storage.service'; import { UserService } from '@ghostfolio/client/services/user/user.service'; @@ -45,7 +45,7 @@ import { takeUntil } from 'rxjs/operators'; GfPremiumIndicatorComponent, GfTopHoldingsComponent, GfValueComponent, - GfWorldMapChartModule, + GfWorldMapChartComponent, MatCardModule, MatProgressBarModule, NgClass diff --git a/apps/client/src/app/pages/public/public-page.module.ts b/apps/client/src/app/pages/public/public-page.module.ts index 68c43b45f..95c0dc281 100644 --- a/apps/client/src/app/pages/public/public-page.module.ts +++ b/apps/client/src/app/pages/public/public-page.module.ts @@ -1,4 +1,4 @@ -import { GfWorldMapChartModule } from '@ghostfolio/client/components/world-map-chart/world-map-chart.module'; +import { GfWorldMapChartComponent } from '@ghostfolio/client/components/world-map-chart/world-map-chart.component'; import { GfHoldingsTableComponent } from '@ghostfolio/ui/holdings-table'; import { GfPortfolioProportionChartComponent } from '@ghostfolio/ui/portfolio-proportion-chart'; import { GfValueComponent } from '@ghostfolio/ui/value'; @@ -18,7 +18,7 @@ import { PublicPageComponent } from './public-page.component'; GfHoldingsTableComponent, GfPortfolioProportionChartComponent, GfValueComponent, - GfWorldMapChartModule, + GfWorldMapChartComponent, MatButtonModule, MatCardModule, PublicPageRoutingModule From 0d7ef1a250de95702622df9ab6df68a3e92c6b31 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Sun, 31 Aug 2025 21:05:44 +0200 Subject: [PATCH 13/26] Task/remove standalone attribute from data provider status component (#5439) * Remove obsolete standalone attribute --- .../data-provider-status/data-provider-status.component.ts | 1 - 1 file changed, 1 deletion(-) diff --git a/apps/client/src/app/components/data-provider-status/data-provider-status.component.ts b/apps/client/src/app/components/data-provider-status/data-provider-status.component.ts index ddd505591..02cda1056 100644 --- a/apps/client/src/app/components/data-provider-status/data-provider-status.component.ts +++ b/apps/client/src/app/components/data-provider-status/data-provider-status.component.ts @@ -18,7 +18,6 @@ import { DataProviderStatus } from './interfaces/interfaces'; changeDetection: ChangeDetectionStrategy.OnPush, imports: [CommonModule, NgxSkeletonLoaderModule], selector: 'gf-data-provider-status', - standalone: true, templateUrl: './data-provider-status.component.html' }) export class GfDataProviderStatusComponent implements OnDestroy, OnInit { From d45cef1725c83967a4357eba965f5a01f214e239 Mon Sep 17 00:00:00 2001 From: Kenrick Tandrian <60643640+KenTandrian@users.noreply.github.com> Date: Mon, 1 Sep 2025 16:56:48 +0700 Subject: [PATCH 14/26] Task/migrate benchmark comparator component to standalone (#5446) * Migrate benchmark comparator component to standalone * Update changelog --- CHANGELOG.md | 1 + .../benchmark-comparator.component.ts | 24 ++++++++++++++--- .../benchmark-comparator.module.ts | 27 ------------------- .../analysis/analysis-page.component.ts | 4 +-- 4 files changed, 23 insertions(+), 33 deletions(-) delete mode 100644 apps/client/src/app/components/benchmark-comparator/benchmark-comparator.module.ts diff --git a/CHANGELOG.md b/CHANGELOG.md index 160ec0e47..1e4c43ff3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Changed - Localized the content of the about page +- Refactored the benchmark comparator component to standalone - Refactored the world map chart component to standalone - Improved the language localization for German (`de`) - Upgraded the _Stripe_ dependencies diff --git a/apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts b/apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts index d557ae88a..7f03ea57f 100644 --- a/apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts +++ b/apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts @@ -15,7 +15,9 @@ import { LineChartItem, User } from '@ghostfolio/common/interfaces'; import { hasPermission, permissions } from '@ghostfolio/common/permissions'; import { internalRoutes } from '@ghostfolio/common/routes/routes'; import { ColorScheme } from '@ghostfolio/common/types'; +import { GfPremiumIndicatorComponent } from '@ghostfolio/ui/premium-indicator'; +import { CommonModule } from '@angular/common'; import { ChangeDetectionStrategy, Component, @@ -26,6 +28,10 @@ import { Output, ViewChild } from '@angular/core'; +import { FormsModule, ReactiveFormsModule } from '@angular/forms'; +import { MatSelectModule } from '@angular/material/select'; +import { RouterModule } from '@angular/router'; +import { IonIcon } from '@ionic/angular/standalone'; import { SymbolProfile } from '@prisma/client'; import { Chart, @@ -42,15 +48,25 @@ import 'chartjs-adapter-date-fns'; import annotationPlugin from 'chartjs-plugin-annotation'; import { addIcons } from 'ionicons'; import { arrowForwardOutline } from 'ionicons/icons'; +import { NgxSkeletonLoaderModule } from 'ngx-skeleton-loader'; @Component({ - selector: 'gf-benchmark-comparator', changeDetection: ChangeDetectionStrategy.OnPush, - templateUrl: './benchmark-comparator.component.html', + imports: [ + CommonModule, + FormsModule, + GfPremiumIndicatorComponent, + IonIcon, + MatSelectModule, + NgxSkeletonLoaderModule, + ReactiveFormsModule, + RouterModule + ], + selector: 'gf-benchmark-comparator', styleUrls: ['./benchmark-comparator.component.scss'], - standalone: false + templateUrl: './benchmark-comparator.component.html' }) -export class BenchmarkComparatorComponent implements OnChanges, OnDestroy { +export class GfBenchmarkComparatorComponent implements OnChanges, OnDestroy { @Input() benchmark: Partial; @Input() benchmarkDataItems: LineChartItem[] = []; @Input() benchmarks: Partial[]; diff --git a/apps/client/src/app/components/benchmark-comparator/benchmark-comparator.module.ts b/apps/client/src/app/components/benchmark-comparator/benchmark-comparator.module.ts deleted file mode 100644 index c2df436a4..000000000 --- a/apps/client/src/app/components/benchmark-comparator/benchmark-comparator.module.ts +++ /dev/null @@ -1,27 +0,0 @@ -import { GfPremiumIndicatorComponent } from '@ghostfolio/ui/premium-indicator'; - -import { CommonModule } from '@angular/common'; -import { NgModule } from '@angular/core'; -import { FormsModule, ReactiveFormsModule } from '@angular/forms'; -import { MatSelectModule } from '@angular/material/select'; -import { RouterModule } from '@angular/router'; -import { IonIcon } from '@ionic/angular/standalone'; -import { NgxSkeletonLoaderModule } from 'ngx-skeleton-loader'; - -import { BenchmarkComparatorComponent } from './benchmark-comparator.component'; - -@NgModule({ - declarations: [BenchmarkComparatorComponent], - exports: [BenchmarkComparatorComponent], - imports: [ - CommonModule, - FormsModule, - GfPremiumIndicatorComponent, - IonIcon, - MatSelectModule, - NgxSkeletonLoaderModule, - ReactiveFormsModule, - RouterModule - ] -}) -export class GfBenchmarkComparatorModule {} diff --git a/apps/client/src/app/pages/portfolio/analysis/analysis-page.component.ts b/apps/client/src/app/pages/portfolio/analysis/analysis-page.component.ts index 0fd9037bf..89f294a35 100644 --- a/apps/client/src/app/pages/portfolio/analysis/analysis-page.component.ts +++ b/apps/client/src/app/pages/portfolio/analysis/analysis-page.component.ts @@ -1,4 +1,4 @@ -import { GfBenchmarkComparatorModule } from '@ghostfolio/client/components/benchmark-comparator/benchmark-comparator.module'; +import { GfBenchmarkComparatorComponent } from '@ghostfolio/client/components/benchmark-comparator/benchmark-comparator.component'; import { GfInvestmentChartModule } from '@ghostfolio/client/components/investment-chart/investment-chart.module'; import { DataService } from '@ghostfolio/client/services/data.service'; import { ImpersonationStorageService } from '@ghostfolio/client/services/impersonation-storage.service'; @@ -46,7 +46,7 @@ import { takeUntil } from 'rxjs/operators'; @Component({ imports: [ - GfBenchmarkComparatorModule, + GfBenchmarkComparatorComponent, GfInvestmentChartModule, GfPremiumIndicatorComponent, GfToggleComponent, From 0d5adfb998cfb9fe5ed84e25783051e262a24528 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Tue, 2 Sep 2025 15:12:58 +0200 Subject: [PATCH 15/26] Feature/refactor dialog footer and header components (#5445) * Refactor dialog footer and header components * Update changelog --- CHANGELOG.md | 2 + .../account-detail-dialog.html | 2 - .../dialog-footer.component.html | 8 +- .../dialog-footer.component.scss | 8 +- .../dialog-footer/dialog-footer.component.ts | 3 +- .../dialog-header.component.html | 22 +++--- .../dialog-header.component.scss | 3 +- .../dialog-header/dialog-header.component.ts | 3 +- .../holding-detail-dialog.html | 2 - .../login-with-access-token-dialog.html | 6 +- .../activities/activities-page.component.ts | 2 + .../import-activities-dialog.component.ts | 1 + .../import-activities-dialog.html | 2 - .../import-activities-dialog.scss | 76 ++++++++++--------- .../benchmark-detail-dialog.html | 2 - 15 files changed, 69 insertions(+), 73 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1e4c43ff3..57c36ce0f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,8 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Changed - Localized the content of the about page +- Refactored the dialog footer component +- Refactored the dialog header component - Refactored the benchmark comparator component to standalone - Refactored the world map chart component to standalone - Improved the language localization for German (`de`) diff --git a/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html b/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html index c43c5cb68..8ca54ce29 100644 --- a/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html +++ b/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html @@ -1,5 +1,4 @@ diff --git a/apps/client/src/app/components/dialog-footer/dialog-footer.component.html b/apps/client/src/app/components/dialog-footer/dialog-footer.component.html index b47888d3b..463354cf1 100644 --- a/apps/client/src/app/components/dialog-footer/dialog-footer.component.html +++ b/apps/client/src/app/components/dialog-footer/dialog-footer.component.html @@ -1,5 +1,7 @@ @if (deviceType === 'mobile') { - +

} diff --git a/apps/client/src/app/components/dialog-footer/dialog-footer.component.scss b/apps/client/src/app/components/dialog-footer/dialog-footer.component.scss index 4a9d1a4d7..5d4e87f30 100644 --- a/apps/client/src/app/components/dialog-footer/dialog-footer.component.scss +++ b/apps/client/src/app/components/dialog-footer/dialog-footer.component.scss @@ -1,9 +1,3 @@ :host { - display: flex; - flex: 0 0 auto; - min-height: 0; - - @media (min-width: 576px) { - padding: 0 !important; - } + display: block; } diff --git a/apps/client/src/app/components/dialog-footer/dialog-footer.component.ts b/apps/client/src/app/components/dialog-footer/dialog-footer.component.ts index 92ffc71b3..e230802a7 100644 --- a/apps/client/src/app/components/dialog-footer/dialog-footer.component.ts +++ b/apps/client/src/app/components/dialog-footer/dialog-footer.component.ts @@ -6,6 +6,7 @@ import { Output } from '@angular/core'; import { MatButtonModule } from '@angular/material/button'; +import { MatDialogModule } from '@angular/material/dialog'; import { IonIcon } from '@ionic/angular/standalone'; import { addIcons } from 'ionicons'; import { close } from 'ionicons/icons'; @@ -13,7 +14,7 @@ import { close } from 'ionicons/icons'; @Component({ changeDetection: ChangeDetectionStrategy.OnPush, host: { class: 'justify-content-center' }, - imports: [IonIcon, MatButtonModule], + imports: [IonIcon, MatButtonModule, MatDialogModule], selector: 'gf-dialog-footer', styleUrls: ['./dialog-footer.component.scss'], templateUrl: './dialog-footer.component.html' diff --git a/apps/client/src/app/components/dialog-header/dialog-header.component.html b/apps/client/src/app/components/dialog-header/dialog-header.component.html index dcf487cf7..019d85a52 100644 --- a/apps/client/src/app/components/dialog-header/dialog-header.component.html +++ b/apps/client/src/app/components/dialog-header/dialog-header.component.html @@ -1,10 +1,12 @@ -{{ title }} -@if (deviceType !== 'mobile') { - -} +
+ {{ title }} + @if (deviceType !== 'mobile') { + + } +
diff --git a/apps/client/src/app/components/dialog-header/dialog-header.component.scss b/apps/client/src/app/components/dialog-header/dialog-header.component.scss index 07be4a7c3..5d4e87f30 100644 --- a/apps/client/src/app/components/dialog-header/dialog-header.component.scss +++ b/apps/client/src/app/components/dialog-header/dialog-header.component.scss @@ -1,4 +1,3 @@ :host { - align-items: center; - display: flex; + display: block; } diff --git a/apps/client/src/app/components/dialog-header/dialog-header.component.ts b/apps/client/src/app/components/dialog-header/dialog-header.component.ts index 0487034e9..ce3173d0e 100644 --- a/apps/client/src/app/components/dialog-header/dialog-header.component.ts +++ b/apps/client/src/app/components/dialog-header/dialog-header.component.ts @@ -7,6 +7,7 @@ import { Output } from '@angular/core'; import { MatButtonModule } from '@angular/material/button'; +import { MatDialogModule } from '@angular/material/dialog'; import { IonIcon } from '@ionic/angular/standalone'; import { addIcons } from 'ionicons'; import { close } from 'ionicons/icons'; @@ -14,7 +15,7 @@ import { close } from 'ionicons/icons'; @Component({ changeDetection: ChangeDetectionStrategy.OnPush, host: { class: 'justify-content-center' }, - imports: [CommonModule, IonIcon, MatButtonModule], + imports: [CommonModule, IonIcon, MatButtonModule, MatDialogModule], selector: 'gf-dialog-header', styleUrls: ['./dialog-header.component.scss'], templateUrl: './dialog-header.component.html' diff --git a/apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html b/apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html index 30ce98634..08dd05e4b 100644 --- a/apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html +++ b/apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html @@ -1,5 +1,4 @@ diff --git a/apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html b/apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html index 18f4fec27..e19d190c4 100644 --- a/apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html +++ b/apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html @@ -1,8 +1,4 @@ - +
diff --git a/apps/client/src/app/pages/portfolio/activities/activities-page.component.ts b/apps/client/src/app/pages/portfolio/activities/activities-page.component.ts index 26049e069..33cf5148b 100644 --- a/apps/client/src/app/pages/portfolio/activities/activities-page.component.ts +++ b/apps/client/src/app/pages/portfolio/activities/activities-page.component.ts @@ -250,6 +250,7 @@ export class GfActivitiesPageComponent implements OnDestroy, OnInit { deviceType: this.deviceType, user: this.user } as ImportActivitiesDialogParams, + height: this.deviceType === 'mobile' ? '98vh' : undefined, width: this.deviceType === 'mobile' ? '100vw' : '50rem' }); @@ -273,6 +274,7 @@ export class GfActivitiesPageComponent implements OnDestroy, OnInit { deviceType: this.deviceType, user: this.user } as ImportActivitiesDialogParams, + height: this.deviceType === 'mobile' ? '98vh' : undefined, width: this.deviceType === 'mobile' ? '100vw' : '50rem' }); diff --git a/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts b/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts index 8f7130a10..b1794cb4a 100644 --- a/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts +++ b/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts @@ -56,6 +56,7 @@ import { ImportActivitiesDialogParams } from './interfaces/interfaces'; @Component({ changeDetection: ChangeDetectionStrategy.OnPush, + host: { class: 'd-flex flex-column h-100' }, imports: [ GfActivitiesTableComponent, GfDialogFooterComponent, diff --git a/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html b/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html index 9e7f7a923..6b048e6c0 100644 --- a/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html +++ b/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html @@ -1,5 +1,4 @@ diff --git a/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.scss b/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.scss index 54aa8c893..64f488e36 100644 --- a/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.scss +++ b/apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.scss @@ -1,54 +1,58 @@ :host { display: block; - a { - color: rgba(var(--palette-primary-500), 1); - } + .mat-mdc-dialog-content { + max-height: unset; + + a { + color: rgba(var(--palette-primary-500), 1); + } - mat-stepper { - ::ng-deep { - .mat-step-header { - &[aria-selected='false'] { - pointer-events: none; + mat-stepper { + ::ng-deep { + .mat-step-header { + &[aria-selected='false'] { + pointer-events: none; + } } } } - } - .mat-expansion-panel { - background: none; - box-shadow: none; + .drop-area { + background-color: rgba(var(--palette-foreground-base), 0.02); + border: 1px dashed + rgba( + var(--palette-foreground-divider), + var(--palette-foreground-divider-alpha) + ); + border-radius: 0.25rem; - .mat-expansion-panel-header { - color: inherit; + &:hover { + border-color: rgba(var(--palette-primary-500), 1) !important; + color: rgba(var(--palette-primary-500), 1); + } - &[aria-disabled='true'] { - cursor: default; + .cloud-icon { + font-size: 2.5rem; } } - } - .mat-mdc-progress-spinner { - right: 1.5rem; - top: calc(50% - 10px); - } - - .drop-area { - background-color: rgba(var(--palette-foreground-base), 0.02); - border: 1px dashed - rgba( - var(--palette-foreground-divider), - var(--palette-foreground-divider-alpha) - ); - border-radius: 0.25rem; - - &:hover { - border-color: rgba(var(--palette-primary-500), 1) !important; - color: rgba(var(--palette-primary-500), 1); + .mat-mdc-progress-spinner { + right: 1.5rem; + top: calc(50% - 10px); } - .cloud-icon { - font-size: 2.5rem; + .mat-expansion-panel { + background: none; + box-shadow: none; + + .mat-expansion-panel-header { + color: inherit; + + &[aria-disabled='true'] { + cursor: default; + } + } } } } diff --git a/libs/ui/src/lib/benchmark/benchmark-detail-dialog/benchmark-detail-dialog.html b/libs/ui/src/lib/benchmark/benchmark-detail-dialog/benchmark-detail-dialog.html index 5c862d961..a8cf3730c 100644 --- a/libs/ui/src/lib/benchmark/benchmark-detail-dialog/benchmark-detail-dialog.html +++ b/libs/ui/src/lib/benchmark/benchmark-detail-dialog/benchmark-detail-dialog.html @@ -1,5 +1,4 @@ From 37080da364abca2c846c3043044fedda3bf46feb Mon Sep 17 00:00:00 2001 From: Kenrick Tandrian <60643640+KenTandrian@users.noreply.github.com> Date: Tue, 2 Sep 2025 20:15:31 +0700 Subject: [PATCH 16/26] Task/migrate portfolio summary component to standalone (#5450) * Migrate portfolio summary component to standalone * Update changelog --- CHANGELOG.md | 1 + .../home-summary/home-summary.component.ts | 4 ++-- .../portfolio-summary.component.ts | 12 ++++++++---- .../portfolio-summary/portfolio-summary.module.ts | 15 --------------- 4 files changed, 11 insertions(+), 21 deletions(-) delete mode 100644 apps/client/src/app/components/portfolio-summary/portfolio-summary.module.ts diff --git a/CHANGELOG.md b/CHANGELOG.md index 57c36ce0f..c56c56723 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -13,6 +13,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 - Refactored the dialog footer component - Refactored the dialog header component - Refactored the benchmark comparator component to standalone +- Refactored the portfolio summary component to standalone - Refactored the world map chart component to standalone - Improved the language localization for German (`de`) - Upgraded the _Stripe_ dependencies diff --git a/apps/client/src/app/components/home-summary/home-summary.component.ts b/apps/client/src/app/components/home-summary/home-summary.component.ts index e21210477..d49f9c26f 100644 --- a/apps/client/src/app/components/home-summary/home-summary.component.ts +++ b/apps/client/src/app/components/home-summary/home-summary.component.ts @@ -1,4 +1,4 @@ -import { GfPortfolioSummaryModule } from '@ghostfolio/client/components/portfolio-summary/portfolio-summary.module'; +import { GfPortfolioSummaryComponent } from '@ghostfolio/client/components/portfolio-summary/portfolio-summary.component'; import { DataService } from '@ghostfolio/client/services/data.service'; import { ImpersonationStorageService } from '@ghostfolio/client/services/impersonation-storage.service'; import { UserService } from '@ghostfolio/client/services/user/user.service'; @@ -22,7 +22,7 @@ import { Subject } from 'rxjs'; import { takeUntil } from 'rxjs/operators'; @Component({ - imports: [GfPortfolioSummaryModule, MatCardModule], + imports: [GfPortfolioSummaryComponent, MatCardModule], schemas: [CUSTOM_ELEMENTS_SCHEMA], selector: 'gf-home-summary', styleUrls: ['./home-summary.scss'], diff --git a/apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts b/apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts index 9bc8ed773..849f018ad 100644 --- a/apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts +++ b/apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts @@ -2,7 +2,9 @@ import { NotificationService } from '@ghostfolio/client/core/notification/notifi import { getDateFnsLocale, getLocale } from '@ghostfolio/common/helper'; import { PortfolioSummary, User } from '@ghostfolio/common/interfaces'; import { translate } from '@ghostfolio/ui/i18n'; +import { GfValueComponent } from '@ghostfolio/ui/value'; +import { CommonModule } from '@angular/common'; import { ChangeDetectionStrategy, Component, @@ -11,6 +13,8 @@ import { OnChanges, Output } from '@angular/core'; +import { MatTooltipModule } from '@angular/material/tooltip'; +import { IonIcon } from '@ionic/angular/standalone'; import { formatDistanceToNow } from 'date-fns'; import { addIcons } from 'ionicons'; import { @@ -19,13 +23,13 @@ import { } from 'ionicons/icons'; @Component({ - selector: 'gf-portfolio-summary', changeDetection: ChangeDetectionStrategy.OnPush, - templateUrl: './portfolio-summary.component.html', + imports: [CommonModule, GfValueComponent, IonIcon, MatTooltipModule], + selector: 'gf-portfolio-summary', styleUrls: ['./portfolio-summary.component.scss'], - standalone: false + templateUrl: './portfolio-summary.component.html' }) -export class PortfolioSummaryComponent implements OnChanges { +export class GfPortfolioSummaryComponent implements OnChanges { @Input() baseCurrency: string; @Input() hasPermissionToUpdateUserSettings: boolean; @Input() isLoading: boolean; diff --git a/apps/client/src/app/components/portfolio-summary/portfolio-summary.module.ts b/apps/client/src/app/components/portfolio-summary/portfolio-summary.module.ts deleted file mode 100644 index b35f1e317..000000000 --- a/apps/client/src/app/components/portfolio-summary/portfolio-summary.module.ts +++ /dev/null @@ -1,15 +0,0 @@ -import { GfValueComponent } from '@ghostfolio/ui/value'; - -import { CommonModule } from '@angular/common'; -import { CUSTOM_ELEMENTS_SCHEMA, NgModule } from '@angular/core'; -import { MatTooltipModule } from '@angular/material/tooltip'; - -import { PortfolioSummaryComponent } from './portfolio-summary.component'; - -@NgModule({ - declarations: [PortfolioSummaryComponent], - exports: [PortfolioSummaryComponent], - imports: [CommonModule, GfValueComponent, MatTooltipModule], - schemas: [CUSTOM_ELEMENTS_SCHEMA] -}) -export class GfPortfolioSummaryModule {} From 24dde83a30702bc3785c088fb53c56e9fee72df7 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Tue, 2 Sep 2025 20:28:52 +0200 Subject: [PATCH 17/26] Feature/add BALN BUY and BUY test (#5455) * Add test --- ...tfolio-calculator-baln-buy-and-buy.spec.ts | 208 ++++++++++++++++++ 1 file changed, 208 insertions(+) create mode 100644 apps/api/src/app/portfolio/calculator/roai/portfolio-calculator-baln-buy-and-buy.spec.ts diff --git a/apps/api/src/app/portfolio/calculator/roai/portfolio-calculator-baln-buy-and-buy.spec.ts b/apps/api/src/app/portfolio/calculator/roai/portfolio-calculator-baln-buy-and-buy.spec.ts new file mode 100644 index 000000000..9ffa1b409 --- /dev/null +++ b/apps/api/src/app/portfolio/calculator/roai/portfolio-calculator-baln-buy-and-buy.spec.ts @@ -0,0 +1,208 @@ +import { Activity } from '@ghostfolio/api/app/order/interfaces/activities.interface'; +import { + activityDummyData, + symbolProfileDummyData, + userDummyData +} from '@ghostfolio/api/app/portfolio/calculator/portfolio-calculator-test-utils'; +import { PortfolioCalculatorFactory } from '@ghostfolio/api/app/portfolio/calculator/portfolio-calculator.factory'; +import { CurrentRateService } from '@ghostfolio/api/app/portfolio/current-rate.service'; +import { CurrentRateServiceMock } from '@ghostfolio/api/app/portfolio/current-rate.service.mock'; +import { RedisCacheService } from '@ghostfolio/api/app/redis-cache/redis-cache.service'; +import { RedisCacheServiceMock } from '@ghostfolio/api/app/redis-cache/redis-cache.service.mock'; +import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service'; +import { ExchangeRateDataService } from '@ghostfolio/api/services/exchange-rate-data/exchange-rate-data.service'; +import { PortfolioSnapshotService } from '@ghostfolio/api/services/queues/portfolio-snapshot/portfolio-snapshot.service'; +import { PortfolioSnapshotServiceMock } from '@ghostfolio/api/services/queues/portfolio-snapshot/portfolio-snapshot.service.mock'; +import { parseDate } from '@ghostfolio/common/helper'; +import { PerformanceCalculationType } from '@ghostfolio/common/types/performance-calculation-type.type'; + +import { Big } from 'big.js'; + +jest.mock('@ghostfolio/api/app/portfolio/current-rate.service', () => { + return { + // eslint-disable-next-line @typescript-eslint/naming-convention + CurrentRateService: jest.fn().mockImplementation(() => { + return CurrentRateServiceMock; + }) + }; +}); + +jest.mock( + '@ghostfolio/api/services/queues/portfolio-snapshot/portfolio-snapshot.service', + () => { + return { + // eslint-disable-next-line @typescript-eslint/naming-convention + PortfolioSnapshotService: jest.fn().mockImplementation(() => { + return PortfolioSnapshotServiceMock; + }) + }; + } +); + +jest.mock('@ghostfolio/api/app/redis-cache/redis-cache.service', () => { + return { + // eslint-disable-next-line @typescript-eslint/naming-convention + RedisCacheService: jest.fn().mockImplementation(() => { + return RedisCacheServiceMock; + }) + }; +}); + +describe('PortfolioCalculator', () => { + let configurationService: ConfigurationService; + let currentRateService: CurrentRateService; + let exchangeRateDataService: ExchangeRateDataService; + let portfolioCalculatorFactory: PortfolioCalculatorFactory; + let portfolioSnapshotService: PortfolioSnapshotService; + let redisCacheService: RedisCacheService; + + beforeEach(() => { + configurationService = new ConfigurationService(); + + currentRateService = new CurrentRateService(null, null, null, null); + + exchangeRateDataService = new ExchangeRateDataService( + null, + null, + null, + null + ); + + portfolioSnapshotService = new PortfolioSnapshotService(null); + + redisCacheService = new RedisCacheService(null, null); + + portfolioCalculatorFactory = new PortfolioCalculatorFactory( + configurationService, + currentRateService, + exchangeRateDataService, + portfolioSnapshotService, + redisCacheService + ); + }); + + describe('get current positions', () => { + it.only('with BALN.SW buy and buy', async () => { + jest.useFakeTimers().setSystemTime(parseDate('2021-12-18').getTime()); + + const activities: Activity[] = [ + { + ...activityDummyData, + date: new Date('2021-11-22'), + feeInAssetProfileCurrency: 1.55, + quantity: 2, + SymbolProfile: { + ...symbolProfileDummyData, + currency: 'CHF', + dataSource: 'YAHOO', + name: 'Bâloise Holding AG', + symbol: 'BALN.SW' + }, + type: 'BUY', + unitPriceInAssetProfileCurrency: 142.9 + }, + { + ...activityDummyData, + date: new Date('2021-11-30'), + feeInAssetProfileCurrency: 1.65, + quantity: 2, + SymbolProfile: { + ...symbolProfileDummyData, + currency: 'CHF', + dataSource: 'YAHOO', + name: 'Bâloise Holding AG', + symbol: 'BALN.SW' + }, + type: 'BUY', + unitPriceInAssetProfileCurrency: 136.6 + } + ]; + + const portfolioCalculator = portfolioCalculatorFactory.createCalculator({ + activities, + calculationType: PerformanceCalculationType.ROAI, + currency: 'CHF', + userId: userDummyData.id + }); + + const portfolioSnapshot = await portfolioCalculator.computeSnapshot(); + + const investments = portfolioCalculator.getInvestments(); + + const investmentsByMonth = portfolioCalculator.getInvestmentsByGroup({ + data: portfolioSnapshot.historicalData, + groupBy: 'month' + }); + + expect(portfolioSnapshot).toMatchObject({ + currentValueInBaseCurrency: new Big('595.6'), + errors: [], + hasErrors: false, + positions: [ + { + averagePrice: new Big('139.75'), + currency: 'CHF', + dataSource: 'YAHOO', + dividend: new Big('0'), + dividendInBaseCurrency: new Big('0'), + fee: new Big('3.2'), + feeInBaseCurrency: new Big('3.2'), + firstBuyDate: '2021-11-22', + grossPerformance: new Big('36.6'), + grossPerformancePercentage: new Big('0.07706261539956593567'), + grossPerformancePercentageWithCurrencyEffect: new Big( + '0.07706261539956593567' + ), + grossPerformanceWithCurrencyEffect: new Big('36.6'), + investment: new Big('559'), + investmentWithCurrencyEffect: new Big('559'), + netPerformance: new Big('33.4'), + netPerformancePercentage: new Big('0.07032490039195361342'), + netPerformancePercentageWithCurrencyEffectMap: { + max: new Big('0.06986689805847808234') + }, + netPerformanceWithCurrencyEffectMap: { + max: new Big('33.4') + }, + marketPrice: 148.9, + marketPriceInBaseCurrency: 148.9, + quantity: new Big('4'), + symbol: 'BALN.SW', + tags: [], + timeWeightedInvestment: new Big('474.93846153846153846154'), + timeWeightedInvestmentWithCurrencyEffect: new Big( + '474.93846153846153846154' + ), + transactionCount: 2, + valueInBaseCurrency: new Big('595.6') + } + ], + totalFeesWithCurrencyEffect: new Big('3.2'), + totalInterestWithCurrencyEffect: new Big('0'), + totalInvestment: new Big('559'), + totalInvestmentWithCurrencyEffect: new Big('559'), + totalLiabilitiesWithCurrencyEffect: new Big('0') + }); + + expect(portfolioSnapshot.historicalData.at(-1)).toMatchObject( + expect.objectContaining({ + netPerformance: 33.4, + netPerformanceInPercentage: 0.07032490039195362, + netPerformanceInPercentageWithCurrencyEffect: 0.07032490039195362, + netPerformanceWithCurrencyEffect: 33.4, + totalInvestmentValueWithCurrencyEffect: 559 + }) + ); + + expect(investments).toEqual([ + { date: '2021-11-22', investment: new Big('285.8') }, + { date: '2021-11-30', investment: new Big('559') } + ]); + + expect(investmentsByMonth).toEqual([ + { date: '2021-11-01', investment: 559 }, + { date: '2021-12-01', investment: 0 } + ]); + }); + }); +}); From eef97ca8c0e0be1219019581b8ea712a3e2003c9 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Tue, 2 Sep 2025 20:43:45 +0200 Subject: [PATCH 18/26] Feature/enable trim in extract-i18n configuration (#5456) * Enable trim * Update changelog --- CHANGELOG.md | 1 + apps/client/project.json | 3 ++- 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c56c56723..8f8d6492b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -15,6 +15,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 - Refactored the benchmark comparator component to standalone - Refactored the portfolio summary component to standalone - Refactored the world map chart component to standalone +- Enbabled the trim option in the `extract-i18n` configuration - Improved the language localization for German (`de`) - Upgraded the _Stripe_ dependencies - Upgraded `ngx-device-detector` from version `10.0.2` to `10.1.0` diff --git a/apps/client/project.json b/apps/client/project.json index 0b0dc0a63..fe6353e7c 100644 --- a/apps/client/project.json +++ b/apps/client/project.json @@ -271,7 +271,8 @@ "messages.tr.xlf", "messages.uk.xlf", "messages.zh.xlf" - ] + ], + "trim": true } }, "lint": { From 6ce7ead3862fcd6784cc69a9102c33e7e57580fc Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Wed, 3 Sep 2025 07:58:25 +0200 Subject: [PATCH 19/26] Feature/update locales (#5448) Co-authored-by: github-actions[bot] --- apps/client/src/locales/messages.ca.xlf | 588 +++++++++++----------- apps/client/src/locales/messages.de.xlf | 640 +++++++++++------------ apps/client/src/locales/messages.es.xlf | 594 +++++++++++----------- apps/client/src/locales/messages.fr.xlf | 642 +++++++++++------------ apps/client/src/locales/messages.it.xlf | 638 +++++++++++------------ apps/client/src/locales/messages.nl.xlf | 564 ++++++++++----------- apps/client/src/locales/messages.pl.xlf | 604 +++++++++++----------- apps/client/src/locales/messages.pt.xlf | 644 ++++++++++++------------ apps/client/src/locales/messages.tr.xlf | 596 +++++++++++----------- apps/client/src/locales/messages.uk.xlf | 638 +++++++++++------------ apps/client/src/locales/messages.xlf | 386 +++++++------- apps/client/src/locales/messages.zh.xlf | 516 +++++++++---------- 12 files changed, 3525 insertions(+), 3525 deletions(-) diff --git a/apps/client/src/locales/messages.ca.xlf b/apps/client/src/locales/messages.ca.xlf index 6240e46ec..de62e9fd1 100644 --- a/apps/client/src/locales/messages.ca.xlf +++ b/apps/client/src/locales/messages.ca.xlf @@ -42,7 +42,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -82,8 +82,8 @@ - Frequently Asked Questions (FAQ) - Preguntes Freqüents (FAQ) + Frequently Asked Questions (FAQ) + Preguntes Freqüents (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -355,7 +355,7 @@ Balanç de Caixa apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -371,7 +371,7 @@ Plataforma apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -383,8 +383,8 @@ - Holdings - En cartera + Holdings + En cartera libs/ui/src/lib/assistant/assistant.html 110 @@ -395,7 +395,7 @@ Balanç de Caixa apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -827,7 +827,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -891,7 +891,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -1007,11 +1007,11 @@ Importar apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -1027,7 +1027,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -1043,7 +1043,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -1059,7 +1059,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -1079,7 +1079,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -1091,8 +1091,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -1347,8 +1347,8 @@ - Add Platform - Afegeix Plataforma + Add Platform + Afegeix Plataforma apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -1403,8 +1403,8 @@ - Add Tag - Afegir Etiqueta + Add Tag + Afegir Etiqueta apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -1463,8 +1463,8 @@ - Last Request - Última Solicitut + Last Request + Última Solicitut apps/client/src/app/components/admin-users/admin-users.html 187 @@ -1507,7 +1507,7 @@ Portfolio apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -1535,7 +1535,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -1583,8 +1583,8 @@ - User - Usuari + User + Usuari apps/client/src/app/components/admin-users/admin-users.html 13 @@ -1631,7 +1631,7 @@ Preu Mínim apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -1639,7 +1639,7 @@ Preu Màxim apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -1647,7 +1647,7 @@ Quantitat apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1667,7 +1667,7 @@ Rendiment del Dividend apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -1675,7 +1675,7 @@ Comissions apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -1699,7 +1699,7 @@ Activitat apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -1707,7 +1707,7 @@ Informar d’un Problema amb les Dades apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 @@ -1811,8 +1811,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -1907,7 +1907,7 @@ Fitxa de seguretat apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -1939,7 +1939,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -1951,7 +1951,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -1967,7 +1967,7 @@ Inicieu la sessió amb la identitat d’Internet apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -1975,7 +1975,7 @@ Inicieu la sessió amb Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -1983,7 +1983,7 @@ Manteniu la sessió iniciada apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -2095,8 +2095,8 @@ - Annualized Performance - Rendiment anualitzat + Annualized Performance + Rendiment anualitzat apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html 274 @@ -2107,11 +2107,11 @@ Definiu l’import del vostre fons d’emergència. apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 - Are you an ambitious investor who needs the full picture? + Are you an ambitious investor who needs the full picture? Ets un inversor ambiciós que necessita la imatge completa? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html @@ -2119,7 +2119,7 @@ - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: Actualitza a Ghostfolio Premium avui mateix i obtén accés a funcions exclusives per millorar la teva experiència d’inversió: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html @@ -2223,7 +2223,7 @@ - Get the tools to effectively manage your finances and refine your personal investment strategy. + Get the tools to effectively manage your finances and refine your personal investment strategy. Aconsegueix les eines per gestionar eficaçment les teves finances i refinar la teva estratègia d’inversió personal. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html @@ -2451,7 +2451,7 @@ - Protection for sensitive information like absolute performances and quantity values + Protection for sensitive information like absolute performances and quantity values Protecció per a informació sensible com ara rendiments absoluts i valors de quantitat apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -2475,7 +2475,7 @@ - If a translation is missing, kindly support us in extending it here. + If a translation is missing, kindly support us in extending it here. Si falta alguna traducció, si us plau, ajudeu-nos a ampliar-la aquí. apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -2539,7 +2539,7 @@ - Distraction-free experience for turbulent times + Distraction-free experience for turbulent times Experiència sense distraccions per a temps turbulents apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -2571,8 +2571,8 @@ - Sneak peek at upcoming functionality - Doneu un cop d’ull a les properes funcionalitats + Sneak peek at upcoming functionality + Doneu un cop d’ull a les properes funcionalitats apps/client/src/app/components/user-account-settings/user-account-settings.html 237 @@ -2623,7 +2623,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -2643,7 +2643,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -2659,7 +2659,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -2787,7 +2787,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -2883,7 +2883,7 @@ Dades de mercat apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -2927,7 +2927,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -3128,7 +3128,7 @@ - Check out the numerous features of Ghostfolio to manage your wealth + Check out the numerous features of Ghostfolio to manage your wealth Fes una ullada a les nombroses funcions de Ghostfolio per gestionar el teu patrimoni apps/client/src/app/pages/features/features-page.html @@ -3160,8 +3160,8 @@ - Import and Export - Importació i exportació + Import and Export + Importació i exportació apps/client/src/app/pages/features/features-page.html 116 @@ -3240,7 +3240,7 @@ Explotacions apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -3316,7 +3316,7 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. Ghostfolio és un tauler de control de finances personals per fer un seguiment del teu patrimoni net, incloent-hi efectiu, accions, ETF i criptomonedes en múltiples plataformes. apps/client/src/app/pages/i18n/i18n-page.html @@ -3324,7 +3324,7 @@ - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 aplicació, actiu, criptomoneda, tauler de control, ETF, finances, gestió, rendiment, cartera, programari, acció, negociació, riquesa, web3 apps/client/src/app/pages/i18n/i18n-page.html @@ -3348,15 +3348,15 @@ - Manage your wealth like a boss - Gestiona la teva riquesa com un cap + Manage your wealth like a boss + Gestiona la teva riquesa com un cap apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. Ghostfolio és un tauler de control de codi obert i amb privacitat per a les teves finances personals. Analitza la distribució dels teus actius, coneix el teu patrimoni net i pren decisions d’inversió sòlides i basades en dades. apps/client/src/app/pages/landing/landing-page.html @@ -3364,8 +3364,8 @@ - Get Started - Comença + Get Started + Comença apps/client/src/app/pages/landing/landing-page.html 42 @@ -3424,7 +3424,7 @@ - Protect your assets. Refine your personal investment strategy. + Protect your assets. Refine your personal investment strategy. Protegeix els teus actius. Refina la teva estratègia d’inversió personal. apps/client/src/app/pages/landing/landing-page.html @@ -3432,7 +3432,7 @@ - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. Ghostfolio permet a la gent ocupada fer un seguiment d’accions, ETF o criptomonedes sense ser rastrejada. apps/client/src/app/pages/landing/landing-page.html @@ -3448,7 +3448,7 @@ - Get the full picture of your personal finances across multiple platforms. + Get the full picture of your personal finances across multiple platforms. Obtingueu la imatge completa de les vostres finances personals en múltiples plataformes. apps/client/src/app/pages/landing/landing-page.html @@ -3464,7 +3464,7 @@ - Use Ghostfolio anonymously and own your financial data. + Use Ghostfolio anonymously and own your financial data. Utilitza Ghostfolio de manera anònima i sigues propietari de les teves dades financeres. apps/client/src/app/pages/landing/landing-page.html @@ -3472,7 +3472,7 @@ - Benefit from continuous improvements through a strong community. + Benefit from continuous improvements through a strong community. Beneficia’t de millores contínues gràcies a una comunitat forta. apps/client/src/app/pages/landing/landing-page.html @@ -3488,8 +3488,8 @@ - Ghostfolio is for you if you are... - Ghostfolio és per a tu si ets... + Ghostfolio is for you if you are... + Ghostfolio és per a tu si ets... apps/client/src/app/pages/landing/landing-page.html 274 @@ -3576,24 +3576,24 @@ - What our users are saying - Que nostre usuaris estan dient + What our users are saying + Que nostre usuaris estan dient apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Membres de tot el món estan utilitzant Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium + Membres de tot el món estan utilitzant Ghostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - Com ho fa Ghostfolio treballar? + How does Ghostfolio work? + Com ho fa Ghostfolio treballar? apps/client/src/app/pages/landing/landing-page.html 384 @@ -3624,40 +3624,40 @@ - Add any of your historical transactions - Afegiu qualsevol de les vostres transaccions històriques + Add any of your historical transactions + Afegiu qualsevol de les vostres transaccions històriques apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition - Obteniu informació valuosa sobre la composició de la vostra cartera + Get valuable insights of your portfolio composition + Obteniu informació valuosa sobre la composició de la vostra cartera apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? - Són tu llest? + Are you ready? + Són tu llest? apps/client/src/app/pages/landing/landing-page.html 432 - Join now or check out the example account - Uneix-te ara o consulteu el compte d’exemple + Join now or check out the example account + Uneix-te ara o consulteu el compte d’exemple apps/client/src/app/pages/landing/landing-page.html 435 - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. - A Ghostfolio, la transparència és la base dels nostres valors. Publiquem el codi font com a programari de codi obert (OSS) sota elLlicència AGPL-3.0 i compartim obertament mètriques clau agregades de l’estat operatiu de la plataforma. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + A Ghostfolio, la transparència és la base dels nostres valors. Publiquem el codi font com a programari de codi obert (OSS) sota elLlicència AGPL-3.0 i compartim obertament mètriques clau agregades de l’estat operatiu de la plataforma. apps/client/src/app/pages/open/open-page.html 7 @@ -3748,11 +3748,11 @@ Activitats apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -3768,11 +3768,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -3872,7 +3872,7 @@ Activitats d’importació apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3888,7 +3888,7 @@ Importar dividends apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3904,7 +3904,7 @@ S’estan important dades... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -3912,7 +3912,7 @@ La importació s’ha completat apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -3928,7 +3928,7 @@ S’estan validant les dades... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -3936,7 +3936,7 @@ Seleccioneu Holding apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3944,7 +3944,7 @@ Seleccioneu Fitxer apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3952,7 +3952,7 @@ Holding apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3964,7 +3964,7 @@ Càrrega de dividends apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3972,7 +3972,7 @@ Trieu o deixeu anar un fitxer aquí apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -3980,7 +3980,7 @@ S’admeten els formats de fitxer següents: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -3988,7 +3988,7 @@ Seleccioneu Dividends apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3996,7 +3996,7 @@ Seleccioneu Activitats apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 @@ -4004,11 +4004,11 @@ Enrere apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -4208,11 +4208,11 @@ Dividend apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -4240,7 +4240,7 @@ Inversió apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -4284,8 +4284,8 @@ - Asset Performance - Rendiment de l’actiu + Asset Performance + Rendiment de l’actiu apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -4300,24 +4300,24 @@ - Currency Performance - Rendiment de la moneda + Currency Performance + Rendiment de la moneda apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Rendiment net absolut + Absolute Net Performance + Rendiment net absolut apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Rendiment net + Net Performance + Rendiment net apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -4404,8 +4404,8 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 @@ -4468,15 +4468,15 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. - La nostra oferta oficial al núvol Ghostfolio Premium és la manera més senzilla de començar. A causa del temps que estalvia, aquesta serà la millor opció per a la majoria de la gent. Els ingressos s’utilitzen per cobrir els costos de la infraestructura d’allotjament i per finançar el desenvolupament en curs. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + La nostra oferta oficial al núvol Ghostfolio Premium és la manera més senzilla de començar. A causa del temps que estalvia, aquesta serà la millor opció per a la majoria de la gent. Els ingressos s’utilitzen per cobrir els costos de la infraestructura d’allotjament i per finançar el desenvolupament en curs. apps/client/src/app/pages/pricing/pricing-page.html 7 - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. Si prefereixes executar Ghostfolio a la teva pròpia infraestructura, consulta el codi font i les instruccions a GitHub. apps/client/src/app/pages/pricing/pricing-page.html @@ -4484,8 +4484,8 @@ - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. - Per a inversors experts en tecnologia que prefereixen executar Ghostfolio a la seva pròpia infraestructura. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + Per a inversors experts en tecnologia que prefereixen executar Ghostfolio a la seva pròpia infraestructura. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -4584,8 +4584,8 @@ - For new investors who are just getting started with trading. - Per a nous inversors que acaben de començar a operar. + For new investors who are just getting started with trading. + Per a nous inversors que acaben de començar a operar. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -4604,8 +4604,8 @@ - For ambitious investors who need the full picture of their financial assets. - Per a inversors ambiciosos que necessiten la imatge completa dels seus actius financers. + For ambitious investors who need the full picture of their financial assets. + Per a inversors ambiciosos que necessiten la imatge completa dels seus actius financers. apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -4636,7 +4636,7 @@ - Hello, has shared a Portfolio with you! + Hello, has shared a Portfolio with you! Hola, ha compartit un Portafoli amb tu! apps/client/src/app/pages/public/public-page.html @@ -4652,7 +4652,7 @@ - Would you like to refine your personal investment strategy? + Would you like to refine your personal investment strategy? Vols refinar la teva estratègia d’inversió personal? apps/client/src/app/pages/public/public-page.html @@ -4660,8 +4660,8 @@ - Ghostfolio empowers you to keep track of your wealth. - Ghostfolio us permet fer un seguiment de la vostra riquesa. + Ghostfolio empowers you to keep track of your wealth. + Ghostfolio us permet fer un seguiment de la vostra riquesa. apps/client/src/app/pages/public/public-page.html 217 @@ -4729,15 +4729,15 @@ - Discover Open Source Alternatives for Personal Finance Tools - Descobriu alternatives de codi obert per a les eines de finances personals + Discover Open Source Alternatives for Personal Finance Tools + Descobriu alternatives de codi obert per a les eines de finances personals apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. Aquesta pàgina de resum presenta una selecció acurada d’eines de finances personals comparades amb l’alternativa de codi obert Ghostfolio. Si valores la transparència, la privadesa de dades i la col·laboració comunitària, Ghostfolio t’ofereix una excel·lent oportunitat per prendre el control de la teva gestió financera. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html @@ -4745,16 +4745,16 @@ - Explore the links below to compare a variety of personal finance tools with Ghostfolio. - Exploreu els enllaços següents per comparar una varietat d'eines de finances personals amb Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Exploreu els enllaços següents per comparar una varietat d'eines de finances personals amb Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to - Alternativa de codi obert a + Open Source Alternative to + Alternativa de codi obert a apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -4793,7 +4793,7 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. Estàs buscant una alternativa de codi obert a ? Ghostfolio és una potent eina de gestió de portafolis que proporciona a les persones una plataforma completa per fer el seguiment, analitzar i optimitzar les seves inversions. Tant si ets un inversor amb experiència com si tot just comences, Ghostfolio ofereix una interfície intuïtiva i una àmplia gamma de funcionalitats per ajudar-te a prendre decisions informades i a prendre el control del teu futur financer. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4801,7 +4801,7 @@ - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. Ghostfolio és un programari de codi obert (OSS), que proporciona una alternativa rendible a , especialment adequada per a persones amb un pressupost ajustat, com ara aquelles que segueixen el camí cap a la independència financera i jubilació anticipada (FIRE). Mitjançant els esforços col·lectius d’una comunitat de desenvolupadors i apassionats de les finances personals, Ghostfolio millora contínuament les seves capacitats, la seva seguretat i l’experiència d’usuari. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4809,7 +4809,7 @@ - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. Explorem en profunditat la taula comparativa detallada de Ghostfolio vs que trobaràs a continuació per entendre a fons com es posiciona Ghostfolio en relació amb . Analitzarem diversos aspectes com ara funcionalitats, privadesa de dades, preus i molt més, per tal que puguis prendre una decisió ben informada segons les teves necessitats personals. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4817,7 +4817,7 @@ - Ghostfolio vs comparison table + Ghostfolio vs comparison table Taula comparativa Ghostfolio vs apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4857,8 +4857,8 @@ - Available in - Disponible a + Available in + Disponible a apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -4937,24 +4937,24 @@ - Self-Hosting - Autoallotjament + Self-Hosting + Autoallotjament apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 - Use anonymously - Utilitza de manera anònima + Use anonymously + Utilitza de manera anònima apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 - Free Plan - Pla gratuït + Free Plan + Pla gratuït apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -4981,7 +4981,7 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. Tingues en compte que la informació proporcionada a la taula comparativa Ghostfolio vs es basa en la nostra investigació i anàlisi independents. Aquest lloc web no està afiliat a ni a cap altre producte esmentat en la comparació. A mesura que evoluciona el panorama de les eines de finances personals, és essencial verificar qualsevol detall o canvi específic directament a la pàgina del producte corresponent. Necessites actualitzar dades? Ajuda’ns a mantenir la informació precisa a GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4989,7 +4989,7 @@ - Ready to take your investments to the next level? + Ready to take your investments to the next level? Preparat per portar les teves inversions al següent nivell? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4997,8 +4997,8 @@ - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. - Fes un seguiment, analitza i visualitza el teu patrimoni sense esforç amb Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Fes un seguiment, analitza i visualitza el teu patrimoni sense esforç amb Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -5245,16 +5245,16 @@ - Reset Filters - Restableix els filtres + Reset Filters + Restableix els filtres libs/ui/src/lib/assistant/assistant.html 266 - Apply Filters - Aplicar filtres + Apply Filters + Aplicar filtres libs/ui/src/lib/assistant/assistant.html 276 @@ -5353,7 +5353,7 @@ Interès apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5449,7 +5449,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -5481,7 +5481,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -5665,7 +5665,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -5781,7 +5781,7 @@ Patrimoni apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -6445,8 +6445,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -6473,7 +6473,7 @@ Change with currency effect Change apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6481,7 +6481,7 @@ Performance with currency effect Performance apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6775,8 +6775,8 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6927,7 +6927,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7267,8 +7267,8 @@ - Terms of Service - Terms of Service + Terms of Service + Terms of Service apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7428,8 +7428,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - Calculations are based on delayed market data and may not be displayed in real-time. + Calculations are based on delayed market data and may not be displayed in real-time. + Calculations are based on delayed market data and may not be displayed in real-time. apps/client/src/app/components/home-market/home-market.html 44 @@ -7477,16 +7477,16 @@ - No emergency fund has been set up - No emergency fund has been set up + No emergency fund has been set up + No emergency fund has been set up apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - An emergency fund has been set up + An emergency fund has been set up + An emergency fund has been set up apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7501,40 +7501,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - Name + Name + Name libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Quick Links + Quick Links + Quick Links libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Asset Profiles + Asset Profiles + Asset Profiles libs/ui/src/lib/assistant/assistant.html 140 @@ -7573,16 +7573,16 @@ - Your net worth is managed by a single account - Your net worth is managed by a single account + Your net worth is managed by a single account + Your net worth is managed by a single account apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts - Your net worth is managed by ${accountsLength} accounts + Your net worth is managed by ${accountsLength} accounts + Your net worth is managed by ${accountsLength} accounts apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -7619,8 +7619,8 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. apps/client/src/app/components/admin-settings/admin-settings.component.html 16 @@ -7695,16 +7695,16 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -7719,24 +7719,24 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 43 - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 47 - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 51 @@ -7751,48 +7751,48 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 57 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 61 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 66 - Investment: Base Currency - Investment: Base Currency + Investment: Base Currency + Investment: Base Currency apps/client/src/app/pages/i18n/i18n-page.html 82 - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7807,16 +7807,16 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7852,8 +7852,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7896,7 +7896,7 @@ Manage Asset Profile apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7924,7 +7924,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7936,8 +7936,8 @@ - Asset Class Cluster Risks - Asset Class Cluster Risks + Asset Class Cluster Risks + Asset Class Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7952,8 +7952,8 @@ - Economic Market Cluster Risks - Economic Market Cluster Risks + Economic Market Cluster Risks + Economic Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7992,24 +7992,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Regional Market Cluster Risks + Regional Market Cluster Risks + Regional Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8024,80 +8024,80 @@ - Developed Markets - Developed Markets + Developed Markets + Developed Markets apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - No accounts have been set up + No accounts have been set up + No accounts have been set up apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8112,56 +8112,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8176,24 +8176,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8208,24 +8208,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8240,24 +8240,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.de.xlf b/apps/client/src/locales/messages.de.xlf index 882249fc7..05e772818 100644 --- a/apps/client/src/locales/messages.de.xlf +++ b/apps/client/src/locales/messages.de.xlf @@ -430,7 +430,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -450,7 +450,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -642,7 +642,7 @@ - Last Request + Last Request Letzte Abfrage apps/client/src/app/components/admin-users/admin-users.html @@ -694,7 +694,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -746,7 +746,7 @@ Sicherheits-Token apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -778,7 +778,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -790,7 +790,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -806,7 +806,7 @@ Einloggen mit Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -814,7 +814,7 @@ Einloggen mit Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -822,7 +822,7 @@ Eingeloggt bleiben apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -882,8 +882,8 @@ - Annualized Performance - Performance pro Jahr + Annualized Performance + Performance pro Jahr apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html 274 @@ -894,7 +894,7 @@ Bitte setze den Betrag deines Notfallfonds. apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -910,7 +910,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -930,7 +930,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -954,7 +954,7 @@ Datenfehler melden apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 @@ -1042,7 +1042,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -1215,7 +1215,7 @@ Sign in with fingerprint - Einloggen mit Fingerabdruck + Einloggen mit Fingerabdruck apps/client/src/app/components/user-account-settings/user-account-settings.html 219 @@ -1278,7 +1278,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -1342,7 +1342,7 @@ Cash-Bestand apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -1358,7 +1358,7 @@ Plattform apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -1554,7 +1554,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -1766,7 +1766,7 @@ Positionen apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -1786,8 +1786,8 @@ - Holdings - Positionen + Holdings + Positionen libs/ui/src/lib/assistant/assistant.html 110 @@ -1850,7 +1850,7 @@ Anzahl apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1898,11 +1898,11 @@ Aktivitäten apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -1918,11 +1918,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -1942,7 +1942,7 @@ Daten importieren... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -1950,7 +1950,7 @@ Der Import wurde abgeschlossen apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -1998,7 +1998,7 @@ Portfolio apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -2026,7 +2026,7 @@ - Ghostfolio empowers you to keep track of your wealth. + Ghostfolio empowers you to keep track of your wealth. Ghostfolio verschafft dir den Überblick über dein Vermögen. apps/client/src/app/pages/public/public-page.html @@ -2130,7 +2130,7 @@ Aktivitäten importieren apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -2258,7 +2258,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -2270,7 +2270,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -2278,7 +2278,7 @@ Minimum Preis apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -2286,7 +2286,7 @@ Maximum Preis apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -2298,7 +2298,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -2314,7 +2314,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -2394,7 +2394,7 @@ Verzinsung apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2486,8 +2486,8 @@ - Hello, has shared a Portfolio with you! - Hallo, hat ein Portfolio mit dir geteilt! + Hello, has shared a Portfolio with you! + Hallo, hat ein Portfolio mit dir geteilt! apps/client/src/app/pages/public/public-page.html 5 @@ -2518,7 +2518,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -2634,7 +2634,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -2670,7 +2670,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -2714,7 +2714,7 @@ Beteiligungskapital apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -2906,7 +2906,7 @@ Folgende Dateiformate werden unterstützt: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -2914,11 +2914,11 @@ Zurück apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -2958,11 +2958,11 @@ Dividenden apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3002,7 +3002,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -3026,7 +3026,7 @@ Daten validieren... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -3034,11 +3034,11 @@ Importieren apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -3050,7 +3050,7 @@ Marktdaten apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -3082,7 +3082,7 @@ Position apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3094,7 +3094,7 @@ Dividenden laden apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3110,7 +3110,7 @@ Dividenden importieren apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3182,32 +3182,32 @@ - Protection for sensitive information like absolute performances and quantity values - Ausblenden von sensiblen Informationen wie absoluter Performance und Stückzahl + Protection for sensitive information like absolute performances and quantity values + Ausblenden von sensiblen Informationen wie absoluter Performance und Stückzahl apps/client/src/app/components/user-account-settings/user-account-settings.html 185 - Distraction-free experience for turbulent times - Unbeschwertes Erlebnis für turbulente Zeiten + Distraction-free experience for turbulent times + Unbeschwertes Erlebnis für turbulente Zeiten apps/client/src/app/components/user-account-settings/user-account-settings.html 203 - Sneak peek at upcoming functionality - Vorschau auf kommende Funktionalität + Sneak peek at upcoming functionality + Vorschau auf kommende Funktionalität apps/client/src/app/components/user-account-settings/user-account-settings.html 237 - Are you an ambitious investor who needs the full picture? - Bist du ein ambitionierter Investor, der den kompletten Überblick benötigt? + Are you an ambitious investor who needs the full picture? + Bist du ein ambitionierter Investor, der den kompletten Überblick benötigt? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 @@ -3310,8 +3310,8 @@ - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. - Für technisch versierte Anleger, die Ghostfolio auf der eigenen Infrastruktur betreiben möchten. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + Für technisch versierte Anleger, die Ghostfolio auf der eigenen Infrastruktur betreiben möchten. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -3386,8 +3386,8 @@ - For new investors who are just getting started with trading. - Für Einsteiger, die gerade mit dem Börsenhandel beginnen. + For new investors who are just getting started with trading. + Für Einsteiger, die gerade mit dem Börsenhandel beginnen. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -3406,8 +3406,8 @@ - For ambitious investors who need the full picture of their financial assets. - Für ambitionierte Anleger, die den vollständigen Überblick über ihr Anlagevermögen benötigen. + For ambitious investors who need the full picture of their financial assets. + Für ambitionierte Anleger, die den vollständigen Überblick über ihr Anlagevermögen benötigen. apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -3422,8 +3422,8 @@ - Get Started - Jetzt loslegen + Get Started + Jetzt loslegen apps/client/src/app/pages/landing/landing-page.html 42 @@ -3454,7 +3454,7 @@ Gebühren apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3610,8 +3610,8 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. - Unser offizielles Ghostfolio Premium Cloud-Angebot ist der einfachste Weg für den Einstieg. Aufgrund der Zeitersparnis ist dies die beste Option für die meisten Nutzer. Die Einnahmen werden zur Deckung der Betriebskosten für Hosting und professionelle Datenanbieter sowie zur Finanzierung der Weiterentwicklung verwendet. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Unser offizielles Ghostfolio Premium Cloud-Angebot ist der einfachste Weg für den Einstieg. Aufgrund der Zeitersparnis ist dies die beste Option für die meisten Nutzer. Die Einnahmen werden zur Deckung der Betriebskosten für Hosting und professionelle Datenanbieter sowie zur Finanzierung der Weiterentwicklung verwendet. apps/client/src/app/pages/pricing/pricing-page.html 7 @@ -3718,24 +3718,24 @@ - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: - Wechsle noch heute zu Ghostfolio Premium und erhalte Zugang zu exklusiven Funktionen, die das Investieren erleichtern: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Wechsle noch heute zu Ghostfolio Premium und erhalte Zugang zu exklusiven Funktionen, die das Investieren erleichtern: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 - Get the tools to effectively manage your finances and refine your personal investment strategy. - Nutze die Werkzeuge, um deine Finanzen effektiv zu verwalten und deine persönliche Anlagestrategie zu verfeinern. + Get the tools to effectively manage your finances and refine your personal investment strategy. + Nutze die Werkzeuge, um deine Finanzen effektiv zu verwalten und deine persönliche Anlagestrategie zu verfeinern. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 - Add Platform - Plattform hinzufügen + Add Platform + Plattform hinzufügen apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -3778,7 +3778,7 @@ Position auswählen apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3786,7 +3786,7 @@ Datei auswählen apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3794,7 +3794,7 @@ Dividenden auswählen apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3802,12 +3802,12 @@ Aktivitäten auswählen apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 - Frequently Asked Questions (FAQ) - Häufig gestellte Fragen (FAQ) + Frequently Asked Questions (FAQ) + Häufig gestellte Fragen (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -3938,8 +3938,8 @@ - Import and Export - Import und Export + Import and Export + Import und Export apps/client/src/app/pages/features/features-page.html 116 @@ -4010,8 +4010,8 @@ - and we share aggregated key metrics of the platform’s performance - und wir veröffentlichen aggregierte Kennzahlen zur Performance der Plattform + and we share aggregated key metrics of the platform’s performance + und wir veröffentlichen aggregierte Kennzahlen zur Performance der Plattform apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -4046,8 +4046,8 @@ - Discover Open Source Alternatives for Personal Finance Tools - Entdecke Open Source Alternativen für Personal Finance Tools + Discover Open Source Alternatives for Personal Finance Tools + Entdecke Open Source Alternativen für Personal Finance Tools apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 @@ -4086,8 +4086,8 @@ - Available in - Verfügbar in + Available in + Verfügbar in apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -4166,24 +4166,24 @@ - Self-Hosting - Self-Hosting + Self-Hosting + Self-Hosting apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 - Use anonymously - Anonyme Nutzung + Use anonymously + Anonyme Nutzung apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 - Free Plan - Kostenlose Nutzung + Free Plan + Kostenlose Nutzung apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -4198,8 +4198,8 @@ - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. - Mit Ghostfolio kannst du dein Vermögen einfach überwachen, analysieren und visualisieren. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Mit Ghostfolio kannst du dein Vermögen einfach überwachen, analysieren und visualisieren. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -4318,8 +4318,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - Der Quellcode ist vollständig als Open-Source-Software (OSS) unter der AGPL-3.0-Lizenz verfügbar + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + Der Quellcode ist vollständig als Open-Source-Software (OSS) unter der AGPL-3.0-Lizenz verfügbar apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -4398,8 +4398,8 @@ - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. - Bei Ghostfolio gehört Transparenz zum zentralen Inhalt unserer Grundwerte. Wir publizieren den Quellcode als Open-Source-Software (OSS) unter der AGPL-3.0-Lizenz und veröffentlichen aggregierte Kennzahlen über den Betriebsstatus der Plattform. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + Bei Ghostfolio gehört Transparenz zum zentralen Inhalt unserer Grundwerte. Wir publizieren den Quellcode als Open-Source-Software (OSS) unter der AGPL-3.0-Lizenz und veröffentlichen aggregierte Kennzahlen über den Betriebsstatus der Plattform. apps/client/src/app/pages/open/open-page.html 7 @@ -4518,8 +4518,8 @@ - Check out the numerous features of Ghostfolio to manage your wealth - Entdecke die zahlreichen Funktionen von Ghostfolio zur Vermögensverwaltung + Check out the numerous features of Ghostfolio to manage your wealth + Entdecke die zahlreichen Funktionen von Ghostfolio zur Vermögensverwaltung apps/client/src/app/pages/features/features-page.html 7 @@ -4534,24 +4534,24 @@ - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. - Wenn du Ghostfolio lieber auf deiner eigenen Infrastruktur betreiben möchtest, findest du den Quellcode und weitere Informationen auf GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + Wenn du Ghostfolio lieber auf deiner eigenen Infrastruktur betreiben möchtest, findest du den Quellcode und weitere Informationen auf GitHub. apps/client/src/app/pages/pricing/pricing-page.html 14 - Manage your wealth like a boss - Verwalte dein Vermögen wie ein Profi + Manage your wealth like a boss + Verwalte dein Vermögen wie ein Profi apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. - Ghostfolio ist ein Open Source Dashboard für deine persönlichen Finanzen mit Fokus auf Datenschutz. Analysiere deine Vermögensverteilung, ermittle dein Gesamtvermögen und treffe fundierte, datengestützte Investitionsentscheidungen. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio ist ein Open Source Dashboard für deine persönlichen Finanzen mit Fokus auf Datenschutz. Analysiere deine Vermögensverteilung, ermittle dein Gesamtvermögen und treffe fundierte, datengestützte Investitionsentscheidungen. apps/client/src/app/pages/landing/landing-page.html 10 @@ -4574,16 +4574,16 @@ - Protect your assets. Refine your personal investment strategy. - Schütze dein Vermögen. Optimiere deine persönliche Anlagestrategie. + Protect your assets. Refine your personal investment strategy. + Schütze dein Vermögen. Optimiere deine persönliche Anlagestrategie. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. - Ghostfolio ermöglicht es geschäftigen Leuten, den Überblick über Aktien, ETFs oder Kryptowährungen zu behalten, ohne überwacht zu werden. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio ermöglicht es geschäftigen Leuten, den Überblick über Aktien, ETFs oder Kryptowährungen zu behalten, ohne überwacht zu werden. apps/client/src/app/pages/landing/landing-page.html 230 @@ -4606,16 +4606,16 @@ - Use Ghostfolio anonymously and own your financial data. - Nutze Ghostfolio ganz anonym und behalte deine Finanzdaten. + Use Ghostfolio anonymously and own your financial data. + Nutze Ghostfolio ganz anonym und behalte deine Finanzdaten. apps/client/src/app/pages/landing/landing-page.html 254 - Benefit from continuous improvements through a strong community. - Profitiere von kontinuierlichen Verbesserungen durch eine aktive Community. + Benefit from continuous improvements through a strong community. + Profitiere von kontinuierlichen Verbesserungen durch eine aktive Community. apps/client/src/app/pages/landing/landing-page.html 264 @@ -4630,8 +4630,8 @@ - Ghostfolio is for you if you are... - Ghostfolio ist für dich geeignet, wenn du... + Ghostfolio is for you if you are... + Ghostfolio ist für dich geeignet, wenn du... apps/client/src/app/pages/landing/landing-page.html 274 @@ -4718,24 +4718,24 @@ - What our users are saying - Was unsere Nutzer sagen + What our users are saying + Was unsere Nutzer sagen apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Nutzer aus aller Welt verwenden Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium + Nutzer aus aller Welt verwenden Ghostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - Wie funktioniert Ghostfolio ? + How does Ghostfolio work? + Wie funktioniert Ghostfolio ? apps/client/src/app/pages/landing/landing-page.html 384 @@ -4758,32 +4758,32 @@ - Add any of your historical transactions - Füge historische Transaktionen hinzu + Add any of your historical transactions + Füge historische Transaktionen hinzu apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition - Erhalte nützliche Erkenntnisse über die Zusammensetzung deines Portfolios + Get valuable insights of your portfolio composition + Erhalte nützliche Erkenntnisse über die Zusammensetzung deines Portfolios apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? - Bist du bereit? + Are you ready? + Bist du bereit? apps/client/src/app/pages/landing/landing-page.html 432 - Get the full picture of your personal finances across multiple platforms. - Verschaffe dir einen vollständigen Überblick deiner persönlichen Finanzen über mehrere Plattformen hinweg. + Get the full picture of your personal finances across multiple platforms. + Verschaffe dir einen vollständigen Überblick deiner persönlichen Finanzen über mehrere Plattformen hinweg. apps/client/src/app/pages/landing/landing-page.html 243 @@ -4963,24 +4963,24 @@ - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. - Diese Übersichtsseite zeigt eine Auswahl an Tools zur Verwaltung der persönliche Finanzen im Vergleich zur Open Source Alternative Ghostfolio. Wenn du Wert auf Transparenz, Datenschutz und die gemeinschaftliche Zusammenarbeit der Open Source Community legst, bietet dir Ghostfolio eine ausgezeichnete Möglichkeit, die Kontrolle über dein Finanzmanagement zu übernehmen. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + Diese Übersichtsseite zeigt eine Auswahl an Tools zur Verwaltung der persönliche Finanzen im Vergleich zur Open Source Alternative Ghostfolio. Wenn du Wert auf Transparenz, Datenschutz und die gemeinschaftliche Zusammenarbeit der Open Source Community legst, bietet dir Ghostfolio eine ausgezeichnete Möglichkeit, die Kontrolle über dein Finanzmanagement zu übernehmen. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. - Über die Links unten kannst du eine Reihe an Tools mit Ghostfolio vergleichen. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Über die Links unten kannst du eine Reihe an Tools mit Ghostfolio vergleichen. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to - Open Source Alternative zu + Open Source Alternative to + Open Source Alternative zu apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -4995,24 +4995,24 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. - Suchst du nach einer Open Source Alternative zu ? Ghostfolio ist ein leistungsstarkes Portfolio Management Tool, das Privatpersonen eine umfassende Plattform bietet, um ihre Investitionen zu verfolgen, zu analysieren und zu optimieren. Egal, ob du ein erfahrener Investor bist oder gerade erst anfängst, Ghostfolio bietet eine intuitive Benutzeroberfläche und eine Vielzahl an Funktionen, die dir dabei helfen, fundierte Entscheidungen zu treffen und die Kontrolle über deine finanzielle Zukunft zu übernehmen. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Suchst du nach einer Open Source Alternative zu ? Ghostfolio ist ein leistungsstarkes Portfolio Management Tool, das Privatpersonen eine umfassende Plattform bietet, um ihre Investitionen zu verfolgen, zu analysieren und zu optimieren. Egal, ob du ein erfahrener Investor bist oder gerade erst anfängst, Ghostfolio bietet eine intuitive Benutzeroberfläche und eine Vielzahl an Funktionen, die dir dabei helfen, fundierte Entscheidungen zu treffen und die Kontrolle über deine finanzielle Zukunft zu übernehmen. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. - Ghostfolio ist eine Open Source Software (OSS), die eine kostengünstige Alternative zu darstellt und sich besonders für Personen mit knappem Budget eignet, wie z.B. für diejenigen, die finanzielle Unabhängigkeit und einen frühen Ruhestand anstreben (FIRE). Ghostfolio nutzt die gemeinsamen Aktivitäten einer Community von Entwicklern und Finanzenthusiasten, um seine Funktionalität, Sicherheit und Benutzerfreundlichkeit kontinuierlich zu verbessern. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio ist eine Open Source Software (OSS), die eine kostengünstige Alternative zu darstellt und sich besonders für Personen mit knappem Budget eignet, wie z.B. für diejenigen, die finanzielle Unabhängigkeit und einen frühen Ruhestand anstreben (FIRE). Ghostfolio nutzt die gemeinsamen Aktivitäten einer Community von Entwicklern und Finanzenthusiasten, um seine Funktionalität, Sicherheit und Benutzerfreundlichkeit kontinuierlich zu verbessern. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. - Wir möchten uns in der untenstehenden Ghostfolio vs Vergleichstabelle ein detailliertes Bild davon machen, wie Ghostfolio im Vergleich zu positioniert ist. Wir werden dabei verschiedene Aspekte wie Funktionen, Datenschutz, Preise und weiteres untersuchen, damit du eine gut informierte Entscheidung für deine persönlichen Anforderungen treffen kannst. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Wir möchten uns in der untenstehenden Ghostfolio vs Vergleichstabelle ein detailliertes Bild davon machen, wie Ghostfolio im Vergleich zu positioniert ist. Wir werden dabei verschiedene Aspekte wie Funktionen, Datenschutz, Preise und weiteres untersuchen, damit du eine gut informierte Entscheidung für deine persönlichen Anforderungen treffen kannst. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 @@ -5032,16 +5032,16 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. - Bitte beachte, dass die bereitgestellten Ghostfolio vs Informationen auf unserer unabhängigen Recherche und Analyse beruhen. Diese Webseite steht in keiner Verbindung zu oder einem anderen im Vergleich erwähnten Produkt. Da sich die Landschaft der Personal Finance Tools ständig weiterentwickelt, ist es wichtig, alle spezifischen Details oder Änderungen direkt auf der jeweiligen Produktseite zu überprüfen. Brauchen die Daten eine Auffrischung? Unterstütze uns bei der Pflege der aktuellen Daten auf GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Bitte beachte, dass die bereitgestellten Ghostfolio vs Informationen auf unserer unabhängigen Recherche und Analyse beruhen. Diese Webseite steht in keiner Verbindung zu oder einem anderen im Vergleich erwähnten Produkt. Da sich die Landschaft der Personal Finance Tools ständig weiterentwickelt, ist es wichtig, alle spezifischen Details oder Änderungen direkt auf der jeweiligen Produktseite zu überprüfen. Brauchen die Daten eine Auffrischung? Unterstütze uns bei der Pflege der aktuellen Daten auf GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? - Bereit, deine Investitionen auf ein neues Levelzu bringen? + Ready to take your investments to the next level? + Bereit, deine Investitionen auf ein neues Levelzu bringen? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 @@ -5112,7 +5112,7 @@ Wähle eine Datei aus oder ziehe sie hierhin apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -5164,8 +5164,8 @@ - Add Tag - Tag hinzufügen + Add Tag + Tag hinzufügen apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -5308,8 +5308,8 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. - Mit dem Finanz-Dashboard Ghostfolio kannst du dein Vermögen in Cash, Aktien, ETFs und Kryptowährungen über mehrere Finanzinstitute überwachen. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Mit dem Finanz-Dashboard Ghostfolio kannst du dein Vermögen in Cash, Aktien, ETFs und Kryptowährungen über mehrere Finanzinstitute überwachen. apps/client/src/app/pages/i18n/i18n-page.html 5 @@ -5324,16 +5324,16 @@ - User - Benutzer + User + Benutzer apps/client/src/app/components/admin-users/admin-users.html 13 - Ghostfolio vs comparison table - Ghostfolio vs Vergleichstabelle + Ghostfolio vs comparison table + Ghostfolio vs Vergleichstabelle apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -5348,8 +5348,8 @@ - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 - aktie, app, asset, dashboard, etf, finanzen, kryptowährung, management, performance, portfolio, software, trading, vermögen, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + aktie, app, asset, dashboard, etf, finanzen, kryptowährung, management, performance, portfolio, software, trading, vermögen, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -5424,7 +5424,7 @@ Cash-Bestände apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -5448,8 +5448,8 @@ - If a translation is missing, kindly support us in extending it here. - Wenn eine Übersetzung fehlt, unterstütze uns bitte dabei, sie hier zu ergänzen. + If a translation is missing, kindly support us in extending it here. + Wenn eine Übersetzung fehlt, unterstütze uns bitte dabei, sie hier zu ergänzen. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -5548,7 +5548,7 @@ Investition apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5569,15 +5569,15 @@ Absolute Asset Performance - Absolute Anlage Performance + Absolute Anlage Performance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 102 - Asset Performance - Anlage Performance + Asset Performance + Anlage Performance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -5585,31 +5585,31 @@ Absolute Currency Performance - Absolute Währungsperformance + Absolute Währungsperformance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 145 - Currency Performance - Währungsperformance + Currency Performance + Währungsperformance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Absolute Netto Performance + Absolute Net Performance + Absolute Netto Performance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Netto Performance + Net Performance + Netto Performance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -5676,16 +5676,16 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - Wenn du heute in den Ruhestand gehen würdest, könnest du pro Jahr oder pro Monat entnehmen, bezogen auf dein Gesamtanlagevermögen von und einer Entnahmerate von 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + Wenn du heute in den Ruhestand gehen würdest, könnest du pro Jahr oder pro Monat entnehmen, bezogen auf dein Gesamtanlagevermögen von und einer Entnahmerate von 4%. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 - Reset Filters - Filter zurücksetzen + Reset Filters + Filter zurücksetzen libs/ui/src/lib/assistant/assistant.html 266 @@ -5716,8 +5716,8 @@ - Apply Filters - Filter anwenden + Apply Filters + Filter anwenden libs/ui/src/lib/assistant/assistant.html 276 @@ -5825,7 +5825,7 @@ Aktivität apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -5833,7 +5833,7 @@ Dividendenrendite apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5945,8 +5945,8 @@ - Join now or check out the example account - Melde dich jetzt an oder probiere die Live Demo aus + Join now or check out the example account + Melde dich jetzt an oder probiere die Live Demo aus apps/client/src/app/pages/landing/landing-page.html 435 @@ -6017,8 +6017,8 @@ - Would you like to refine your personal investment strategy? - Möchtest du deine persönliche Anlagestrategie verfeinern? + Would you like to refine your personal investment strategy? + Möchtest du deine persönliche Anlagestrategie verfeinern? apps/client/src/app/pages/public/public-page.html 213 @@ -6469,8 +6469,8 @@ - Accounts - Konten + Accounts + Konten libs/ui/src/lib/assistant/assistant.html 84 @@ -6497,7 +6497,7 @@ Änderung mit Währungseffekt Änderung apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6505,7 +6505,7 @@ Performance mit Währungseffekt Performance apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6799,8 +6799,8 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - Ghostfolio X-ray nutzt statische Analysen, um potenzielle Probleme und Risiken in deinem Portfolio aufzudecken. Passe die untenstehenden Regeln an und lege individuelle Schwellenwerte fest, um sie mit deiner persönlichen Anlagestrategie abzustimmen. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray nutzt statische Analysen, um potenzielle Probleme und Risiken in deinem Portfolio aufzudecken. Passe die untenstehenden Regeln an und lege individuelle Schwellenwerte fest, um sie mit deiner persönlichen Anlagestrategie abzustimmen. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6951,7 +6951,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7291,8 +7291,8 @@ - Terms of Service - Allgemeine Geschäftsbedingungen + Terms of Service + Allgemeine Geschäftsbedingungen apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7428,8 +7428,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - Berechnungen basieren auf verzögerten Marktdaten und werden nicht in Echtzeit angezeigt. + Calculations are based on delayed market data and may not be displayed in real-time. + Berechnungen basieren auf verzögerten Marktdaten und werden nicht in Echtzeit angezeigt. apps/client/src/app/components/home-market/home-market.html 44 @@ -7477,16 +7477,16 @@ - No emergency fund has been set up - Es wurde kein Notfallfonds eingerichtet + No emergency fund has been set up + Es wurde kein Notfallfonds eingerichtet apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - Ein Notfallfonds wurde eingerichtet + An emergency fund has been set up + Ein Notfallfonds wurde eingerichtet apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7501,40 +7501,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Die Gebühren übersteigen ${thresholdMax}% deiner ursprünglichen Investition (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Die Gebühren übersteigen ${thresholdMax}% deiner ursprünglichen Investition (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Die Gebühren übersteigen ${thresholdMax}% deiner ursprünglichen Investition (${feeRatio}%) nicht + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Die Gebühren übersteigen ${thresholdMax}% deiner ursprünglichen Investition (${feeRatio}%) nicht apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - Name + Name + Name libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Schnellzugriff + Quick Links + Schnellzugriff libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Anlageprofile + Asset Profiles + Anlageprofile libs/ui/src/lib/assistant/assistant.html 140 @@ -7573,16 +7573,16 @@ - Your net worth is managed by a single account - Dein Gesamtvermögen wird von einem einzigen Konto verwaltet + Your net worth is managed by a single account + Dein Gesamtvermögen wird von einem einzigen Konto verwaltet apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts - Dein Gesamtvermögen wird von ${accountsLength} Konten verwaltet + Your net worth is managed by ${accountsLength} accounts + Dein Gesamtvermögen wird von ${accountsLength} Konten verwaltet apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -7619,8 +7619,8 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. - Erweitere dein selbst gehostetes Ghostfolio durch einen leistungsstarken Datenanbieter mit Zugriff auf über 80’000 Ticker von mehr als 50 Börsen weltweit. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Erweitere dein selbst gehostetes Ghostfolio durch einen leistungsstarken Datenanbieter mit Zugriff auf über 80’000 Ticker von mehr als 50 Börsen weltweit. apps/client/src/app/components/admin-settings/admin-settings.component.html 16 @@ -7695,16 +7695,16 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) - Über ${thresholdMax}% deiner aktuellen Investition ist bei ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Über ${thresholdMax}% deiner aktuellen Investition ist bei ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% - Der Hauptteil deiner aktuellen Investition ist bei ${maxAccountName} (${maxInvestmentRatio}%) und übersteigt ${thresholdMax}% nicht + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + Der Hauptteil deiner aktuellen Investition ist bei ${maxAccountName} (${maxInvestmentRatio}%) und übersteigt ${thresholdMax}% nicht apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -7719,24 +7719,24 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% - Der Beteiligungskapitalanteil deiner aktuellen Investition (${equityValueRatio}%) übersteigt ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + Der Beteiligungskapitalanteil deiner aktuellen Investition (${equityValueRatio}%) übersteigt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 43 - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% - Der Beteiligungskapitalanteil deiner aktuellen Investition (${equityValueRatio}%) liegt unter ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + Der Beteiligungskapitalanteil deiner aktuellen Investition (${equityValueRatio}%) liegt unter ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 47 - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Der Beteiligungskapitalanteil deiner aktuellen Investition (${equityValueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Der Beteiligungskapitalanteil deiner aktuellen Investition (${equityValueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 51 @@ -7751,48 +7751,48 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% - Der Anteil der festen Einkünfte deiner aktuellen Investition (${fixedIncomeValueRatio}%) übersteigt ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + Der Anteil der festen Einkünfte deiner aktuellen Investition (${fixedIncomeValueRatio}%) übersteigt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 57 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% - Der Anteil der festen Einkünfte deiner aktuellen Investition (${fixedIncomeValueRatio}%) liegt unter ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + Der Anteil der festen Einkünfte deiner aktuellen Investition (${fixedIncomeValueRatio}%) liegt unter ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 61 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Der Anteil der festen Einkünfte deiner aktuellen Investition (${fixedIncomeValueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Der Anteil der festen Einkünfte deiner aktuellen Investition (${fixedIncomeValueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 66 - Investment: Base Currency - Investition: Basiswährung + Investment: Base Currency + Investition: Basiswährung apps/client/src/app/pages/i18n/i18n-page.html 82 - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - Der Hauptteil deiner aktuellen Investition ist nicht in deiner Basiswährung (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + Der Hauptteil deiner aktuellen Investition ist nicht in deiner Basiswährung (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - Der Hauptteil deiner aktuellen Investition ist in deiner Basiswährung (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + Der Hauptteil deiner aktuellen Investition ist in deiner Basiswährung (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7807,16 +7807,16 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) - Über ${thresholdMax}% deiner aktuellen Investition ist in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Über ${thresholdMax}% deiner aktuellen Investition ist in ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% - Der Hauptteil deiner aktuellen Investition ist in ${currency} (${maxValueRatio}%) und übersteigt ${thresholdMax}% nicht + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + Der Hauptteil deiner aktuellen Investition ist in ${currency} (${maxValueRatio}%) und übersteigt ${thresholdMax}% nicht apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7852,8 +7852,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - Wenn du einen Fehler feststellst oder eine Verbesserung bzw. ein neues Feature vorschlagen möchtest, tritt der Ghostfolio Slack Community bei oder poste an @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + Wenn du einen Fehler feststellst oder eine Verbesserung bzw. ein neues Feature vorschlagen möchtest, tritt der Ghostfolio Slack Community bei oder poste an @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7896,7 +7896,7 @@ Anlageprofil verwalten apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7924,7 +7924,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7936,8 +7936,8 @@ - Asset Class Cluster Risks - Anlageklasseklumpenrisiken + Asset Class Cluster Risks + Anlageklasseklumpenrisiken apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7952,8 +7952,8 @@ - Economic Market Cluster Risks - Wirtschaftsraumklumpenrisiken + Economic Market Cluster Risks + Wirtschaftsraumklumpenrisiken apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7992,24 +7992,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Deine Kaufkraft liegt unter ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Deine Kaufkraft liegt unter ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Deine Kaufkraft übersteigt ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Deine Kaufkraft übersteigt ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Regionale Marktklumpenrisiken + Regional Market Cluster Risks + Regionale Marktklumpenrisiken apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8024,80 +8024,80 @@ - Developed Markets - Entwickelte Länder + Developed Markets + Entwickelte Länder apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - Der Anteil entwickelter Länder deiner aktuellen Investition (${developedMarketsValueRatio}%) übersteigt ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + Der Anteil entwickelter Länder deiner aktuellen Investition (${developedMarketsValueRatio}%) übersteigt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - Der Anteil entwickelter Länder deiner aktuellen Investition (${developedMarketsValueRatio}%) liegt unter ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + Der Anteil entwickelter Länder deiner aktuellen Investition (${developedMarketsValueRatio}%) liegt unter ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Der Anteil entwickelter Länder deiner aktuellen Investition (${developedMarketsValueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Der Anteil entwickelter Länder deiner aktuellen Investition (${developedMarketsValueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - Schwellenländer + Emerging Markets + Schwellenländer apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - Der Anteil der Schwellenländer deiner aktuellen Investition (${emergingMarketsValueRatio}%) übersteigt ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + Der Anteil der Schwellenländer deiner aktuellen Investition (${emergingMarketsValueRatio}%) übersteigt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - Der Anteil der Schwellenländer deiner aktuellen Investition (${emergingMarketsValueRatio}%) liegt unter ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + Der Anteil der Schwellenländer deiner aktuellen Investition (${emergingMarketsValueRatio}%) liegt unter ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Der Anteil der Schwellenländer deiner aktuellen Investition (${emergingMarketsValueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Der Anteil der Schwellenländer deiner aktuellen Investition (${emergingMarketsValueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - Es wurden noch keine Konten eingerichtet + No accounts have been set up + Es wurden noch keine Konten eingerichtet apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - Dein Gesamtvermögen wird von 0 Konten verwaltet + Your net worth is managed by 0 accounts + Dein Gesamtvermögen wird von 0 Konten verwaltet apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8112,56 +8112,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - Der Anteil des Asien-Pazifik-Marktes deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + Der Anteil des Asien-Pazifik-Marktes deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - Der Anteil des Asien-Pazifik-Marktes deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + Der Anteil des Asien-Pazifik-Marktes deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Der Anteil des Asien-Pazifik-Marktes deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Der Anteil des Asien-Pazifik-Marktes deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - Schwellenländer + Emerging Markets + Schwellenländer apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - Der Anteil der Schwellenländer deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + Der Anteil der Schwellenländer deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - Der Anteil der Schwellenländer deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + Der Anteil der Schwellenländer deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Der Anteil der Schwellenländer deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Der Anteil der Schwellenländer deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8176,24 +8176,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - Der Anteil des europäischen Marktes deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + Der Anteil des europäischen Marktes deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - Der Anteil des europäischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + Der Anteil des europäischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Der Anteil des europäischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Der Anteil des europäischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8208,24 +8208,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - Der Anteil des japanischen Marktes deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + Der Anteil des japanischen Marktes deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - Der Anteil des japanischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + Der Anteil des japanischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Der Anteil des japanischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Der Anteil des japanischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8240,24 +8240,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - Der Anteil des nordamerikanischen Marktes deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + Der Anteil des nordamerikanischen Marktes deiner aktuellen Investition (${valueRatio}%) übersteigt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - Der Anteil des nordamerikanischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + Der Anteil des nordamerikanischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt unter ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Der Anteil des nordamerikanischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Der Anteil des nordamerikanischen Marktes deiner aktuellen Investition (${valueRatio}%) liegt im Bereich zwischen ${thresholdMin}% und ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.es.xlf b/apps/client/src/locales/messages.es.xlf index 94884faa6..87f222b40 100644 --- a/apps/client/src/locales/messages.es.xlf +++ b/apps/client/src/locales/messages.es.xlf @@ -431,7 +431,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -451,7 +451,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -627,7 +627,7 @@ - Last Request + Last Request Última petición apps/client/src/app/components/admin-users/admin-users.html @@ -679,7 +679,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -731,7 +731,7 @@ Token de seguridad apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -763,7 +763,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -775,7 +775,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -791,7 +791,7 @@ Iniciar sesión con Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -799,7 +799,7 @@ Iniciar sesión con Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -807,7 +807,7 @@ Seguir conectado apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -867,7 +867,7 @@ - Annualized Performance + Annualized Performance Rendimiento anualizado apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -879,7 +879,7 @@ Por favor, ingresa la cantidad de tu fondo de emergencia: apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -895,7 +895,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -915,7 +915,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -939,7 +939,7 @@ Reporta un anomalía de los datos apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 @@ -1027,7 +1027,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -1200,7 +1200,7 @@ Sign in with fingerprint - Iniciar sesión con huella digital + Iniciar sesión con huella digital apps/client/src/app/components/user-account-settings/user-account-settings.html 219 @@ -1263,7 +1263,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -1327,7 +1327,7 @@ Saldo en efectivo apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -1343,7 +1343,7 @@ Plataforma apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -1539,7 +1539,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -1751,7 +1751,7 @@ Participaciones apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -1771,8 +1771,8 @@ - Holdings - Participaciones + Holdings + Participaciones libs/ui/src/lib/assistant/assistant.html 110 @@ -1835,7 +1835,7 @@ Cantidad apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1883,11 +1883,11 @@ Operación apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -1903,11 +1903,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -1927,7 +1927,7 @@ Importando datos... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -1935,7 +1935,7 @@ La importación se ha completado apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -1983,7 +1983,7 @@ Cartera apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -2011,7 +2011,7 @@ - Ghostfolio empowers you to keep track of your wealth. + Ghostfolio empowers you to keep track of your wealth. Ghostfolio te permite hacer un seguimiento de tu riqueza. apps/client/src/app/pages/public/public-page.html @@ -2115,7 +2115,7 @@ Importar operaciones apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -2239,7 +2239,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -2255,7 +2255,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -2287,7 +2287,7 @@ Precio máximo apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -2323,7 +2323,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -2339,7 +2339,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -2347,7 +2347,7 @@ Precio mínimo apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -2371,7 +2371,7 @@ Interés apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2459,8 +2459,8 @@ - Hello, has shared a Portfolio with you! - Hola, ha compartido una Cartera contigo! + Hello, has shared a Portfolio with you! + Hola, ha compartido una Cartera contigo! apps/client/src/app/pages/public/public-page.html 5 @@ -2495,7 +2495,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -2619,7 +2619,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -2655,7 +2655,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -2699,7 +2699,7 @@ Capital apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -2891,7 +2891,7 @@ Los siguientes formatos de archivo están soportados: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -2899,11 +2899,11 @@ Volver apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -2935,11 +2935,11 @@ Dividendo apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2987,7 +2987,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -3011,7 +3011,7 @@ Validando datos... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -3019,11 +3019,11 @@ Importar apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -3035,7 +3035,7 @@ Datos del mercado apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -3067,7 +3067,7 @@ Participación apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3079,7 +3079,7 @@ Cargar dividendos apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3095,7 +3095,7 @@ Importar Dividendos apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3167,32 +3167,32 @@ - Protection for sensitive information like absolute performances and quantity values - Protección de información confidencial como rendimientos absolutos y valores cuantitativos + Protection for sensitive information like absolute performances and quantity values + Protección de información confidencial como rendimientos absolutos y valores cuantitativos apps/client/src/app/components/user-account-settings/user-account-settings.html 185 - Distraction-free experience for turbulent times - Experiencia sin distracciones para tiempos turbulentos + Distraction-free experience for turbulent times + Experiencia sin distracciones para tiempos turbulentos apps/client/src/app/components/user-account-settings/user-account-settings.html 203 - Sneak peek at upcoming functionality - Un adelanto de las próximas funciones + Sneak peek at upcoming functionality + Un adelanto de las próximas funciones apps/client/src/app/components/user-account-settings/user-account-settings.html 237 - Are you an ambitious investor who needs the full picture? - ¿Es usted un inversor ambicioso que necesita una visión completa? + Are you an ambitious investor who needs the full picture? + ¿Es usted un inversor ambicioso que necesita una visión completa? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 @@ -3295,8 +3295,8 @@ - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. - Para inversores expertos en tecnología que prefieren ejecutar Ghostfolio en su propia infraestructura. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + Para inversores expertos en tecnología que prefieren ejecutar Ghostfolio en su propia infraestructura. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -3336,7 +3336,7 @@ Portfolio Performance - Rendimiento del Portfolio + Rendimiento del Portfolio apps/client/src/app/pages/pricing/pricing-page.html 40 @@ -3371,8 +3371,8 @@ - For new investors who are just getting started with trading. - Para nuevos inversores que estan empezando con el trading. + For new investors who are just getting started with trading. + Para nuevos inversores que estan empezando con el trading. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -3391,8 +3391,8 @@ - For ambitious investors who need the full picture of their financial assets. - Para inversores ambiciosos que necesitan una visión completa de sus activos financieros + For ambitious investors who need the full picture of their financial assets. + Para inversores ambiciosos que necesitan una visión completa de sus activos financieros apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -3407,7 +3407,7 @@ - Get Started + Get Started Empieza apps/client/src/app/pages/landing/landing-page.html @@ -3439,7 +3439,7 @@ Comisiones apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3587,8 +3587,8 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. - Nuestra oferta oficial en la nube Ghostfolio Premium es la forma más fácil de comenzar. Debido al tiempo que ahorra, esta será la mejor opción para la mayoría de las personas. Los ingresos se utilizan para cubrir los costos operativos de la infraestructura de alojamiento y los proveedores de datos profesionales, y para financiar el desarrollo continuo. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Nuestra oferta oficial en la nube Ghostfolio Premium es la forma más fácil de comenzar. Debido al tiempo que ahorra, esta será la mejor opción para la mayoría de las personas. Los ingresos se utilizan para cubrir los costos operativos de la infraestructura de alojamiento y los proveedores de datos profesionales, y para financiar el desarrollo continuo. apps/client/src/app/pages/pricing/pricing-page.html 7 @@ -3695,24 +3695,24 @@ - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: - Actualiza a Ghostfolio Premium hoy y accede a características exclusivas para mejorar tu experiencia de inversión: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Actualiza a Ghostfolio Premium hoy y accede a características exclusivas para mejorar tu experiencia de inversión: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 - Get the tools to effectively manage your finances and refine your personal investment strategy. - Obtén las herramientas para gestionar eficazmente tus finanzas y perfeccionar tu estrategia de inversión personal. + Get the tools to effectively manage your finances and refine your personal investment strategy. + Obtén las herramientas para gestionar eficazmente tus finanzas y perfeccionar tu estrategia de inversión personal. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 - Add Platform - Agregar plataforma + Add Platform + Agregar plataforma apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -3755,7 +3755,7 @@ Seleccionar posición apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3763,7 +3763,7 @@ Seleccionar archivo apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3771,7 +3771,7 @@ Seleccionar dividendos apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3779,12 +3779,12 @@ Seleccionar dividendos apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 - Frequently Asked Questions (FAQ) - Preguntas frecuentes (FAQ) + Frequently Asked Questions (FAQ) + Preguntas frecuentes (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -3915,8 +3915,8 @@ - Import and Export - Importar y exportar + Import and Export + Importar y exportar apps/client/src/app/pages/features/features-page.html 116 @@ -3987,8 +3987,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -4023,8 +4023,8 @@ - Discover Open Source Alternatives for Personal Finance Tools - Descubra alternativas de software libre para herramientas de finanzas personales + Discover Open Source Alternatives for Personal Finance Tools + Descubra alternativas de software libre para herramientas de finanzas personales apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 @@ -4063,8 +4063,8 @@ - Available in - Disponible en + Available in + Disponible en apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -4143,24 +4143,24 @@ - Self-Hosting - Autoalojamiento + Self-Hosting + Autoalojamiento apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 - Use anonymously - Uso anónimo + Use anonymously + Uso anónimo apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 - Free Plan - Plan gratuito + Free Plan + Plan gratuito apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -4175,8 +4175,8 @@ - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. - Siga, analice y visualice su patrimonio sin esfuerzo con Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Siga, analice y visualice su patrimonio sin esfuerzo con Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -4295,8 +4295,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -4375,8 +4375,8 @@ - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. - En Ghostfolio, la transparencia está en el centro de nuestros valores. Publicamos el código fuente como software de código abierto (OSS) bajo la licencia Licencia AGPL-3.0 y compartimos abiertamente métricas clave agregadas sobre el estado operativo de la plataforma. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + En Ghostfolio, la transparencia está en el centro de nuestros valores. Publicamos el código fuente como software de código abierto (OSS) bajo la licencia Licencia AGPL-3.0 y compartimos abiertamente métricas clave agregadas sobre el estado operativo de la plataforma. apps/client/src/app/pages/open/open-page.html 7 @@ -4495,8 +4495,8 @@ - Check out the numerous features of Ghostfolio to manage your wealth - Descubra las numerosas funciones de Ghostfolio para gestionar su patrimonio + Check out the numerous features of Ghostfolio to manage your wealth + Descubra las numerosas funciones de Ghostfolio para gestionar su patrimonio apps/client/src/app/pages/features/features-page.html 7 @@ -4511,24 +4511,24 @@ - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. - Si prefieres ejecutar Ghostfolio en tu propia infraestructura, puedes encontrar el código fuente e instrucciones adicionales en GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + Si prefieres ejecutar Ghostfolio en tu propia infraestructura, puedes encontrar el código fuente e instrucciones adicionales en GitHub. apps/client/src/app/pages/pricing/pricing-page.html 14 - Manage your wealth like a boss - Gestiona tu patrimonio como un jefe + Manage your wealth like a boss + Gestiona tu patrimonio como un jefe apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. - Ghostfolio es un panel de control de código abierto y centrado en la privacidad para tus finanzas personales. Analiza la asignación de tus activos, conoce tu patrimonio neto y toma decisiones de inversión sólidas basadas en datos. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio es un panel de control de código abierto y centrado en la privacidad para tus finanzas personales. Analiza la asignación de tus activos, conoce tu patrimonio neto y toma decisiones de inversión sólidas basadas en datos. apps/client/src/app/pages/landing/landing-page.html 10 @@ -4551,16 +4551,16 @@ - Protect your assets. Refine your personal investment strategy. - Protege tus assets. Mejora tu estrategia de inversión personal. + Protect your assets. Refine your personal investment strategy. + Protege tus assets. Mejora tu estrategia de inversión personal. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. - Ghostfolio permite a las personas ocupadas hacer un seguimiento de acciones, ETFs o criptomonedas sin ser rastreadas. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio permite a las personas ocupadas hacer un seguimiento de acciones, ETFs o criptomonedas sin ser rastreadas. apps/client/src/app/pages/landing/landing-page.html 230 @@ -4583,16 +4583,16 @@ - Use Ghostfolio anonymously and own your financial data. - Usa Ghostfolio de forma anónima y sé dueño de tus datos financieros. + Use Ghostfolio anonymously and own your financial data. + Usa Ghostfolio de forma anónima y sé dueño de tus datos financieros. apps/client/src/app/pages/landing/landing-page.html 254 - Benefit from continuous improvements through a strong community. - Disfruta de mejoras continuas gracias a una comunidad sólida. + Benefit from continuous improvements through a strong community. + Disfruta de mejoras continuas gracias a una comunidad sólida. apps/client/src/app/pages/landing/landing-page.html 264 @@ -4607,8 +4607,8 @@ - Ghostfolio is for you if you are... - Ghostfolio es para ti si estás... + Ghostfolio is for you if you are... + Ghostfolio es para ti si estás... apps/client/src/app/pages/landing/landing-page.html 274 @@ -4695,24 +4695,24 @@ - What our users are saying - Lo que nuestros usuarios están diciendo + What our users are saying + Lo que nuestros usuarios están diciendo apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Miembros de todo el mundo están usando Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium + Miembros de todo el mundo están usando Ghostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - ¿Cómo Ghostfolio work? + How does Ghostfolio work? + ¿Cómo Ghostfolio work? apps/client/src/app/pages/landing/landing-page.html 384 @@ -4735,32 +4735,32 @@ - Add any of your historical transactions - Agrega cualquiera de tus transacciones históricas + Add any of your historical transactions + Agrega cualquiera de tus transacciones históricas apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition - Obtén información valiosa sobre la composición de tu portafolio + Get valuable insights of your portfolio composition + Obtén información valiosa sobre la composición de tu portafolio apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? - ¿Estás listo? + Are you ready? + ¿Estás listo? apps/client/src/app/pages/landing/landing-page.html 432 - Get the full picture of your personal finances across multiple platforms. - Obtén una visión completa de tus finanzas personales en múltiples plataformas. + Get the full picture of your personal finances across multiple platforms. + Obtén una visión completa de tus finanzas personales en múltiples plataformas. apps/client/src/app/pages/landing/landing-page.html 243 @@ -4940,24 +4940,24 @@ - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. - Esta página de resumen presenta una colección seleccionada de herramientas de finanzas personales, comparadas con la alternativa de código abierto Ghostfolio. Si valoras la transparencia, la privacidad de los datos y la colaboración comunitaria, Ghostfolio ofrece una excelente oportunidad para tomar el control de tu gestión financiera. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + Esta página de resumen presenta una colección seleccionada de herramientas de finanzas personales, comparadas con la alternativa de código abierto Ghostfolio. Si valoras la transparencia, la privacidad de los datos y la colaboración comunitaria, Ghostfolio ofrece una excelente oportunidad para tomar el control de tu gestión financiera. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. - Explora los siguientes enlaces para comparar una variedad de herramientas de finanzas personales con Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Explora los siguientes enlaces para comparar una variedad de herramientas de finanzas personales con Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to - Alternativa de software libre a + Open Source Alternative to + Alternativa de software libre a apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -4972,24 +4972,24 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. - ¿Estás buscando una alternativa de código abierto a ? Ghostfolio es una potente herramienta de gestión de carteras que ofrece a los usuarios una plataforma integral para rastrear, analizar y optimizar sus inversiones. Ya seas un inversor con experiencia o estés comenzando, Ghostfolio ofrece una interfaz intuitiva y una amplia gama de funcionalidades para ayudarte a tomar decisiones informadas y tener el control de tu futuro financiero. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + ¿Estás buscando una alternativa de código abierto a ? Ghostfolio es una potente herramienta de gestión de carteras que ofrece a los usuarios una plataforma integral para rastrear, analizar y optimizar sus inversiones. Ya seas un inversor con experiencia o estés comenzando, Ghostfolio ofrece una interfaz intuitiva y una amplia gama de funcionalidades para ayudarte a tomar decisiones informadas y tener el control de tu futuro financiero. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. - Ghostfolio es un software de código abierto (OSS), que ofrece una alternativa rentable a lo que lo hace especialmente adecuado para personas con un presupuesto ajustado, como aquellas que buscan la Independencia Financiera y Jubilación Anticipada (FIRE). Al aprovechar los esfuerzos colectivos de una comunidad de desarrolladores y entusiastas de las finanzas personales, Ghostfolio mejora continuamente sus capacidades, seguridad y experiencia de usuario. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio es un software de código abierto (OSS), que ofrece una alternativa rentable a lo que lo hace especialmente adecuado para personas con un presupuesto ajustado, como aquellas que buscan la Independencia Financiera y Jubilación Anticipada (FIRE). Al aprovechar los esfuerzos colectivos de una comunidad de desarrolladores y entusiastas de las finanzas personales, Ghostfolio mejora continuamente sus capacidades, seguridad y experiencia de usuario. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. - Analicemos en detalle la tabla comparativa entre Ghostfolio y que encontrarás a continuación, para obtener una comprensión completa de cómo se posiciona Ghostfolio en relación con . Exploraremos diversos aspectos como funcionalidades, privacidad de los datos, precios y más, lo que te permitirá tomar una decisión bien fundamentada según tus necesidades personales. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Analicemos en detalle la tabla comparativa entre Ghostfolio y que encontrarás a continuación, para obtener una comprensión completa de cómo se posiciona Ghostfolio en relación con . Exploraremos diversos aspectos como funcionalidades, privacidad de los datos, precios y más, lo que te permitirá tomar una decisión bien fundamentada según tus necesidades personales. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 @@ -5009,16 +5009,16 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. - Ten en cuenta que la información proporcionada en la tabla comparativa entre Ghostfolio y se basa en nuestra investigación y análisis independientes. Este sitio web no está afiliado con ni con ningún otro producto mencionado en la comparación. Dado que el panorama de las herramientas de finanzas personales evoluciona constantemente, es fundamental verificar cualquier detalle específico o cambio directamente en la página oficial del producto correspondiente. ¿Los datos necesitan una actualización? Ayúdanos a mantener la información precisa en GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Ten en cuenta que la información proporcionada en la tabla comparativa entre Ghostfolio y se basa en nuestra investigación y análisis independientes. Este sitio web no está afiliado con ni con ningún otro producto mencionado en la comparación. Dado que el panorama de las herramientas de finanzas personales evoluciona constantemente, es fundamental verificar cualquier detalle específico o cambio directamente en la página oficial del producto correspondiente. ¿Los datos necesitan una actualización? Ayúdanos a mantener la información precisa en GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? - ¿Listo para llevar sus inversiones al siguiente nivel? + Ready to take your investments to the next level? + ¿Listo para llevar sus inversiones al siguiente nivel? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 @@ -5089,7 +5089,7 @@ Elige o suelta un archivo aquí apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -5141,8 +5141,8 @@ - Add Tag - Agregar etiqueta + Add Tag + Agregar etiqueta apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -5285,8 +5285,8 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. - Ghostfolio es un dashboard de finanzas personales para hacer un seguimiento de tus activos como acciones, ETFs o criptodivisas a través de múltiples plataformas. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio es un dashboard de finanzas personales para hacer un seguimiento de tus activos como acciones, ETFs o criptodivisas a través de múltiples plataformas. apps/client/src/app/pages/i18n/i18n-page.html 5 @@ -5301,16 +5301,16 @@ - User - Usuario + User + Usuario apps/client/src/app/components/admin-users/admin-users.html 13 - Ghostfolio vs comparison table - Ghostfolio vs tabla comparativa + Ghostfolio vs comparison table + Ghostfolio vs tabla comparativa apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -5325,8 +5325,8 @@ - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 - aplicación, activo, criptomoneda, panel, ETF, finanzas, gestión, rendimiento, cartera, software, acciones, comercio, riqueza, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + aplicación, activo, criptomoneda, panel, ETF, finanzas, gestión, rendimiento, cartera, software, acciones, comercio, riqueza, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -5401,7 +5401,7 @@ Saldos de efectivo apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -5425,8 +5425,8 @@ - If a translation is missing, kindly support us in extending it here. - Si falta una traducción, por favor ayúdenos a ampliarla. here. + If a translation is missing, kindly support us in extending it here. + Si falta una traducción, por favor ayúdenos a ampliarla. here. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -5525,7 +5525,7 @@ Inversión apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5553,8 +5553,8 @@ - Asset Performance - Rendimiento de activos + Asset Performance + Rendimiento de activos apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -5569,24 +5569,24 @@ - Currency Performance - Rendimiento de la moneda + Currency Performance + Rendimiento de la moneda apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Rendimiento neto absoluto + Absolute Net Performance + Rendimiento neto absoluto apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Rendimiento neto + Net Performance + Rendimiento neto apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -5653,16 +5653,16 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - Si te jubilaras hoy, podrías retirar por año o por mes, basado en tus activos totales de y una tasa de retiro del 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + Si te jubilaras hoy, podrías retirar por año o por mes, basado en tus activos totales de y una tasa de retiro del 4%. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 - Reset Filters - Reiniciar filtros + Reset Filters + Reiniciar filtros libs/ui/src/lib/assistant/assistant.html 266 @@ -5693,8 +5693,8 @@ - Apply Filters - Aplicar filtros + Apply Filters + Aplicar filtros libs/ui/src/lib/assistant/assistant.html 276 @@ -5802,7 +5802,7 @@ Actividad apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -5810,7 +5810,7 @@ Rendimiento por dividendo apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5922,7 +5922,7 @@ - Join now or check out the example account + Join now or check out the example account Únete ahora o consulta la cuenta de ejemplo apps/client/src/app/pages/landing/landing-page.html @@ -5994,7 +5994,7 @@ - Would you like to refine your personal investment strategy? + Would you like to refine your personal investment strategy? ¿Te gustaría refinar tu estrategia de inversión personal? apps/client/src/app/pages/public/public-page.html @@ -6446,8 +6446,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -6474,7 +6474,7 @@ Change with currency effect Change apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6482,7 +6482,7 @@ Performance with currency effect Performance apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6776,7 +6776,7 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. Ghostfolio X-ray utiliza análisis estático para descubrir posibles problemas y riesgos en tu cartera. Ajusta las reglas a continuación y define umbrales personalizados para alinearlos con tu estrategia de inversión personal. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html @@ -6928,7 +6928,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7268,8 +7268,8 @@ - Terms of Service - Términos de servicio + Terms of Service + Términos de servicio apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7429,8 +7429,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - Los cálculos se basan en datos de mercado retrasados ​​y es posible que no se muestren en tiempo real. + Calculations are based on delayed market data and may not be displayed in real-time. + Los cálculos se basan en datos de mercado retrasados ​​y es posible que no se muestren en tiempo real. apps/client/src/app/components/home-market/home-market.html 44 @@ -7478,16 +7478,16 @@ - No emergency fund has been set up - No se ha creado ningún fondo de emergencia + No emergency fund has been set up + No se ha creado ningún fondo de emergencia apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - Se ha creado un fondo de emergencia + An emergency fund has been set up + Se ha creado un fondo de emergencia apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7502,40 +7502,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Las tarifas superan el ${thresholdMax}% de su inversión inicial (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Las tarifas superan el ${thresholdMax}% de su inversión inicial (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Las tarifas no superan el ${thresholdMax}% de su inversión inicial (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Las tarifas no superan el ${thresholdMax}% de su inversión inicial (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - Nombre + Name + Nombre libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Enlaces rápidos + Quick Links + Enlaces rápidos libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Perfiles de activos + Asset Profiles + Perfiles de activos libs/ui/src/lib/assistant/assistant.html 140 @@ -7574,7 +7574,7 @@ - Your net worth is managed by a single account + Your net worth is managed by a single account Tu patrimonio neto está gestionado por una única cuenta apps/client/src/app/pages/i18n/i18n-page.html @@ -7582,7 +7582,7 @@ - Your net worth is managed by ${accountsLength} accounts + Your net worth is managed by ${accountsLength} accounts Tu patrimonio neto está gestionado por ${accountsLength} cuentas apps/client/src/app/pages/i18n/i18n-page.html @@ -7620,7 +7620,7 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. Alimenta tu Ghostfolio autoalojado con un proveedor de datos potente para acceder a más de 80.000 tickers de más de 50 intercambios a nivel mundial. apps/client/src/app/components/admin-settings/admin-settings.component.html @@ -7696,7 +7696,7 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) Más del ${thresholdMax}% de tu inversión actual está en ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html @@ -7704,7 +7704,7 @@ - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% La mayor parte de tu inversión actual está en ${maxAccountName} (${maxInvestmentRatio}%) y no excede el ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7720,7 +7720,7 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% La contribución de renta variable de tu inversión actual (${equityValueRatio}%) supera el ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7728,7 +7728,7 @@ - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% La contribución de renta variable de tu inversión actual (${equityValueRatio}%) está por debajo del ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7736,7 +7736,7 @@ - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% La contribución de renta variable de tu inversión actual (${equityValueRatio}%) está dentro del rango entre ${thresholdMin}% y ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7752,7 +7752,7 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% La contribución de renta fija de tu inversión actual (${fixedIncomeValueRatio}%) supera el ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7760,7 +7760,7 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% La contribución de renta fija de tu inversión actual (${fixedIncomeValueRatio}%) está por debajo del ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7768,7 +7768,7 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% La contribución de renta fija de tu inversión actual (${fixedIncomeValueRatio}%) está dentro del rango entre ${thresholdMin}% y ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7776,7 +7776,7 @@ - Investment: Base Currency + Investment: Base Currency Inversión: Moneda base apps/client/src/app/pages/i18n/i18n-page.html @@ -7784,7 +7784,7 @@ - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) La mayor parte de tu inversión actual no está en tu moneda base (${baseCurrencyValueRatio}% en ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html @@ -7792,7 +7792,7 @@ - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) La mayor parte de tu inversión actual está en tu moneda base (${baseCurrencyValueRatio}% en ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html @@ -7808,7 +7808,7 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) Más del ${thresholdMax}% de tu inversión actual está en ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html @@ -7816,7 +7816,7 @@ - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% La mayor parte de tu inversión actual está en ${currency} (${maxValueRatio}%) y no supera el ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7853,8 +7853,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7897,7 +7897,7 @@ Gestionar perfil de activo apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7925,7 +7925,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7937,7 +7937,7 @@ - Asset Class Cluster Risks + Asset Class Cluster Risks Riesgos de grupo de clases de activos apps/client/src/app/pages/i18n/i18n-page.html @@ -7953,8 +7953,8 @@ - Economic Market Cluster Risks - Economic Market Cluster Risks + Economic Market Cluster Risks + Economic Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7993,24 +7993,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Riesgos de los grupos de mercados regionales + Regional Market Cluster Risks + Riesgos de los grupos de mercados regionales apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8025,80 +8025,80 @@ - Developed Markets - Mercados desarrollados + Developed Markets + Mercados desarrollados apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - Mercados emergentes + Emerging Markets + Mercados emergentes apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - No se han configurado cuentas + No accounts have been set up + No se han configurado cuentas apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - Su patrimonio neto es administrado por 0 cuentas + Your net worth is managed by 0 accounts + Su patrimonio neto es administrado por 0 cuentas apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8113,56 +8113,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8177,24 +8177,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8209,24 +8209,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - La contribución al mercado japonés de su inversión actual (${valueRatio}%) supera el ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + La contribución al mercado japonés de su inversión actual (${valueRatio}%) supera el ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - La contribución al mercado japonés de su inversión actual (${valueRatio}%) es inferior a ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + La contribución al mercado japonés de su inversión actual (${valueRatio}%) es inferior a ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - La contribución al mercado japonés de su inversión actual (${valueRatio}%) está dentro del rango de ${thresholdMin}% y ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + La contribución al mercado japonés de su inversión actual (${valueRatio}%) está dentro del rango de ${thresholdMin}% y ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8241,24 +8241,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - La contribución del mercado de América del Norte de su inversión actual (${valueRatio}%) supera el ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + La contribución del mercado de América del Norte de su inversión actual (${valueRatio}%) supera el ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - La contribución al mercado de América del Norte de su inversión actual (${valueRatio}%) es inferior a ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + La contribución al mercado de América del Norte de su inversión actual (${valueRatio}%) es inferior a ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - La contribución al mercado de América del Norte de su inversión actual (${valueRatio}%) está dentro del rango de ${thresholdMin}% y ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + La contribución al mercado de América del Norte de su inversión actual (${valueRatio}%) está dentro del rango de ${thresholdMin}% y ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.fr.xlf b/apps/client/src/locales/messages.fr.xlf index 4dd1a96e4..ab0ce6212 100644 --- a/apps/client/src/locales/messages.fr.xlf +++ b/apps/client/src/locales/messages.fr.xlf @@ -78,7 +78,7 @@ Plateforme apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -194,7 +194,7 @@ Balance Cash apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -486,7 +486,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -514,7 +514,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -586,7 +586,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -602,7 +602,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -618,7 +618,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -638,7 +638,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -834,8 +834,8 @@ - Last Request - Dernière Requête + Last Request + Dernière Requête apps/client/src/app/components/admin-users/admin-users.html 187 @@ -854,7 +854,7 @@ Portefeuille apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -882,7 +882,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -926,7 +926,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -995,7 +995,7 @@ Last Days - derniers jours + derniers jours apps/client/src/app/components/home-market/home-market.html 7 @@ -1026,7 +1026,7 @@ Jeton de Sécurité apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -1058,7 +1058,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -1070,7 +1070,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -1086,7 +1086,7 @@ Se connecter avec Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -1094,7 +1094,7 @@ Se connecter avec Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -1102,7 +1102,7 @@ Rester connecté apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -1170,8 +1170,8 @@ - Annualized Performance - Performance annualisée + Annualized Performance + Performance annualisée apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html 274 @@ -1182,7 +1182,7 @@ Veuillez entrer le montant de votre fonds d’urgence : apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -1190,7 +1190,7 @@ Prix Minimum apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -1198,7 +1198,7 @@ Prix Maximum apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -1206,7 +1206,7 @@ Quantité apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1226,7 +1226,7 @@ Signaler une Erreur de Données apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 @@ -1294,7 +1294,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -1306,7 +1306,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -1322,7 +1322,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -1539,7 +1539,7 @@ Sign in with fingerprint - Se connecter avec empreinte + Se connecter avec empreinte apps/client/src/app/components/user-account-settings/user-account-settings.html 219 @@ -1610,7 +1610,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -1650,7 +1650,7 @@ Données du marché apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -1834,7 +1834,7 @@ Positions apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -1914,11 +1914,11 @@ Activités apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -1934,11 +1934,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -2022,7 +2022,7 @@ Import des données... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -2030,7 +2030,7 @@ L’import est terminé apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -2046,7 +2046,7 @@ Validation des données... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -2054,7 +2054,7 @@ Les formats de fichier suivants sont supportés : apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -2062,11 +2062,11 @@ Retour apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -2074,11 +2074,11 @@ Importer apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -2242,11 +2242,11 @@ Dividende apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2350,8 +2350,8 @@ - Holdings - Positions + Holdings + Positions libs/ui/src/lib/assistant/assistant.html 110 @@ -2390,8 +2390,8 @@ - Hello, has shared a Portfolio with you! - Bonjour, a partagé un Portefeuille avec vous ! + Hello, has shared a Portfolio with you! + Bonjour, a partagé un Portefeuille avec vous ! apps/client/src/app/pages/public/public-page.html 5 @@ -2406,8 +2406,8 @@ - Ghostfolio empowers you to keep track of your wealth. - Ghostfolio vous aide à garder un aperçu de votre patrimoine. + Ghostfolio empowers you to keep track of your wealth. + Ghostfolio vous aide à garder un aperçu de votre patrimoine. apps/client/src/app/pages/public/public-page.html 217 @@ -2542,7 +2542,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -2574,7 +2574,7 @@ Importer Activités apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -2670,7 +2670,7 @@ Intérêt apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2758,7 +2758,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -2790,7 +2790,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -2854,7 +2854,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -2898,7 +2898,7 @@ Capital apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -3066,7 +3066,7 @@ Position apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3078,7 +3078,7 @@ Charger Dividendes apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3094,7 +3094,7 @@ Importer Dividendes apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3166,32 +3166,32 @@ - Protection for sensitive information like absolute performances and quantity values - Protection pour les informations sensibles telles que la performance absolue et les montants + Protection for sensitive information like absolute performances and quantity values + Protection pour les informations sensibles telles que la performance absolue et les montants apps/client/src/app/components/user-account-settings/user-account-settings.html 185 - Distraction-free experience for turbulent times - Expérience sans distraction pour les périodes tumultueuses + Distraction-free experience for turbulent times + Expérience sans distraction pour les périodes tumultueuses apps/client/src/app/components/user-account-settings/user-account-settings.html 203 - Sneak peek at upcoming functionality - Avant-première de fonctionnalités futures + Sneak peek at upcoming functionality + Avant-première de fonctionnalités futures apps/client/src/app/components/user-account-settings/user-account-settings.html 237 - Are you an ambitious investor who needs the full picture? - Êtes-vous un investisseur ambitieux qui a besoin d’une vue complète ? + Are you an ambitious investor who needs the full picture? + Êtes-vous un investisseur ambitieux qui a besoin d’une vue complète ? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 @@ -3294,8 +3294,8 @@ - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. - Pour les investisseurs à l’aise avec la technologie qui préfèrent héberger Ghostfolio sur leur propre infrastructure. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + Pour les investisseurs à l’aise avec la technologie qui préfèrent héberger Ghostfolio sur leur propre infrastructure. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -3370,8 +3370,8 @@ - For new investors who are just getting started with trading. - Pour les nouveaux investisseurs qui débutent en Bourse. + For new investors who are just getting started with trading. + Pour les nouveaux investisseurs qui débutent en Bourse. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -3390,8 +3390,8 @@ - For ambitious investors who need the full picture of their financial assets. - Pour les investisseurs ambitieux qui ont besoin d’une vue complète de leurs actifs financiers. + For ambitious investors who need the full picture of their financial assets. + Pour les investisseurs ambitieux qui ont besoin d’une vue complète de leurs actifs financiers. apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -3406,8 +3406,8 @@ - Get Started - Démarrer + Get Started + Démarrer apps/client/src/app/pages/landing/landing-page.html 42 @@ -3438,7 +3438,7 @@ Frais apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3586,8 +3586,8 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. - Notre offre Ghostfolio Premium cloud est la manière la plus simple de débuter. Grâce au temps qu’elle économise, ce sera la meilleure option pour la plupart des gens. Les revenus sont utilisés pour couvrir les frais d’infrastructures et financer le développement continu de Ghostfolio. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Notre offre Ghostfolio Premium cloud est la manière la plus simple de débuter. Grâce au temps qu’elle économise, ce sera la meilleure option pour la plupart des gens. Les revenus sont utilisés pour couvrir les frais d’infrastructures et financer le développement continu de Ghostfolio. apps/client/src/app/pages/pricing/pricing-page.html 7 @@ -3694,24 +3694,24 @@ - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: - Mettez à niveau vers Ghostfolio Premium aujourd’hui et gagnez accès à des fonctionnalités exclusives pour améliorer votre expérience d’investissement: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Mettez à niveau vers Ghostfolio Premium aujourd’hui et gagnez accès à des fonctionnalités exclusives pour améliorer votre expérience d’investissement: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 - Get the tools to effectively manage your finances and refine your personal investment strategy. - Obtenez les outils pour gérer efficacement vos finances et affinez votre stratégie d’investissement personnelle. + Get the tools to effectively manage your finances and refine your personal investment strategy. + Obtenez les outils pour gérer efficacement vos finances et affinez votre stratégie d’investissement personnelle. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 - Add Platform - Ajoutez une Plateforme + Add Platform + Ajoutez une Plateforme apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -3754,7 +3754,7 @@ Selectionner une Position apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3762,7 +3762,7 @@ Selectionner un Fichier apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3770,7 +3770,7 @@ Selectionner les Dividendes apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3778,12 +3778,12 @@ Selectionner les Activités apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 - Frequently Asked Questions (FAQ) - Questions Fréquentes (FAQ) + Frequently Asked Questions (FAQ) + Questions Fréquentes (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -3914,8 +3914,8 @@ - Import and Export - Importer et Exporter + Import and Export + Importer et Exporter apps/client/src/app/pages/features/features-page.html 116 @@ -3986,8 +3986,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -4022,8 +4022,8 @@ - Discover Open Source Alternatives for Personal Finance Tools - Découvrez les alternatives Open Source pour les outils de Gestion de Patrimoine + Discover Open Source Alternatives for Personal Finance Tools + Découvrez les alternatives Open Source pour les outils de Gestion de Patrimoine apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 @@ -4062,8 +4062,8 @@ - Available in - Disponible en + Available in + Disponible en apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -4142,24 +4142,24 @@ - Self-Hosting - Self-Hosting + Self-Hosting + Self-Hosting apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 - Use anonymously - Utilisation anonyme + Use anonymously + Utilisation anonyme apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 - Free Plan - Plan gratuit + Free Plan + Plan gratuit apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -4174,8 +4174,8 @@ - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. - Suivez, analysez et visualisez sans effort votre patrimoine avec Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Suivez, analysez et visualisez sans effort votre patrimoine avec Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -4294,8 +4294,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -4374,8 +4374,8 @@ - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. - Chez Ghostfolio, la transparence est le centre de notre attention. Nous publions le code source sous open source software (OSS) sous la licence AGPL-3.0 et nous partageons ouvertement les indicateurs clés agrégés sur l’état opérationnel de la plateforme. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + Chez Ghostfolio, la transparence est le centre de notre attention. Nous publions le code source sous open source software (OSS) sous la licence AGPL-3.0 et nous partageons ouvertement les indicateurs clés agrégés sur l’état opérationnel de la plateforme. apps/client/src/app/pages/open/open-page.html 7 @@ -4494,8 +4494,8 @@ - Check out the numerous features of Ghostfolio to manage your wealth - Découvrez les nombreuses fonctionnalités de Ghostfolio pour gérer votre patrimoine + Check out the numerous features of Ghostfolio to manage your wealth + Découvrez les nombreuses fonctionnalités de Ghostfolio pour gérer votre patrimoine apps/client/src/app/pages/features/features-page.html 7 @@ -4510,24 +4510,24 @@ - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. - Si vous préférez exécuter Ghostfolio sur votre propre infrastructure, veuilez trouver le code source ainsi que des instructions supplémentaires sur GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + Si vous préférez exécuter Ghostfolio sur votre propre infrastructure, veuilez trouver le code source ainsi que des instructions supplémentaires sur GitHub. apps/client/src/app/pages/pricing/pricing-page.html 14 - Manage your wealth like a boss - Gérez votre patrimoine comme un chef + Manage your wealth like a boss + Gérez votre patrimoine comme un chef apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. - Ghostfolio est un tableau de bord open-source axé sur la confidentialité pour votre Gestion de Patrimoine. Décomposez votre répartition d’actifs, connaissez votre valeur nette et prenez des décisions d’investissement solides et basées sur des données. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio est un tableau de bord open-source axé sur la confidentialité pour votre Gestion de Patrimoine. Décomposez votre répartition d’actifs, connaissez votre valeur nette et prenez des décisions d’investissement solides et basées sur des données. apps/client/src/app/pages/landing/landing-page.html 10 @@ -4550,16 +4550,16 @@ - Protect your assets. Refine your personal investment strategy. - Protégez vos actifs. Affinez votre stratégie d’investissement personnelle.. + Protect your assets. Refine your personal investment strategy. + Protégez vos actifs. Affinez votre stratégie d’investissement personnelle.. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. - Ghostfolio permet aux personnes occupées de suivre ses actions, ETF ou cryptomonnaies sans être pistées. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio permet aux personnes occupées de suivre ses actions, ETF ou cryptomonnaies sans être pistées. apps/client/src/app/pages/landing/landing-page.html 230 @@ -4582,16 +4582,16 @@ - Use Ghostfolio anonymously and own your financial data. - Utilisez Ghostfolio de manière anonyme et soyez propriétaire de vos données financières. + Use Ghostfolio anonymously and own your financial data. + Utilisez Ghostfolio de manière anonyme et soyez propriétaire de vos données financières. apps/client/src/app/pages/landing/landing-page.html 254 - Benefit from continuous improvements through a strong community. - Bénéficiez d’améliorations continues grâce à une communauté impliquée. + Benefit from continuous improvements through a strong community. + Bénéficiez d’améliorations continues grâce à une communauté impliquée. apps/client/src/app/pages/landing/landing-page.html 264 @@ -4606,8 +4606,8 @@ - Ghostfolio is for you if you are... - Ghostfolio est pour vous si vous ... + Ghostfolio is for you if you are... + Ghostfolio est pour vous si vous ... apps/client/src/app/pages/landing/landing-page.html 274 @@ -4694,24 +4694,24 @@ - What our users are saying - Qu’en pensent nos utilisateurs + What our users are saying + Qu’en pensent nos utilisateurs apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Les utilisateurs du monde entier utilisent Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium + Les utilisateurs du monde entier utilisent Ghostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - Comment fonctionne Ghostfolio ? + How does Ghostfolio work? + Comment fonctionne Ghostfolio ? apps/client/src/app/pages/landing/landing-page.html 384 @@ -4734,32 +4734,32 @@ - Add any of your historical transactions - Ajoutez l’une de vos transactions historiques + Add any of your historical transactions + Ajoutez l’une de vos transactions historiques apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition - Obtenez de précieuses informations sur la composition de votre portefeuille + Get valuable insights of your portfolio composition + Obtenez de précieuses informations sur la composition de votre portefeuille apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? - Êtes- vous prêts ? + Are you ready? + Êtes- vous prêts ? apps/client/src/app/pages/landing/landing-page.html 432 - Get the full picture of your personal finances across multiple platforms. - Obtenez une vue d’ensemble de vos finances personnelles sur plusieurs plateformes. + Get the full picture of your personal finances across multiple platforms. + Obtenez une vue d’ensemble de vos finances personnelles sur plusieurs plateformes. apps/client/src/app/pages/landing/landing-page.html 243 @@ -4939,24 +4939,24 @@ - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. - Cette page d’aperçu présente une collection d’outils de finances personnelles comparés à la solution open source alternative Ghostfolio. Si vous accordez de l’importance à la transparence, à la confidentialité des données et à la collaboration communautaire, Ghostfolio vous offre une excellente occasion de prendre le contrôle de votre gestion financière. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + Cette page d’aperçu présente une collection d’outils de finances personnelles comparés à la solution open source alternative Ghostfolio. Si vous accordez de l’importance à la transparence, à la confidentialité des données et à la collaboration communautaire, Ghostfolio vous offre une excellente occasion de prendre le contrôle de votre gestion financière. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. - Explorez les liens ci-dessous pour comparer une variété d’outils de finances personnelles avec Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Explorez les liens ci-dessous pour comparer une variété d’outils de finances personnelles avec Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to - Solutions open source alternatives à + Open Source Alternative to + Solutions open source alternatives à apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -4971,24 +4971,24 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. - Cherchez-vous des alternatives open source à ? Ghostfolio est un outil de gestion de portefeuille puissant offrant aux particuliers une plateforme complète pour suivre, analyser et optimiser ses investissements. Que vous soyez un investisseur expérimenté ou que vous débutiez, Ghostfolio offre une interface utilisateur intuitive et une large gamme de fonctionnalités pour vous aider à prendre des décisions éclairées et à prendre le contrôle de votre avenir financier. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Cherchez-vous des alternatives open source à ? Ghostfolio est un outil de gestion de portefeuille puissant offrant aux particuliers une plateforme complète pour suivre, analyser et optimiser ses investissements. Que vous soyez un investisseur expérimenté ou que vous débutiez, Ghostfolio offre une interface utilisateur intuitive et une large gamme de fonctionnalités pour vous aider à prendre des décisions éclairées et à prendre le contrôle de votre avenir financier. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. - Ghostfolio est un logiciel open source (OSS), offrant une alternative économique, le rendant particulièrement adaptée aux personnes disposant d’un budget serré, telles que celles qui cherchent à atteindre le mouvement Financial Independence, Retire Early (FIRE). En s’appuyant sur les efforts collectifs d’une communauté de développeurs et de passionnés de finances personnelles, Ghostfolio améliore continuellement ses fonctionnalités, sa sécurité et son expérience utilisateur. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio est un logiciel open source (OSS), offrant une alternative économique, le rendant particulièrement adaptée aux personnes disposant d’un budget serré, telles que celles qui cherchent à atteindre le mouvement Financial Independence, Retire Early (FIRE). En s’appuyant sur les efforts collectifs d’une communauté de développeurs et de passionnés de finances personnelles, Ghostfolio améliore continuellement ses fonctionnalités, sa sécurité et son expérience utilisateur. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. - Regardons plus en détails ce que proposent Ghostfolio vs via la table de comparaison ci-dessous pour comprendre comment Ghostfolio se positionne par rapport à . Nous examinerons divers aspects tels que les fonctionnalités, la confidentialité des données, le prix, etc., afin de vous permettre de faire un choix éclairé en fonction de vos besoins personnels. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Regardons plus en détails ce que proposent Ghostfolio vs via la table de comparaison ci-dessous pour comprendre comment Ghostfolio se positionne par rapport à . Nous examinerons divers aspects tels que les fonctionnalités, la confidentialité des données, le prix, etc., afin de vous permettre de faire un choix éclairé en fonction de vos besoins personnels. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 @@ -5008,16 +5008,16 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. - Veuillez noter que les informations fournies dans le Ghostfolio vs via la table de comparaison se basent de nos recherches et analyses indépendantes. Ce site n’est pas affilié à ou tout autre produit mentionné dans la comparaison. Le paysage des outils de finances personnelles évoluant, il est essentiel de vérifier tout détail ou changement spécifique directement sur la page du produit concerné. Certaines données doivent être mises à jour ? Aidez-nous à maintenir les données exactes sur GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Veuillez noter que les informations fournies dans le Ghostfolio vs via la table de comparaison se basent de nos recherches et analyses indépendantes. Ce site n’est pas affilié à ou tout autre produit mentionné dans la comparaison. Le paysage des outils de finances personnelles évoluant, il est essentiel de vérifier tout détail ou changement spécifique directement sur la page du produit concerné. Certaines données doivent être mises à jour ? Aidez-nous à maintenir les données exactes sur GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? - Prêt à prendre vos investissements au niveau supérieur? + Ready to take your investments to the next level? + Prêt à prendre vos investissements au niveau supérieur? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 @@ -5088,7 +5088,7 @@ Choisissez ou déposez un fichier ici apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -5140,8 +5140,8 @@ - Add Tag - Ajouter un Tag + Add Tag + Ajouter un Tag apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -5284,8 +5284,8 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. - Ghostfolio est un dashboard de finances personnelles qui permet de suivre vos actifs comme les actions, les ETF ou les crypto-monnaies sur plusieurs plateformes. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio est un dashboard de finances personnelles qui permet de suivre vos actifs comme les actions, les ETF ou les crypto-monnaies sur plusieurs plateformes. apps/client/src/app/pages/i18n/i18n-page.html 5 @@ -5300,16 +5300,16 @@ - User - Utilisateurs + User + Utilisateurs apps/client/src/app/components/admin-users/admin-users.html 13 - Ghostfolio vs comparison table - Ghostfolio vs tableau comparatif + Ghostfolio vs comparison table + Ghostfolio vs tableau comparatif apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -5324,8 +5324,8 @@ - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 - application, actif, cryptomonnaies, dashboard, etf, finance, gestion, performance, portefeuille, logiciel, action, trading, patrimoine, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + application, actif, cryptomonnaies, dashboard, etf, finance, gestion, performance, portefeuille, logiciel, action, trading, patrimoine, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -5400,7 +5400,7 @@ Cash Balances apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -5424,8 +5424,8 @@ - If a translation is missing, kindly support us in extending it here. - Si une traduction est manquante, veuillez nous aider à compléter la traduction here. + If a translation is missing, kindly support us in extending it here. + Si une traduction est manquante, veuillez nous aider à compléter la traduction here. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -5524,7 +5524,7 @@ Investissement apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5552,8 +5552,8 @@ - Asset Performance - Performance des Actifs + Asset Performance + Performance des Actifs apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -5568,24 +5568,24 @@ - Currency Performance - Performance des devises + Currency Performance + Performance des devises apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Performance nette absolue + Absolute Net Performance + Performance nette absolue apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Performance nette + Net Performance + Performance nette apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -5652,16 +5652,16 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - Si vous prenez votre retraite aujourd’hui, vous pourrez retirer par an ou par mois, sur la base de vos actifs totaux de et un taux de retrait de 4 %. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + Si vous prenez votre retraite aujourd’hui, vous pourrez retirer par an ou par mois, sur la base de vos actifs totaux de et un taux de retrait de 4 %. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 - Reset Filters - Réinitialiser les Filtres + Reset Filters + Réinitialiser les Filtres libs/ui/src/lib/assistant/assistant.html 266 @@ -5692,8 +5692,8 @@ - Apply Filters - Appliquer les Filtres + Apply Filters + Appliquer les Filtres libs/ui/src/lib/assistant/assistant.html 276 @@ -5801,7 +5801,7 @@ Activitées apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -5809,7 +5809,7 @@ Rendement en Dividende apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5921,8 +5921,8 @@ - Join now or check out the example account - Rejoindre ou voir un compte démo + Join now or check out the example account + Rejoindre ou voir un compte démo apps/client/src/app/pages/landing/landing-page.html 435 @@ -5993,8 +5993,8 @@ - Would you like to refine your personal investment strategy? - Souhaitez-vous affiner votre stratégie d’investissement personnelle? + Would you like to refine your personal investment strategy? + Souhaitez-vous affiner votre stratégie d’investissement personnelle? apps/client/src/app/pages/public/public-page.html 213 @@ -6445,8 +6445,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -6473,7 +6473,7 @@ Variation avec taux de change appliqué Variation apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6481,7 +6481,7 @@ Performance avec taux de change appliqué Performance apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6775,8 +6775,8 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - Ghostfolio X-ray utilise l’analyse statique pour détecter d’éventuels problèmes et risques dans votre portefeuille. Ajustez les règles ci-dessous et définissez des seuils personnalisés afin de les adapter à votre stratégie d’investissement. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray utilise l’analyse statique pour détecter d’éventuels problèmes et risques dans votre portefeuille. Ajustez les règles ci-dessous et définissez des seuils personnalisés afin de les adapter à votre stratégie d’investissement. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6927,7 +6927,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7267,8 +7267,8 @@ - Terms of Service - Conditions d’utilisation + Terms of Service + Conditions d’utilisation apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7428,8 +7428,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - Les calculs sont basés sur des données de marché retardées et peuvent ne pas être affichés en temps réel. + Calculations are based on delayed market data and may not be displayed in real-time. + Les calculs sont basés sur des données de marché retardées et peuvent ne pas être affichés en temps réel. apps/client/src/app/components/home-market/home-market.html 44 @@ -7477,16 +7477,16 @@ - No emergency fund has been set up - Aucun fonds d’urgence n’a été mis en place + No emergency fund has been set up + Aucun fonds d’urgence n’a été mis en place apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - Un fonds d’urgence a été mis en place + An emergency fund has been set up + Un fonds d’urgence a été mis en place apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7501,40 +7501,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Les frais dépassent ${thresholdMax}% de votre investissement initial (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Les frais dépassent ${thresholdMax}% de votre investissement initial (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Les frais ne dépassent pas ${thresholdMax}% de votre investissement initial (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Les frais ne dépassent pas ${thresholdMax}% de votre investissement initial (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - Nom + Name + Nom libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Liens rapides + Quick Links + Liens rapides libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Profils d’Actifs + Asset Profiles + Profils d’Actifs libs/ui/src/lib/assistant/assistant.html 140 @@ -7573,16 +7573,16 @@ - Your net worth is managed by a single account - Votre patrimoine est géré par un compte unique + Your net worth is managed by a single account + Votre patrimoine est géré par un compte unique apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts - Votre patrimoine est géré par ${accountsLength} comptes + Your net worth is managed by ${accountsLength} accounts + Votre patrimoine est géré par ${accountsLength} comptes apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -7619,8 +7619,8 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. - Alimentez votre Ghostfolio auto-hébergé avec un fournisseur de données puissant pour accéder à plus de 80 000 tickers issus de plus de 50 bourses dans le monde entier. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Alimentez votre Ghostfolio auto-hébergé avec un fournisseur de données puissant pour accéder à plus de 80 000 tickers issus de plus de 50 bourses dans le monde entier. apps/client/src/app/components/admin-settings/admin-settings.component.html 16 @@ -7695,16 +7695,16 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -7719,24 +7719,24 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 43 - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 47 - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 51 @@ -7751,48 +7751,48 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 57 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 61 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 66 - Investment: Base Currency - Investment: Base Currency + Investment: Base Currency + Investment: Base Currency apps/client/src/app/pages/i18n/i18n-page.html 82 - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7807,16 +7807,16 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) - Plus de ${thresholdMax}% de votre investissement actuel est en ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Plus de ${thresholdMax}% de votre investissement actuel est en ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% - La majeure partie de votre investissement actuel est en ${currency} (${maxValueRatio}%) et n’excède pas ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + La majeure partie de votre investissement actuel est en ${currency} (${maxValueRatio}%) et n’excède pas ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7852,8 +7852,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7896,7 +7896,7 @@ Gérer le profil d’actif apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7924,7 +7924,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7936,8 +7936,8 @@ - Asset Class Cluster Risks - Asset Class Cluster Risks + Asset Class Cluster Risks + Asset Class Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7952,8 +7952,8 @@ - Economic Market Cluster Risks - Economic Market Cluster Risks + Economic Market Cluster Risks + Economic Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7992,24 +7992,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Regional Market Cluster Risks + Regional Market Cluster Risks + Regional Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8024,80 +8024,80 @@ - Developed Markets - Developed Markets + Developed Markets + Developed Markets apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - No accounts have been set up + No accounts have been set up + No accounts have been set up apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8112,56 +8112,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8176,24 +8176,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8208,24 +8208,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8240,24 +8240,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.it.xlf b/apps/client/src/locales/messages.it.xlf index 928f0d739..9da3553d9 100644 --- a/apps/client/src/locales/messages.it.xlf +++ b/apps/client/src/locales/messages.it.xlf @@ -431,7 +431,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -451,7 +451,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -627,8 +627,8 @@ - Last Request - Ultima richiesta + Last Request + Ultima richiesta apps/client/src/app/components/admin-users/admin-users.html 187 @@ -679,7 +679,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -731,7 +731,7 @@ Token di sicurezza apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -763,7 +763,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -775,7 +775,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -791,7 +791,7 @@ Accedi con Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -799,7 +799,7 @@ Accedi con Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -807,7 +807,7 @@ Rimani connesso apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -867,7 +867,7 @@ - Annualized Performance + Annualized Performance Prestazioni annualizzate apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -879,7 +879,7 @@ Inserisci l’importo del tuo fondo di emergenza: apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -895,7 +895,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -915,7 +915,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -939,7 +939,7 @@ Segnala un’anomalia dei dati apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 @@ -1027,7 +1027,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -1263,7 +1263,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -1327,7 +1327,7 @@ Saldo di cassa apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -1343,7 +1343,7 @@ Piattaforma apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -1539,7 +1539,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -1751,7 +1751,7 @@ Partecipazioni apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -1771,8 +1771,8 @@ - Holdings - Partecipazioni + Holdings + Partecipazioni libs/ui/src/lib/assistant/assistant.html 110 @@ -1835,7 +1835,7 @@ Quantità apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1883,11 +1883,11 @@ Attività apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -1903,11 +1903,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -1927,7 +1927,7 @@ Importazione dei dati... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -1935,7 +1935,7 @@ L’importazione è stata completata apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -1983,7 +1983,7 @@ Portafoglio apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -2011,8 +2011,8 @@ - Ghostfolio empowers you to keep track of your wealth. - Ghostfolio ti permette di tenere traccia della tua ricchezza. + Ghostfolio empowers you to keep track of your wealth. + Ghostfolio ti permette di tenere traccia della tua ricchezza. apps/client/src/app/pages/public/public-page.html 217 @@ -2115,7 +2115,7 @@ Importa le attività apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -2239,7 +2239,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -2255,7 +2255,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -2287,7 +2287,7 @@ Prezzo massimo apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -2323,7 +2323,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -2339,7 +2339,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -2347,7 +2347,7 @@ Prezzo minimo apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -2371,7 +2371,7 @@ Interesse apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2459,8 +2459,8 @@ - Hello, has shared a Portfolio with you! - Salve, ha condiviso un Portafoglio con te! + Hello, has shared a Portfolio with you! + Salve, ha condiviso un Portafoglio con te! apps/client/src/app/pages/public/public-page.html 5 @@ -2495,7 +2495,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -2619,7 +2619,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -2655,7 +2655,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -2699,7 +2699,7 @@ Azione ordinaria apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -2891,7 +2891,7 @@ Sono supportati i seguenti formati di file: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -2899,11 +2899,11 @@ Indietro apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -2935,11 +2935,11 @@ Dividendi apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2987,7 +2987,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -3011,7 +3011,7 @@ Convalida dei dati... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -3019,11 +3019,11 @@ Importa apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -3035,7 +3035,7 @@ Dati del mercato apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -3067,7 +3067,7 @@ Partecipazione apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3079,7 +3079,7 @@ Carica i dividendi apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3095,7 +3095,7 @@ Importa i dividendi apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3167,32 +3167,32 @@ - Protection for sensitive information like absolute performances and quantity values - Protezione delle informazioni sensibili come le prestazioni assolute e i valori quantitativi + Protection for sensitive information like absolute performances and quantity values + Protezione delle informazioni sensibili come le prestazioni assolute e i valori quantitativi apps/client/src/app/components/user-account-settings/user-account-settings.html 185 - Distraction-free experience for turbulent times - Esperienza priva di distrazioni per i periodi più turbolenti + Distraction-free experience for turbulent times + Esperienza priva di distrazioni per i periodi più turbolenti apps/client/src/app/components/user-account-settings/user-account-settings.html 203 - Sneak peek at upcoming functionality - Un’anteprima delle funzionalità in arrivo + Sneak peek at upcoming functionality + Un’anteprima delle funzionalità in arrivo apps/client/src/app/components/user-account-settings/user-account-settings.html 237 - Are you an ambitious investor who needs the full picture? - Sei un investitore ambizioso che ha bisogno di un quadro completo? + Are you an ambitious investor who needs the full picture? + Sei un investitore ambizioso che ha bisogno di un quadro completo? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 @@ -3295,8 +3295,8 @@ - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. - Per gli investitori esperti di tecnologia che preferiscono gestire Ghostfolio sulla propria infrastruttura. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + Per gli investitori esperti di tecnologia che preferiscono gestire Ghostfolio sulla propria infrastruttura. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -3371,8 +3371,8 @@ - For new investors who are just getting started with trading. - Per i nuovi investitori che hanno appena iniziato a fare trading. + For new investors who are just getting started with trading. + Per i nuovi investitori che hanno appena iniziato a fare trading. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -3391,8 +3391,8 @@ - For ambitious investors who need the full picture of their financial assets. - Per gli investitori ambiziosi che hanno bisogno di un quadro completo dei propri asset finanziari. + For ambitious investors who need the full picture of their financial assets. + Per gli investitori ambiziosi che hanno bisogno di un quadro completo dei propri asset finanziari. apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -3407,8 +3407,8 @@ - Get Started - Inizia + Get Started + Inizia apps/client/src/app/pages/landing/landing-page.html 42 @@ -3439,7 +3439,7 @@ Commissioni apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3587,8 +3587,8 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. - La nostra offerta cloud ufficiale Ghostfolio Premium è il modo più semplice per iniziare. Grazie al risparmio di tempo, questa è l’opzione migliore per la maggior parte delle persone. I ricavi vengono utilizzati per coprire l’infrastruttura di hosting e per finanziare lo sviluppo continuo di Ghostfolio. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + La nostra offerta cloud ufficiale Ghostfolio Premium è il modo più semplice per iniziare. Grazie al risparmio di tempo, questa è l’opzione migliore per la maggior parte delle persone. I ricavi vengono utilizzati per coprire l’infrastruttura di hosting e per finanziare lo sviluppo continuo di Ghostfolio. apps/client/src/app/pages/pricing/pricing-page.html 7 @@ -3695,24 +3695,24 @@ - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: - Effettua oggi stesso l’aggiornamento a Ghostfolio Premium e ottieni l’accesso a funzionalità esclusive per migliorare la tua esperienza di investimento: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Effettua oggi stesso l’aggiornamento a Ghostfolio Premium e ottieni l’accesso a funzionalità esclusive per migliorare la tua esperienza di investimento: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 - Get the tools to effectively manage your finances and refine your personal investment strategy. - Ottieni gli strumenti per gestire efficacemente le tue finanze e perfezionare la tua strategia di investimento personale. + Get the tools to effectively manage your finances and refine your personal investment strategy. + Ottieni gli strumenti per gestire efficacemente le tue finanze e perfezionare la tua strategia di investimento personale. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 - Add Platform - Aggiungi la piattaforma + Add Platform + Aggiungi la piattaforma apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -3755,7 +3755,7 @@ Seleziona la partecipazione apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3763,7 +3763,7 @@ Seleziona il file apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3771,7 +3771,7 @@ Seleziona i dividendi apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3779,12 +3779,12 @@ Seleziona le attività apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 - Frequently Asked Questions (FAQ) - Domande più frequenti (FAQ) + Frequently Asked Questions (FAQ) + Domande più frequenti (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -3915,8 +3915,8 @@ - Import and Export - Importazione ed esportazione + Import and Export + Importazione ed esportazione apps/client/src/app/pages/features/features-page.html 116 @@ -3987,8 +3987,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -4023,8 +4023,8 @@ - Discover Open Source Alternatives for Personal Finance Tools - Scopri le alternative open source per gli strumenti di finanza personale + Discover Open Source Alternatives for Personal Finance Tools + Scopri le alternative open source per gli strumenti di finanza personale apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 @@ -4063,8 +4063,8 @@ - Available in - Disponibile in + Available in + Disponibile in apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -4143,24 +4143,24 @@ - Self-Hosting - Self-hosting + Self-Hosting + Self-hosting apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 - Use anonymously - Usalo in modo anonimo + Use anonymously + Usalo in modo anonimo apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 - Free Plan - Piano gratuito + Free Plan + Piano gratuito apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -4175,8 +4175,8 @@ - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. - Monitora, analizza e visualizza facilmente la tua ricchezza con Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Monitora, analizza e visualizza facilmente la tua ricchezza con Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -4295,8 +4295,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -4375,8 +4375,8 @@ - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. - Per Ghostfolio la trasparenza è al centro dei propri valori. Pubblichiamo il codice sorgente come software open source (OSS) sotto la licenza AGPL-3.0 e condividiamo apertamente le metriche chiave aggregate dello stato operativo della piattaforma. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + Per Ghostfolio la trasparenza è al centro dei propri valori. Pubblichiamo il codice sorgente come software open source (OSS) sotto la licenza AGPL-3.0 e condividiamo apertamente le metriche chiave aggregate dello stato operativo della piattaforma. apps/client/src/app/pages/open/open-page.html 7 @@ -4495,8 +4495,8 @@ - Check out the numerous features of Ghostfolio to manage your wealth - Scopri le numerose funzionalità di Ghostfolio per gestire la tua ricchezza + Check out the numerous features of Ghostfolio to manage your wealth + Scopri le numerose funzionalità di Ghostfolio per gestire la tua ricchezza apps/client/src/app/pages/features/features-page.html 7 @@ -4511,24 +4511,24 @@ - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. - Se preferisci eseguire Ghostfolio sulla tua infrastruttura, puoi trovare il codice sorgente e ulteriori istruzioni su GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + Se preferisci eseguire Ghostfolio sulla tua infrastruttura, puoi trovare il codice sorgente e ulteriori istruzioni su GitHub. apps/client/src/app/pages/pricing/pricing-page.html 14 - Manage your wealth like a boss - Gestisci la tua ricchezza come un capo + Manage your wealth like a boss + Gestisci la tua ricchezza come un capo apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. - Ghostfolio è uno strumento open source e rispettoso della privacy per la gestione delle tue finanze personali. Analizza la tua allocazione degli asset, conosci il tuo patrimonio netto e prendi decisioni di investimento solide e basate sui dati. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio è uno strumento open source e rispettoso della privacy per la gestione delle tue finanze personali. Analizza la tua allocazione degli asset, conosci il tuo patrimonio netto e prendi decisioni di investimento solide e basate sui dati. apps/client/src/app/pages/landing/landing-page.html 10 @@ -4551,16 +4551,16 @@ - Protect your assets. Refine your personal investment strategy. - Proteggi i tuoi asset. Perfeziona la tua strategia di investimento personale. + Protect your assets. Refine your personal investment strategy. + Proteggi i tuoi asset. Perfeziona la tua strategia di investimento personale. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. - Ghostfolio permette alle persone impegnate di tenere traccia di azioni, ETF o criptovalute senza essere tracciate. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio permette alle persone impegnate di tenere traccia di azioni, ETF o criptovalute senza essere tracciate. apps/client/src/app/pages/landing/landing-page.html 230 @@ -4583,16 +4583,16 @@ - Use Ghostfolio anonymously and own your financial data. - Usa Ghostfolio in modo anonimo e possiedi i tuoi dati finanziari. + Use Ghostfolio anonymously and own your financial data. + Usa Ghostfolio in modo anonimo e possiedi i tuoi dati finanziari. apps/client/src/app/pages/landing/landing-page.html 254 - Benefit from continuous improvements through a strong community. - Beneficia dei continui miglioramenti grazie a una forte comunità. + Benefit from continuous improvements through a strong community. + Beneficia dei continui miglioramenti grazie a una forte comunità. apps/client/src/app/pages/landing/landing-page.html 264 @@ -4607,8 +4607,8 @@ - Ghostfolio is for you if you are... - Ghostfolio è per te se... + Ghostfolio is for you if you are... + Ghostfolio è per te se... apps/client/src/app/pages/landing/landing-page.html 274 @@ -4695,24 +4695,24 @@ - What our users are saying - Cosa dicono i nostri utenti + What our users are saying + Cosa dicono i nostri utenti apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Membri da tutto il mondo utilizzano Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium + Membri da tutto il mondo utilizzano Ghostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - Come funziona Ghostfolio? + How does Ghostfolio work? + Come funziona Ghostfolio? apps/client/src/app/pages/landing/landing-page.html 384 @@ -4735,32 +4735,32 @@ - Add any of your historical transactions - Aggiungi le tue transazioni storiche + Add any of your historical transactions + Aggiungi le tue transazioni storiche apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition - Ottieni informazioni preziose sulla composizione del tuo portafoglio + Get valuable insights of your portfolio composition + Ottieni informazioni preziose sulla composizione del tuo portafoglio apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? - Sei pronto? + Are you ready? + Sei pronto? apps/client/src/app/pages/landing/landing-page.html 432 - Get the full picture of your personal finances across multiple platforms. - Ottieni un quadro completo delle tue finanze personali su più piattaforme. + Get the full picture of your personal finances across multiple platforms. + Ottieni un quadro completo delle tue finanze personali su più piattaforme. apps/client/src/app/pages/landing/landing-page.html 243 @@ -4940,24 +4940,24 @@ - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. - Questa pagina panoramica presenta una raccolta curata di strumenti di finanza personale confrontati con l’alternativa open source Ghostfolio. Se apprezzi la trasparenza, la privacy dei dati e la collaborazione con la comunità, Ghostfolio ti offre un’ottima opportunità per prendere il controllo della tua gestione finanziaria. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + Questa pagina panoramica presenta una raccolta curata di strumenti di finanza personale confrontati con l’alternativa open source Ghostfolio. Se apprezzi la trasparenza, la privacy dei dati e la collaborazione con la comunità, Ghostfolio ti offre un’ottima opportunità per prendere il controllo della tua gestione finanziaria. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. - Esplora i link qui sotto per confrontare una serie di strumenti di finanza personale con Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Esplora i link qui sotto per confrontare una serie di strumenti di finanza personale con Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to - L’alternativa open source a + Open Source Alternative to + L’alternativa open source a apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -4972,24 +4972,24 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. - Stai cercando un’alternativa open source a ? Ghostfolio è un potente strumento di gestione del portafoglio che fornisce alle persone una piattaforma completa per monitorare, analizzare e ottimizzare i propri investimenti. Che tu sia un investitore esperto o alle prime armi, Ghostfolio offre un’interfaccia utente intuitiva e un’ampia gamma di funzionalità per aiutarti a prendere decisioni informate e il controllo del tuo futuro finanziario. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Stai cercando un’alternativa open source a ? Ghostfolio è un potente strumento di gestione del portafoglio che fornisce alle persone una piattaforma completa per monitorare, analizzare e ottimizzare i propri investimenti. Che tu sia un investitore esperto o alle prime armi, Ghostfolio offre un’interfaccia utente intuitiva e un’ampia gamma di funzionalità per aiutarti a prendere decisioni informate e il controllo del tuo futuro finanziario. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. - Ghostfolio è un software open source (OSS) che offre un’alternativa economicamente vantaggiosa a particolarmente adatta a persone con un budget limitato, come quelle che perseguono l’indipendenza finanziaria e il pensionamento anticipato (FIRE). Grazie agli sforzi collettivi di una comunità di sviluppatori e di appassionati di finanza personale, Ghostfolio migliora continuamente le sue capacità, la sua sicurezza e la sua esperienza utente. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio è un software open source (OSS) che offre un’alternativa economicamente vantaggiosa a particolarmente adatta a persone con un budget limitato, come quelle che perseguono l’indipendenza finanziaria e il pensionamento anticipato (FIRE). Grazie agli sforzi collettivi di una comunità di sviluppatori e di appassionati di finanza personale, Ghostfolio migliora continuamente le sue capacità, la sua sicurezza e la sua esperienza utente. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. - Analizziamo nel dettaglio la tabella di confronto qui sotto per comprendere a fondo come Ghostfolio si posiziona rispetto a . Esploreremo vari aspetti come le caratteristiche, la privacy dei dati, il prezzo e altro ancora, permettendoti di fare una scelta ben informata per le tue esigenze personali. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Analizziamo nel dettaglio la tabella di confronto qui sotto per comprendere a fondo come Ghostfolio si posiziona rispetto a . Esploreremo vari aspetti come le caratteristiche, la privacy dei dati, il prezzo e altro ancora, permettendoti di fare una scelta ben informata per le tue esigenze personali. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 @@ -5009,16 +5009,16 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. - Nota bene: le informazioni fornite si basano sulle nostre ricerche e analisi indipendenti. Questo sito web non è affiliato con o a qualsiasi altro prodotto citato nel confronto. Poiché il panorama degli strumenti di finanza personale si evolve, è essenziale verificare qualsiasi dettaglio o modifica specifica direttamente nella pagina del prodotto in questione. I dati hanno bisogno di essere aggiornati? Aiutaci a mantenere i dati accurati su GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Nota bene: le informazioni fornite si basano sulle nostre ricerche e analisi indipendenti. Questo sito web non è affiliato con o a qualsiasi altro prodotto citato nel confronto. Poiché il panorama degli strumenti di finanza personale si evolve, è essenziale verificare qualsiasi dettaglio o modifica specifica direttamente nella pagina del prodotto in questione. I dati hanno bisogno di essere aggiornati? Aiutaci a mantenere i dati accurati su GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? - Sei pronto a portare il tuo investimento al livello successivo? + Ready to take your investments to the next level? + Sei pronto a portare il tuo investimento al livello successivo? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 @@ -5089,7 +5089,7 @@ Seleziona o trascina qui un file apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -5141,8 +5141,8 @@ - Add Tag - Aggiungi un Tag + Add Tag + Aggiungi un Tag apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -5285,8 +5285,8 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. - Ghostfolio è un dashboard di finanza personale per tenere traccia delle vostre attività come azioni, ETF o criptovalute su più piattaforme. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio è un dashboard di finanza personale per tenere traccia delle vostre attività come azioni, ETF o criptovalute su più piattaforme. apps/client/src/app/pages/i18n/i18n-page.html 5 @@ -5301,16 +5301,16 @@ - User - Utente + User + Utente apps/client/src/app/components/admin-users/admin-users.html 13 - Ghostfolio vs comparison table - Ghostfolio vs tabella di comparazione + Ghostfolio vs comparison table + Ghostfolio vs tabella di comparazione apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -5325,8 +5325,8 @@ - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 - app, asset, crypto, dashboard, etf, finanza, gestione patrimoniale, rendimenti, portafoglio, software, stock, azioni, titoli, obbligazioni, trading, ricchezza, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + app, asset, crypto, dashboard, etf, finanza, gestione patrimoniale, rendimenti, portafoglio, software, stock, azioni, titoli, obbligazioni, trading, ricchezza, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -5401,7 +5401,7 @@ Saldi di cassa apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -5425,8 +5425,8 @@ - If a translation is missing, kindly support us in extending it here. - Se manca una traduzione, puoi aiutarci modificando questo file: here. + If a translation is missing, kindly support us in extending it here. + Se manca una traduzione, puoi aiutarci modificando questo file: here. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -5525,7 +5525,7 @@ Investimento apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5553,8 +5553,8 @@ - Asset Performance - Rendimento dell’Asset + Asset Performance + Rendimento dell’Asset apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -5569,24 +5569,24 @@ - Currency Performance - Rendimento della Valuta + Currency Performance + Rendimento della Valuta apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Rendimento assoluto della Valuta + Absolute Net Performance + Rendimento assoluto della Valuta apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Rendimento Netto + Net Performance + Rendimento Netto apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -5653,16 +5653,16 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - Se andassi in pensione oggi, saresti in grado di prelevare all’anno o al mese, calcolato sul valore totale dei tuoi asset di e un prelievo costante del 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + Se andassi in pensione oggi, saresti in grado di prelevare all’anno o al mese, calcolato sul valore totale dei tuoi asset di e un prelievo costante del 4%. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 - Reset Filters - Reset Filtri + Reset Filters + Reset Filtri libs/ui/src/lib/assistant/assistant.html 266 @@ -5693,8 +5693,8 @@ - Apply Filters - Applica i Filtri + Apply Filters + Applica i Filtri libs/ui/src/lib/assistant/assistant.html 276 @@ -5802,7 +5802,7 @@ Attività apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -5810,7 +5810,7 @@ Rendimento da Dividendi apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5922,8 +5922,8 @@ - Join now or check out the example account - Registrati adesso o prova l’account demo + Join now or check out the example account + Registrati adesso o prova l’account demo apps/client/src/app/pages/landing/landing-page.html 435 @@ -5994,8 +5994,8 @@ - Would you like to refine your personal investment strategy? - Vorresti perfezionare la tua strategia personale di investimento? + Would you like to refine your personal investment strategy? + Vorresti perfezionare la tua strategia personale di investimento? apps/client/src/app/pages/public/public-page.html 213 @@ -6446,8 +6446,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -6474,7 +6474,7 @@ Cambio con effetto valuta Cambia apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6482,7 +6482,7 @@ Prestazioni con effetto valuta Prestazioni apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6583,7 +6583,7 @@ can be self-hosted - può essere ospitato in proprio + può essere ospitato in proprio apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 178 @@ -6776,8 +6776,8 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - Ghostfolio X-ray utilizza l’analisi statica per scoprire potenziali problemi e rischi nel tuo portafoglio. Modifica le regole qui sotto e imposta soglie personalizzate per allinearti alla tua strategia di investimento personale. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray utilizza l’analisi statica per scoprire potenziali problemi e rischi nel tuo portafoglio. Modifica le regole qui sotto e imposta soglie personalizzate per allinearti alla tua strategia di investimento personale. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6928,7 +6928,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7268,8 +7268,8 @@ - Terms of Service - Termini e condizioni + Terms of Service + Termini e condizioni apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7429,8 +7429,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - I calcoli sono basati su dati di mercato ritardati e potrebbero non essere visualizzati in tempo reale. + Calculations are based on delayed market data and may not be displayed in real-time. + I calcoli sono basati su dati di mercato ritardati e potrebbero non essere visualizzati in tempo reale. apps/client/src/app/components/home-market/home-market.html 44 @@ -7478,16 +7478,16 @@ - No emergency fund has been set up - Non è stato istituito alcun fondo di emergenza + No emergency fund has been set up + Non è stato istituito alcun fondo di emergenza apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - È stato istituito un fondo di emergenza + An emergency fund has been set up + È stato istituito un fondo di emergenza apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7502,40 +7502,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Le commissioni superano il ${thresholdMax}% del tuo investimento iniziale (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Le commissioni superano il ${thresholdMax}% del tuo investimento iniziale (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Le commissioni non superano il ${thresholdMax}% del tuo investimento iniziale (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Le commissioni non superano il ${thresholdMax}% del tuo investimento iniziale (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - Nome + Name + Nome libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Collegamenti rapidi + Quick Links + Collegamenti rapidi libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Profili delle risorse + Asset Profiles + Profili delle risorse libs/ui/src/lib/assistant/assistant.html 140 @@ -7574,16 +7574,16 @@ - Your net worth is managed by a single account - Il tuo patrimonio netto è gestito da un unico account + Your net worth is managed by a single account + Il tuo patrimonio netto è gestito da un unico account apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts - Il tuo patrimonio netto è gestito da account ${accountsLength} + Your net worth is managed by ${accountsLength} accounts + Il tuo patrimonio netto è gestito da account ${accountsLength} apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -7620,8 +7620,8 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. apps/client/src/app/components/admin-settings/admin-settings.component.html 16 @@ -7696,16 +7696,16 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) - Oltre il ${thresholdMax}% del tuo investimento attuale è pari a ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Oltre il ${thresholdMax}% del tuo investimento attuale è pari a ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% - La maggior parte del tuo investimento attuale è pari a ${maxAccountName} (${maxInvestmentRatio}%) e non supera ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + La maggior parte del tuo investimento attuale è pari a ${maxAccountName} (${maxInvestmentRatio}%) e non supera ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -7720,24 +7720,24 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% - Il contributo azionario del tuo investimento attuale (${equityValueRatio}%) supera ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + Il contributo azionario del tuo investimento attuale (${equityValueRatio}%) supera ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 43 - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% - Il contributo azionario del tuo investimento attuale (${equityValueRatio}%) è inferiore a ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + Il contributo azionario del tuo investimento attuale (${equityValueRatio}%) è inferiore a ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 47 - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Il contributo azionario del tuo investimento attuale (${equityValueRatio}%) è compreso tra ${thresholdMin}% e ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Il contributo azionario del tuo investimento attuale (${equityValueRatio}%) è compreso tra ${thresholdMin}% e ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 51 @@ -7752,48 +7752,48 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% - Il contributo a reddito fisso del tuo investimento attuale (${fixedIncomeValueRatio}%) supera ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + Il contributo a reddito fisso del tuo investimento attuale (${fixedIncomeValueRatio}%) supera ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 57 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% - Il contributo a reddito fisso del tuo investimento attuale (${fixedIncomeValueRatio}%) è inferiore a ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + Il contributo a reddito fisso del tuo investimento attuale (${fixedIncomeValueRatio}%) è inferiore a ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 61 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - Il contributo a reddito fisso del tuo investimento attuale (${fixedIncomeValueRatio}%) è compreso tra ${thresholdMin}% e ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + Il contributo a reddito fisso del tuo investimento attuale (${fixedIncomeValueRatio}%) è compreso tra ${thresholdMin}% e ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 66 - Investment: Base Currency - Investimento: valuta di base + Investment: Base Currency + Investimento: valuta di base apps/client/src/app/pages/i18n/i18n-page.html 82 - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - La maggior parte del tuo investimento attuale non è nella valuta di base (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + La maggior parte del tuo investimento attuale non è nella valuta di base (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - La maggior parte del tuo investimento attuale è nella valuta di base (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + La maggior parte del tuo investimento attuale è nella valuta di base (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7808,16 +7808,16 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7853,8 +7853,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7897,7 +7897,7 @@ Gestisci profilo risorsa apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7925,7 +7925,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7937,8 +7937,8 @@ - Asset Class Cluster Risks - Asset Class Cluster Risks + Asset Class Cluster Risks + Asset Class Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7953,8 +7953,8 @@ - Economic Market Cluster Risks - Economic Market Cluster Risks + Economic Market Cluster Risks + Economic Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7993,24 +7993,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Regional Market Cluster Risks + Regional Market Cluster Risks + Regional Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8025,80 +8025,80 @@ - Developed Markets - Developed Markets + Developed Markets + Developed Markets apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - No accounts have been set up + No accounts have been set up + No accounts have been set up apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8113,56 +8113,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8177,24 +8177,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8209,24 +8209,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8241,24 +8241,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.nl.xlf b/apps/client/src/locales/messages.nl.xlf index 3e77dcefe..5587b160c 100644 --- a/apps/client/src/locales/messages.nl.xlf +++ b/apps/client/src/locales/messages.nl.xlf @@ -430,7 +430,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -450,7 +450,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -626,7 +626,7 @@ - Last Request + Last Request Laatste verzoek apps/client/src/app/components/admin-users/admin-users.html @@ -678,7 +678,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -730,7 +730,7 @@ Beveiligingstoken apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -762,7 +762,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -774,7 +774,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -790,7 +790,7 @@ Aanmelden met Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -798,7 +798,7 @@ Aanmelden met Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -806,7 +806,7 @@ Aangemeld blijven apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -866,7 +866,7 @@ - Annualized Performance + Annualized Performance Rendement per jaar apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -878,7 +878,7 @@ Voer het bedrag van je noodfonds in: apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -894,7 +894,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -914,7 +914,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -938,7 +938,7 @@ Gegevensstoring melden apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 @@ -1026,7 +1026,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -1199,7 +1199,7 @@ Sign in with fingerprint - Aanmelden met vingerafdruk + Aanmelden met vingerafdruk apps/client/src/app/components/user-account-settings/user-account-settings.html 219 @@ -1262,7 +1262,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -1326,7 +1326,7 @@ Saldo apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -1342,7 +1342,7 @@ Platform apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -1538,7 +1538,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -1750,7 +1750,7 @@ Posities apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -1770,8 +1770,8 @@ - Holdings - Posities + Holdings + Posities libs/ui/src/lib/assistant/assistant.html 110 @@ -1834,7 +1834,7 @@ Hoeveelheid apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1882,11 +1882,11 @@ Activiteiten apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -1902,11 +1902,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -1926,7 +1926,7 @@ Gegevens importeren... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -1934,7 +1934,7 @@ Importeren is voltooid apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -1982,7 +1982,7 @@ Portefeuille apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -2010,8 +2010,8 @@ - Ghostfolio empowers you to keep track of your wealth. - Ghostfolio stelt je in staat om je vermogen bij te houden. + Ghostfolio empowers you to keep track of your wealth. + Ghostfolio stelt je in staat om je vermogen bij te houden. apps/client/src/app/pages/public/public-page.html 217 @@ -2114,7 +2114,7 @@ Activiteiten importeren apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -2238,7 +2238,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -2254,7 +2254,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -2286,7 +2286,7 @@ Maximale prijs apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -2322,7 +2322,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -2338,7 +2338,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -2346,7 +2346,7 @@ Minimale prijs apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -2370,7 +2370,7 @@ Rente apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2458,8 +2458,8 @@ - Hello, has shared a Portfolio with you! - Hallo, heeft een portefeuille met je gedeeld! + Hello, has shared a Portfolio with you! + Hallo, heeft een portefeuille met je gedeeld! apps/client/src/app/pages/public/public-page.html 5 @@ -2494,7 +2494,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -2618,7 +2618,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -2654,7 +2654,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -2698,7 +2698,7 @@ Equity apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -2890,7 +2890,7 @@ De volgende bestandsformaten worden ondersteund: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -2898,11 +2898,11 @@ Terug apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -2934,11 +2934,11 @@ Dividend apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2986,7 +2986,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -3010,7 +3010,7 @@ Gegevens valideren... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -3018,11 +3018,11 @@ Importeren apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -3034,7 +3034,7 @@ Marktgegevens apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -3066,7 +3066,7 @@ Positie apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3078,7 +3078,7 @@ Laad dividenden apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3094,7 +3094,7 @@ Importeer dividenden apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3166,32 +3166,32 @@ - Protection for sensitive information like absolute performances and quantity values - Bescherming voor gevoelige informatie zoals absoluut rendement en hoeveelheden + Protection for sensitive information like absolute performances and quantity values + Bescherming voor gevoelige informatie zoals absoluut rendement en hoeveelheden apps/client/src/app/components/user-account-settings/user-account-settings.html 185 - Distraction-free experience for turbulent times - Afleidingsvrije ervaring voor roerige tijden + Distraction-free experience for turbulent times + Afleidingsvrije ervaring voor roerige tijden apps/client/src/app/components/user-account-settings/user-account-settings.html 203 - Sneak peek at upcoming functionality - Voorproefje van nieuwe functionaliteit + Sneak peek at upcoming functionality + Voorproefje van nieuwe functionaliteit apps/client/src/app/components/user-account-settings/user-account-settings.html 237 - Are you an ambitious investor who needs the full picture? - Ben jij een ambitieuze investeerder die het volledige plaatje wilt zien? + Are you an ambitious investor who needs the full picture? + Ben jij een ambitieuze investeerder die het volledige plaatje wilt zien? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 @@ -3294,8 +3294,8 @@ - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. - Voor technisch onderlegde beleggers die Ghostfolio liever op hun eigen systemen draaien. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + Voor technisch onderlegde beleggers die Ghostfolio liever op hun eigen systemen draaien. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -3370,8 +3370,8 @@ - For new investors who are just getting started with trading. - Voor nieuwe beleggers die net beginnen met handelen. + For new investors who are just getting started with trading. + Voor nieuwe beleggers die net beginnen met handelen. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -3390,8 +3390,8 @@ - For ambitious investors who need the full picture of their financial assets. - Voor ambitieuze beleggers die een volledig beeld willen hebben van hun financiële assets. + For ambitious investors who need the full picture of their financial assets. + Voor ambitieuze beleggers die een volledig beeld willen hebben van hun financiële assets. apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -3406,8 +3406,8 @@ - Get Started - Aan de slag + Get Started + Aan de slag apps/client/src/app/pages/landing/landing-page.html 42 @@ -3438,7 +3438,7 @@ Kosten apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3586,8 +3586,8 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. - Ons officiële Ghostfolio Premium-cloudaanbod is de gemakkelijkste manier om aan de slag te gaan. Vanwege de tijdsbesparing zal dit voor de meeste mensen de beste optie zijn. De opbrengsten worden gebruikt om de operationele kosten voor de hostinginfrastructuur en professionele dataproviders te dekken, en om de lopende ontwikkeling te financieren. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Ons officiële Ghostfolio Premium-cloudaanbod is de gemakkelijkste manier om aan de slag te gaan. Vanwege de tijdsbesparing zal dit voor de meeste mensen de beste optie zijn. De opbrengsten worden gebruikt om de operationele kosten voor de hostinginfrastructuur en professionele dataproviders te dekken, en om de lopende ontwikkeling te financieren. apps/client/src/app/pages/pricing/pricing-page.html 7 @@ -3694,24 +3694,24 @@ - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: - Upgrade vandaag nog naar Ghostfolio Premium en krijg toegang tot exclusieve functies om je beleggingservaring te verbeteren: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Upgrade vandaag nog naar Ghostfolio Premium en krijg toegang tot exclusieve functies om je beleggingservaring te verbeteren: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 - Get the tools to effectively manage your finances and refine your personal investment strategy. - Krijg de tools om je financiën effectief te beheren en je persoonlijke beleggingsstrategie te verfijnen. + Get the tools to effectively manage your finances and refine your personal investment strategy. + Krijg de tools om je financiën effectief te beheren en je persoonlijke beleggingsstrategie te verfijnen. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 - Add Platform - Platform Toevoegen + Add Platform + Platform Toevoegen apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -3754,7 +3754,7 @@ Selecteer positie apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3762,7 +3762,7 @@ Selecteer bestand apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3770,7 +3770,7 @@ Selecteer dividenden apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3778,12 +3778,12 @@ Selecteer activiteiten apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 - Frequently Asked Questions (FAQ) - Veelgestelde Vragen + Frequently Asked Questions (FAQ) + Veelgestelde Vragen apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -3914,8 +3914,8 @@ - Import and Export - Importeer en exporteer + Import and Export + Importeer en exporteer apps/client/src/app/pages/features/features-page.html 116 @@ -3986,8 +3986,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -4022,8 +4022,8 @@ - Discover Open Source Alternatives for Personal Finance Tools - Ontdek Open Source alternatieven voor tools voor persoonlijke financiën + Discover Open Source Alternatives for Personal Finance Tools + Ontdek Open Source alternatieven voor tools voor persoonlijke financiën apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 @@ -4062,8 +4062,8 @@ - Available in - Beschikbaar in + Available in + Beschikbaar in apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -4142,24 +4142,24 @@ - Self-Hosting - Zelf hosten + Self-Hosting + Zelf hosten apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 - Use anonymously - Gebruik anoniem + Use anonymously + Gebruik anoniem apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 - Free Plan - Gratis abonnement + Free Plan + Gratis abonnement apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -4174,8 +4174,8 @@ - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. - Volg, analyseer en visualiseer moeiteloos je vermogen met Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Volg, analyseer en visualiseer moeiteloos je vermogen met Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -4294,8 +4294,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -4374,8 +4374,8 @@ - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. - Bij Ghostfolio is transparantie één van onze kernwaarden. We publiceren de broncode als open source software (OSS) onder de AGPL-3.0 licentie en we delen openlijk geaggregeerde kerncijfers van de operationele status van het platform. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + Bij Ghostfolio is transparantie één van onze kernwaarden. We publiceren de broncode als open source software (OSS) onder de AGPL-3.0 licentie en we delen openlijk geaggregeerde kerncijfers van de operationele status van het platform. apps/client/src/app/pages/open/open-page.html 7 @@ -4494,8 +4494,8 @@ - Check out the numerous features of Ghostfolio to manage your wealth - Bekijk de vele functies van Ghostfolio om je vermogen te beheren + Check out the numerous features of Ghostfolio to manage your wealth + Bekijk de vele functies van Ghostfolio om je vermogen te beheren apps/client/src/app/pages/features/features-page.html 7 @@ -4510,24 +4510,24 @@ - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. - Als je Ghostfolio liever op je eigen systeem uitvoert, vind je de broncode en verdere instructies op GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + Als je Ghostfolio liever op je eigen systeem uitvoert, vind je de broncode en verdere instructies op GitHub. apps/client/src/app/pages/pricing/pricing-page.html 14 - Manage your wealth like a boss - Beheer je vermogen als een baas + Manage your wealth like a boss + Beheer je vermogen als een baas apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. - Ghostfolio is een privacygericht, open source dashboard voor je persoonlijke financiën. Analyseer je asset-allocatie, ken je nettowaarde en neem gefundeerde, datagedreven investeringsbeslissingen. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio is een privacygericht, open source dashboard voor je persoonlijke financiën. Analyseer je asset-allocatie, ken je nettowaarde en neem gefundeerde, datagedreven investeringsbeslissingen. apps/client/src/app/pages/landing/landing-page.html 10 @@ -4550,16 +4550,16 @@ - Protect your assets. Refine your personal investment strategy. - Bescherm je financiële bezittingen. Verfijn je persoonlijke investeringsstrategie. + Protect your assets. Refine your personal investment strategy. + Bescherm je financiële bezittingen. Verfijn je persoonlijke investeringsstrategie. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. - Ghostfolio stelt drukbezette mensen in staat om aandelen, ETF’s of cryptocurrencies bij te houden zonder gevolgd te worden. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio stelt drukbezette mensen in staat om aandelen, ETF’s of cryptocurrencies bij te houden zonder gevolgd te worden. apps/client/src/app/pages/landing/landing-page.html 230 @@ -4582,16 +4582,16 @@ - Use Ghostfolio anonymously and own your financial data. - Gebruik Ghostfolio anoniem en bezit je financiële gegevens. + Use Ghostfolio anonymously and own your financial data. + Gebruik Ghostfolio anoniem en bezit je financiële gegevens. apps/client/src/app/pages/landing/landing-page.html 254 - Benefit from continuous improvements through a strong community. - Profiteer van voortdurende verbeteringen door een sterke gemeenschap. + Benefit from continuous improvements through a strong community. + Profiteer van voortdurende verbeteringen door een sterke gemeenschap. apps/client/src/app/pages/landing/landing-page.html 264 @@ -4606,8 +4606,8 @@ - Ghostfolio is for you if you are... - Ghostfolio is iets voor je als je... + Ghostfolio is for you if you are... + Ghostfolio is iets voor je als je... apps/client/src/app/pages/landing/landing-page.html 274 @@ -4694,24 +4694,24 @@ - What our users are saying - Wat onze gebruikers zeggen + What our users are saying + Wat onze gebruikers zeggen apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Leden van over de hele wereld gebruikenGhostfolio Premium + Members from around the globe are using Ghostfolio Premium + Leden van over de hele wereld gebruikenGhostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - Hoe Ghostfolio werkt? + How does Ghostfolio work? + Hoe Ghostfolio werkt? apps/client/src/app/pages/landing/landing-page.html 384 @@ -4734,23 +4734,23 @@ - Add any of your historical transactions - Voeg al je historische transacties toe + Add any of your historical transactions + Voeg al je historische transacties toe apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition - Krijg waardevolle inzichten in de samenstelling van je portefeuille + Get valuable insights of your portfolio composition + Krijg waardevolle inzichten in de samenstelling van je portefeuille apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? + Are you ready? Ben jij er klaar voor? apps/client/src/app/pages/landing/landing-page.html @@ -4758,8 +4758,8 @@ - Get the full picture of your personal finances across multiple platforms. - Krijg een volledig beeld van je persoonlijke financiën op meerdere platforms. + Get the full picture of your personal finances across multiple platforms. + Krijg een volledig beeld van je persoonlijke financiën op meerdere platforms. apps/client/src/app/pages/landing/landing-page.html 243 @@ -4939,24 +4939,24 @@ - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. - Deze overzichtspagina bevat een verzameling tools voor persoonlijke financiën vergeleken met het open source alternatief Ghostfolio. Als je waarde hecht aan transparantie, gegevensprivacy en samenwerking binnen een gemeenschap, biedt Ghostfolio een uitstekende mogelijkheid om je financieel beheer in eigen hand te nemen. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + Deze overzichtspagina bevat een verzameling tools voor persoonlijke financiën vergeleken met het open source alternatief Ghostfolio. Als je waarde hecht aan transparantie, gegevensprivacy en samenwerking binnen een gemeenschap, biedt Ghostfolio een uitstekende mogelijkheid om je financieel beheer in eigen hand te nemen. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. - Bekijk de links hieronder om verschillende persoonlijke financiële tools met Ghostfolio te vergelijken. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Bekijk de links hieronder om verschillende persoonlijke financiële tools met Ghostfolio te vergelijken. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to - Open Source alternatief voor + Open Source Alternative to + Open Source alternatief voor apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -4971,24 +4971,24 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. - Ben je op zoek naar een open source alternatief voor ? Ghostfolio is een krachtige tool voor portefeuillebeheer die particulieren een uitgebreid platform biedt om hun beleggingen bij te houden, te analyseren en te optimaliseren. Of je nu een ervaren belegger bent of net begint, Ghostfolio biedt een intuïtieve gebruikersinterface en uitgebreide functionaliteiten om je te helpen weloverwogen beslissingen te nemen en je financiële toekomst in eigen handen te nemen. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Ben je op zoek naar een open source alternatief voor ? Ghostfolio is een krachtige tool voor portefeuillebeheer die particulieren een uitgebreid platform biedt om hun beleggingen bij te houden, te analyseren en te optimaliseren. Of je nu een ervaren belegger bent of net begint, Ghostfolio biedt een intuïtieve gebruikersinterface en uitgebreide functionaliteiten om je te helpen weloverwogen beslissingen te nemen en je financiële toekomst in eigen handen te nemen. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. - Ghostfolio is open source software (OSS) en biedt een kosteneffectief alternatief voor waardoor het bijzonder geschikt is voor mensen met een krap budget, zoals degenen Financiële onafhankelijkheid nastreven, vroeg met pensioen gaan (FIRE). Door gebruik te maken van de collectieve inspanningen van een gemeenschap van ontwikkelaars en liefhebbers van persoonlijke financiën, verbetert Ghostfolio voortdurend de mogelijkheden, veiligheid en gebruikerservaring. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio is open source software (OSS) en biedt een kosteneffectief alternatief voor waardoor het bijzonder geschikt is voor mensen met een krap budget, zoals degenen Financiële onafhankelijkheid nastreven, vroeg met pensioen gaan (FIRE). Door gebruik te maken van de collectieve inspanningen van een gemeenschap van ontwikkelaars en liefhebbers van persoonlijke financiën, verbetert Ghostfolio voortdurend de mogelijkheden, veiligheid en gebruikerservaring. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. - Laten we eens dieper duiken in de gedetailleerde vergelijkingstabel hieronder om een beter begrip te krijgen hoe Ghostfolio zichzelf positioneert ten opzichte van . We gaan in op verschillende aspecten zoals functies, gegevensprivacy, prijzen en meer, zodat je een weloverwogen keuze kunt maken voor jouw persoonlijke behoeften. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Laten we eens dieper duiken in de gedetailleerde vergelijkingstabel hieronder om een beter begrip te krijgen hoe Ghostfolio zichzelf positioneert ten opzichte van . We gaan in op verschillende aspecten zoals functies, gegevensprivacy, prijzen en meer, zodat je een weloverwogen keuze kunt maken voor jouw persoonlijke behoeften. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 @@ -5008,16 +5008,16 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. - Houd er rekening mee dat de verstrekte informatie in deze Ghostfolio vs is gebaseerd op ons onafhankelijk onderzoek en analyse. Deze website is niet gelieerd aan of een ander product dat in de vergelijking wordt genoemd. Aangezien het landschap van tools voor persoonlijke financiën evolueert, is het essentieel om specifieke details of wijzigingen rechtstreeks op de betreffende productpagina te controleren. Hebben je gegevens een opfrisbeurt nodig? Help ons de gegevens nauwkeurig te houden op GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Houd er rekening mee dat de verstrekte informatie in deze Ghostfolio vs is gebaseerd op ons onafhankelijk onderzoek en analyse. Deze website is niet gelieerd aan of een ander product dat in de vergelijking wordt genoemd. Aangezien het landschap van tools voor persoonlijke financiën evolueert, is het essentieel om specifieke details of wijzigingen rechtstreeks op de betreffende productpagina te controleren. Hebben je gegevens een opfrisbeurt nodig? Help ons de gegevens nauwkeurig te houden op GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? - Klaar om je investeringen naar een hoger niveau te brengen? + Ready to take your investments to the next level? + Klaar om je investeringen naar een hoger niveau te brengen? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 @@ -5088,7 +5088,7 @@ Kies of sleep bestand hier apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -5140,8 +5140,8 @@ - Add Tag - Label Toevoegen + Add Tag + Label Toevoegen apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -5284,8 +5284,8 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. - Ghostfolio is een persoonlijk financieel dashboard om uw activa zoals aandelen, ETF’s of cryptocurrencies van verschillende platformen bij te houden. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio is een persoonlijk financieel dashboard om uw activa zoals aandelen, ETF’s of cryptocurrencies van verschillende platformen bij te houden. apps/client/src/app/pages/i18n/i18n-page.html 5 @@ -5300,16 +5300,16 @@ - User - Gebruiker + User + Gebruiker apps/client/src/app/components/admin-users/admin-users.html 13 - Ghostfolio vs comparison table - Ghostfolio vs vergelijkingstabel + Ghostfolio vs comparison table + Ghostfolio vs vergelijkingstabel apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -5324,8 +5324,8 @@ - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 - app, asset, cryptocurrency, dashboard, etf, financiën, management, performance, portfolio, software, aandeel, handel, vermogen, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + app, asset, cryptocurrency, dashboard, etf, financiën, management, performance, portfolio, software, aandeel, handel, vermogen, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -5400,7 +5400,7 @@ Contant Saldo apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -5424,8 +5424,8 @@ - If a translation is missing, kindly support us in extending it here. - Als er een vertaling ontbreekt, kunt u ons helpen deze here uit te breiden. + If a translation is missing, kindly support us in extending it here. + Als er een vertaling ontbreekt, kunt u ons helpen deze here uit te breiden. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -5524,7 +5524,7 @@ Investering apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5552,8 +5552,8 @@ - Asset Performance - Activaprestaties + Asset Performance + Activaprestaties apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -5568,24 +5568,24 @@ - Currency Performance - Valutaprestaties + Currency Performance + Valutaprestaties apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Absolute Nettoprestatie + Absolute Net Performance + Absolute Nettoprestatie apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Nettoprestatie + Net Performance + Nettoprestatie apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -5652,16 +5652,16 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - Als u vandaag met pensioen zou gaan, kunt u per jaar or per maand opnemen, gebaseerd op uw totale vermogen van en een opnamepercentage van 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + Als u vandaag met pensioen zou gaan, kunt u per jaar or per maand opnemen, gebaseerd op uw totale vermogen van en een opnamepercentage van 4%. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 - Reset Filters - Filters Herstellen + Reset Filters + Filters Herstellen libs/ui/src/lib/assistant/assistant.html 266 @@ -5692,8 +5692,8 @@ - Apply Filters - Filters Toepassen + Apply Filters + Filters Toepassen libs/ui/src/lib/assistant/assistant.html 276 @@ -5801,7 +5801,7 @@ Activiteit apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -5809,7 +5809,7 @@ Dividendrendement apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5921,8 +5921,8 @@ - Join now or check out the example account - Word nu lid of bekijk het voorbeeldaccount + Join now or check out the example account + Word nu lid of bekijk het voorbeeldaccount apps/client/src/app/pages/landing/landing-page.html 435 @@ -5993,8 +5993,8 @@ - Would you like to refine your personal investment strategy? - Wilt u uw persoonlijke belegginngsstrategie verfijnen? + Would you like to refine your personal investment strategy? + Wilt u uw persoonlijke belegginngsstrategie verfijnen? apps/client/src/app/pages/public/public-page.html 213 @@ -6445,8 +6445,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -6473,7 +6473,7 @@ Verandering met valuta effect Verandering apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6481,7 +6481,7 @@ Prestatie met valuta effect Prestatie apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6775,8 +6775,8 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - Ghostfolio X-ray gebruikt statische analyse om potentiële problemen en risico’s in uw portefeuille te ontdekken. Pas de onderstaande regels aan en stel aangepaste drempelwaarden in die aansluiten bij uw persoonlijke beleggingsstrategie. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray gebruikt statische analyse om potentiële problemen en risico’s in uw portefeuille te ontdekken. Pas de onderstaande regels aan en stel aangepaste drempelwaarden in die aansluiten bij uw persoonlijke beleggingsstrategie. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6927,7 +6927,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7267,8 +7267,8 @@ - Terms of Service - Servicevoorwaarden + Terms of Service + Servicevoorwaarden apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7428,7 +7428,7 @@ - Calculations are based on delayed market data and may not be displayed in real-time. + Calculations are based on delayed market data and may not be displayed in real-time. Berekeningen zijn gebaseerd op vertraagde marktgegevens en worden mogelijk niet in realtime weergegeven. apps/client/src/app/components/home-market/home-market.html @@ -7477,16 +7477,16 @@ - No emergency fund has been set up - Er is geen noodfonds ingesteld + No emergency fund has been set up + Er is geen noodfonds ingesteld apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - Er is een noodfonds opgericht + An emergency fund has been set up + Er is een noodfonds opgericht apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7501,40 +7501,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - De kosten overschrijden ${thresholdMax}% van uw initiële investering (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + De kosten overschrijden ${thresholdMax}% van uw initiële investering (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - De kosten bedragen niet meer dan ${thresholdMax}% van uw initiële investering (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + De kosten bedragen niet meer dan ${thresholdMax}% van uw initiële investering (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - Naam + Name + Naam libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Snelle koppelingen + Quick Links + Snelle koppelingen libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Activaprofielen + Asset Profiles + Activaprofielen libs/ui/src/lib/assistant/assistant.html 140 @@ -7573,16 +7573,16 @@ - Your net worth is managed by a single account - Uw nettowaarde wordt beheerd door één enkele account + Your net worth is managed by a single account + Uw nettowaarde wordt beheerd door één enkele account apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts - Uw nettowaarde wordt beheerd door ${accountsLength}-accounts + Your net worth is managed by ${accountsLength} accounts + Uw nettowaarde wordt beheerd door ${accountsLength}-accounts apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -7619,7 +7619,7 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. Vul je self-hosted Ghostfolio met een krachtige dataleverancier om toegang te krijgen tot 80.000+ tickers van meer dan 50 beurzen wereldwijd. apps/client/src/app/components/admin-settings/admin-settings.component.html @@ -7695,16 +7695,16 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) - Meer dan ${thresholdMax}% van uw huidige investering bedraagt ​​${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Meer dan ${thresholdMax}% van uw huidige investering bedraagt ​​${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% - Het grootste deel van uw huidige investering bedraagt ​​${maxAccountName} (${maxInvestmentRatio}%) en bedraagt ​​niet meer dan ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + Het grootste deel van uw huidige investering bedraagt ​​${maxAccountName} (${maxInvestmentRatio}%) en bedraagt ​​niet meer dan ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -7719,7 +7719,7 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% De aandelenbijdrage van uw huidige investering (${equityValueRatio}%) overschrijdt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7727,7 +7727,7 @@ - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% De inbreng in eigen vermogen van uw huidige investering (${equityValueRatio}%) ligt onder de ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7735,7 +7735,7 @@ - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% De aandelenbijdrage van uw huidige investering (${equityValueRatio}%) ligt binnen het bereik van ${thresholdMin}% en ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7751,7 +7751,7 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% De bijdrage van vastrentende waarden in uw huidige investering (${fixedIncomeValueRatio}%) overschrijdt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7759,7 +7759,7 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% De bijdrage van vastrentende waarden in uw huidige investering (${fixedIncomeValueRatio}%) ligt onder ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7767,7 +7767,7 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% De bijdrage van vastrentende waarden in uw huidige investering (${fixedIncomeValueRatio}%) ligt binnen het bereik van ${thresholdMin}% en ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7775,7 +7775,7 @@ - Investment: Base Currency + Investment: Base Currency Investering: basisvaluta apps/client/src/app/pages/i18n/i18n-page.html @@ -7783,16 +7783,16 @@ - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - Het grootste deel van uw huidige investering staat niet in uw basisvaluta (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + Het grootste deel van uw huidige investering staat niet in uw basisvaluta (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - Het grootste deel van uw huidige investering bevindt zich in uw basisvaluta (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + Het grootste deel van uw huidige investering bevindt zich in uw basisvaluta (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7807,16 +7807,16 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) - Meer dan ${thresholdMax}% van uw huidige investering is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Meer dan ${thresholdMax}% van uw huidige investering is in ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% - Het grootste deel van uw huidige investering is in ${currency} (${maxValueRatio}%) en overschrijdt ${thresholdMax}% niet + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + Het grootste deel van uw huidige investering is in ${currency} (${maxValueRatio}%) en overschrijdt ${thresholdMax}% niet apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7852,8 +7852,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7896,7 +7896,7 @@ Beheer activaprofiel apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7924,7 +7924,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7936,8 +7936,8 @@ - Asset Class Cluster Risks - Clusterrisico’s van beleggingscategorieën + Asset Class Cluster Risks + Clusterrisico’s van beleggingscategorieën apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7952,8 +7952,8 @@ - Economic Market Cluster Risks - Risico’s van economische marktclusters + Economic Market Cluster Risks + Risico’s van economische marktclusters apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7992,24 +7992,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Risico’s van regionale marktclusters + Regional Market Cluster Risks + Risico’s van regionale marktclusters apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8024,7 +8024,7 @@ - Developed Markets + Developed Markets Ontwikkelde markten apps/client/src/app/pages/i18n/i18n-page.html @@ -8032,7 +8032,7 @@ - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% De bijdrage van ontwikkelde markten aan je huidige investering (${developedMarketsValueRatio}%) overschrijdt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8040,7 +8040,7 @@ - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% De bijdrage van ontwikkelde markten aan je huidige investering (${developedMarketsValueRatio}%) ligt onder ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8048,7 +8048,7 @@ - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% De bijdrage van ontwikkelde markten aan je huidige investering (${developedMarketsValueRatio}%) ligt binnen het bereik van ${thresholdMin}% en ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8056,7 +8056,7 @@ - Emerging Markets + Emerging Markets Opkomende markten apps/client/src/app/pages/i18n/i18n-page.html @@ -8064,7 +8064,7 @@ - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% De bijdrage van opkomende markten aan je huidige investering (${emergingMarketsValueRatio}%) overschrijdt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8072,7 +8072,7 @@ - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% De bijdrage van opkomende markten aan je huidige investering (${emergingMarketsValueRatio}%) ligt onder ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8080,7 +8080,7 @@ - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% De bijdrage van opkomende markten aan je huidige investering (${emergingMarketsValueRatio}%) ligt binnen het bereik van ${thresholdMin}% en ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8088,7 +8088,7 @@ - No accounts have been set up + No accounts have been set up Er zijn geen accounts ingesteld apps/client/src/app/pages/i18n/i18n-page.html @@ -8096,7 +8096,7 @@ - Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts Je nettovermogen wordt beheerd door 0 accounts apps/client/src/app/pages/i18n/i18n-page.html @@ -8112,7 +8112,7 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% De bijdrage van de Azië-Pacific markt aan je huidige investering (${valueRatio}%) overschrijdt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8120,7 +8120,7 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% De bijdrage van de Azië-Pacific markt aan je huidige investering (${valueRatio}%) ligt onder ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8128,7 +8128,7 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% De bijdrage van de Azië-Pacific markt aan je huidige investering (${valueRatio}%) ligt binnen het bereik van ${thresholdMin}% en ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8136,7 +8136,7 @@ - Emerging Markets + Emerging Markets Opkomende markten apps/client/src/app/pages/i18n/i18n-page.html @@ -8144,7 +8144,7 @@ - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% De bijdrage van de opkomende markten aan je huidige investering (${valueRatio}%) overschrijdt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8152,7 +8152,7 @@ - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% De bijdrage van de opkomende markten aan je huidige investering (${valueRatio}%) ligt onder ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8160,7 +8160,7 @@ - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% De bijdrage van de opkomende markten aan je huidige investering (${valueRatio}%) ligt binnen het bereik van ${thresholdMin}% en ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8176,7 +8176,7 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% De bijdrage van de Europese markt aan je huidige investering (${valueRatio}%) overschrijdt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8184,7 +8184,7 @@ - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% De bijdrage van de Europese markt aan je huidige investering (${valueRatio}%) ligt onder ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8192,7 +8192,7 @@ - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% De bijdrage van de Europese markt aan je huidige investering (${valueRatio}%) ligt binnen het bereik van ${thresholdMin}% en ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8208,7 +8208,7 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% De bijdrage van de Japanse markt aan je huidige investering (${valueRatio}%) overschrijdt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8216,7 +8216,7 @@ - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% De bijdrage van de Japanse markt aan je huidige investering (${valueRatio}%) ligt onder ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8224,7 +8224,7 @@ - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% De bijdrage van de Japanse markt aan je huidige investering (${valueRatio}%) ligt binnen het bereik van ${thresholdMin}% en ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8240,7 +8240,7 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% De bijdrage van de Noord-Amerikaanse markt aan je huidige investering (${valueRatio}%) overschrijdt ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8248,7 +8248,7 @@ - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% De bijdrage van de Noord-Amerikaanse markt aan je huidige investering (${valueRatio}%) ligt onder ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -8256,7 +8256,7 @@ - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% De bijdrage van de Noord-Amerikaanse markt aan je huidige investering (${valueRatio}%) ligt binnen het bereik van ${thresholdMin}% en ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html diff --git a/apps/client/src/locales/messages.pl.xlf b/apps/client/src/locales/messages.pl.xlf index 7fca576c9..a3c66d998 100644 --- a/apps/client/src/locales/messages.pl.xlf +++ b/apps/client/src/locales/messages.pl.xlf @@ -195,8 +195,8 @@ - Frequently Asked Questions (FAQ) - Często Zadawane Pytania (FAQ) + Frequently Asked Questions (FAQ) + Często Zadawane Pytania (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -287,7 +287,7 @@ Saldo Gotówkowe apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -303,7 +303,7 @@ Platforma apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -707,7 +707,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -771,7 +771,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -847,11 +847,11 @@ Importuj apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -867,7 +867,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -883,7 +883,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -899,7 +899,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -919,7 +919,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -931,8 +931,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -1147,8 +1147,8 @@ - Add Platform - Dodaj Platformę + Add Platform + Dodaj Platformę apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -1223,8 +1223,8 @@ - Add Tag - Dodaj Tag + Add Tag + Dodaj Tag apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -1283,8 +1283,8 @@ - Last Request - Ostatnie Żądanie + Last Request + Ostatnie Żądanie apps/client/src/app/components/admin-users/admin-users.html 187 @@ -1327,7 +1327,7 @@ Portfel apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -1355,7 +1355,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -1367,8 +1367,8 @@ - User - Użytkownik + User + Użytkownik apps/client/src/app/components/admin-users/admin-users.html 13 @@ -1407,7 +1407,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -1503,8 +1503,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -1599,7 +1599,7 @@ Token Bezpieczeństwa apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -1631,7 +1631,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -1643,7 +1643,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -1659,7 +1659,7 @@ Zaloguj się przy użyciu Tożsamości Internetowej (Internet Identity) apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -1667,7 +1667,7 @@ Zaloguj się przez Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -1675,7 +1675,7 @@ Pozostań zalogowany apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -1699,7 +1699,7 @@ Opłaty apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -1779,8 +1779,8 @@ - Annualized Performance - Osiągi w Ujęciu Rocznym + Annualized Performance + Osiągi w Ujęciu Rocznym apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html 274 @@ -1791,7 +1791,7 @@ Wprowadź wysokość funduszu rezerwowego: apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -1799,7 +1799,7 @@ Cena Minimalna apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -1807,7 +1807,7 @@ Cena Maksymalna apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -1815,7 +1815,7 @@ Ilość apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1835,20 +1835,20 @@ Zgłoś Błąd Danych apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 - Are you an ambitious investor who needs the full picture? - Jesteś ambitnym inwestorem, który potrzebuje pełnego obrazu swojej działalności? + Are you an ambitious investor who needs the full picture? + Jesteś ambitnym inwestorem, który potrzebuje pełnego obrazu swojej działalności? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: - Przejdź na Ghostfolio Premium już dziś i uzyskaj dostęp do ekskluzywnych funkcji, które wzbogacą Twoje doświadczenie inwestycyjne: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Przejdź na Ghostfolio Premium już dziś i uzyskaj dostęp do ekskluzywnych funkcji, które wzbogacą Twoje doświadczenie inwestycyjne: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 @@ -1951,8 +1951,8 @@ - Get the tools to effectively manage your finances and refine your personal investment strategy. - Uzyskaj narzędzia do skutecznego zarządzania swoimi finansami i udoskonal swoją osobistą strategię inwestycyjną. + Get the tools to effectively manage your finances and refine your personal investment strategy. + Uzyskaj narzędzia do skutecznego zarządzania swoimi finansami i udoskonal swoją osobistą strategię inwestycyjną. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 @@ -2147,8 +2147,8 @@ - Protection for sensitive information like absolute performances and quantity values - Ochrona dla wrażliwych informacji takich jak wyniki i wartości ilościowe + Protection for sensitive information like absolute performances and quantity values + Ochrona dla wrażliwych informacji takich jak wyniki i wartości ilościowe apps/client/src/app/components/user-account-settings/user-account-settings.html 185 @@ -2227,8 +2227,8 @@ - Distraction-free experience for turbulent times - Doświadczenie bez zakłóceń w niespokojnych czasach + Distraction-free experience for turbulent times + Doświadczenie bez zakłóceń w niespokojnych czasach apps/client/src/app/components/user-account-settings/user-account-settings.html 203 @@ -2259,8 +2259,8 @@ - Sneak peek at upcoming functionality - Podgląd nadchodzących funkcjonalności + Sneak peek at upcoming functionality + Podgląd nadchodzących funkcjonalności apps/client/src/app/components/user-account-settings/user-account-settings.html 237 @@ -2307,7 +2307,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -2319,7 +2319,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -2335,7 +2335,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -2455,7 +2455,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -2543,7 +2543,7 @@ Dane Rynkowe apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -2587,7 +2587,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -2763,8 +2763,8 @@ - Check out the numerous features of Ghostfolio to manage your wealth - Przetestuj liczne funkcje Ghostfolio służące zarządzaniu twoim majątkiem + Check out the numerous features of Ghostfolio to manage your wealth + Przetestuj liczne funkcje Ghostfolio służące zarządzaniu twoim majątkiem apps/client/src/app/pages/features/features-page.html 7 @@ -2795,8 +2795,8 @@ - Import and Export - Import i Export + Import and Export + Import i Export apps/client/src/app/pages/features/features-page.html 116 @@ -2875,7 +2875,7 @@ Inwestycje apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -2951,16 +2951,16 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. - Ghostfolio to osobisty panel finansowy do śledzenia Twojego majątku netto, w tym gotówki, akcji, funduszy ETF i kryptowalut na wielu platformach. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio to osobisty panel finansowy do śledzenia Twojego majątku netto, w tym gotówki, akcji, funduszy ETF i kryptowalut na wielu platformach. apps/client/src/app/pages/i18n/i18n-page.html 5 - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 - aplikacja, aktywa, kryptowaluta, dashboard, etf, finanse, zarządzanie, wydajność, portfolio, oprogramowanie, akcje, handel, majątek, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + aplikacja, aktywa, kryptowaluta, dashboard, etf, finanse, zarządzanie, wydajność, portfolio, oprogramowanie, akcje, handel, majątek, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -2975,24 +2975,24 @@ - Manage your wealth like a boss - Zarządzaj swoim majątkiem niczym Boss + Manage your wealth like a boss + Zarządzaj swoim majątkiem niczym Boss apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. - Ghostfolio to zapewniający prywatność, open source’owy panel do zarządzania finansami osobistymi. Przeanalizuj szczegółowo swoją alokację aktywów, określ swoją wartość netto i podejmuj przemyślane decyzje inwestycyjne oparte na danych. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio to zapewniający prywatność, open source’owy panel do zarządzania finansami osobistymi. Przeanalizuj szczegółowo swoją alokację aktywów, określ swoją wartość netto i podejmuj przemyślane decyzje inwestycyjne oparte na danych. apps/client/src/app/pages/landing/landing-page.html 10 - Get Started - Rozpocznij + Get Started + Rozpocznij apps/client/src/app/pages/landing/landing-page.html 42 @@ -3051,16 +3051,16 @@ - Protect your assets. Refine your personal investment strategy. - Chroń swoje zasoby. Udoskonal swoją osobistą strategię inwestycyjną. + Protect your assets. Refine your personal investment strategy. + Chroń swoje zasoby. Udoskonal swoją osobistą strategię inwestycyjną. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. - Ghostfolio umożliwia zapracowanym osobom śledzenie akcji, funduszy ETF lub kryptowalut, jednocześnie zachowując prywatność. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio umożliwia zapracowanym osobom śledzenie akcji, funduszy ETF lub kryptowalut, jednocześnie zachowując prywatność. apps/client/src/app/pages/landing/landing-page.html 230 @@ -3075,8 +3075,8 @@ - Get the full picture of your personal finances across multiple platforms. - Uzyskaj pełny obraz swoich finansów osobistych na wielu różnych platformach. + Get the full picture of your personal finances across multiple platforms. + Uzyskaj pełny obraz swoich finansów osobistych na wielu różnych platformach. apps/client/src/app/pages/landing/landing-page.html 243 @@ -3091,16 +3091,16 @@ - Use Ghostfolio anonymously and own your financial data. - Korzystaj z Ghostfolio anonimowo i zachowaj pełną kontrolę nad swoimi danymi finansowymi. + Use Ghostfolio anonymously and own your financial data. + Korzystaj z Ghostfolio anonimowo i zachowaj pełną kontrolę nad swoimi danymi finansowymi. apps/client/src/app/pages/landing/landing-page.html 254 - Benefit from continuous improvements through a strong community. - Czerp korzyści z nieustannych ulepszeń dzięki silnej społeczności. + Benefit from continuous improvements through a strong community. + Czerp korzyści z nieustannych ulepszeń dzięki silnej społeczności. apps/client/src/app/pages/landing/landing-page.html 264 @@ -3115,8 +3115,8 @@ - Ghostfolio is for you if you are... - Ghostfolio jest dla Ciebie, jeśli... + Ghostfolio is for you if you are... + Ghostfolio jest dla Ciebie, jeśli... apps/client/src/app/pages/landing/landing-page.html 274 @@ -3203,24 +3203,24 @@ - What our users are saying - Co mówią nasi użytkownicy + What our users are saying + Co mówią nasi użytkownicy apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Użytkownicy z całego świata korzystają z Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium + Użytkownicy z całego świata korzystają z Ghostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - Jak działa Ghostfolio ? + How does Ghostfolio work? + Jak działa Ghostfolio ? apps/client/src/app/pages/landing/landing-page.html 384 @@ -3251,32 +3251,32 @@ - Add any of your historical transactions - Dodaj dowolne z Twoich historycznych transakcji + Add any of your historical transactions + Dodaj dowolne z Twoich historycznych transakcji apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition - Zyskaj cenny wgląd w strukturę swojego portfolio + Get valuable insights of your portfolio composition + Zyskaj cenny wgląd w strukturę swojego portfolio apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? - Czy jesteś gotów? + Are you ready? + Czy jesteś gotów? apps/client/src/app/pages/landing/landing-page.html 432 - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. - W Ghostfolio przejrzystość stanowi podstawę naszych wartości. Publikujemy kod źródłowy jako oprogramowanie open source (OSS) na licencji AGPL-3.0 i otwarcie udostępniamy zagregowane kluczowe wskaźniki dotyczące stanu operacyjnego platformy. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + W Ghostfolio przejrzystość stanowi podstawę naszych wartości. Publikujemy kod źródłowy jako oprogramowanie open source (OSS) na licencji AGPL-3.0 i otwarcie udostępniamy zagregowane kluczowe wskaźniki dotyczące stanu operacyjnego platformy. apps/client/src/app/pages/open/open-page.html 7 @@ -3367,11 +3367,11 @@ Aktywności apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -3387,11 +3387,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -3499,7 +3499,7 @@ Importuj Aktywności apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3515,7 +3515,7 @@ Impotruj Dywidendy apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3531,7 +3531,7 @@ Importowanie danych... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -3539,7 +3539,7 @@ Importowanie zakończone apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -3555,7 +3555,7 @@ Weryfikacja danych... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -3563,7 +3563,7 @@ Wybierz Inwestycje apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3571,7 +3571,7 @@ Wybierz plik apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3579,7 +3579,7 @@ Inwestycja apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3591,7 +3591,7 @@ Załaduj dywidendy apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3599,7 +3599,7 @@ Wybierz lub przeciągnij plik tutaj apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -3607,7 +3607,7 @@ Obsługiwane są następujące formaty plików: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -3615,7 +3615,7 @@ Wybierz dywidendy apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3623,7 +3623,7 @@ Wybór działań apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 @@ -3631,11 +3631,11 @@ Wróc apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -3819,11 +3819,11 @@ Dywidenda apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3967,8 +3967,8 @@ - Holdings - Inwestycje + Holdings + Inwestycje libs/ui/src/lib/assistant/assistant.html 110 @@ -4015,7 +4015,7 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. Nasza oficjalna chmurowa usługa Ghostfolio Premium jest najprostszym sposobem, aby rozpocząć przygodę z Ghostfolio. To najlepsza opcja dla większości osób ze względu na czas, jaki można dzięki niej zaoszczędzić. Uzyskany przychód jest wykorzystywany do pokrycia kosztów infrastruktury hostingowej i finansowania bieżącego rozwoju. apps/client/src/app/pages/pricing/pricing-page.html @@ -4023,16 +4023,16 @@ - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. - Jeżeli wolisz uruchomić Ghostfolio na własnej infrastrukturze, możesz znaleźć kod źródłowy i dalsze instrukcje na naszym GitHubie. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + Jeżeli wolisz uruchomić Ghostfolio na własnej infrastrukturze, możesz znaleźć kod źródłowy i dalsze instrukcje na naszym GitHubie. apps/client/src/app/pages/pricing/pricing-page.html 14 - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. - Dla inwestorów obeznanych technicznie, którzy wolą uruchomić Ghostfolio na własnej infrastrukturze. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + Dla inwestorów obeznanych technicznie, którzy wolą uruchomić Ghostfolio na własnej infrastrukturze. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -4131,8 +4131,8 @@ - For new investors who are just getting started with trading. - Dla początkujących inwestorów, którzy dopiero zaczynają swoją przygodę z tradingiem. + For new investors who are just getting started with trading. + Dla początkujących inwestorów, którzy dopiero zaczynają swoją przygodę z tradingiem. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -4151,8 +4151,8 @@ - For ambitious investors who need the full picture of their financial assets. - Dla ambitnych inwestorów, którzy potrzebują pełnego obrazu swoich aktywów finansowych. + For ambitious investors who need the full picture of their financial assets. + Dla ambitnych inwestorów, którzy potrzebują pełnego obrazu swoich aktywów finansowych. apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -4199,8 +4199,8 @@ - Hello, has shared a Portfolio with you! - Witaj, udostępnił Ci Portfel + Hello, has shared a Portfolio with you! + Witaj, udostępnił Ci Portfel apps/client/src/app/pages/public/public-page.html 5 @@ -4215,8 +4215,8 @@ - Ghostfolio empowers you to keep track of your wealth. - Ghostfolio umożliwia śledzenie wartości swojego majątku. + Ghostfolio empowers you to keep track of your wealth. + Ghostfolio umożliwia śledzenie wartości swojego majątku. apps/client/src/app/pages/public/public-page.html 217 @@ -4284,32 +4284,32 @@ - Discover Open Source Alternatives for Personal Finance Tools - Odkryj alternatywy Open Source dla Narzędzi Finansów Osobistych + Discover Open Source Alternatives for Personal Finance Tools + Odkryj alternatywy Open Source dla Narzędzi Finansów Osobistych apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. - Ta przeglądowa strona zawiera wyselekcjonowaną kolekcję narzędzi do finansów osobistych w porównaniu z alternatywą open source Ghostfolio. Jeśli cenisz sobie przejrzystość, prywatność danych i współpracę ze społecznością, Ghostfolio stanowi doskonałą okazję do przejęcia kontroli nad swoim zarządzaniem finansami. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + Ta przeglądowa strona zawiera wyselekcjonowaną kolekcję narzędzi do finansów osobistych w porównaniu z alternatywą open source Ghostfolio. Jeśli cenisz sobie przejrzystość, prywatność danych i współpracę ze społecznością, Ghostfolio stanowi doskonałą okazję do przejęcia kontroli nad swoim zarządzaniem finansami. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. - Zapoznaj się z poniższymi linkami, aby móc porównać różne narzędzia do finansów osobistych z Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Zapoznaj się z poniższymi linkami, aby móc porównać różne narzędzia do finansów osobistych z Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to - Alternatywa Open Source dla + Open Source Alternative to + Alternatywa Open Source dla apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -4324,32 +4324,32 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. - Szukasz alternatywy typu open source dla ? Ghostfolio to potężne narzędzie do zarządzania portfelem, które zapewnia osobom fizycznym kompleksową platformę do śledzenia, analizowania i optymalizacji ich inwestycji. Niezależnie od tego, czy jesteś doświadczonym inwestorem, czy dopiero zaczynasz, Ghostfolio oferuje intuicyjny interfejs użytkownika i szeroki zakres funkcjonalności, które pomogą Ci podejmować przemyślane decyzje i przejąć kontrolę nad swoją finansową przyszłością. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Szukasz alternatywy typu open source dla ? Ghostfolio to potężne narzędzie do zarządzania portfelem, które zapewnia osobom fizycznym kompleksową platformę do śledzenia, analizowania i optymalizacji ich inwestycji. Niezależnie od tego, czy jesteś doświadczonym inwestorem, czy dopiero zaczynasz, Ghostfolio oferuje intuicyjny interfejs użytkownika i szeroki zakres funkcjonalności, które pomogą Ci podejmować przemyślane decyzje i przejąć kontrolę nad swoją finansową przyszłością. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. - Ghostfolio to oprogramowanie o otwartym kodzie źródłowym (OSS), stanowiące opłacalną alternatywę dla , czyniąc go szczególnie odpowiednim dla osób o ograniczonym budżecie, takich jak osoby dążące do finansowej niezależności i wcześniejszej emerytury (Financial Independence, Retire Early - FIRE). Wykorzystując wspólne wysiłki społeczności programistów i entuzjastów finansów osobistych, Ghostfolio stale zwiększa swoje możliwości, bezpieczeństwo i komfort użytkowania. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio to oprogramowanie o otwartym kodzie źródłowym (OSS), stanowiące opłacalną alternatywę dla , czyniąc go szczególnie odpowiednim dla osób o ograniczonym budżecie, takich jak osoby dążące do finansowej niezależności i wcześniejszej emerytury (Financial Independence, Retire Early - FIRE). Wykorzystując wspólne wysiłki społeczności programistów i entuzjastów finansów osobistych, Ghostfolio stale zwiększa swoje możliwości, bezpieczeństwo i komfort użytkowania. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. - Zagłębmy się w szczegółową tabelę porównawczą Ghostfolio vs poniżej, aby dokładnie zrozumieć, jak Ghostfolio pozycjonuje się w stosunku do . Przeanalizujemy różne aspekty, takie jak funkcje, prywatność danych, opłaty i inne, umożliwiając Tobie dokonanie przemyślanego wyboru pod kątem osobistych wymagań. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Zagłębmy się w szczegółową tabelę porównawczą Ghostfolio vs poniżej, aby dokładnie zrozumieć, jak Ghostfolio pozycjonuje się w stosunku do . Przeanalizujemy różne aspekty, takie jak funkcje, prywatność danych, opłaty i inne, umożliwiając Tobie dokonanie przemyślanego wyboru pod kątem osobistych wymagań. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 - Ghostfolio vs comparison table - Ghostfolio vs - tabela porównawcza + Ghostfolio vs comparison table + Ghostfolio vs - tabela porównawcza apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -4388,8 +4388,8 @@ - Available in - Dostępny w następujących językach + Available in + Dostępny w następujących językach apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -4468,24 +4468,24 @@ - Self-Hosting - Własny Hosting + Self-Hosting + Własny Hosting apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 - Use anonymously - Korzystaj anonimowo + Use anonymously + Korzystaj anonimowo apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 - Free Plan - Plan Darmowy + Free Plan + Plan Darmowy apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -4500,24 +4500,24 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. - Należy pamiętać, że informacje zawarte w tabeli porównawczej Ghostfolio vs są oparte na naszych niezależnych badaniach i analizach. Ta strona internetowa nie jest powiązana z ani żadnym innym produktem wymienionym w porównaniu. Ponieważ krajobraz narzędzi do finansów osobistych ewoluuje, ważne jest, aby weryfikować wszelkie szczegóły lub zmiany bezpośrednio na stronie danego produktu. Informacje wymagają aktualizacji? Pomóż nam utrzymywać dokładne dane na GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Należy pamiętać, że informacje zawarte w tabeli porównawczej Ghostfolio vs są oparte na naszych niezależnych badaniach i analizach. Ta strona internetowa nie jest powiązana z ani żadnym innym produktem wymienionym w porównaniu. Ponieważ krajobraz narzędzi do finansów osobistych ewoluuje, ważne jest, aby weryfikować wszelkie szczegóły lub zmiany bezpośrednio na stronie danego produktu. Informacje wymagają aktualizacji? Pomóż nam utrzymywać dokładne dane na GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? - Jesteś gotów wznieść swoje inwestycje na wyższy poziom? + Ready to take your investments to the next level? + Jesteś gotów wznieść swoje inwestycje na wyższy poziom? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. - Bezproblemowo śledź, analizuj i wizualizuj swój majątek dzięki Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Bezproblemowo śledź, analizuj i wizualizuj swój majątek dzięki Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -4760,7 +4760,7 @@ Udział apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -4856,7 +4856,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -4888,7 +4888,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -5064,7 +5064,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -5180,7 +5180,7 @@ Kapitał apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -5400,7 +5400,7 @@ Salda Gotówkowe apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -5424,8 +5424,8 @@ - If a translation is missing, kindly support us in extending it here. - Jeżeli brakuje jakiegoś tłumaczenia, uprzejmie prosimy o wsparcie w jego uzupełnieniu tutaj. + If a translation is missing, kindly support us in extending it here. + Jeżeli brakuje jakiegoś tłumaczenia, uprzejmie prosimy o wsparcie w jego uzupełnieniu tutaj. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -5524,7 +5524,7 @@ Inwestycje apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5552,8 +5552,8 @@ - Asset Performance - Wyniki aktywów + Asset Performance + Wyniki aktywów apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -5568,24 +5568,24 @@ - Currency Performance - Wynik walut + Currency Performance + Wynik walut apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Łączna wartość netto + Absolute Net Performance + Łączna wartość netto apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Wynik netto + Net Performance + Wynik netto apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -5652,16 +5652,16 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - Jeśli przejdziesz na emeryturę dzisiaj, będziesz mógł wypłacić rocznie lub miesięcznie, w oparciu o Twój łączny majątek w wysokości i stopę wypłaty w wysokości 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + Jeśli przejdziesz na emeryturę dzisiaj, będziesz mógł wypłacić rocznie lub miesięcznie, w oparciu o Twój łączny majątek w wysokości i stopę wypłaty w wysokości 4%. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 - Reset Filters - Resetuj Filtry + Reset Filters + Resetuj Filtry libs/ui/src/lib/assistant/assistant.html 266 @@ -5692,8 +5692,8 @@ - Apply Filters - Zastosuj Filtry + Apply Filters + Zastosuj Filtry libs/ui/src/lib/assistant/assistant.html 276 @@ -5801,7 +5801,7 @@ Aktywność apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -5809,7 +5809,7 @@ Dochód z Dywidendy apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5921,8 +5921,8 @@ - Join now or check out the example account - Dołącz teraz lub sprawdź przykładowe konto + Join now or check out the example account + Dołącz teraz lub sprawdź przykładowe konto apps/client/src/app/pages/landing/landing-page.html 435 @@ -5993,8 +5993,8 @@ - Would you like to refine your personal investment strategy? - Chcesz udoskonalić swoją osobistą strategię inwestycyjną? + Would you like to refine your personal investment strategy? + Chcesz udoskonalić swoją osobistą strategię inwestycyjną? apps/client/src/app/pages/public/public-page.html 213 @@ -6445,8 +6445,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -6473,7 +6473,7 @@ Zmiana z efektem walutowym Zmiana apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6481,7 +6481,7 @@ Wydajność z efektem walutowym Wydajność apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6775,8 +6775,8 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - Ghostfolio X-ray wykorzystuje analizę statyczną do wykrywania potencjalnych problemów i zagrożeń w portfelu. Dostosuj poniższe zasady i ustaw niestandardowe progi, aby dostosować je do osobistej strategii inwestycyjnej. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray wykorzystuje analizę statyczną do wykrywania potencjalnych problemów i zagrożeń w portfelu. Dostosuj poniższe zasady i ustaw niestandardowe progi, aby dostosować je do osobistej strategii inwestycyjnej. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6927,7 +6927,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7267,8 +7267,8 @@ - Terms of Service - Warunki świadczenia usług + Terms of Service + Warunki świadczenia usług apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7428,8 +7428,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - Obliczenia opierają się na opóźnionych danych rynkowych i mogą nie być wyświetlane w czasie rzeczywistym. + Calculations are based on delayed market data and may not be displayed in real-time. + Obliczenia opierają się na opóźnionych danych rynkowych i mogą nie być wyświetlane w czasie rzeczywistym. apps/client/src/app/components/home-market/home-market.html 44 @@ -7477,16 +7477,16 @@ - No emergency fund has been set up - Nie utworzono funduszu awaryjnego + No emergency fund has been set up + Nie utworzono funduszu awaryjnego apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - Utworzono fundusz awaryjny + An emergency fund has been set up + Utworzono fundusz awaryjny apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7501,40 +7501,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Opłaty przekraczają ${thresholdMax}% początkowej inwestycji (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Opłaty przekraczają ${thresholdMax}% początkowej inwestycji (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Opłaty nie przekraczają ${thresholdMax}% początkowej inwestycji (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Opłaty nie przekraczają ${thresholdMax}% początkowej inwestycji (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - Nazwa + Name + Nazwa libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Szybkie linki + Quick Links + Szybkie linki libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Profile zasobów + Asset Profiles + Profile zasobów libs/ui/src/lib/assistant/assistant.html 140 @@ -7573,7 +7573,7 @@ - Your net worth is managed by a single account + Your net worth is managed by a single account Twój majątek netto jest zarządzany przez jedno konto apps/client/src/app/pages/i18n/i18n-page.html @@ -7581,7 +7581,7 @@ - Your net worth is managed by ${accountsLength} accounts + Your net worth is managed by ${accountsLength} accounts Twój majątek netto jest zarządzany przez ${accountsLength} konta apps/client/src/app/pages/i18n/i18n-page.html @@ -7619,7 +7619,7 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. Zasilać swój Ghostfolio self‑hosted za pomocą potężnego dostawcy danych, aby uzyskać dostęp do ponad 80,000 notowań z ponad 50 giełd na całym świecie. apps/client/src/app/components/admin-settings/admin-settings.component.html @@ -7695,7 +7695,7 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) Ponad ${thresholdMax}% twojej bieżącej inwestycji znajduje się na koncie ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html @@ -7703,7 +7703,7 @@ - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% Główna część twojej obecnej inwestycji znajduje się na koncie ${maxAccountName} (${maxInvestmentRatio}%) i nie przekracza ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7719,7 +7719,7 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% Udział kapitału własnego w twojej obecnej inwestycji (${equityValueRatio}%) przekracza ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7727,7 +7727,7 @@ - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% Udział kapitału własnego w twojej obecnej inwestycji (${equityValueRatio}%) jest poniżej ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7735,7 +7735,7 @@ - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% Udział kapitału własnego w twojej obecnej inwestycji (${equityValueRatio}%) mieści się w zakresie od ${thresholdMin}% do ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7751,7 +7751,7 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% Udział dochodu stałego w twojej obecnej inwestycji (${fixedIncomeValueRatio}%) przekracza ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7759,7 +7759,7 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% Udział dochodu stałego w twojej obecnej inwestycji (${fixedIncomeValueRatio}%) jest poniżej ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7767,7 +7767,7 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% Udział dochodu stałego w twojej obecnej inwestycji (${fixedIncomeValueRatio}%) mieści się w zakresie od ${thresholdMin}% do ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7775,7 +7775,7 @@ - Investment: Base Currency + Investment: Base Currency Inwestycja: Waluta bazowa apps/client/src/app/pages/i18n/i18n-page.html @@ -7783,7 +7783,7 @@ - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) Główna część twojej bieżącej inwestycji nie jest w walucie bazowej (${baseCurrencyValueRatio}% w ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html @@ -7791,7 +7791,7 @@ - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) Główna część twojej bieżącej inwestycji jest w walucie bazowej (${baseCurrencyValueRatio}% w ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html @@ -7807,7 +7807,7 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) Ponad ${thresholdMax}% Twojej obecnej inwestycji znajduje się w ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html @@ -7815,7 +7815,7 @@ - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% Główna część Twojej obecnej inwestycji znajduje się w ${currency} (${maxValueRatio}%) i nie przekracza ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html @@ -7852,8 +7852,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7896,7 +7896,7 @@ Zarządzaj profilem aktywów apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7924,7 +7924,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7936,8 +7936,8 @@ - Asset Class Cluster Risks - Asset Class Cluster Risks + Asset Class Cluster Risks + Asset Class Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7952,8 +7952,8 @@ - Economic Market Cluster Risks - Economic Market Cluster Risks + Economic Market Cluster Risks + Economic Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7992,24 +7992,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Regional Market Cluster Risks + Regional Market Cluster Risks + Regional Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8024,80 +8024,80 @@ - Developed Markets - Developed Markets + Developed Markets + Developed Markets apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - No accounts have been set up + No accounts have been set up + No accounts have been set up apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8112,56 +8112,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8176,24 +8176,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8208,24 +8208,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8240,24 +8240,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.pt.xlf b/apps/client/src/locales/messages.pt.xlf index e9c833ebd..e778074ab 100644 --- a/apps/client/src/locales/messages.pt.xlf +++ b/apps/client/src/locales/messages.pt.xlf @@ -78,7 +78,7 @@ Plataforma apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -194,7 +194,7 @@ Saldo disponível em dinheiro apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -486,7 +486,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -514,7 +514,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -706,8 +706,8 @@ - Last Request - Último Pedido + Last Request + Último Pedido apps/client/src/app/components/admin-users/admin-users.html 187 @@ -726,7 +726,7 @@ Portefólio apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -754,7 +754,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -798,7 +798,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -906,7 +906,7 @@ Token de Segurança apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -938,7 +938,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -950,7 +950,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -966,7 +966,7 @@ Iniciar sessão com Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -974,7 +974,7 @@ Iniciar sessão com Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -982,7 +982,7 @@ Manter sessão iniciada apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -1019,7 +1019,7 @@ Total Assets - Ativos Totais + Ativos Totais apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html 143 @@ -1050,8 +1050,8 @@ - Annualized Performance - Desempenho Anual + Annualized Performance + Desempenho Anual apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html 274 @@ -1062,7 +1062,7 @@ Por favor, insira o valor do seu fundo de emergência: apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -1070,7 +1070,7 @@ Preço Mínimo apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -1078,7 +1078,7 @@ Preço Máximo apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -1086,7 +1086,7 @@ Quantidade apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1110,7 +1110,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -1126,7 +1126,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -1142,7 +1142,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -1162,7 +1162,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -1186,7 +1186,7 @@ Dados do Relatório com Problema apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 @@ -1282,7 +1282,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -1294,7 +1294,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -1310,7 +1310,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -1535,7 +1535,7 @@ Sign in with fingerprint - Iniciar sessão com impressão digital + Iniciar sessão com impressão digital apps/client/src/app/components/user-account-settings/user-account-settings.html 219 @@ -1606,7 +1606,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -1818,7 +1818,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -1886,11 +1886,11 @@ Atividades apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -1906,11 +1906,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -2010,7 +2010,7 @@ A importar dados... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -2018,7 +2018,7 @@ A importação foi concluída apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -2034,7 +2034,7 @@ Os seguintes formatos de ficheiro são suportados: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -2042,11 +2042,11 @@ Anterior apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -2270,7 +2270,7 @@ Posições apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -2290,8 +2290,8 @@ - Holdings - Posições + Holdings + Posições libs/ui/src/lib/assistant/assistant.html 110 @@ -2330,8 +2330,8 @@ - Hello, has shared a Portfolio with you! - Olá, partilhou um Portefólio consigo! + Hello, has shared a Portfolio with you! + Olá, partilhou um Portefólio consigo! apps/client/src/app/pages/public/public-page.html 5 @@ -2346,8 +2346,8 @@ - Ghostfolio empowers you to keep track of your wealth. - O Ghostfolio permite-lhe estar a par e gerir a sua riqueza. + Ghostfolio empowers you to keep track of your wealth. + O Ghostfolio permite-lhe estar a par e gerir a sua riqueza. apps/client/src/app/pages/public/public-page.html 217 @@ -2482,7 +2482,7 @@ Importar Atividades apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -2578,7 +2578,7 @@ Juros apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -2638,7 +2638,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -2706,7 +2706,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -2750,7 +2750,7 @@ Ações apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -2950,7 +2950,7 @@ Dados de Mercado apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -2974,7 +2974,7 @@ A validar dados... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -2982,11 +2982,11 @@ Importar apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -2998,11 +2998,11 @@ Dividendos apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3050,7 +3050,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -3066,7 +3066,7 @@ Detenção apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3078,7 +3078,7 @@ Carregar Dividendos apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3094,7 +3094,7 @@ Importar Dividendos apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3166,32 +3166,32 @@ - Protection for sensitive information like absolute performances and quantity values - Proteção para informações sensíveis, como desempenhos absolutos e valores quantitativos + Protection for sensitive information like absolute performances and quantity values + Proteção para informações sensíveis, como desempenhos absolutos e valores quantitativos apps/client/src/app/components/user-account-settings/user-account-settings.html 185 - Distraction-free experience for turbulent times - Experiência sem distrações para tempos turbulentos + Distraction-free experience for turbulent times + Experiência sem distrações para tempos turbulentos apps/client/src/app/components/user-account-settings/user-account-settings.html 203 - Sneak peek at upcoming functionality - Acesso antecipado a funcionalidades futuras + Sneak peek at upcoming functionality + Acesso antecipado a funcionalidades futuras apps/client/src/app/components/user-account-settings/user-account-settings.html 237 - Are you an ambitious investor who needs the full picture? - É um investidor ambicioso que precisa de ter uma vista completa? + Are you an ambitious investor who needs the full picture? + É um investidor ambicioso que precisa de ter uma vista completa? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 @@ -3231,7 +3231,7 @@ FIRE Calculator - Calculadora FIRE + Calculadora FIRE apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 36 @@ -3294,8 +3294,8 @@ - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. - Para investidores experientes que preferem correr o Ghostfolio na sua própria infraestrutura. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + Para investidores experientes que preferem correr o Ghostfolio na sua própria infraestrutura. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -3370,8 +3370,8 @@ - For new investors who are just getting started with trading. - Para novos investidores que estão a começar a investir agora. + For new investors who are just getting started with trading. + Para novos investidores que estão a começar a investir agora. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -3390,8 +3390,8 @@ - For ambitious investors who need the full picture of their financial assets. - Para investidores ambiciosos que precisam de ter uma visão completa de seus ativos financeiros. + For ambitious investors who need the full picture of their financial assets. + Para investidores ambiciosos que precisam de ter uma visão completa de seus ativos financeiros. apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -3406,8 +3406,8 @@ - Get Started - Começar + Get Started + Começar apps/client/src/app/pages/landing/landing-page.html 42 @@ -3438,7 +3438,7 @@ Taxas apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3586,7 +3586,7 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. Nossa oferta oficial Ghostfolio Premium na nuvem é a maneira mais fácil de começar. Devido ao tempo que economiza, esta será a melhor opção para a maioria das pessoas. A receita é utilizada para cobrir os custos operacionais da infraestrutura de hospedagem e dos provedores de dados profissionais, além de financiar o desenvolvimento contínuo. apps/client/src/app/pages/pricing/pricing-page.html @@ -3694,24 +3694,24 @@ - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: - Atualize para o Ghostfolio Premium e obtenha acesso a recursos exclusivos para aperfeiçoar a sua experiência de investimento: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Atualize para o Ghostfolio Premium e obtenha acesso a recursos exclusivos para aperfeiçoar a sua experiência de investimento: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 - Get the tools to effectively manage your finances and refine your personal investment strategy. - Obtenha as ferramentas necessárias para gerir as suas finanças de forma eficaz e aperfeiçoe a sua estratégia de investimento pessoal. + Get the tools to effectively manage your finances and refine your personal investment strategy. + Obtenha as ferramentas necessárias para gerir as suas finanças de forma eficaz e aperfeiçoe a sua estratégia de investimento pessoal. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 - Add Platform - Adicionar Plataforma + Add Platform + Adicionar Plataforma apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -3754,7 +3754,7 @@ Selecionar Posição apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3762,7 +3762,7 @@ Selecionar Ficheiro apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3770,7 +3770,7 @@ Selecionar Dividendos apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3778,12 +3778,12 @@ Selecionar Atividades apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 - Frequently Asked Questions (FAQ) - Perguntas Frequentes (FAQ) + Frequently Asked Questions (FAQ) + Perguntas Frequentes (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -3914,8 +3914,8 @@ - Import and Export - Importação e exportação + Import and Export + Importação e exportação apps/client/src/app/pages/features/features-page.html 116 @@ -3986,8 +3986,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -4022,8 +4022,8 @@ - Discover Open Source Alternatives for Personal Finance Tools - Descubra alternativas de software livre para ferramentas de finanças pessoais + Discover Open Source Alternatives for Personal Finance Tools + Descubra alternativas de software livre para ferramentas de finanças pessoais apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 @@ -4062,8 +4062,8 @@ - Available in - Disponível em + Available in + Disponível em apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -4142,24 +4142,24 @@ - Self-Hosting - Auto-hospedagem + Self-Hosting + Auto-hospedagem apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 - Use anonymously - Utilizar anonimamente + Use anonymously + Utilizar anonimamente apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 - Free Plan - Plano gratuito + Free Plan + Plano gratuito apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -4174,8 +4174,8 @@ - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. - Acompanhe, analise e visualize o seu património sem esforço com a Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Acompanhe, analise e visualize o seu património sem esforço com a Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -4294,8 +4294,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -4374,8 +4374,8 @@ - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. - Na Ghostfolio, a transparência está no centro dos nossos valores. Publicamos o código fonte como open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + Na Ghostfolio, a transparência está no centro dos nossos valores. Publicamos o código fonte como open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. apps/client/src/app/pages/open/open-page.html 7 @@ -4494,8 +4494,8 @@ - Check out the numerous features of Ghostfolio to manage your wealth - Confira os inúmeros recursos do Ghostfolio para gerenciar seu patrimônio + Check out the numerous features of Ghostfolio to manage your wealth + Confira os inúmeros recursos do Ghostfolio para gerenciar seu patrimônio apps/client/src/app/pages/features/features-page.html 7 @@ -4510,24 +4510,24 @@ - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. - Se você preferir executar o Ghostfolio em sua própria infraestrutura, encontre o código-fonte e mais instruções em GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + Se você preferir executar o Ghostfolio em sua própria infraestrutura, encontre o código-fonte e mais instruções em GitHub. apps/client/src/app/pages/pricing/pricing-page.html 14 - Manage your wealth like a boss - Gerencie seu patrimônio como um chefe + Manage your wealth like a boss + Gerencie seu patrimônio como um chefe apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. - Ghostfolio é um painel de código aberto que prioriza a privacidade para suas finanças pessoais. Divida sua alocação de ativos, conheça seu patrimônio líquido e tome decisões de investimento sólidas e baseadas em dados. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio é um painel de código aberto que prioriza a privacidade para suas finanças pessoais. Divida sua alocação de ativos, conheça seu patrimônio líquido e tome decisões de investimento sólidas e baseadas em dados. apps/client/src/app/pages/landing/landing-page.html 10 @@ -4550,16 +4550,16 @@ - Protect your assets. Refine your personal investment strategy. - Proteja o seu assets. Refine your personal investment strategy. + Protect your assets. Refine your personal investment strategy. + Proteja o seu assets. Refine your personal investment strategy. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. - O Ghostfolio permite que pessoas ocupadas acompanhem ações, ETFs ou criptomoedas sem serem rastreadas. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + O Ghostfolio permite que pessoas ocupadas acompanhem ações, ETFs ou criptomoedas sem serem rastreadas. apps/client/src/app/pages/landing/landing-page.html 230 @@ -4582,16 +4582,16 @@ - Use Ghostfolio anonymously and own your financial data. - Use o Ghostfolio anonimamente e possua seus dados financeiros. + Use Ghostfolio anonymously and own your financial data. + Use o Ghostfolio anonimamente e possua seus dados financeiros. apps/client/src/app/pages/landing/landing-page.html 254 - Benefit from continuous improvements through a strong community. - Beneficie-se de melhorias contínuas através de uma comunidade forte. + Benefit from continuous improvements through a strong community. + Beneficie-se de melhorias contínuas através de uma comunidade forte. apps/client/src/app/pages/landing/landing-page.html 264 @@ -4606,8 +4606,8 @@ - Ghostfolio is for you if you are... - Ghostfolio é para você se você for... + Ghostfolio is for you if you are... + Ghostfolio é para você se você for... apps/client/src/app/pages/landing/landing-page.html 274 @@ -4694,24 +4694,24 @@ - What our users are saying - Qual é o nosso users are saying + What our users are saying + Qual é o nosso users are saying apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Membros de todo o mundo estão usando Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium + Membros de todo o mundo estão usando Ghostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - Como é que Ghostfolio work? + How does Ghostfolio work? + Como é que Ghostfolio work? apps/client/src/app/pages/landing/landing-page.html 384 @@ -4734,32 +4734,32 @@ - Add any of your historical transactions - Adicione qualquer uma de suas transações históricas + Add any of your historical transactions + Adicione qualquer uma de suas transações históricas apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition - Obtenha insights valiosos sobre a composição do seu portfólio + Get valuable insights of your portfolio composition + Obtenha insights valiosos sobre a composição do seu portfólio apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? - São you preparar? + Are you ready? + São you preparar? apps/client/src/app/pages/landing/landing-page.html 432 - Get the full picture of your personal finances across multiple platforms. - Tenha uma visão completa das suas finanças pessoais em diversas plataformas. + Get the full picture of your personal finances across multiple platforms. + Tenha uma visão completa das suas finanças pessoais em diversas plataformas. apps/client/src/app/pages/landing/landing-page.html 243 @@ -4939,24 +4939,24 @@ - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. - Esta página de visão geral apresenta uma coleção selecionada de ferramentas de finanças pessoais em comparação com a alternativa de código abertoGhostfolio. Se você valoriza transparência, privacidade de dados e colaboração comunitária, o Ghostfolio oferece uma excelente oportunidade para assumir o controle de sua gestão financeira. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + Esta página de visão geral apresenta uma coleção selecionada de ferramentas de finanças pessoais em comparação com a alternativa de código abertoGhostfolio. Se você valoriza transparência, privacidade de dados e colaboração comunitária, o Ghostfolio oferece uma excelente oportunidade para assumir o controle de sua gestão financeira. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. - Explore os links abaixo para comparar uma variedade de ferramentas de finanças pessoais com o Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Explore os links abaixo para comparar uma variedade de ferramentas de finanças pessoais com o Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to - Alternativa de software livre ao + Open Source Alternative to + Alternativa de software livre ao apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -4971,24 +4971,24 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. - Você está procurando uma alternativa de código aberto para ? Ghostfolio é uma poderosa ferramenta de gestão de portfólio que oferece aos investidores uma plataforma abrangente para monitorar, analisar e otimizar seus investimentos. Seja você um investidor experiente ou iniciante, o Ghostfolio oferece uma interface de usuário intuitiva e um ampla gama de funcionalidades para ajudá-lo a tomar decisões informadas e assumir o controle do seu futuro financeiro. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Você está procurando uma alternativa de código aberto para ? Ghostfolio é uma poderosa ferramenta de gestão de portfólio que oferece aos investidores uma plataforma abrangente para monitorar, analisar e otimizar seus investimentos. Seja você um investidor experiente ou iniciante, o Ghostfolio oferece uma interface de usuário intuitiva e um ampla gama de funcionalidades para ajudá-lo a tomar decisões informadas e assumir o controle do seu futuro financeiro. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. - Ghostfolio é um software de código aberto (OSS), que oferece uma alternativa econômica para tornando-o particularmente adequado para indivíduos com orçamento apertado, como aqueles buscando Independência Financeira, Aposentadoria Antecipada (FIRE). Ao aproveitar os esforços coletivos de uma comunidade de desenvolvedores e entusiastas de finanças pessoais, o Ghostfolio aprimora continuamente seus recursos, segurança e experiência do usuário. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio é um software de código aberto (OSS), que oferece uma alternativa econômica para tornando-o particularmente adequado para indivíduos com orçamento apertado, como aqueles buscando Independência Financeira, Aposentadoria Antecipada (FIRE). Ao aproveitar os esforços coletivos de uma comunidade de desenvolvedores e entusiastas de finanças pessoais, o Ghostfolio aprimora continuamente seus recursos, segurança e experiência do usuário. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. - Vamos nos aprofundar nos detalhes do Ghostfolio vs tabela de comparação abaixo para obter uma compreensão completa de como o Ghostfolio se posiciona em relação a . Exploraremos vários aspectos, como recursos, privacidade de dados, preços e muito mais, permitindo que você faça uma escolha bem informada para suas necessidades pessoais. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Vamos nos aprofundar nos detalhes do Ghostfolio vs tabela de comparação abaixo para obter uma compreensão completa de como o Ghostfolio se posiciona em relação a . Exploraremos vários aspectos, como recursos, privacidade de dados, preços e muito mais, permitindo que você faça uma escolha bem informada para suas necessidades pessoais. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 @@ -5008,16 +5008,16 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. - Observe que as informações fornecidas no Ghostfolio vs. A tabela de comparação é baseada em nossa pesquisa e análise independentes. Este site não é afiliado a ou qualquer outro produto mencionado na comparação. À medida que o cenário das ferramentas de finanças pessoais evolui, é essencial verificar quaisquer detalhes ou alterações específicas diretamente na página do produto correspondente. Os dados precisam de uma atualização? Ajude-nos a manter dados precisos sobre GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Observe que as informações fornecidas no Ghostfolio vs. A tabela de comparação é baseada em nossa pesquisa e análise independentes. Este site não é afiliado a ou qualquer outro produto mencionado na comparação. À medida que o cenário das ferramentas de finanças pessoais evolui, é essencial verificar quaisquer detalhes ou alterações específicas diretamente na página do produto correspondente. Os dados precisam de uma atualização? Ajude-nos a manter dados precisos sobre GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? - Pronto para levar o seu investimentos para o próximo nível? + Ready to take your investments to the next level? + Pronto para levar o seu investimentos para o próximo nível? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 @@ -5088,7 +5088,7 @@ Selecione ou solte um arquivo aqui apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -5140,8 +5140,8 @@ - Add Tag - Adicionar etiqueta + Add Tag + Adicionar etiqueta apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -5284,8 +5284,8 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. - Ghostfolio é um dashboard de finanças pessoais para acompanhar os seus activos como acções, ETFs ou criptomoedas em múltiplas plataformas. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio é um dashboard de finanças pessoais para acompanhar os seus activos como acções, ETFs ou criptomoedas em múltiplas plataformas. apps/client/src/app/pages/i18n/i18n-page.html 5 @@ -5300,16 +5300,16 @@ - User - Usuário + User + Usuário apps/client/src/app/components/admin-users/admin-users.html 13 - Ghostfolio vs comparison table - Ghostfolio vs tabela de comparação + Ghostfolio vs comparison table + Ghostfolio vs tabela de comparação apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -5324,8 +5324,8 @@ - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 - aplicativo, ativo, criptomoeda, painel, etf, finanças, gestão, desempenho, portfólio, software, ação, negociação, riqueza, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + aplicativo, ativo, criptomoeda, painel, etf, finanças, gestão, desempenho, portfólio, software, ação, negociação, riqueza, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -5400,7 +5400,7 @@ Saldos de caixa apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -5424,8 +5424,8 @@ - If a translation is missing, kindly support us in extending it here. - Se faltar uma tradução, por favor, ajude-nos a estendê-la here. + If a translation is missing, kindly support us in extending it here. + Se faltar uma tradução, por favor, ajude-nos a estendê-la here. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -5513,7 +5513,7 @@ Market data is delayed for - Dados de mercado estão atrasados para + Dados de mercado estão atrasados para apps/client/src/app/components/portfolio-performance/portfolio-performance.component.ts 95 @@ -5524,7 +5524,7 @@ Investimento apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5552,8 +5552,8 @@ - Asset Performance - Desempenho de ativos + Asset Performance + Desempenho de ativos apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -5568,24 +5568,24 @@ - Currency Performance - Desempenho da moeda + Currency Performance + Desempenho da moeda apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Desempenho Líquido Absoluto + Absolute Net Performance + Desempenho Líquido Absoluto apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Desempenho líquido + Net Performance + Desempenho líquido apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -5652,16 +5652,16 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - Se você se aposentar hoje, poderá sacar per year or per month, based on your total assets of and a withdrawal rate of 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + Se você se aposentar hoje, poderá sacar per year or per month, based on your total assets of and a withdrawal rate of 4%. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 - Reset Filters - Redefinir filtros + Reset Filters + Redefinir filtros libs/ui/src/lib/assistant/assistant.html 266 @@ -5692,8 +5692,8 @@ - Apply Filters - Aplicar filtros + Apply Filters + Aplicar filtros libs/ui/src/lib/assistant/assistant.html 276 @@ -5801,7 +5801,7 @@ Atividade apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -5809,7 +5809,7 @@ Rendimento de dividendos apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5921,8 +5921,8 @@ - Join now or check out the example account - Cadastre-se agora ou confira a conta de exemplo + Join now or check out the example account + Cadastre-se agora ou confira a conta de exemplo apps/client/src/app/pages/landing/landing-page.html 435 @@ -5993,8 +5993,8 @@ - Would you like to refine your personal investment strategy? - Você gostaria de refinar seu estratégia de investimento pessoal? + Would you like to refine your personal investment strategy? + Você gostaria de refinar seu estratégia de investimento pessoal? apps/client/src/app/pages/public/public-page.html 213 @@ -6445,8 +6445,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -6473,7 +6473,7 @@ Change with currency effect Change apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6481,7 +6481,7 @@ Performance with currency effect Performance apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6775,8 +6775,8 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - O Ghostfolio X-ray utiliza análise estática para identificar potenciais problemas e riscos em seu portfólio. Ajuste as regras abaixo e defina limites personalizados para alinhá-los à sua estratégia de investimento. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + O Ghostfolio X-ray utiliza análise estática para identificar potenciais problemas e riscos em seu portfólio. Ajuste as regras abaixo e defina limites personalizados para alinhá-los à sua estratégia de investimento. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6927,7 +6927,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7267,8 +7267,8 @@ - Terms of Service - Termos de Serviço + Terms of Service + Termos de Serviço apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7428,8 +7428,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - Calculations are based on delayed market data and may not be displayed in real-time. + Calculations are based on delayed market data and may not be displayed in real-time. + Calculations are based on delayed market data and may not be displayed in real-time. apps/client/src/app/components/home-market/home-market.html 44 @@ -7477,16 +7477,16 @@ - No emergency fund has been set up - No emergency fund has been set up + No emergency fund has been set up + No emergency fund has been set up apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - An emergency fund has been set up + An emergency fund has been set up + An emergency fund has been set up apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7501,40 +7501,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - Nome + Name + Nome libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Links rápidos + Quick Links + Links rápidos libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Perfis de ativos + Asset Profiles + Perfis de ativos libs/ui/src/lib/assistant/assistant.html 140 @@ -7573,16 +7573,16 @@ - Your net worth is managed by a single account - Your net worth is managed by a single account + Your net worth is managed by a single account + Your net worth is managed by a single account apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts - Your net worth is managed by ${accountsLength} accounts + Your net worth is managed by ${accountsLength} accounts + Your net worth is managed by ${accountsLength} accounts apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -7619,8 +7619,8 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. apps/client/src/app/components/admin-settings/admin-settings.component.html 16 @@ -7695,16 +7695,16 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -7719,24 +7719,24 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 43 - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 47 - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 51 @@ -7751,48 +7751,48 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 57 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 61 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 66 - Investment: Base Currency - Investment: Base Currency + Investment: Base Currency + Investment: Base Currency apps/client/src/app/pages/i18n/i18n-page.html 82 - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7807,16 +7807,16 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7852,8 +7852,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7896,7 +7896,7 @@ Gerenciar perfil de ativos apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7924,7 +7924,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7936,8 +7936,8 @@ - Asset Class Cluster Risks - Riscos de cluster de classe de ativos + Asset Class Cluster Risks + Riscos de cluster de classe de ativos apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7952,8 +7952,8 @@ - Economic Market Cluster Risks - Riscos de Cluster do Mercado Econômico + Economic Market Cluster Risks + Riscos de Cluster do Mercado Econômico apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7992,24 +7992,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Riscos de cluster de mercado regional + Regional Market Cluster Risks + Riscos de cluster de mercado regional apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8024,80 +8024,80 @@ - Developed Markets - Developed Markets + Developed Markets + Developed Markets apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - Mercados Emergentes + Emerging Markets + Mercados Emergentes apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - Nenhuma conta foi configurada + No accounts have been set up + Nenhuma conta foi configurada apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - Seu patrimônio líquido é gerenciado por 0 contas + Your net worth is managed by 0 accounts + Seu patrimônio líquido é gerenciado por 0 contas apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8112,56 +8112,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - Mercados Emergentes + Emerging Markets + Mercados Emergentes apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8176,24 +8176,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8208,24 +8208,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8240,24 +8240,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.tr.xlf b/apps/client/src/locales/messages.tr.xlf index d616f48e3..fdf3143c6 100644 --- a/apps/client/src/locales/messages.tr.xlf +++ b/apps/client/src/locales/messages.tr.xlf @@ -167,8 +167,8 @@ - Frequently Asked Questions (FAQ) - Sıkça Sorulan Sorular (SSS) + Frequently Asked Questions (FAQ) + Sıkça Sorulan Sorular (SSS) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -259,7 +259,7 @@ Nakit Bakiye apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -275,7 +275,7 @@ Platform apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -667,7 +667,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -723,7 +723,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -795,7 +795,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -811,7 +811,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -827,7 +827,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -847,7 +847,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -859,8 +859,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -1059,8 +1059,8 @@ - Add Platform - Platform Ekle + Add Platform + Platform Ekle apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -1147,8 +1147,8 @@ - Last Request - Son Talep + Last Request + Son Talep apps/client/src/app/components/admin-users/admin-users.html 187 @@ -1191,7 +1191,7 @@ Portföy apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -1219,7 +1219,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -1263,7 +1263,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -1359,8 +1359,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -1455,7 +1455,7 @@ Güvenlik Jetonu apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -1487,7 +1487,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -1499,7 +1499,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -1515,7 +1515,7 @@ İnternet Kimliği (Internet Identity) ile Oturum Aç apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -1523,7 +1523,7 @@ Google ile Oturum Aç apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -1531,7 +1531,7 @@ Oturumu açık tut apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -1619,8 +1619,8 @@ - Annualized Performance - Yıllıklandırılmış Performans + Annualized Performance + Yıllıklandırılmış Performans apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html 274 @@ -1631,7 +1631,7 @@ Lütfen acil durum yedeği meblağını giriniz: apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -1639,7 +1639,7 @@ Asgari Fiyat apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -1647,7 +1647,7 @@ Azami Fiyat apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -1655,7 +1655,7 @@ Miktar apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1675,7 +1675,7 @@ Komisyon apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -1691,20 +1691,20 @@ Rapor Veri Sorunu apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 - Are you an ambitious investor who needs the full picture? - Tüm ayrıntılara hakim olmak isteyen iddialı bir yatırımcı mısınız? + Are you an ambitious investor who needs the full picture? + Tüm ayrıntılara hakim olmak isteyen iddialı bir yatırımcı mısınız? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: - Bugün Ghostfolio Premium’a yükseltin ve yatırım deneyiminizi geliştirmek için ayrıcalıklı özelliklere erişim kazanın: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Bugün Ghostfolio Premium’a yükseltin ve yatırım deneyiminizi geliştirmek için ayrıcalıklı özelliklere erişim kazanın: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 @@ -1807,8 +1807,8 @@ - Get the tools to effectively manage your finances and refine your personal investment strategy. - Mali durumunuzu etkili bir şekilde yönetecek ve kişisel yatırım stratejinizi geliştirecek Araçları edinin. + Get the tools to effectively manage your finances and refine your personal investment strategy. + Mali durumunuzu etkili bir şekilde yönetecek ve kişisel yatırım stratejinizi geliştirecek Araçları edinin. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 @@ -1911,7 +1911,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -1923,7 +1923,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -1939,7 +1939,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -2059,7 +2059,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -2115,7 +2115,7 @@ Piyasa Verileri apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -2159,7 +2159,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -2335,7 +2335,7 @@ - Check out the numerous features of Ghostfolio to manage your wealth + Check out the numerous features of Ghostfolio to manage your wealth Varlıklarınızı yönetmek için Ghostfolio’nun özelliklerini keşfedin apps/client/src/app/pages/features/features-page.html @@ -2367,8 +2367,8 @@ - Import and Export - İçe Aktar / Dışa Aktar + Import and Export + İçe Aktar / Dışa Aktar apps/client/src/app/pages/features/features-page.html 116 @@ -2459,7 +2459,7 @@ Varlıklar apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -2535,7 +2535,7 @@ - Manage your wealth like a boss + Manage your wealth like a boss Varlıklarınızı bir patron gibi yönetin apps/client/src/app/pages/landing/landing-page.html @@ -2543,7 +2543,7 @@ - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. Ghostfolio, mali durumunuz için gizlilik odaklı, açık kaynaklı bir kontrol panelidir. Varlık dağılımınızı analiz edin, net değerinizi öğrenin ve sağlam, veriye dayalı yatırım kararları alın. apps/client/src/app/pages/landing/landing-page.html @@ -2551,7 +2551,7 @@ - Get Started + Get Started Başla apps/client/src/app/pages/landing/landing-page.html @@ -2611,15 +2611,15 @@ - Protect your assets. Refine your personal investment strategy. - varlıklarınızı koruyun. Kişisel yatırım stratejinizi geliştirin. + Protect your assets. Refine your personal investment strategy. + varlıklarınızı koruyun. Kişisel yatırım stratejinizi geliştirin. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. Ghostfolio, takip edilmeden hisse senetleri, ETF’ler veya kripto paraları izlemek isteyen yoğun insanlara güç verir. apps/client/src/app/pages/landing/landing-page.html @@ -2635,7 +2635,7 @@ - Get the full picture of your personal finances across multiple platforms. + Get the full picture of your personal finances across multiple platforms. Kişisel finansınızın tam resmini birden fazla platformda edinin. apps/client/src/app/pages/landing/landing-page.html @@ -2651,7 +2651,7 @@ - Use Ghostfolio anonymously and own your financial data. + Use Ghostfolio anonymously and own your financial data. Ghostfolio’yu anonim olarak kullanın ve finansal verilerinize sahip çıkın. apps/client/src/app/pages/landing/landing-page.html @@ -2659,7 +2659,7 @@ - Benefit from continuous improvements through a strong community. + Benefit from continuous improvements through a strong community. Güçlü bir topluluk aracılığıyla sürekli gelişmelerden faydalanın. apps/client/src/app/pages/landing/landing-page.html @@ -2675,8 +2675,8 @@ - Ghostfolio is for you if you are... - Ghostfolio tam size göre, + Ghostfolio is for you if you are... + Ghostfolio tam size göre, apps/client/src/app/pages/landing/landing-page.html 274 @@ -2684,7 +2684,7 @@ trading stocks, ETFs or cryptocurrencies on multiple platforms - Birden fazla platformda hisse senedi, ETF veya kripto para ticareti yapıyorsanız, + Birden fazla platformda hisse senedi, ETF veya kripto para ticareti yapıyorsanız, apps/client/src/app/pages/landing/landing-page.html 280 @@ -2692,7 +2692,7 @@ pursuing a buy & hold strategy - al ve tut stratejisi izliyorsanız, + al ve tut stratejisi izliyorsanız, apps/client/src/app/pages/landing/landing-page.html 286 @@ -2763,24 +2763,24 @@ - What our users are saying - Kullanıcılarımızın görüşleri + What our users are saying + Kullanıcılarımızın görüşleri apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Dünyanın dört bir yanındaki kullanıcılar Ghostfolio Premium kullanıyorlar. + Members from around the globe are using Ghostfolio Premium + Dünyanın dört bir yanındaki kullanıcılar Ghostfolio Premium kullanıyorlar. apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - NasılGhostfolio çalışır? + How does Ghostfolio work? + NasılGhostfolio çalışır? apps/client/src/app/pages/landing/landing-page.html 384 @@ -2811,7 +2811,7 @@ - Add any of your historical transactions + Add any of your historical transactions Herhangi bir geçmiş işleminizi ekleyin apps/client/src/app/pages/landing/landing-page.html @@ -2819,7 +2819,7 @@ - Get valuable insights of your portfolio composition + Get valuable insights of your portfolio composition Portföy bileşiminizle ilgili değerli bilgiler edinin apps/client/src/app/pages/landing/landing-page.html @@ -2827,15 +2827,15 @@ - Are you ready? - Hazır mısınız? + Are you ready? + Hazır mısınız? apps/client/src/app/pages/landing/landing-page.html 432 - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. Ghostfolio’da şeffaflık, değerlerimizin temelinde yer alır. Kaynak kodunu açık kaynak yazılım (OSS) olarak AGPL-3.0 lisansı altında yayınlıyoruz ve platformun işletme durumunun toplu anahtar metriklerini açıkça paylaşıyoruz. apps/client/src/app/pages/open/open-page.html @@ -2891,11 +2891,11 @@ İşlemler apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -2911,11 +2911,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -2999,7 +2999,7 @@ İşlemleri İçe Aktar apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3015,7 +3015,7 @@ Temettüleri İçe Aktar apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3031,7 +3031,7 @@ Veri içe aktarılıyor... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -3039,7 +3039,7 @@ İçe aktarma tamamlandı apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -3055,7 +3055,7 @@ Veri doğrulanıyor... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -3063,7 +3063,7 @@ Varlık Seç apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3071,7 +3071,7 @@ Dosya Seç apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3079,7 +3079,7 @@ Varlık apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3091,7 +3091,7 @@ Temettü Yükle apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3099,7 +3099,7 @@ Aşağıdaki dosya formatları desteklenmektedir: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -3107,7 +3107,7 @@ Temettü Seç apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3115,7 +3115,7 @@ İşlemleri Seç apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 @@ -3123,11 +3123,11 @@ Geri apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -3135,11 +3135,11 @@ İçe Aktar apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -3327,11 +3327,11 @@ Temettü apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3459,8 +3459,8 @@ - Holdings - Varlıklar + Holdings + Varlıklar libs/ui/src/lib/assistant/assistant.html 110 @@ -3507,7 +3507,7 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. Resmi Ghostfolio Premium bulut teklifimiz bir başlangıç yapmanın en kolay yoludur. Zaman tasarrufu sağladığı için çoğu insan için en iyi seçenek olacaktır. Gelir, barındırma altyapısının maliyetlerini karşılamak ve süregiden geliştirme işlerini finanse etmek için kullanılmaktadır. apps/client/src/app/pages/pricing/pricing-page.html @@ -3515,7 +3515,7 @@ - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. Ghostfolio’yu kendi altyapınızda çalıştırmayı tercih ederseniz, lütfen kaynak kodunu ve daha fazla talimatı GitHub adresinde bulun. apps/client/src/app/pages/pricing/pricing-page.html @@ -3523,7 +3523,7 @@ - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. Kendi altyapılarında Ghostfolio’yu çalıştırmayı tercih eden teknolojiye hakim yatırımcılar için. apps/client/src/app/pages/pricing/pricing-page.html @@ -3623,7 +3623,7 @@ - For new investors who are just getting started with trading. + For new investors who are just getting started with trading. Alım satıma henüz başlamış yeni yatırımcılar için. apps/client/src/app/pages/pricing/pricing-page.html @@ -3643,7 +3643,7 @@ - For ambitious investors who need the full picture of their financial assets. + For ambitious investors who need the full picture of their financial assets. Finansal varlıklarının tamamını görmeye ihtiyaç duyan hırslı yatırımcılar için. apps/client/src/app/pages/pricing/pricing-page.html @@ -3691,7 +3691,7 @@ - Hello, has shared a Portfolio with you! + Hello, has shared a Portfolio with you! Merhaba, size bir Portföy paylaştı! apps/client/src/app/pages/public/public-page.html @@ -3707,7 +3707,7 @@ - Ghostfolio empowers you to keep track of your wealth. + Ghostfolio empowers you to keep track of your wealth. Ghostfolio, varlıklarınızı takip etmenizi sağlar. apps/client/src/app/pages/public/public-page.html @@ -3796,23 +3796,23 @@ - Discover Open Source Alternatives for Personal Finance Tools - Açık Kaynak Kişisel Finans Seçeneklerini Keşfet + Discover Open Source Alternatives for Personal Finance Tools + Açık Kaynak Kişisel Finans Seçeneklerini Keşfet apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. - Bu genel bakış sayfası, diğer kişisel finans araçlarının seçilmiş bir koleksiyonunun açık kaynak alternatifiGhostfolio ile karşılaştırmasını sunmaktadır.. Şeffaflığa, veri gizliliğine ve topluluk işbirliğine değer veriyorsanız Ghostfolio, finansal yönetiminizin kontrolünü ele almak için mükemmel Şeffaflığa, veri gizliliğine ve topluluk işbirliğine değer veriyorsanız Ghostfolio, finansal yönetiminizin kontrolünü ele almak için mükemmel bir fırsat sunuyor. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + Bu genel bakış sayfası, diğer kişisel finans araçlarının seçilmiş bir koleksiyonunun açık kaynak alternatifiGhostfolio ile karşılaştırmasını sunmaktadır.. Şeffaflığa, veri gizliliğine ve topluluk işbirliğine değer veriyorsanız Ghostfolio, finansal yönetiminizin kontrolünü ele almak için mükemmel Şeffaflığa, veri gizliliğine ve topluluk işbirliğine değer veriyorsanız Ghostfolio, finansal yönetiminizin kontrolünü ele almak için mükemmel bir fırsat sunuyor. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. Aşağıdaki bağlantıları keşfedin, çeşitli kişisel finans araçlarını Ghostfolio ile karşılaştırın. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html @@ -3820,8 +3820,8 @@ - Open Source Alternative to - için Açık Kaynak Alternatifi + Open Source Alternative to + için Açık Kaynak Alternatifi apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -3836,24 +3836,24 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. - Açık kaynaklı bir alternatif mi arıyorsunuz ? Ghostfolio güçlü bir portföy yönetim aracıdır ve bireylere yatırımlarını takip etmek, analiz etmek ve optimize etmek için kapsamlı bir platform sunar. İster deneyimli bir yatırımcı olun ister yeni başlıyor olun, Ghostfolio, bilinçli kararlar almanıza ve finansal geleceğinizi kontrol etmenize yardımcı olmak için sezgisel bir kullanıcı arayüzü ve geniş bir işlevsellik yelpazesi sunmaktadır. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Açık kaynaklı bir alternatif mi arıyorsunuz ? Ghostfolio güçlü bir portföy yönetim aracıdır ve bireylere yatırımlarını takip etmek, analiz etmek ve optimize etmek için kapsamlı bir platform sunar. İster deneyimli bir yatırımcı olun ister yeni başlıyor olun, Ghostfolio, bilinçli kararlar almanıza ve finansal geleceğinizi kontrol etmenize yardımcı olmak için sezgisel bir kullanıcı arayüzü ve geniş bir işlevsellik yelpazesi sunmaktadır. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. - Ghostfolio, karşısında açık kaynak kodlu maliyet etkin bir seçenek sunmaktadır. gibi kısıtlı bütçeye sahip, finansal özgürlük ve erken emeklilik (FIRE) amaçlayan kulanıcılar için özellikle uygundur. Ghostfolio, topluluk içindeki geliştiricilerin ve kişisel finans meraklılarının kolektif çabası sayesinde yeteneklerini, güvenliğini ve kullanıcı deneyimini sürekli olarak geliştirmektedir. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio, karşısında açık kaynak kodlu maliyet etkin bir seçenek sunmaktadır. gibi kısıtlı bütçeye sahip, finansal özgürlük ve erken emeklilik (FIRE) amaçlayan kulanıcılar için özellikle uygundur. Ghostfolio, topluluk içindeki geliştiricilerin ve kişisel finans meraklılarının kolektif çabası sayesinde yeteneklerini, güvenliğini ve kullanıcı deneyimini sürekli olarak geliştirmektedir. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. - Ghostfolio ve arasındaki ayrıntılı karşılaştırmanın yer aldığı aşağıdaki tabloya daha yakından bakarak Ghostfolio’nun karşısında kendisini nasıl konumlandırdığını kapsamlı bir şekilde değerlendirelim. Bu kapsamda özellikler, veri güvenliği, fiyat vb. hususları inceleyerek kişisel gereksinimleriniz için bilgiye dayalı bir seçim yapmanızı sağlayabileceği. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Ghostfolio ve arasındaki ayrıntılı karşılaştırmanın yer aldığı aşağıdaki tabloya daha yakından bakarak Ghostfolio’nun karşısında kendisini nasıl konumlandırdığını kapsamlı bir şekilde değerlendirelim. Bu kapsamda özellikler, veri güvenliği, fiyat vb. hususları inceleyerek kişisel gereksinimleriniz için bilgiye dayalı bir seçim yapmanızı sağlayabileceği. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 @@ -3892,7 +3892,7 @@ - Available in + Available in Mevcut apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -3972,7 +3972,7 @@ - Self-Hosting + Self-Hosting Tarafınızca Barındırma apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -3980,7 +3980,7 @@ - Use anonymously + Use anonymously Anonim olarak kullan apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -3988,7 +3988,7 @@ - Free Plan + Free Plan Ücretsiz Plan apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4004,23 +4004,23 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. - Lütfen dikkat, Ghostfolio ve arasındaki karşılaştırmanın yer aldığı tablodaki bilgiler bağımsız araştırmalarımıza dayanmaktadır. Websitemizin ile ya da bu karşılaştırmada adı geçen herhangi bir ürün ve hizmet ile ilişkisi bulunmamaktadır. Kişisel finans araçlarının kapsamı geliştikçe, belirli ayrıntıların veya değişikliklerin doğrudan ilgili ürün sayfasından doğrulanması önemlidir. Verilerin yenilenmesi mi gerekiyor? Doğru verileri sağlamamıza yardımcı olmak için sayfamızı ziyaret edin. GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Lütfen dikkat, Ghostfolio ve arasındaki karşılaştırmanın yer aldığı tablodaki bilgiler bağımsız araştırmalarımıza dayanmaktadır. Websitemizin ile ya da bu karşılaştırmada adı geçen herhangi bir ürün ve hizmet ile ilişkisi bulunmamaktadır. Kişisel finans araçlarının kapsamı geliştikçe, belirli ayrıntıların veya değişikliklerin doğrudan ilgili ürün sayfasından doğrulanması önemlidir. Verilerin yenilenmesi mi gerekiyor? Doğru verileri sağlamamıza yardımcı olmak için sayfamızı ziyaret edin. GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? - Yatırımlarınızı bir sonraki seviyeye taşımaya hazır mısınız? + Ready to take your investments to the next level? + Yatırımlarınızı bir sonraki seviyeye taşımaya hazır mısınız? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. Ghostfolio ile varlıklarınızı kolaylıkla takip edin, analiz edin ve görselleştirin. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4204,7 +4204,7 @@ - Protection for sensitive information like absolute performances and quantity values + Protection for sensitive information like absolute performances and quantity values Gerçek performans ve miktar değerleri gibi hassas bilgilerin saklanması için apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -4272,7 +4272,7 @@ - Distraction-free experience for turbulent times + Distraction-free experience for turbulent times Çalkantılı zamanlar için dikkat dağıtmayan bir deneyim apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -4304,7 +4304,7 @@ - Sneak peek at upcoming functionality + Sneak peek at upcoming functionality Gelecek özelliklere göz atın apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -4445,7 +4445,7 @@ Savings Rate per Month - Aylık Tasarruf Oranı + Aylık Tasarruf Oranı libs/ui/src/lib/fire-calculator/fire-calculator.component.html 10 @@ -4453,7 +4453,7 @@ Annual Interest Rate - Yıllık Faiz Oranı + Yıllık Faiz Oranı libs/ui/src/lib/fire-calculator/fire-calculator.component.html 21 @@ -4461,7 +4461,7 @@ Retirement Date - Emeklilik Tarihi + Emeklilik Tarihi libs/ui/src/lib/fire-calculator/fire-calculator.component.html 32 @@ -4480,7 +4480,7 @@ Faiz apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -4576,7 +4576,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -4608,7 +4608,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -4784,7 +4784,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -4884,7 +4884,7 @@ Menkul Kıymet apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -5120,7 +5120,7 @@ Dosya seçin ya da sürükleyin apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -5140,8 +5140,8 @@ - Add Tag - Etiket Ekleyiniz + Add Tag + Etiket Ekleyiniz apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -5253,7 +5253,7 @@ Asset Profile - Varlık Profili + Varlık Profili apps/client/src/app/components/admin-jobs/admin-jobs.html 35 @@ -5284,8 +5284,8 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. - Ghostfolio, hisse senetleri, ETF’ler veya kriptopara birimleri gibi varlıklarınızı birden fazla platformda takip etmenizi sağlayan bir kişisel finans kontrol panelidir. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio, hisse senetleri, ETF’ler veya kriptopara birimleri gibi varlıklarınızı birden fazla platformda takip etmenizi sağlayan bir kişisel finans kontrol panelidir. apps/client/src/app/pages/i18n/i18n-page.html 5 @@ -5300,16 +5300,16 @@ - User - Kullanıcı + User + Kullanıcı apps/client/src/app/components/admin-users/admin-users.html 13 - Ghostfolio vs comparison table - Ghostfolio ve karşılatırma tablosu + Ghostfolio vs comparison table + Ghostfolio ve karşılatırma tablosu apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -5324,8 +5324,8 @@ - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 - app, varlık, kriptopara, kontrol paneli, etf, finans, yönetim, performans, portföy, yazılım, hisse, alım satım, varlık, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + app, varlık, kriptopara, kontrol paneli, etf, finans, yönetim, performans, portföy, yazılım, hisse, alım satım, varlık, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -5400,7 +5400,7 @@ Nakit Bakiyeleri apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -5424,8 +5424,8 @@ - If a translation is missing, kindly support us in extending it here. - Eğer bir çeviri eksikse, lütfen bunu genişletmemize yardımcı olun burada. + If a translation is missing, kindly support us in extending it here. + Eğer bir çeviri eksikse, lütfen bunu genişletmemize yardımcı olun burada. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -5524,7 +5524,7 @@ Yatırım apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5552,8 +5552,8 @@ - Asset Performance - Varlık Performansı + Asset Performance + Varlık Performansı apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -5568,24 +5568,24 @@ - Currency Performance - Para Performansı + Currency Performance + Para Performansı apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Mutlak Net Performans + Absolute Net Performance + Mutlak Net Performans apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Net Performans + Net Performance + Net Performans apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -5652,16 +5652,16 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - Eğer bugün emekli olursanız, paranızı çekebilirsiniz yıllık veya aylık, toplam varlıklarınıza göre ve %4’lük bir çekilme oranı. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + Eğer bugün emekli olursanız, paranızı çekebilirsiniz yıllık veya aylık, toplam varlıklarınıza göre ve %4’lük bir çekilme oranı. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 - Reset Filters - Filtreleri Sıfırla + Reset Filters + Filtreleri Sıfırla libs/ui/src/lib/assistant/assistant.html 266 @@ -5692,8 +5692,8 @@ - Apply Filters - Filtreleri Uygula + Apply Filters + Filtreleri Uygula libs/ui/src/lib/assistant/assistant.html 276 @@ -5801,7 +5801,7 @@ Etkinlik apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -5809,7 +5809,7 @@ Temettü Getiri apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5921,8 +5921,8 @@ - Join now or check out the example account - Hemen katıl ya da örnek hesabı incele + Join now or check out the example account + Hemen katıl ya da örnek hesabı incele apps/client/src/app/pages/landing/landing-page.html 435 @@ -5993,8 +5993,8 @@ - Would you like to refine your personal investment strategy? - Senin özel yatırım stratejinizi iyileştirmek ister misin? + Would you like to refine your personal investment strategy? + Senin özel yatırım stratejinizi iyileştirmek ister misin? apps/client/src/app/pages/public/public-page.html 213 @@ -6445,8 +6445,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -6473,7 +6473,7 @@ Kur farkı etkisiyle değişim Değişim apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6481,7 +6481,7 @@ Kur farkı etkisiyle performans Performans apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6775,8 +6775,8 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - Ghostfolio X-ray statik analiz kullanarak portföyünüzdeki potansiyel sorunları ve riskleri keşfetmek için kullanılır. Aşağıdaki kuralları ayarlayın ve özel eşikleri ayarlayarak kişisel yatırım stratejinize uyun. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray statik analiz kullanarak portföyünüzdeki potansiyel sorunları ve riskleri keşfetmek için kullanılır. Aşağıdaki kuralları ayarlayın ve özel eşikleri ayarlayarak kişisel yatırım stratejinize uyun. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6927,7 +6927,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7267,8 +7267,8 @@ - Terms of Service - Hükümler ve Koşullar + Terms of Service + Hükümler ve Koşullar apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7428,8 +7428,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - Hesaplamalar gecikmeli piyasa verilerine dayanmaktadır ve gerçek zamanlı olarak görüntülenemeyebilir. + Calculations are based on delayed market data and may not be displayed in real-time. + Hesaplamalar gecikmeli piyasa verilerine dayanmaktadır ve gerçek zamanlı olarak görüntülenemeyebilir. apps/client/src/app/components/home-market/home-market.html 44 @@ -7477,16 +7477,16 @@ - No emergency fund has been set up - Acil durum fonu oluşturulmadı + No emergency fund has been set up + Acil durum fonu oluşturulmadı apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - Acil durum fonu kuruldu + An emergency fund has been set up + Acil durum fonu kuruldu apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7501,40 +7501,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Ücretler, ilk yatırımınızın %${thresholdMax} kadarını aşıyor (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Ücretler, ilk yatırımınızın %${thresholdMax} kadarını aşıyor (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - Ücretler, ilk yatırımınızın %${thresholdMax}’ını (${feeRatio}%) aşmaz + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + Ücretler, ilk yatırımınızın %${thresholdMax}’ını (${feeRatio}%) aşmaz apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - İsim + Name + İsim libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Hızlı Bağlantılar + Quick Links + Hızlı Bağlantılar libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Varlık Profilleri + Asset Profiles + Varlık Profilleri libs/ui/src/lib/assistant/assistant.html 140 @@ -7573,16 +7573,16 @@ - Your net worth is managed by a single account - Net değeriniz tek bir hesap tarafından yönetiliyor + Your net worth is managed by a single account + Net değeriniz tek bir hesap tarafından yönetiliyor apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts - Net değeriniz ${accountsLength} hesaplar tarafından yönetiliyor + Your net worth is managed by ${accountsLength} accounts + Net değeriniz ${accountsLength} hesaplar tarafından yönetiliyor apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -7619,8 +7619,8 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. apps/client/src/app/components/admin-settings/admin-settings.component.html 16 @@ -7695,16 +7695,16 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -7719,24 +7719,24 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 43 - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 47 - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 51 @@ -7751,48 +7751,48 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 57 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 61 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 66 - Investment: Base Currency - Yatırım: Baz Para Birimi + Investment: Base Currency + Yatırım: Baz Para Birimi apps/client/src/app/pages/i18n/i18n-page.html 82 - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7807,16 +7807,16 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7852,8 +7852,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7896,7 +7896,7 @@ Manage Asset Profile apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7924,7 +7924,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7936,8 +7936,8 @@ - Asset Class Cluster Risks - Asset Class Cluster Risks + Asset Class Cluster Risks + Asset Class Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7952,8 +7952,8 @@ - Economic Market Cluster Risks - Economic Market Cluster Risks + Economic Market Cluster Risks + Economic Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7992,24 +7992,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Regional Market Cluster Risks + Regional Market Cluster Risks + Regional Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8024,80 +8024,80 @@ - Developed Markets - Developed Markets + Developed Markets + Developed Markets apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - No accounts have been set up + No accounts have been set up + No accounts have been set up apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - Net değeriniz 0 hesap tarafından yönetiliyor + Your net worth is managed by 0 accounts + Net değeriniz 0 hesap tarafından yönetiliyor apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8112,56 +8112,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - Gelişmekte Olan Piyasalar + Emerging Markets + Gelişmekte Olan Piyasalar apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8176,24 +8176,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8208,24 +8208,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8240,24 +8240,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.uk.xlf b/apps/client/src/locales/messages.uk.xlf index 3a430f88e..c02f327df 100644 --- a/apps/client/src/locales/messages.uk.xlf +++ b/apps/client/src/locales/messages.uk.xlf @@ -42,7 +42,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -82,8 +82,8 @@ - Frequently Asked Questions (FAQ) - Часті запитання (FAQ) + Frequently Asked Questions (FAQ) + Часті запитання (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -335,8 +335,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -379,7 +379,7 @@ Баланс готівки apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -395,7 +395,7 @@ Платформа apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -407,8 +407,8 @@ - Holdings - Активи + Holdings + Активи libs/ui/src/lib/assistant/assistant.html 110 @@ -419,7 +419,7 @@ Баланс готівки apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -875,7 +875,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -895,7 +895,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -1015,7 +1015,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -1031,7 +1031,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -1047,7 +1047,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -1067,7 +1067,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -1079,8 +1079,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -1343,8 +1343,8 @@ - Add Platform - Додати платформу + Add Platform + Додати платформу apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -1475,7 +1475,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -1487,7 +1487,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -1499,8 +1499,8 @@ - Add Tag - Додати тег + Add Tag + Додати тег apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -1551,8 +1551,8 @@ - User - Користувач + User + Користувач apps/client/src/app/components/admin-users/admin-users.html 13 @@ -1575,8 +1575,8 @@ - Last Request - Останній запит + Last Request + Останній запит apps/client/src/app/components/admin-users/admin-users.html 187 @@ -1619,7 +1619,7 @@ Портфель apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -1647,7 +1647,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -1735,7 +1735,7 @@ Зміна з урахуванням валютного ефекту Зміна apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -1743,7 +1743,7 @@ Прибутковість з урахуванням валютного ефекту валюти Прибутковість apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -1751,7 +1751,7 @@ Мінімальна ціна apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -1759,7 +1759,7 @@ Максимальна ціна apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -1767,7 +1767,7 @@ Кількість apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1787,7 +1787,7 @@ Дохідність дивіденду apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -1795,7 +1795,7 @@ Комісії apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -1819,7 +1819,7 @@ Активність apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -1827,7 +1827,7 @@ Повідомити про збій даних apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 @@ -1931,8 +1931,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -2027,7 +2027,7 @@ Секретний Токен apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -2055,7 +2055,7 @@ Увійти з Інтернет-Ідентичністю apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -2063,7 +2063,7 @@ Увійти з Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -2071,7 +2071,7 @@ Залишатися в системі apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -2183,8 +2183,8 @@ - Annualized Performance - Річна доходність + Annualized Performance + Річна доходність apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html 274 @@ -2215,7 +2215,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -2243,7 +2243,7 @@ Будь ласка, встановіть суму вашого резервного фонду. apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -2303,16 +2303,16 @@ - Are you an ambitious investor who needs the full picture? - Ви амбітний інвестор, якому потрібна повна картина? + Are you an ambitious investor who needs the full picture? + Ви амбітний інвестор, якому потрібна повна картина? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: - Оновіть до Ghostfolio Premium сьогодні та отримайте доступ до ексклюзивних функцій, щоб покращити ваш інвестиційний досвід: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Оновіть до Ghostfolio Premium сьогодні та отримайте доступ до ексклюзивних функцій, щоб покращити ваш інвестиційний досвід: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 @@ -2415,8 +2415,8 @@ - Get the tools to effectively manage your finances and refine your personal investment strategy. - Отримайте інструменти для ефективного управління фінансами та вдосконалення вашої особистої інвестиційної стратегії. + Get the tools to effectively manage your finances and refine your personal investment strategy. + Отримайте інструменти для ефективного управління фінансами та вдосконалення вашої особистої інвестиційної стратегії. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 @@ -2595,7 +2595,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -2735,8 +2735,8 @@ - Protection for sensitive information like absolute performances and quantity values - Захист конфіденційної інформації, такої як абсолютні показники та кількісні значення + Protection for sensitive information like absolute performances and quantity values + Захист конфіденційної інформації, такої як абсолютні показники та кількісні значення apps/client/src/app/components/user-account-settings/user-account-settings.html 185 @@ -2759,8 +2759,8 @@ - If a translation is missing, kindly support us in extending it here. - Якщо переклад відсутній, будь ласка, підтримайте нас у його розширенні тут. + If a translation is missing, kindly support us in extending it here. + Якщо переклад відсутній, будь ласка, підтримайте нас у його розширенні тут. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -2823,8 +2823,8 @@ - Distraction-free experience for turbulent times - Досвід без відволікань для неспокійних часів + Distraction-free experience for turbulent times + Досвід без відволікань для неспокійних часів apps/client/src/app/components/user-account-settings/user-account-settings.html 203 @@ -2855,8 +2855,8 @@ - Sneak peek at upcoming functionality - Попередній перегляд майбутніх функцій + Sneak peek at upcoming functionality + Попередній перегляд майбутніх функцій apps/client/src/app/components/user-account-settings/user-account-settings.html 237 @@ -2907,7 +2907,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -2927,7 +2927,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -3055,7 +3055,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -3151,7 +3151,7 @@ Ринкові дані apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -3195,7 +3195,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -3404,8 +3404,8 @@ - Check out the numerous features of Ghostfolio to manage your wealth - Огляньте численні функції Ghostfolio для управління вашим багатством + Check out the numerous features of Ghostfolio to manage your wealth + Огляньте численні функції Ghostfolio для управління вашим багатством apps/client/src/app/pages/features/features-page.html 7 @@ -3436,8 +3436,8 @@ - Import and Export - Імпорт та експорт + Import and Export + Імпорт та експорт apps/client/src/app/pages/features/features-page.html 116 @@ -3516,7 +3516,7 @@ Активи apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -3592,16 +3592,16 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. - Ghostfolio - це панель особистих фінансів для відстеження вашого чистого капіталу, включаючи готівку, акції, ETF та криптовалюти на різних платформах. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio - це панель особистих фінансів для відстеження вашого чистого капіталу, включаючи готівку, акції, ETF та криптовалюти на різних платформах. apps/client/src/app/pages/i18n/i18n-page.html 5 - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 - додаток, актив, криптовалюта, панель, etf, фінанси, управління, продуктивність, портфель, програмне забезпечення, акція, торгівля, багатство, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + додаток, актив, криптовалюта, панель, etf, фінанси, управління, продуктивність, портфель, програмне забезпечення, акція, торгівля, багатство, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -3624,24 +3624,24 @@ - Manage your wealth like a boss - Керуйте своїми фінансами як професіонал + Manage your wealth like a boss + Керуйте своїми фінансами як професіонал apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. - Ghostfolio - це інформаційна панель з відкритим кодом для управління вашими особистими фінансами, орієнтована насамперед на конфіденційність. Розподіліть свої активи, визначте чисту вартість свого майна та приймайте зважені інвестиційні рішення на основі даних. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio - це інформаційна панель з відкритим кодом для управління вашими особистими фінансами, орієнтована насамперед на конфіденційність. Розподіліть свої активи, визначте чисту вартість свого майна та приймайте зважені інвестиційні рішення на основі даних. apps/client/src/app/pages/landing/landing-page.html 10 - Get Started - Почати + Get Started + Почати apps/client/src/app/pages/landing/landing-page.html 42 @@ -3700,16 +3700,16 @@ - Protect your assets. Refine your personal investment strategy. - Захищайте свої активи. Вдосконалюйте власну інвестиційну стратегію. + Protect your assets. Refine your personal investment strategy. + Захищайте свої активи. Вдосконалюйте власну інвестиційну стратегію. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. - Ghostfolio допомагає зайнятим людям відстежувати акції, ETF або криптовалюти без ризику бути відстеженими. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio допомагає зайнятим людям відстежувати акції, ETF або криптовалюти без ризику бути відстеженими. apps/client/src/app/pages/landing/landing-page.html 230 @@ -3724,8 +3724,8 @@ - Get the full picture of your personal finances across multiple platforms. - Отримайте повну картину ваших особистих фінансів на різних платформах. + Get the full picture of your personal finances across multiple platforms. + Отримайте повну картину ваших особистих фінансів на різних платформах. apps/client/src/app/pages/landing/landing-page.html 243 @@ -3740,16 +3740,16 @@ - Use Ghostfolio anonymously and own your financial data. - Використовуйте Ghostfolio анонімно та володійте своїми фінансовими даними. + Use Ghostfolio anonymously and own your financial data. + Використовуйте Ghostfolio анонімно та володійте своїми фінансовими даними. apps/client/src/app/pages/landing/landing-page.html 254 - Benefit from continuous improvements through a strong community. - Отримуйте користь від постійних покращень завдяки сильній спільноті. + Benefit from continuous improvements through a strong community. + Отримуйте користь від постійних покращень завдяки сильній спільноті. apps/client/src/app/pages/landing/landing-page.html 264 @@ -3764,8 +3764,8 @@ - Ghostfolio is for you if you are... - Ghostfolio для вас, якщо ви... + Ghostfolio is for you if you are... + Ghostfolio для вас, якщо ви... apps/client/src/app/pages/landing/landing-page.html 274 @@ -3852,24 +3852,24 @@ - What our users are saying - Що говорять користувачі + What our users are saying + Що говорять користувачі apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium - Члени зі всього світу використовують Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium + Члени зі всього світу використовують Ghostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? - Як працює Ghostfolio? + How does Ghostfolio work? + Як працює Ghostfolio? apps/client/src/app/pages/landing/landing-page.html 384 @@ -3900,40 +3900,40 @@ - Add any of your historical transactions - Додайте будь-які з ваших історичних транзакцій + Add any of your historical transactions + Додайте будь-які з ваших історичних транзакцій apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition - Отримуйте цінні інсайти вашого складу портфеля + Get valuable insights of your portfolio composition + Отримуйте цінні інсайти вашого складу портфеля apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? - Ви готові? + Are you ready? + Ви готові? apps/client/src/app/pages/landing/landing-page.html 432 - Join now or check out the example account - Приєднуйтесь зараз або перегляньте демонстраційний рахунок + Join now or check out the example account + Приєднуйтесь зараз або перегляньте демонстраційний рахунок apps/client/src/app/pages/landing/landing-page.html 435 - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. - У Ghostfolio прозорість є основою наших цінностей. Ми публікуємо вихідний код як відкрите програмне забезпечення (OSS) під AGPL-3.0 ліцензією та відкрито ділимося агрегованими ключовими метриками операційного стану платформи. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + У Ghostfolio прозорість є основою наших цінностей. Ми публікуємо вихідний код як відкрите програмне забезпечення (OSS) під AGPL-3.0 ліцензією та відкрито ділимося агрегованими ключовими метриками операційного стану платформи. apps/client/src/app/pages/open/open-page.html 7 @@ -4024,11 +4024,11 @@ Активності apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -4044,11 +4044,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -4168,7 +4168,7 @@ Імпортувати активності apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -4184,7 +4184,7 @@ Імпорт дивідендів apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -4200,7 +4200,7 @@ Імпортуються дані... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -4208,7 +4208,7 @@ Імпорт завершено apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -4224,7 +4224,7 @@ Перевірка даних... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -4232,7 +4232,7 @@ Вибрати актив apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -4240,7 +4240,7 @@ Вибрати файл apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -4248,7 +4248,7 @@ Актив apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -4260,7 +4260,7 @@ Завантажити дивіденди apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -4268,7 +4268,7 @@ Виберіть або перетягніть файл сюди apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -4276,7 +4276,7 @@ Підтримуються наступні формати файлів: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -4284,7 +4284,7 @@ Вибрати дивіденди apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -4292,7 +4292,7 @@ Виберіть активності apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 @@ -4300,11 +4300,11 @@ Назад apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -4312,11 +4312,11 @@ Імпорт apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -4520,11 +4520,11 @@ Дивіденди apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -4552,7 +4552,7 @@ Інвестиції apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -4596,8 +4596,8 @@ - Asset Performance - Прибутковість активів + Asset Performance + Прибутковість активів apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 @@ -4612,24 +4612,24 @@ - Currency Performance - Прибутковість валюти + Currency Performance + Прибутковість валюти apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 - Absolute Net Performance - Абсолютна чиста прибутковість + Absolute Net Performance + Абсолютна чиста прибутковість apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 - Net Performance - Чиста прибутковість + Net Performance + Чиста прибутковість apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 @@ -4716,16 +4716,16 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. - Якщо ви вийдете на пенсію сьогодні, ви зможете знімати на рік або на місяць, виходячи з вашого загального капіталу в та ставкою виведення у 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + Якщо ви вийдете на пенсію сьогодні, ви зможете знімати на рік або на місяць, виходячи з вашого загального капіталу в та ставкою виведення у 4%. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - Ghostfolio X-ray використовує статичний аналіз для виявлення потенційних проблем та ризиків у вашому портфелі. Налаштуйте правила нижче та встановіть індивідуальні пороги, щоб узгодити їх з вашою особистою інвестиційною стратегією. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray використовує статичний аналіз для виявлення потенційних проблем та ризиків у вашому портфелі. Налаштуйте правила нижче та встановіть індивідуальні пороги, щоб узгодити їх з вашою особистою інвестиційною стратегією. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -4828,24 +4828,24 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. - Наша офіційна хмарна пропозиція Ghostfolio Premium - це найпростіший спосіб почати роботу. Завдяки економії часу, це буде найкращим варіантом для більшості людей. Доходи використовуються для покриття витрат на хостинг-інфраструктуру та фінансування постійної розробки. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Наша офіційна хмарна пропозиція Ghostfolio Premium - це найпростіший спосіб почати роботу. Завдяки економії часу, це буде найкращим варіантом для більшості людей. Доходи використовуються для покриття витрат на хостинг-інфраструктуру та фінансування постійної розробки. apps/client/src/app/pages/pricing/pricing-page.html 7 - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. - Якщо ви віддаєте перевагу запускати Ghostfolio на власній інфраструктурі, перейдіть на GitHub для отримання вихідного коду та подальших інструкцій. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + Якщо ви віддаєте перевагу запускати Ghostfolio на власній інфраструктурі, перейдіть на GitHub для отримання вихідного коду та подальших інструкцій. apps/client/src/app/pages/pricing/pricing-page.html 14 - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. - Для технікознавих інвесторів, які віддають перевагу запуску Ghostfolio на власній інфраструктурі. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + Для технікознавих інвесторів, які віддають перевагу запуску Ghostfolio на власній інфраструктурі. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -4944,8 +4944,8 @@ - For new investors who are just getting started with trading. - Для нових інвесторів, які тільки починають з торгівлі. + For new investors who are just getting started with trading. + Для нових інвесторів, які тільки починають з торгівлі. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -4964,8 +4964,8 @@ - For ambitious investors who need the full picture of their financial assets. - Для амбітних інвесторів, яким потрібна повна картина їхніх фінансових активів. + For ambitious investors who need the full picture of their financial assets. + Для амбітних інвесторів, яким потрібна повна картина їхніх фінансових активів. apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -4996,8 +4996,8 @@ - Hello, has shared a Portfolio with you! - Привіт, поділився з вами Портфелем! + Hello, has shared a Portfolio with you! + Привіт, поділився з вами Портфелем! apps/client/src/app/pages/public/public-page.html 5 @@ -5028,16 +5028,16 @@ - Would you like to refine your personal investment strategy? - Чи хотіли б ви удосконалити вашу особисту інвестиційну стратегію? + Would you like to refine your personal investment strategy? + Чи хотіли б ви удосконалити вашу особисту інвестиційну стратегію? apps/client/src/app/pages/public/public-page.html 213 - Ghostfolio empowers you to keep track of your wealth. - Ghostfolio надає можливість вам стежити за вашим багатством. + Ghostfolio empowers you to keep track of your wealth. + Ghostfolio надає можливість вам стежити за вашим багатством. apps/client/src/app/pages/public/public-page.html 217 @@ -5163,32 +5163,32 @@ - Discover Open Source Alternatives for Personal Finance Tools - Відкрийте для себе альтернативи з відкритим кодом для інструментів особистих фінансів + Discover Open Source Alternatives for Personal Finance Tools + Відкрийте для себе альтернативи з відкритим кодом для інструментів особистих фінансів apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. - Ця сторінка огляду містить добірку інструментів особистих фінансів, порівняних з відкритою альтернативою Ghostfolio. Якщо ви цінуєте прозорість, конфіденційність даних та співпрацю в спільноті, Ghostfolio надає чудову можливість взяти під контроль ваше фінансове управління. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + Ця сторінка огляду містить добірку інструментів особистих фінансів, порівняних з відкритою альтернативою Ghostfolio. Якщо ви цінуєте прозорість, конфіденційність даних та співпрацю в спільноті, Ghostfolio надає чудову можливість взяти під контроль ваше фінансове управління. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. - Ознайомтеся з посиланнями нижче, щоб порівняти різні інструменти особистих фінансів з Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Ознайомтеся з посиланнями нижче, щоб порівняти різні інструменти особистих фінансів з Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to - Відкрита альтернатива для + Open Source Alternative to + Відкрита альтернатива для apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -5403,32 +5403,32 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. - Ви шукаєте відкриту альтернативу для ? Ghostfolio є потужним інструментом управління портфелем, який надає індивідуумам комплексну платформу для відстеження, аналізу та оптимізації їхніх інвестицій. Незалежно від того, чи ви досвідчений інвестор, чи тільки починаєте, Ghostfolio пропонує зручний інтерфейс користувача та широкий спектр функціональностей для допомоги вам у прийнятті обґрунтованих рішень та взятті під контроль вашого фінансового майбутнього. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Ви шукаєте відкриту альтернативу для ? Ghostfolio є потужним інструментом управління портфелем, який надає індивідуумам комплексну платформу для відстеження, аналізу та оптимізації їхніх інвестицій. Незалежно від того, чи ви досвідчений інвестор, чи тільки починаєте, Ghostfolio пропонує зручний інтерфейс користувача та широкий спектр функціональностей для допомоги вам у прийнятті обґрунтованих рішень та взятті під контроль вашого фінансового майбутнього. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. - Ghostfolio є відкритим програмним забезпеченням (OSS), що надає економічно ефективну альтернативу для , роблячи його особливо підходящим для тих, хто обмежений у бюджеті, таких як прагнення до фінансової незалежності, раннього виходу на пенсію (FIRE). Використовуючи колективні зусилля спільноти розробників та ентузіастів особистих фінансів, Ghostfolio постійно покращує свої можливості, безпеку та користувацький досвід. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio є відкритим програмним забезпеченням (OSS), що надає економічно ефективну альтернативу для , роблячи його особливо підходящим для тих, хто обмежений у бюджеті, таких як прагнення до фінансової незалежності, раннього виходу на пенсію (FIRE). Використовуючи колективні зусилля спільноти розробників та ентузіастів особистих фінансів, Ghostfolio постійно покращує свої можливості, безпеку та користувацький досвід. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. - Давайте заглибимося у детальну порівняльну таблицю Ghostfolio проти нижче, щоб отримати повне розуміння того, як Ghostfolio позиціонує себе відносно . Ми дослідимо різні аспекти, такі як функції, конфіденційність даних, ціни тощо, що дозволить вам зробити добре обдуманий вибір для ваших особистих потреб. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Давайте заглибимося у детальну порівняльну таблицю Ghostfolio проти нижче, щоб отримати повне розуміння того, як Ghostfolio позиціонує себе відносно . Ми дослідимо різні аспекти, такі як функції, конфіденційність даних, ціни тощо, що дозволить вам зробити добре обдуманий вибір для ваших особистих потреб. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 - Ghostfolio vs comparison table - Порівняльна таблиця Ghostfolio проти + Ghostfolio vs comparison table + Порівняльна таблиця Ghostfolio проти apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -5467,8 +5467,8 @@ - Available in - Доступно в + Available in + Доступно в apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -5571,8 +5571,8 @@ - Self-Hosting - Самохостинг + Self-Hosting + Самохостинг apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 @@ -5603,8 +5603,8 @@ - Use anonymously - Використовувати анонімно + Use anonymously + Використовувати анонімно apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 @@ -5635,8 +5635,8 @@ - Free Plan - Безкоштовний план + Free Plan + Безкоштовний план apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -5695,24 +5695,24 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. - Зазначаємо, що інформація, надана в порівняльній таблиці Ghostfolio проти базується на нашому незалежному дослідженні та аналізі. Цей веб-сайт не пов’язаний з або будь-яким іншим продуктом, згаданим у порівнянні. Оскільки ландшафт інструментів особистих фінансів еволюціонує, важливо перевіряти будь-які конкретні деталі або зміни безпосередньо на сторінці відповідного продукту. Потрібно оновити дані? Допоможіть нам підтримувати точні дані на GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Зазначаємо, що інформація, надана в порівняльній таблиці Ghostfolio проти базується на нашому незалежному дослідженні та аналізі. Цей веб-сайт не пов’язаний з або будь-яким іншим продуктом, згаданим у порівнянні. Оскільки ландшафт інструментів особистих фінансів еволюціонує, важливо перевіряти будь-які конкретні деталі або зміни безпосередньо на сторінці відповідного продукту. Потрібно оновити дані? Допоможіть нам підтримувати точні дані на GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? - Готові підняти ваші інвестиції на наступний рівень? + Ready to take your investments to the next level? + Готові підняти ваші інвестиції на наступний рівень? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. - Легко відстежуйте, аналізуйте та візуалізуйте ваше багатство з Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Легко відстежуйте, аналізуйте та візуалізуйте ваше багатство з Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -5959,16 +5959,16 @@ - Reset Filters - Скинути фільтри + Reset Filters + Скинути фільтри libs/ui/src/lib/assistant/assistant.html 266 - Apply Filters - Застосувати фільтри + Apply Filters + Застосувати фільтри libs/ui/src/lib/assistant/assistant.html 276 @@ -6067,7 +6067,7 @@ Відсотки apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -6179,7 +6179,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -6211,7 +6211,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -6487,7 +6487,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -6611,7 +6611,7 @@ Капітал apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -7267,8 +7267,8 @@ - Terms of Service - Terms of Service + Terms of Service + Terms of Service apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7428,8 +7428,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - Calculations are based on delayed market data and may not be displayed in real-time. + Calculations are based on delayed market data and may not be displayed in real-time. + Calculations are based on delayed market data and may not be displayed in real-time. apps/client/src/app/components/home-market/home-market.html 44 @@ -7477,16 +7477,16 @@ - No emergency fund has been set up - No emergency fund has been set up + No emergency fund has been set up + No emergency fund has been set up apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - An emergency fund has been set up + An emergency fund has been set up + An emergency fund has been set up apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7501,40 +7501,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - Name + Name + Name libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - Quick Links + Quick Links + Quick Links libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - Asset Profiles + Asset Profiles + Asset Profiles libs/ui/src/lib/assistant/assistant.html 140 @@ -7573,16 +7573,16 @@ - Your net worth is managed by a single account - Your net worth is managed by a single account + Your net worth is managed by a single account + Your net worth is managed by a single account apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts - Your net worth is managed by ${accountsLength} accounts + Your net worth is managed by ${accountsLength} accounts + Your net worth is managed by ${accountsLength} accounts apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -7619,8 +7619,8 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. apps/client/src/app/components/admin-settings/admin-settings.component.html 16 @@ -7695,16 +7695,16 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -7719,24 +7719,24 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 43 - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 47 - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 51 @@ -7751,48 +7751,48 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 57 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 61 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 66 - Investment: Base Currency - Investment: Base Currency + Investment: Base Currency + Investment: Base Currency apps/client/src/app/pages/i18n/i18n-page.html 82 - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7807,16 +7807,16 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7852,8 +7852,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7896,7 +7896,7 @@ Manage Asset Profile apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7924,7 +7924,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7936,8 +7936,8 @@ - Asset Class Cluster Risks - Asset Class Cluster Risks + Asset Class Cluster Risks + Asset Class Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7952,8 +7952,8 @@ - Economic Market Cluster Risks - Economic Market Cluster Risks + Economic Market Cluster Risks + Economic Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7992,24 +7992,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - Regional Market Cluster Risks + Regional Market Cluster Risks + Regional Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8024,80 +8024,80 @@ - Developed Markets - Developed Markets + Developed Markets + Developed Markets apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - No accounts have been set up + No accounts have been set up + No accounts have been set up apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8112,56 +8112,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - Emerging Markets + Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8176,24 +8176,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8208,24 +8208,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8240,24 +8240,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.xlf b/apps/client/src/locales/messages.xlf index 04dcf83d5..913333c64 100644 --- a/apps/client/src/locales/messages.xlf +++ b/apps/client/src/locales/messages.xlf @@ -185,7 +185,7 @@ - Frequently Asked Questions (FAQ) + Frequently Asked Questions (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -268,7 +268,7 @@ Cash Balance apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -283,7 +283,7 @@ Platform apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -298,7 +298,7 @@ Cash Balances apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -671,7 +671,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -729,7 +729,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -818,11 +818,11 @@ Import apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -837,7 +837,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -852,7 +852,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -867,7 +867,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -886,7 +886,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -897,7 +897,7 @@ - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -1089,7 +1089,7 @@ - Add Platform + Add Platform apps/client/src/app/components/admin-platform/admin-platform.component.html 9 @@ -1158,7 +1158,7 @@ - Add Tag + Add Tag apps/client/src/app/components/admin-tag/admin-tag.component.html 9 @@ -1211,7 +1211,7 @@ - Last Request + Last Request apps/client/src/app/components/admin-users/admin-users.html 187 @@ -1249,7 +1249,7 @@ Portfolio apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -1276,7 +1276,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -1287,7 +1287,7 @@ - User + User apps/client/src/app/components/admin-users/admin-users.html 13 @@ -1323,7 +1323,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -1412,7 +1412,7 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -1496,7 +1496,7 @@ Security Token apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -1527,7 +1527,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -1539,7 +1539,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -1554,21 +1554,21 @@ Sign in with Internet Identity apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 Sign in with Google apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 Stay signed in apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -1589,7 +1589,7 @@ Fees apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -1661,7 +1661,7 @@ - Annualized Performance + Annualized Performance apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html 274 @@ -1671,28 +1671,28 @@ Please set the amount of your emergency fund. apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 Minimum Price apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 Maximum Price apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 Quantity apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1711,18 +1711,18 @@ Report Data Glitch apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 - Are you an ambitious investor who needs the full picture? + Are you an ambitious investor who needs the full picture? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 15 - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 18 @@ -1819,7 +1819,7 @@ - Get the tools to effectively manage your finances and refine your personal investment strategy. + Get the tools to effectively manage your finances and refine your personal investment strategy. apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html 48 @@ -1994,7 +1994,7 @@ - Protection for sensitive information like absolute performances and quantity values + Protection for sensitive information like absolute performances and quantity values apps/client/src/app/components/user-account-settings/user-account-settings.html 185 @@ -2065,7 +2065,7 @@ - Distraction-free experience for turbulent times + Distraction-free experience for turbulent times apps/client/src/app/components/user-account-settings/user-account-settings.html 203 @@ -2093,7 +2093,7 @@ - Sneak peek at upcoming functionality + Sneak peek at upcoming functionality apps/client/src/app/components/user-account-settings/user-account-settings.html 237 @@ -2136,7 +2136,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -2147,7 +2147,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -2162,7 +2162,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -2274,7 +2274,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -2353,7 +2353,7 @@ Market Data apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -2394,7 +2394,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -2565,7 +2565,7 @@ - Check out the numerous features of Ghostfolio to manage your wealth + Check out the numerous features of Ghostfolio to manage your wealth apps/client/src/app/pages/features/features-page.html 7 @@ -2593,7 +2593,7 @@ - Import and Export + Import and Export apps/client/src/app/pages/features/features-page.html 116 @@ -2663,7 +2663,7 @@ Holdings apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -2737,14 +2737,14 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. apps/client/src/app/pages/i18n/i18n-page.html 5 - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 apps/client/src/app/pages/i18n/i18n-page.html 10 @@ -2758,21 +2758,21 @@ - Manage your wealth like a boss + Manage your wealth like a boss apps/client/src/app/pages/landing/landing-page.html 6 - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. apps/client/src/app/pages/landing/landing-page.html 10 - Get Started + Get Started apps/client/src/app/pages/landing/landing-page.html 42 @@ -2827,14 +2827,14 @@ - Protect your assets. Refine your personal investment strategy. + Protect your assets. Refine your personal investment strategy. apps/client/src/app/pages/landing/landing-page.html 226 - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. apps/client/src/app/pages/landing/landing-page.html 230 @@ -2848,7 +2848,7 @@ - Get the full picture of your personal finances across multiple platforms. + Get the full picture of your personal finances across multiple platforms. apps/client/src/app/pages/landing/landing-page.html 243 @@ -2862,14 +2862,14 @@ - Use Ghostfolio anonymously and own your financial data. + Use Ghostfolio anonymously and own your financial data. apps/client/src/app/pages/landing/landing-page.html 254 - Benefit from continuous improvements through a strong community. + Benefit from continuous improvements through a strong community. apps/client/src/app/pages/landing/landing-page.html 264 @@ -2883,7 +2883,7 @@ - Ghostfolio is for you if you are... + Ghostfolio is for you if you are... apps/client/src/app/pages/landing/landing-page.html 274 @@ -2960,21 +2960,21 @@ - What our users are saying + What our users are saying apps/client/src/app/pages/landing/landing-page.html 328 - Members from around the globe are using Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium apps/client/src/app/pages/landing/landing-page.html 367 - How does Ghostfolio work? + How does Ghostfolio work? apps/client/src/app/pages/landing/landing-page.html 384 @@ -3002,28 +3002,28 @@ - Add any of your historical transactions + Add any of your historical transactions apps/client/src/app/pages/landing/landing-page.html 406 - Get valuable insights of your portfolio composition + Get valuable insights of your portfolio composition apps/client/src/app/pages/landing/landing-page.html 418 - Are you ready? + Are you ready? apps/client/src/app/pages/landing/landing-page.html 432 - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. apps/client/src/app/pages/open/open-page.html 7 @@ -3104,11 +3104,11 @@ Activities apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -3124,11 +3124,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -3225,7 +3225,7 @@ Import Activities apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3240,7 +3240,7 @@ Import Dividends apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3255,14 +3255,14 @@ Importing data... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 Import has been completed apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -3276,28 +3276,28 @@ Validating data... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 Select Holding apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 Select File apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 Holding apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3308,46 +3308,46 @@ Load Dividends apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 Choose or drop a file here apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 The following file formats are supported: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 Select Dividends apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 Select Activities apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 Back apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -3512,11 +3512,11 @@ Dividend apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3645,7 +3645,7 @@ - Holdings + Holdings libs/ui/src/lib/assistant/assistant.html 110 @@ -3690,21 +3690,21 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. apps/client/src/app/pages/pricing/pricing-page.html 7 - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. apps/client/src/app/pages/pricing/pricing-page.html 14 - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. apps/client/src/app/pages/pricing/pricing-page.html 26 @@ -3796,7 +3796,7 @@ - For new investors who are just getting started with trading. + For new investors who are just getting started with trading. apps/client/src/app/pages/pricing/pricing-page.html 116 @@ -3814,7 +3814,7 @@ - For ambitious investors who need the full picture of their financial assets. + For ambitious investors who need the full picture of their financial assets. apps/client/src/app/pages/pricing/pricing-page.html 187 @@ -3857,7 +3857,7 @@ - Hello, has shared a Portfolio with you! + Hello, has shared a Portfolio with you! apps/client/src/app/pages/public/public-page.html 5 @@ -3871,7 +3871,7 @@ - Ghostfolio empowers you to keep track of your wealth. + Ghostfolio empowers you to keep track of your wealth. apps/client/src/app/pages/public/public-page.html 217 @@ -3933,28 +3933,28 @@ - Discover Open Source Alternatives for Personal Finance Tools + Discover Open Source Alternatives for Personal Finance Tools apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 5 - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 9 - Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 17 - Open Source Alternative to + Open Source Alternative to apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html 43 @@ -3968,28 +3968,28 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 19 - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 33 - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 44 - Ghostfolio vs comparison table + Ghostfolio vs comparison table apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 55 @@ -4024,7 +4024,7 @@ - Available in + Available in apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 109 @@ -4101,21 +4101,21 @@ - Self-Hosting + Self-Hosting apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 171 - Use anonymously + Use anonymously apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 210 - Free Plan + Free Plan apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 249 @@ -4140,21 +4140,21 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 312 - Ready to take your investments to the next level? + Ready to take your investments to the next level? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 325 - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. apps/client/src/app/pages/resources/personal-finance-tools/product-page.html 329 @@ -4393,7 +4393,7 @@ Interest apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -4483,7 +4483,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -4514,7 +4514,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -4673,7 +4673,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -4778,7 +4778,7 @@ Equity apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -4957,7 +4957,7 @@ - If a translation is missing, kindly support us in extending it here. + If a translation is missing, kindly support us in extending it here. apps/client/src/app/components/user-account-settings/user-account-settings.html 59 @@ -5049,7 +5049,7 @@ - Absolute Net Performance + Absolute Net Performance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 193 @@ -5066,7 +5066,7 @@ Investment apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5086,21 +5086,21 @@ - Asset Performance + Asset Performance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 124 - Net Performance + Net Performance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 212 - Currency Performance + Currency Performance apps/client/src/app/pages/portfolio/analysis/analysis-page.html 170 @@ -5160,14 +5160,14 @@ - Reset Filters + Reset Filters libs/ui/src/lib/assistant/assistant.html 266 - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. apps/client/src/app/pages/portfolio/fire/fire-page.html 68 @@ -5196,7 +5196,7 @@ - Apply Filters + Apply Filters libs/ui/src/lib/assistant/assistant.html 276 @@ -5293,14 +5293,14 @@ Activity apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 Dividend Yield apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5399,7 +5399,7 @@ - Join now or check out the example account + Join now or check out the example account apps/client/src/app/pages/landing/landing-page.html 435 @@ -5462,7 +5462,7 @@ - Would you like to refine your personal investment strategy? + Would you like to refine your personal investment strategy? apps/client/src/app/pages/public/public-page.html 213 @@ -5912,11 +5912,11 @@ Performance with currency effect Performance apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 - Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -5933,7 +5933,7 @@ Change with currency effect Change apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6177,7 +6177,7 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6305,7 +6305,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -6632,7 +6632,7 @@ - Terms of Service + Terms of Service apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -6731,7 +6731,7 @@ - Calculations are based on delayed market data and may not be displayed in real-time. + Calculations are based on delayed market data and may not be displayed in real-time. apps/client/src/app/components/home-market/home-market.html 44 @@ -6768,7 +6768,7 @@ - Name + Name libs/ui/src/lib/benchmark/benchmark.component.html 12 @@ -6782,14 +6782,14 @@ - No emergency fund has been set up + No emergency fund has been set up apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up + An emergency fund has been set up apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -6803,28 +6803,28 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Quick Links + Quick Links libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles + Asset Profiles libs/ui/src/lib/assistant/assistant.html 140 @@ -6860,14 +6860,14 @@ - Your net worth is managed by a single account + Your net worth is managed by a single account apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts + Your net worth is managed by ${accountsLength} accounts apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -6909,7 +6909,7 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. apps/client/src/app/components/admin-settings/admin-settings.component.html 16 @@ -6969,14 +6969,14 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -6990,21 +6990,21 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 43 - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 47 - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 51 @@ -7018,42 +7018,42 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 57 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 61 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 66 - Investment: Base Currency + Investment: Base Currency apps/client/src/app/pages/i18n/i18n-page.html 82 - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7067,14 +7067,14 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7100,7 +7100,7 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7146,7 +7146,7 @@ Manage Asset Profile apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7171,7 +7171,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7189,7 +7189,7 @@ - Asset Class Cluster Risks + Asset Class Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 39 @@ -7203,7 +7203,7 @@ - Economic Market Cluster Risks + Economic Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 103 @@ -7238,91 +7238,91 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks + Regional Market Cluster Risks apps/client/src/app/pages/i18n/i18n-page.html 160 - Developed Markets + Developed Markets apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up + No accounts have been set up apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts + Your net worth is managed by 0 accounts apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -7336,49 +7336,49 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets + Emerging Markets apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -7392,21 +7392,21 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -7420,21 +7420,21 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -7448,21 +7448,21 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 230 diff --git a/apps/client/src/locales/messages.zh.xlf b/apps/client/src/locales/messages.zh.xlf index 17e1dde55..c27397700 100644 --- a/apps/client/src/locales/messages.zh.xlf +++ b/apps/client/src/locales/messages.zh.xlf @@ -196,8 +196,8 @@ - Frequently Asked Questions (FAQ) - 常见问题 (FAQ) + Frequently Asked Questions (FAQ) + 常见问题 (FAQ) apps/client/src/app/pages/faq/overview/faq-overview-page.html 5 @@ -288,7 +288,7 @@ 现金余额 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 46 + 45 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -304,7 +304,7 @@ 平台 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 91 + 90 apps/client/src/app/pages/accounts/create-or-update-account-dialog/create-or-update-account-dialog.html @@ -320,7 +320,7 @@ 现金余额 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 148 + 147 @@ -716,7 +716,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 114 + 113 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor-dialog/historical-market-data-editor-dialog.html @@ -780,7 +780,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 220 + 219 libs/ui/src/lib/holdings-table/holdings-table.component.html @@ -856,11 +856,11 @@ 导入 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 153 + 152 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 186 + 185 libs/ui/src/lib/historical-market-data-editor/historical-market-data-editor.component.html @@ -876,7 +876,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 269 + 268 @@ -892,7 +892,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 279 + 278 @@ -908,7 +908,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 285 + 284 apps/client/src/app/pages/public/public-page.html @@ -928,7 +928,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 297 + 296 @@ -940,8 +940,8 @@ - and we share aggregated key metrics of the platform’s performance - and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance + and we share aggregated key metrics of the platform’s performance apps/client/src/app/pages/about/overview/about-overview-page.html 30 @@ -1156,7 +1156,7 @@ - Add Platform + Add Platform 添加平台 apps/client/src/app/components/admin-platform/admin-platform.component.html @@ -1232,7 +1232,7 @@ - Add Tag + Add Tag 添加标签 apps/client/src/app/components/admin-tag/admin-tag.component.html @@ -1292,7 +1292,7 @@ - Last Request + Last Request 最后请求 apps/client/src/app/components/admin-users/admin-users.html @@ -1336,7 +1336,7 @@ 投资组合 apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 124 + 140 apps/client/src/app/components/header/header.component.html @@ -1364,7 +1364,7 @@ apps/client/src/app/components/benchmark-comparator/benchmark-comparator.component.ts - 136 + 152 @@ -1376,8 +1376,8 @@ - User - 用户 + User + 用户 apps/client/src/app/components/admin-users/admin-users.html 13 @@ -1416,7 +1416,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 72 + 68 libs/common/src/lib/routes/routes.ts @@ -1512,8 +1512,8 @@ - The source code is fully available as open source software (OSS) under the AGPL-3.0 license - The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license + The source code is fully available as open source software (OSS) under the AGPL-3.0 license apps/client/src/app/pages/about/overview/about-overview-page.html 15 @@ -1608,7 +1608,7 @@ 安全令牌 apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 11 + 7 apps/client/src/app/components/user-account-access/user-account-access.html @@ -1640,7 +1640,7 @@ apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 31 + 27 apps/client/src/app/pages/landing/landing-page.html @@ -1652,7 +1652,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 97 + 96 apps/client/src/app/pages/register/register-page.html @@ -1668,7 +1668,7 @@ 使用互联网身份登录 apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 41 + 37 @@ -1676,7 +1676,7 @@ 使用 Google 登录 apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 51 + 47 @@ -1684,7 +1684,7 @@ 保持登录 apps/client/src/app/components/login-with-access-token-dialog/login-with-access-token-dialog.html - 60 + 56 @@ -1708,7 +1708,7 @@ 费用 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 209 + 208 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -1788,7 +1788,7 @@ - Annualized Performance + Annualized Performance 年化业绩 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -1800,7 +1800,7 @@ 请输入您的应急基金金额。 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 71 + 75 @@ -1808,7 +1808,7 @@ 最低价格 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 131 + 130 @@ -1816,7 +1816,7 @@ 最高价格 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 148 + 147 @@ -1824,7 +1824,7 @@ 数量 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 158 + 157 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -1844,11 +1844,11 @@ 报告数据故障 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 452 + 451 - Are you an ambitious investor who needs the full picture? + Are you an ambitious investor who needs the full picture? 您是一位雄心勃勃、需要全面了解的投资者吗? apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html @@ -1856,7 +1856,7 @@ - Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: + Upgrade to Ghostfolio Premium today and gain access to exclusive features to enhance your investment experience: 立即升级至 Ghostfolio Premium 并获得独家功能,以增强您的投资体验: apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html @@ -1960,7 +1960,7 @@ - Get the tools to effectively manage your finances and refine your personal investment strategy. + Get the tools to effectively manage your finances and refine your personal investment strategy. 获取有效管理财务和完善个人投资策略的工具。 apps/client/src/app/components/subscription-interstitial-dialog/subscription-interstitial-dialog.html @@ -2156,7 +2156,7 @@ - Protection for sensitive information like absolute performances and quantity values + Protection for sensitive information like absolute performances and quantity values 保护绝对业绩、金额等敏感信息 apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -2236,7 +2236,7 @@ - Distraction-free experience for turbulent times + Distraction-free experience for turbulent times 动荡时期的无干扰体验 apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -2268,7 +2268,7 @@ - Sneak peek at upcoming functionality + Sneak peek at upcoming functionality 预览即将推出的功能 apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -2316,7 +2316,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 189 + 190 @@ -2328,7 +2328,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 187 + 188 @@ -2344,7 +2344,7 @@ apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 190 + 191 @@ -2464,7 +2464,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 376 + 375 apps/client/src/app/pages/accounts/accounts-page.html @@ -2552,7 +2552,7 @@ 市场数据 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 399 + 398 libs/common/src/lib/routes/routes.ts @@ -2596,7 +2596,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 48 + 47 apps/client/src/app/pages/admin/admin-page.component.ts @@ -2772,7 +2772,7 @@ - Check out the numerous features of Ghostfolio to manage your wealth + Check out the numerous features of Ghostfolio to manage your wealth 查看 Ghostfolio 的众多功能来管理您的财富 apps/client/src/app/pages/features/features-page.html @@ -2804,7 +2804,7 @@ - Import and Export + Import and Export 导入和导出 apps/client/src/app/pages/features/features-page.html @@ -2884,7 +2884,7 @@ 持仓 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 103 + 102 apps/client/src/app/components/home-holdings/home-holdings.html @@ -2960,7 +2960,7 @@ - Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. + Ghostfolio is a personal finance dashboard to keep track of your net worth including cash, stocks, ETFs and cryptocurrencies across multiple platforms. Ghostfolio 是一个个人财务仪表板,用于跨多个平台跟踪您的净资产,包括现金、股票、ETF 和加密货币。 apps/client/src/app/pages/i18n/i18n-page.html @@ -2968,7 +2968,7 @@ - app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 + app, asset, cryptocurrency, dashboard, etf, finance, management, performance, portfolio, software, stock, trading, wealth, web3 应用程序、资产、加密货币、仪表板、etf、财务、管理、绩效、投资组合、软件、股票、交易、财富、web3 apps/client/src/app/pages/i18n/i18n-page.html @@ -2984,7 +2984,7 @@ - Manage your wealth like a boss + Manage your wealth like a boss 像老板一样管理您的财富 apps/client/src/app/pages/landing/landing-page.html @@ -2992,7 +2992,7 @@ - Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. + Ghostfolio is a privacy-first, open source dashboard for your personal finances. Break down your asset allocation, know your net worth and make solid, data-driven investment decisions. Ghostfolio 是一个隐私优先、开源的个人财务仪表板。分解您的资产配置,了解您的净资产并做出可靠的、数据驱动的投资决策。 apps/client/src/app/pages/landing/landing-page.html @@ -3000,7 +3000,7 @@ - Get Started + Get Started 开始使用 apps/client/src/app/pages/landing/landing-page.html @@ -3060,7 +3060,7 @@ - Protect your assets. Refine your personal investment strategy. + Protect your assets. Refine your personal investment strategy. 保护你的资产。完善你的个人投资策略 apps/client/src/app/pages/landing/landing-page.html @@ -3068,7 +3068,7 @@ - Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. + Ghostfolio empowers busy people to keep track of stocks, ETFs or cryptocurrencies without being tracked. Ghostfolio 使忙碌的人们能够在不被追踪的情况下跟踪股票、ETF 或加密货币。 apps/client/src/app/pages/landing/landing-page.html @@ -3084,7 +3084,7 @@ - Get the full picture of your personal finances across multiple platforms. + Get the full picture of your personal finances across multiple platforms. 跨多个平台全面了解您的个人财务状况。 apps/client/src/app/pages/landing/landing-page.html @@ -3100,7 +3100,7 @@ - Use Ghostfolio anonymously and own your financial data. + Use Ghostfolio anonymously and own your financial data. 匿名使用 Ghostfolio 并拥有您的财务数据。 apps/client/src/app/pages/landing/landing-page.html @@ -3108,7 +3108,7 @@ - Benefit from continuous improvements through a strong community. + Benefit from continuous improvements through a strong community. 通过强大的社区不断改进,从中受益。 apps/client/src/app/pages/landing/landing-page.html @@ -3124,7 +3124,7 @@ - Ghostfolio is for you if you are... + Ghostfolio is for you if you are... 如果您符合以下条件,那么 Ghostfolio 适合您... apps/client/src/app/pages/landing/landing-page.html @@ -3212,7 +3212,7 @@ - What our users are saying + What our users are saying 听听我们的用户怎么说 apps/client/src/app/pages/landing/landing-page.html @@ -3220,7 +3220,7 @@ - Members from around the globe are using Ghostfolio Premium + Members from around the globe are using Ghostfolio Premium 来自世界各地的会员正在使用Ghostfolio 高级版 apps/client/src/app/pages/landing/landing-page.html @@ -3228,7 +3228,7 @@ - How does Ghostfolio work? + How does Ghostfolio work? Ghostfolio 如何工作? apps/client/src/app/pages/landing/landing-page.html @@ -3260,7 +3260,7 @@ - Add any of your historical transactions + Add any of your historical transactions 添加您的任何历史交易 apps/client/src/app/pages/landing/landing-page.html @@ -3268,7 +3268,7 @@ - Get valuable insights of your portfolio composition + Get valuable insights of your portfolio composition 获取有关您的投资组合构成的宝贵见解 apps/client/src/app/pages/landing/landing-page.html @@ -3276,7 +3276,7 @@ - Are you ready? + Are you ready? 准备好了吗? apps/client/src/app/pages/landing/landing-page.html @@ -3284,7 +3284,7 @@ - At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. + At Ghostfolio, transparency is at the core of our values. We publish the source code as open source software (OSS) under the AGPL-3.0 license and we openly share aggregated key metrics of the platform’s operational status. 在 Ghostfolio,透明度是我们价值观的核心。我们将源代码发布为开源软件(OSS)下AGPL-3.0许可证我们公开分享平台运营状态的汇总关键指标。 apps/client/src/app/pages/open/open-page.html @@ -3376,11 +3376,11 @@ 活动 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 87 + 86 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 116 + 115 apps/client/src/app/components/admin-market-data/asset-profile-dialog/asset-profile-dialog.html @@ -3396,11 +3396,11 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 232 + 231 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 343 + 342 apps/client/src/app/pages/portfolio/activities/activities-page.html @@ -3508,7 +3508,7 @@ 导入活动记录 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 87 + 88 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3524,7 +3524,7 @@ 导入股息 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 131 + 132 libs/ui/src/lib/activities-table/activities-table.component.html @@ -3540,7 +3540,7 @@ 正在导入数据... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 169 + 170 @@ -3548,7 +3548,7 @@ 导入已完成 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 179 + 180 @@ -3564,7 +3564,7 @@ 验证数据... apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.component.ts - 287 + 288 @@ -3572,7 +3572,7 @@ 选择持仓 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 20 + 19 @@ -3580,7 +3580,7 @@ 选择文件 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 22 + 21 @@ -3588,7 +3588,7 @@ 持仓 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 32 + 31 libs/ui/src/lib/assistant/assistant.html @@ -3600,7 +3600,7 @@ 加载股息 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 68 + 67 @@ -3608,7 +3608,7 @@ 在此处选择或放置文件 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 84 + 83 @@ -3616,7 +3616,7 @@ 支持以下文件格式: apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 90 + 89 @@ -3624,7 +3624,7 @@ 选择股息 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 113 + 112 @@ -3632,7 +3632,7 @@ 选择活动 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 115 + 114 @@ -3640,11 +3640,11 @@ 后退 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 144 + 143 apps/client/src/app/pages/portfolio/activities/import-activities-dialog/import-activities-dialog.html - 178 + 177 @@ -3828,11 +3828,11 @@ 股息 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 82 + 81 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 187 + 186 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -3976,8 +3976,8 @@ - Holdings - 持仓 + Holdings + 持仓 libs/ui/src/lib/assistant/assistant.html 110 @@ -4024,7 +4024,7 @@ - Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. + Our official Ghostfolio Premium cloud offering is the easiest way to get started. Due to the time it saves, this will be the best option for most people. Revenue is used to cover operational costs for the hosting infrastructure and professional data providers, and to fund ongoing development. 我们的官方 Ghostfolio Premium 云产品是最简单的入门方法。由于它节省了时间,这对于大多数人来说将是最佳选择。收入用于支付托管基础设施的成本和资助持续开发。 apps/client/src/app/pages/pricing/pricing-page.html @@ -4032,7 +4032,7 @@ - If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. + If you prefer to run Ghostfolio on your own infrastructure, please find the source code and further instructions on GitHub. 如果你希望在自己的基础设施上运行 Ghostfolio,请查看源代码和进一步的说明GitHub apps/client/src/app/pages/pricing/pricing-page.html @@ -4040,7 +4040,7 @@ - For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. + For tech-savvy investors who prefer to run Ghostfolio on their own infrastructure. 适合喜欢在自己的基础设施上运行 Ghostfolio 的精通技术的投资者。 apps/client/src/app/pages/pricing/pricing-page.html @@ -4140,7 +4140,7 @@ - For new investors who are just getting started with trading. + For new investors who are just getting started with trading. 适合刚开始交易的新投资者。 apps/client/src/app/pages/pricing/pricing-page.html @@ -4160,7 +4160,7 @@ - For ambitious investors who need the full picture of their financial assets. + For ambitious investors who need the full picture of their financial assets. 适合需要全面了解其金融资产的雄心勃勃的投资者。 apps/client/src/app/pages/pricing/pricing-page.html @@ -4208,7 +4208,7 @@ - Hello, has shared a Portfolio with you! + Hello, has shared a Portfolio with you! 你好,分享了一个投资组合给你! apps/client/src/app/pages/public/public-page.html @@ -4224,7 +4224,7 @@ - Ghostfolio empowers you to keep track of your wealth. + Ghostfolio empowers you to keep track of your wealth. Ghostfolio 使您能够跟踪您的财富。 apps/client/src/app/pages/public/public-page.html @@ -4293,7 +4293,7 @@ - Discover Open Source Alternatives for Personal Finance Tools + Discover Open Source Alternatives for Personal Finance Tools 发现个人理财工具的开源替代品 apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html @@ -4301,7 +4301,7 @@ - This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. + This overview page features a curated collection of personal finance tools compared to the open source alternative Ghostfolio. If you value transparency, data privacy, and community collaboration, Ghostfolio provides an excellent opportunity to take control of your financial management. 此概述页面包含与开源替代方案相比的精选个人理财工具集合Ghostfolio。如果您重视透明度、数据隐私和社区协作,Ghostfolio 提供了一个绝佳的机会来控制您的财务管理。 apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html @@ -4309,7 +4309,7 @@ - Explore the links below to compare a variety of personal finance tools with Ghostfolio. + Explore the links below to compare a variety of personal finance tools with Ghostfolio. 浏览下面的链接,将各种个人理财工具与 Ghostfolio 进行比较。 apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html @@ -4317,7 +4317,7 @@ - Open Source Alternative to + Open Source Alternative to 的开源替代品 apps/client/src/app/pages/resources/personal-finance-tools/personal-finance-tools-page.html @@ -4333,7 +4333,7 @@ - Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. + Are you looking for an open source alternative to ? Ghostfolio is a powerful portfolio management tool that provides individuals with a comprehensive platform to track, analyze, and optimize their investments. Whether you are an experienced investor or just starting out, Ghostfolio offers an intuitive user interface and a wide range of functionalities to help you make informed decisions and take control of your financial future. 您是否正在寻找开源替代方案幽灵作品集是一个强大的投资组合管理工具,为个人提供一个全面的平台来跟踪、分析和优化他们的投资。无论您是经验丰富的投资者还是刚刚起步的投资者,Ghostfolio 都提供直观的用户界面和广泛的功能帮助您做出明智的决定并掌控您的财务未来。 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4341,7 +4341,7 @@ - Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. + Ghostfolio is an open source software (OSS), providing a cost-effective alternative to making it particularly suitable for individuals on a tight budget, such as those pursuing Financial Independence, Retire Early (FIRE). By leveraging the collective efforts of a community of developers and personal finance enthusiasts, Ghostfolio continuously enhances its capabilities, security, and user experience. Ghostfolio 是一款开源软件 (OSS),提供了一种经济高效的替代方案使其特别适合预算紧张的个人,例如追求财务独立,提前退休(FIRE) 。通过利用开发者社区和个人理财爱好者的集体努力,Ghostfolio 不断增强其功能、安全性和用户体验。 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4349,7 +4349,7 @@ - Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. + Let’s dive deeper into the detailed Ghostfolio vs comparison table below to gain a thorough understanding of how Ghostfolio positions itself relative to . We will explore various aspects such as features, data privacy, pricing, and more, allowing you to make a well-informed choice for your personal requirements. 让我们更深入地了解 Ghostfolio 与下面的比较表可帮助您全面了解 Ghostfolio 相对于其他产品的定位。我们将探讨功能、数据隐私、定价等各个方面,让您根据个人需求做出明智的选择。 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4357,7 +4357,7 @@ - Ghostfolio vs comparison table + Ghostfolio vs comparison table Ghostfolio vs比较表 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4397,7 +4397,7 @@ - Available in + Available in 可用于 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4477,7 +4477,7 @@ - Self-Hosting + Self-Hosting 自托管 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4485,7 +4485,7 @@ - Use anonymously + Use anonymously 匿名使用 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4493,7 +4493,7 @@ - Free Plan + Free Plan 免费计划 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4521,7 +4521,7 @@ - Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. + Please note that the information provided in the Ghostfolio vs comparison table is based on our independent research and analysis. This website is not affiliated with or any other product mentioned in the comparison. As the landscape of personal finance tools evolves, it is essential to verify any specific details or changes directly from the respective product page. Data needs a refresh? Help us maintain accurate data on GitHub. 请注意,在 Ghostfolio 与的比较表中提供的信息基于我们的独立研究和分析。该网站不隶属于或比较中提到的任何其他产品。随着个人理财工具格局的不断发展,直接从相应的产品页面验证任何具体的细节或变化至关重要。数据需要刷新吗?帮助我们在GitHub 上维护准确的数据。 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4529,7 +4529,7 @@ - Ready to take your investments to the next level? + Ready to take your investments to the next level? 准备好将您的投资提升到新的高度了吗? apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4537,7 +4537,7 @@ - Effortlessly track, analyze, and visualize your wealth with Ghostfolio. + Effortlessly track, analyze, and visualize your wealth with Ghostfolio. 使用 Ghostfolio 轻松跟踪、分析和可视化您的财富。 apps/client/src/app/pages/resources/personal-finance-tools/product-page.html @@ -4805,7 +4805,7 @@ 利息 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 70 + 69 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -4901,7 +4901,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 243 + 242 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -4933,7 +4933,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 252 + 251 apps/client/src/app/pages/portfolio/activities/create-or-update-activity-dialog/create-or-update-activity-dialog.html @@ -5109,7 +5109,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 316 + 315 libs/ui/src/lib/i18n.ts @@ -5225,7 +5225,7 @@ 股权 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.html - 58 + 57 libs/ui/src/lib/i18n.ts @@ -5425,7 +5425,7 @@ - If a translation is missing, kindly support us in extending it here. + If a translation is missing, kindly support us in extending it here. 如果翻译缺失,欢迎在这里进行扩展。 apps/client/src/app/components/user-account-settings/user-account-settings.html @@ -5529,7 +5529,7 @@ - Absolute Net Performance + Absolute Net Performance 绝对净回报 apps/client/src/app/pages/portfolio/analysis/analysis-page.html @@ -5549,7 +5549,7 @@ 投资 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 172 + 171 apps/client/src/app/components/portfolio-summary/portfolio-summary.component.html @@ -5569,7 +5569,7 @@ - Asset Performance + Asset Performance 资产回报 apps/client/src/app/pages/portfolio/analysis/analysis-page.html @@ -5577,7 +5577,7 @@ - Net Performance + Net Performance 净回报 apps/client/src/app/pages/portfolio/analysis/analysis-page.html @@ -5585,7 +5585,7 @@ - Currency Performance + Currency Performance 货币表现 apps/client/src/app/pages/portfolio/analysis/analysis-page.html @@ -5653,7 +5653,7 @@ - Reset Filters + Reset Filters 重置过滤器 libs/ui/src/lib/assistant/assistant.html @@ -5661,7 +5661,7 @@ - If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. + If you retire today, you would be able to withdraw per year or per month, based on your total assets of and a withdrawal rate of 4%. 如果你今天退休,你可以领取每年或者每月,根据您的总资产提款率为4%。 apps/client/src/app/pages/portfolio/fire/fire-page.html @@ -5693,7 +5693,7 @@ - Apply Filters + Apply Filters 应用过滤器 libs/ui/src/lib/assistant/assistant.html @@ -5802,7 +5802,7 @@ 活动 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 230 + 229 @@ -5810,7 +5810,7 @@ 股息收益率 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 197 + 196 @@ -5922,8 +5922,8 @@ - Join now or check out the example account - 立即加入 或查看示例账户 + Join now or check out the example account + 立即加入 或查看示例账户 apps/client/src/app/pages/landing/landing-page.html 435 @@ -5994,8 +5994,8 @@ - Would you like to refine your personal investment strategy? - 您想 优化 您的 个人投资策略吗? + Would you like to refine your personal investment strategy? + 您想 优化 您的 个人投资策略吗? apps/client/src/app/pages/public/public-page.html 213 @@ -6446,8 +6446,8 @@ - Accounts - Accounts + Accounts + Accounts libs/ui/src/lib/assistant/assistant.html 84 @@ -6474,7 +6474,7 @@ 含货币影响的涨跌 涨跌 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 64 + 63 @@ -6482,7 +6482,7 @@ 含货币影响的表现 表现 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 84 + 83 @@ -6776,8 +6776,8 @@ - Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. - Ghostfolio X-ray 使用静态分析来发现您投资组合中的潜在问题和风险。调整以下规则并设置自定义阈值,使其与您的个人投资策略保持一致。 + Ghostfolio X-ray uses static analysis to uncover potential issues and risks in your portfolio. Adjust the rules below and set custom thresholds to align with your personal investment strategy. + Ghostfolio X-ray 使用静态分析来发现您投资组合中的潜在问题和风险。调整以下规则并设置自定义阈值,使其与您的个人投资策略保持一致。 apps/client/src/app/pages/portfolio/x-ray/x-ray-page.component.html 6 @@ -6928,7 +6928,7 @@ apps/client/src/app/components/portfolio-summary/portfolio-summary.component.ts - 69 + 73 apps/client/src/app/components/rule/rule-settings-dialog/rule-settings-dialog.html @@ -7268,8 +7268,8 @@ - Terms of Service - 服务条款 + Terms of Service + 服务条款 apps/client/src/app/pages/about/terms-of-service/terms-of-service-page.html 5 @@ -7429,8 +7429,8 @@ - Calculations are based on delayed market data and may not be displayed in real-time. - 计算基于延迟的市场数据,可能无法实时显示。 + Calculations are based on delayed market data and may not be displayed in real-time. + 计算基于延迟的市场数据,可能无法实时显示。 apps/client/src/app/components/home-market/home-market.html 44 @@ -7478,16 +7478,16 @@ - No emergency fund has been set up - 未设置应急资金 + No emergency fund has been set up + 未设置应急资金 apps/client/src/app/pages/i18n/i18n-page.html 144 - An emergency fund has been set up - 已设置应急资金 + An emergency fund has been set up + 已设置应急资金 apps/client/src/app/pages/i18n/i18n-page.html 147 @@ -7502,40 +7502,40 @@ - The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - 费用超过了您初始投资的 ${thresholdMax}% (${feeRatio}%) + The fees do exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + 费用超过了您初始投资的 ${thresholdMax}% (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 151 - The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) - 费用未超过您初始投资的 ${thresholdMax}% (${feeRatio}%) + The fees do not exceed ${thresholdMax}% of your initial investment (${feeRatio}%) + 费用未超过您初始投资的 ${thresholdMax}% (${feeRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 155 - Name - 名称 + Name + 名称 libs/ui/src/lib/benchmark/benchmark.component.html 12 - Quick Links - 快速链接 + Quick Links + 快速链接 libs/ui/src/lib/assistant/assistant.html 58 - Asset Profiles - 资产概况 + Asset Profiles + 资产概况 libs/ui/src/lib/assistant/assistant.html 140 @@ -7574,16 +7574,16 @@ - Your net worth is managed by a single account - 您的净资产由单一账户管理 + Your net worth is managed by a single account + 您的净资产由单一账户管理 apps/client/src/app/pages/i18n/i18n-page.html 30 - Your net worth is managed by ${accountsLength} accounts - 您的净资产由 ${accountsLength} 个账户管理 + Your net worth is managed by ${accountsLength} accounts + 您的净资产由 ${accountsLength} 个账户管理 apps/client/src/app/pages/i18n/i18n-page.html 36 @@ -7620,8 +7620,8 @@ - Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. - 使用 强大的数据提供商为您的 自托管 Ghostfolio 提供数据,访问来自全球超过 50 家交易所80,000+ 个股票代码 + Fuel your self-hosted Ghostfolio with a powerful data provider to access 80,000+ tickers from over 50 exchanges worldwide. + 使用 强大的数据提供商为您的 自托管 Ghostfolio 提供数据,访问来自全球超过 50 家交易所80,000+ 个股票代码 apps/client/src/app/components/admin-settings/admin-settings.component.html 16 @@ -7653,7 +7653,7 @@ Get extra - 获取额外 + 获取额外 apps/client/src/app/pages/pricing/pricing-page.html 314 @@ -7696,16 +7696,16 @@ - Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) - 您当前投资中有超过 ${thresholdMax}% 的资金在 ${maxAccountName} (${maxInvestmentRatio}%) + Over ${thresholdMax}% of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) + 您当前投资中有超过 ${thresholdMax}% 的资金在 ${maxAccountName} (${maxInvestmentRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 17 - The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% - 您的当前投资大部分位于 ${maxAccountName} (${maxInvestmentRatio}%) 且不超过 ${thresholdMax}% + The major part of your current investment is at ${maxAccountName} (${maxInvestmentRatio}%) and does not exceed ${thresholdMax}% + 您的当前投资大部分位于 ${maxAccountName} (${maxInvestmentRatio}%) 且不超过 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 24 @@ -7720,24 +7720,24 @@ - The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% - 您目前投资中股权占比 (${equityValueRatio}%) 超过了 ${thresholdMax}% + The equity contribution of your current investment (${equityValueRatio}%) exceeds ${thresholdMax}% + 您目前投资中股权占比 (${equityValueRatio}%) 超过了 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 43 - The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% - 您目前投资中股权占比 (${equityValueRatio}%) 低于 ${thresholdMin}% + The equity contribution of your current investment (${equityValueRatio}%) is below ${thresholdMin}% + 您目前投资中股权占比 (${equityValueRatio}%) 低于 ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 47 - The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - 您目前投资中股权占比 (${equityValueRatio}%) 在 ${thresholdMin}% 和 ${thresholdMax}% 之间 + The equity contribution of your current investment (${equityValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + 您目前投资中股权占比 (${equityValueRatio}%) 在 ${thresholdMin}% 和 ${thresholdMax}% 之间 apps/client/src/app/pages/i18n/i18n-page.html 51 @@ -7752,48 +7752,48 @@ - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% - 您目前投资中固定收益占比 (${fixedIncomeValueRatio}%) 超过了 ${thresholdMax}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) exceeds ${thresholdMax}% + 您目前投资中固定收益占比 (${fixedIncomeValueRatio}%) 超过了 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 57 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% - 您目前投资中固定收益占比 (${fixedIncomeValueRatio}%) 低于 ${thresholdMin}% + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is below ${thresholdMin}% + 您目前投资中固定收益占比 (${fixedIncomeValueRatio}%) 低于 ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 61 - The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - 您目前投资中固定收益占比 (${fixedIncomeValueRatio}%) 在 ${thresholdMin}% 和 ${thresholdMax}% 之间 + The fixed income contribution of your current investment (${fixedIncomeValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + 您目前投资中固定收益占比 (${fixedIncomeValueRatio}%) 在 ${thresholdMin}% 和 ${thresholdMax}% 之间 apps/client/src/app/pages/i18n/i18n-page.html 66 - Investment: Base Currency - 投资:基础货币 + Investment: Base Currency + 投资:基础货币 apps/client/src/app/pages/i18n/i18n-page.html 82 - The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - 您的当前投资的主要部分未以您的基础货币计价 ( ${baseCurrency} 仅占 ${baseCurrencyValueRatio}%) + The major part of your current investment is not in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + 您的当前投资的主要部分未以您的基础货币计价 ( ${baseCurrency} 仅占 ${baseCurrencyValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 85 - The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) - 您的当前投资的主要部分以您的基础货币计价(其中 ${baseCurrency} 占比 ${baseCurrencyValueRatio}%) + The major part of your current investment is in your base currency (${baseCurrencyValueRatio}% in ${baseCurrency}) + 您的当前投资的主要部分以您的基础货币计价(其中 ${baseCurrency} 占比 ${baseCurrencyValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 89 @@ -7808,16 +7808,16 @@ - Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) - 超过 ${thresholdMax}% 的当前投资在 ${currency} 中(占比 ${maxValueRatio}%) + Over ${thresholdMax}% of your current investment is in ${currency} (${maxValueRatio}%) + 超过 ${thresholdMax}% 的当前投资在 ${currency} 中(占比 ${maxValueRatio}%) apps/client/src/app/pages/i18n/i18n-page.html 94 - The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% - 您的当前投资的主要部分以 ${currency} 计价(占比 ${maxValueRatio}%),并且未超过 ${thresholdMax}% + The major part of your current investment is in ${currency} (${maxValueRatio}%) and does not exceed ${thresholdMax}% + 您的当前投资的主要部分以 ${currency} 计价(占比 ${maxValueRatio}%),并且未超过 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 98 @@ -7853,8 +7853,8 @@ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ - If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ + If you encounter a bug, would like to suggest an improvement or a new feature, please join the Ghostfolio Slack community, post to @ghostfolio_ apps/client/src/app/pages/about/overview/about-overview-page.html 67 @@ -7897,7 +7897,7 @@ 管理资产概况 apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 443 + 442 @@ -7925,7 +7925,7 @@ apps/client/src/app/components/holding-detail-dialog/holding-detail-dialog.html - 102 + 101 @@ -7937,7 +7937,7 @@ - Asset Class Cluster Risks + Asset Class Cluster Risks 资产类别集群风险 apps/client/src/app/pages/i18n/i18n-page.html @@ -7953,7 +7953,7 @@ - Economic Market Cluster Risks + Economic Market Cluster Risks 经济市场集群风险 apps/client/src/app/pages/i18n/i18n-page.html @@ -7993,24 +7993,24 @@ - Your buying power is below ${thresholdMin} ${baseCurrency} - Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} + Your buying power is below ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 73 - Your buying power exceeds ${thresholdMin} ${baseCurrency} - Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} + Your buying power exceeds ${thresholdMin} ${baseCurrency} apps/client/src/app/pages/i18n/i18n-page.html 77 - Regional Market Cluster Risks - 区域市场集群风险 + Regional Market Cluster Risks + 区域市场集群风险 apps/client/src/app/pages/i18n/i18n-page.html 160 @@ -8025,80 +8025,80 @@ - Developed Markets - 发达市场 + Developed Markets + 发达市场 apps/client/src/app/pages/i18n/i18n-page.html 106 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% - 发达市场对您的当前投资 (${developedMarketsValueRatio}%) 的贡献超过了 ${thresholdMax}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) exceeds ${thresholdMax}% + 发达市场对您的当前投资 (${developedMarketsValueRatio}%) 的贡献超过了 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 109 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% - 发达市场对您的当前投资 (${developedMarketsValueRatio}%) 的贡献低于 ${thresholdMin}% + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is below ${thresholdMin}% + 发达市场对您的当前投资 (${developedMarketsValueRatio}%) 的贡献低于 ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 114 - The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - 发达市场对您的当前投资 (${developedMarketsValueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 + The developed markets contribution of your current investment (${developedMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + 发达市场对您的当前投资 (${developedMarketsValueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 apps/client/src/app/pages/i18n/i18n-page.html 119 - Emerging Markets - 新兴市场 + Emerging Markets + 新兴市场 apps/client/src/app/pages/i18n/i18n-page.html 124 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% - 新兴市场对您的当前投资 (${emergingMarketsValueRatio}%) 的贡献超过了 ${thresholdMax}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) exceeds ${thresholdMax}% + 新兴市场对您的当前投资 (${emergingMarketsValueRatio}%) 的贡献超过了 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 127 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% - 新兴市场对您的当前投资 (${emergingMarketsValueRatio}%) 的贡献低于 ${thresholdMin}% + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is below ${thresholdMin}% + 新兴市场对您的当前投资 (${emergingMarketsValueRatio}%) 的贡献低于 ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 132 - The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - 新兴市场对您的当前投资 (${emergingMarketsValueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 + The emerging markets contribution of your current investment (${emergingMarketsValueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + 新兴市场对您的当前投资 (${emergingMarketsValueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 apps/client/src/app/pages/i18n/i18n-page.html 137 - No accounts have been set up - 未设置任何帐户 + No accounts have been set up + 未设置任何帐户 apps/client/src/app/pages/i18n/i18n-page.html 21 - Your net worth is managed by 0 accounts - 您的净资产由 0 个帐户管理 + Your net worth is managed by 0 accounts + 您的净资产由 0 个帐户管理 apps/client/src/app/pages/i18n/i18n-page.html 33 @@ -8113,56 +8113,56 @@ - The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - 亚太地区对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + 亚太地区对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 164 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - 亚太地区对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + 亚太地区对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 168 - The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - 亚太地区对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 + The Asia-Pacific market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + 亚太地区对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 apps/client/src/app/pages/i18n/i18n-page.html 172 - Emerging Markets - 新兴市场 + Emerging Markets + 新兴市场 apps/client/src/app/pages/i18n/i18n-page.html 177 - The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - 新兴市场对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% + The Emerging Markets contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + 新兴市场对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 180 - The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - 新兴市场对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% + The Emerging Markets contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + 新兴市场对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 184 - The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - 新兴市场对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 + The Emerging Markets contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + 新兴市场对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 apps/client/src/app/pages/i18n/i18n-page.html 188 @@ -8177,24 +8177,24 @@ - The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - 欧洲市场对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% + The Europe market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + 欧洲市场对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 194 - The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - 欧洲市场对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% + The Europe market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + 欧洲市场对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 198 - The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - 欧洲市场对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 + The Europe market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + 欧洲市场对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 apps/client/src/app/pages/i18n/i18n-page.html 202 @@ -8209,24 +8209,24 @@ - The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - 日本市场对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% + The Japan market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + 日本市场对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 208 - The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - 日本市场对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% + The Japan market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + 日本市场对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 212 - The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - 日本市场对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 + The Japan market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + 日本市场对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 apps/client/src/app/pages/i18n/i18n-page.html 216 @@ -8241,24 +8241,24 @@ - The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% - 北美市场对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% + The North America market contribution of your current investment (${valueRatio}%) exceeds ${thresholdMax}% + 北美市场对您的当前投资 (${valueRatio}%) 的贡献超过了 ${thresholdMax}% apps/client/src/app/pages/i18n/i18n-page.html 222 - The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% - 北美市场对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% + The North America market contribution of your current investment (${valueRatio}%) is below ${thresholdMin}% + 北美市场对您的当前投资 (${valueRatio}%) 的贡献低于 ${thresholdMin}% apps/client/src/app/pages/i18n/i18n-page.html 226 - The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% - 北美市场对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 + The North America market contribution of your current investment (${valueRatio}%) is within the range of ${thresholdMin}% and ${thresholdMax}% + 北美市场对您的当前投资 (${valueRatio}%) 的贡献在 ${thresholdMin}% 和 ${thresholdMax}% 之间 apps/client/src/app/pages/i18n/i18n-page.html 230 From d7bcfe871f509530e39490ada9759594c8e5194a Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Wed, 3 Sep 2025 08:00:04 +0200 Subject: [PATCH 20/26] Bugfix/fix number of attempts in queue jobs view of admin control panel (#5447) * Fix number of attempts * Update changelog --- CHANGELOG.md | 4 ++++ apps/api/src/app/admin/queue/queue.service.ts | 2 +- 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8f8d6492b..46c447792 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -22,6 +22,10 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 - Upgraded `ngx-skeleton-loader` from version `11.2.1` to `11.3.0` - Upgraded `yahoo-finance2` from version `3.6.4` to `3.8.0` +### Fixed + +- Fixed the number of attempts in the queue jobs view of the admin control panel + ## 2.195.0 - 2025-08-29 ### Changed diff --git a/apps/api/src/app/admin/queue/queue.service.ts b/apps/api/src/app/admin/queue/queue.service.ts index b0058e81f..747c4d6fb 100644 --- a/apps/api/src/app/admin/queue/queue.service.ts +++ b/apps/api/src/app/admin/queue/queue.service.ts @@ -71,7 +71,7 @@ export class QueueService { .slice(0, limit) .map(async (job) => { return { - attemptsMade: job.attemptsMade + 1, + attemptsMade: job.attemptsMade, data: job.data, finishedOn: job.finishedOn, id: job.id, From e5baa1acd5286f0d74f17a4321ad4470d85bfcfc Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcin=20Szyma=C5=84ski?= Date: Thu, 4 Sep 2025 19:00:09 +0100 Subject: [PATCH 21/26] Bugfix/average price calculation for buy and sell activities of short positions (#5416) * Fix average price calculation for buy and sell activities of short positions * Update changelog --- CHANGELOG.md | 1 + .../calculator/portfolio-calculator.ts | 30 ++-- .../portfolio-calculator-btcusd-short.spec.ts | 132 ++++++++++++++++++ test/import/ok/btcusd-short.json | 42 ++++++ 4 files changed, 196 insertions(+), 9 deletions(-) create mode 100644 apps/api/src/app/portfolio/calculator/roai/portfolio-calculator-btcusd-short.spec.ts create mode 100644 test/import/ok/btcusd-short.json diff --git a/CHANGELOG.md b/CHANGELOG.md index 46c447792..20250acba 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -24,6 +24,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Fixed +- Fixed an issue in the average price calculation for buy and sell activities of short positions - Fixed the number of attempts in the queue jobs view of the admin control panel ## 2.195.0 - 2025-08-29 diff --git a/apps/api/src/app/portfolio/calculator/portfolio-calculator.ts b/apps/api/src/app/portfolio/calculator/portfolio-calculator.ts index 78323a332..e4d9cdfe8 100644 --- a/apps/api/src/app/portfolio/calculator/portfolio-calculator.ts +++ b/apps/api/src/app/portfolio/calculator/portfolio-calculator.ts @@ -927,13 +927,25 @@ export abstract class PortfolioCalculator { .plus(oldAccumulatedSymbol.quantity); if (type === 'BUY') { - investment = oldAccumulatedSymbol.investment.plus( - quantity.mul(unitPrice) - ); + if (oldAccumulatedSymbol.investment.gte(0)) { + investment = oldAccumulatedSymbol.investment.plus( + quantity.mul(unitPrice) + ); + } else { + investment = oldAccumulatedSymbol.investment.plus( + quantity.mul(oldAccumulatedSymbol.averagePrice) + ); + } } else if (type === 'SELL') { - investment = oldAccumulatedSymbol.investment.minus( - quantity.mul(oldAccumulatedSymbol.averagePrice) - ); + if (oldAccumulatedSymbol.investment.gt(0)) { + investment = oldAccumulatedSymbol.investment.minus( + quantity.mul(oldAccumulatedSymbol.averagePrice) + ); + } else { + investment = oldAccumulatedSymbol.investment.minus( + quantity.mul(unitPrice) + ); + } } currentTransactionPointItem = { @@ -942,9 +954,9 @@ export abstract class PortfolioCalculator { investment, skipErrors, symbol, - averagePrice: newQuantity.gt(0) - ? investment.div(newQuantity) - : new Big(0), + averagePrice: newQuantity.eq(0) + ? new Big(0) + : investment.div(newQuantity).abs(), dividend: new Big(0), fee: oldAccumulatedSymbol.fee.plus(fee), firstBuyDate: oldAccumulatedSymbol.firstBuyDate, diff --git a/apps/api/src/app/portfolio/calculator/roai/portfolio-calculator-btcusd-short.spec.ts b/apps/api/src/app/portfolio/calculator/roai/portfolio-calculator-btcusd-short.spec.ts new file mode 100644 index 000000000..ce1cf3681 --- /dev/null +++ b/apps/api/src/app/portfolio/calculator/roai/portfolio-calculator-btcusd-short.spec.ts @@ -0,0 +1,132 @@ +import { CreateOrderDto } from '@ghostfolio/api/app/order/create-order.dto'; +import { Activity } from '@ghostfolio/api/app/order/interfaces/activities.interface'; +import { + activityDummyData, + loadActivityExportFile, + symbolProfileDummyData, + userDummyData +} from '@ghostfolio/api/app/portfolio/calculator/portfolio-calculator-test-utils'; +import { PortfolioCalculatorFactory } from '@ghostfolio/api/app/portfolio/calculator/portfolio-calculator.factory'; +import { CurrentRateService } from '@ghostfolio/api/app/portfolio/current-rate.service'; +import { CurrentRateServiceMock } from '@ghostfolio/api/app/portfolio/current-rate.service.mock'; +import { RedisCacheService } from '@ghostfolio/api/app/redis-cache/redis-cache.service'; +import { RedisCacheServiceMock } from '@ghostfolio/api/app/redis-cache/redis-cache.service.mock'; +import { ConfigurationService } from '@ghostfolio/api/services/configuration/configuration.service'; +import { ExchangeRateDataService } from '@ghostfolio/api/services/exchange-rate-data/exchange-rate-data.service'; +import { PortfolioSnapshotService } from '@ghostfolio/api/services/queues/portfolio-snapshot/portfolio-snapshot.service'; +import { PortfolioSnapshotServiceMock } from '@ghostfolio/api/services/queues/portfolio-snapshot/portfolio-snapshot.service.mock'; +import { parseDate } from '@ghostfolio/common/helper'; +import { PerformanceCalculationType } from '@ghostfolio/common/types/performance-calculation-type.type'; + +import { Tag } from '@prisma/client'; +import { Big } from 'big.js'; +import { join } from 'path'; + +jest.mock('@ghostfolio/api/app/portfolio/current-rate.service', () => { + return { + // eslint-disable-next-line @typescript-eslint/naming-convention + CurrentRateService: jest.fn().mockImplementation(() => { + return CurrentRateServiceMock; + }) + }; +}); + +jest.mock( + '@ghostfolio/api/services/queues/portfolio-snapshot/portfolio-snapshot.service', + () => { + return { + // eslint-disable-next-line @typescript-eslint/naming-convention + PortfolioSnapshotService: jest.fn().mockImplementation(() => { + return PortfolioSnapshotServiceMock; + }) + }; + } +); + +jest.mock('@ghostfolio/api/app/redis-cache/redis-cache.service', () => { + return { + // eslint-disable-next-line @typescript-eslint/naming-convention + RedisCacheService: jest.fn().mockImplementation(() => { + return RedisCacheServiceMock; + }) + }; +}); + +describe('PortfolioCalculator', () => { + let activityDtos: CreateOrderDto[]; + + let configurationService: ConfigurationService; + let currentRateService: CurrentRateService; + let exchangeRateDataService: ExchangeRateDataService; + let portfolioCalculatorFactory: PortfolioCalculatorFactory; + let portfolioSnapshotService: PortfolioSnapshotService; + let redisCacheService: RedisCacheService; + + beforeAll(() => { + activityDtos = loadActivityExportFile( + join(__dirname, '../../../../../../../test/import/ok/btcusd-short.json') + ); + }); + + beforeEach(() => { + configurationService = new ConfigurationService(); + + currentRateService = new CurrentRateService(null, null, null, null); + + exchangeRateDataService = new ExchangeRateDataService( + null, + null, + null, + null + ); + + portfolioSnapshotService = new PortfolioSnapshotService(null); + + redisCacheService = new RedisCacheService(null, null); + + portfolioCalculatorFactory = new PortfolioCalculatorFactory( + configurationService, + currentRateService, + exchangeRateDataService, + portfolioSnapshotService, + redisCacheService + ); + }); + + describe('get current positions', () => { + it.only('with BTCUSD short sell (in USD)', async () => { + jest.useFakeTimers().setSystemTime(parseDate('2022-01-14').getTime()); + + const activities: Activity[] = activityDtos.map((activity) => ({ + ...activityDummyData, + ...activity, + date: parseDate(activity.date), + feeInAssetProfileCurrency: activity.fee, + SymbolProfile: { + ...symbolProfileDummyData, + currency: 'USD', + dataSource: activity.dataSource, + name: 'Bitcoin', + symbol: activity.symbol + }, + tags: activity.tags?.map((id) => { + return { id } as Tag; + }), + unitPriceInAssetProfileCurrency: activity.unitPrice + })); + + const portfolioCalculator = portfolioCalculatorFactory.createCalculator({ + activities, + calculationType: PerformanceCalculationType.ROAI, + currency: 'USD', + userId: userDummyData.id + }); + + const portfolioSnapshot = await portfolioCalculator.computeSnapshot(); + + expect(portfolioSnapshot.positions[0].averagePrice).toEqual( + Big(45647.95) + ); + }); + }); +}); diff --git a/test/import/ok/btcusd-short.json b/test/import/ok/btcusd-short.json new file mode 100644 index 000000000..bc4152de9 --- /dev/null +++ b/test/import/ok/btcusd-short.json @@ -0,0 +1,42 @@ +{ + "meta": { + "date": "2021-12-12T00:00:00.000Z", + "version": "dev" + }, + "accounts": [], + "platforms": [], + "tags": [], + "activities": [ + { + "accountId": null, + "comment": null, + "fee": 4.46, + "quantity": 1, + "type": "SELL", + "unitPrice": 44558.42, + "currency": "USD", + "dataSource": "YAHOO", + "date": "2021-12-12T00:00:00.000Z", + "symbol": "BTCUSD", + "tags": [] + }, + { + "accountId": null, + "comment": null, + "fee": 4.46, + "quantity": 1, + "type": "SELL", + "unitPrice": 46737.48, + "currency": "USD", + "dataSource": "YAHOO", + "date": "2021-12-13T00:00:00.000Z", + "symbol": "BTCUSD", + "tags": [] + } + ], + "user": { + "settings": { + "currency": "USD" + } + } +} From a25ec0c15a64ece5054f32de5c48f2fa17cb99c4 Mon Sep 17 00:00:00 2001 From: Akito Yamaguchi <113779946+akito0120@users.noreply.github.com> Date: Thu, 4 Sep 2025 20:01:41 +0200 Subject: [PATCH 22/26] Task/migrate account detail dialog to standalone (#5458) * Migrate account detail dialog to standalone * Update changelog --- CHANGELOG.md | 1 + .../account-detail-dialog.component.ts | 39 ++++++++++++++++--- .../account-detail-dialog.module.ts | 38 ------------------ .../pages/accounts/accounts-page.component.ts | 12 ++---- .../allocations/allocations-page.component.ts | 4 +- 5 files changed, 40 insertions(+), 54 deletions(-) delete mode 100644 apps/client/src/app/components/account-detail-dialog/account-detail-dialog.module.ts diff --git a/CHANGELOG.md b/CHANGELOG.md index 20250acba..f66a1875e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -12,6 +12,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 - Localized the content of the about page - Refactored the dialog footer component - Refactored the dialog header component +- Refactored the account detail dialog component to standalone - Refactored the benchmark comparator component to standalone - Refactored the portfolio summary component to standalone - Refactored the world map chart component to standalone diff --git a/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.component.ts b/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.component.ts index 2886910c4..954bcd27b 100644 --- a/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.component.ts +++ b/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.component.ts @@ -1,5 +1,8 @@ import { CreateAccountBalanceDto } from '@ghostfolio/api/app/account-balance/create-account-balance.dto'; import { Activity } from '@ghostfolio/api/app/order/interfaces/activities.interface'; +import { GfDialogFooterComponent } from '@ghostfolio/client/components/dialog-footer/dialog-footer.component'; +import { GfDialogHeaderComponent } from '@ghostfolio/client/components/dialog-header/dialog-header.component'; +import { GfInvestmentChartModule } from '@ghostfolio/client/components/investment-chart/investment-chart.module'; import { DataService } from '@ghostfolio/client/services/data.service'; import { UserService } from '@ghostfolio/client/services/user/user.service'; import { NUMERICAL_PRECISION_THRESHOLD_6_FIGURES } from '@ghostfolio/common/config'; @@ -13,7 +16,12 @@ import { import { hasPermission, permissions } from '@ghostfolio/common/permissions'; import { internalRoutes } from '@ghostfolio/common/routes/routes'; import { OrderWithAccount } from '@ghostfolio/common/types'; +import { GfAccountBalancesComponent } from '@ghostfolio/ui/account-balances'; +import { GfActivitiesTableComponent } from '@ghostfolio/ui/activities-table'; +import { GfHoldingsTableComponent } from '@ghostfolio/ui/holdings-table'; +import { GfValueComponent } from '@ghostfolio/ui/value'; +import { CommonModule } from '@angular/common'; import { ChangeDetectionStrategy, ChangeDetectorRef, @@ -22,10 +30,15 @@ import { OnDestroy, OnInit } from '@angular/core'; +import { CUSTOM_ELEMENTS_SCHEMA } from '@angular/core'; +import { MatButtonModule } from '@angular/material/button'; import { MAT_DIALOG_DATA, MatDialogRef } from '@angular/material/dialog'; +import { MatDialogModule } from '@angular/material/dialog'; import { Sort, SortDirection } from '@angular/material/sort'; import { MatTableDataSource } from '@angular/material/table'; +import { MatTabsModule } from '@angular/material/tabs'; import { Router } from '@angular/router'; +import { IonIcon } from '@ionic/angular/standalone'; import { Big } from 'big.js'; import { format, parseISO } from 'date-fns'; import { addIcons } from 'ionicons'; @@ -35,20 +48,36 @@ import { walletOutline } from 'ionicons/icons'; import { isNumber } from 'lodash'; +import { NgxSkeletonLoaderModule } from 'ngx-skeleton-loader'; import { forkJoin, Subject } from 'rxjs'; import { takeUntil } from 'rxjs/operators'; import { AccountDetailDialogParams } from './interfaces/interfaces'; @Component({ + changeDetection: ChangeDetectionStrategy.OnPush, host: { class: 'd-flex flex-column h-100' }, + imports: [ + CommonModule, + GfAccountBalancesComponent, + GfActivitiesTableComponent, + GfDialogFooterComponent, + GfDialogHeaderComponent, + GfHoldingsTableComponent, + GfInvestmentChartModule, + GfValueComponent, + IonIcon, + MatButtonModule, + MatDialogModule, + MatTabsModule, + NgxSkeletonLoaderModule + ], + schemas: [CUSTOM_ELEMENTS_SCHEMA], selector: 'gf-account-detail-dialog', - changeDetection: ChangeDetectionStrategy.OnPush, - templateUrl: 'account-detail-dialog.html', styleUrls: ['./account-detail-dialog.component.scss'], - standalone: false + templateUrl: 'account-detail-dialog.html' }) -export class AccountDetailDialog implements OnDestroy, OnInit { +export class GfAccountDetailDialogComponent implements OnDestroy, OnInit { public accountBalances: AccountBalancesResponse['balances']; public activities: OrderWithAccount[]; public balance: number; @@ -81,7 +110,7 @@ export class AccountDetailDialog implements OnDestroy, OnInit { private changeDetectorRef: ChangeDetectorRef, @Inject(MAT_DIALOG_DATA) public data: AccountDetailDialogParams, private dataService: DataService, - public dialogRef: MatDialogRef, + public dialogRef: MatDialogRef, private router: Router, private userService: UserService ) { diff --git a/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.module.ts b/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.module.ts deleted file mode 100644 index 537643ac2..000000000 --- a/apps/client/src/app/components/account-detail-dialog/account-detail-dialog.module.ts +++ /dev/null @@ -1,38 +0,0 @@ -import { GfDialogFooterComponent } from '@ghostfolio/client/components/dialog-footer/dialog-footer.component'; -import { GfDialogHeaderComponent } from '@ghostfolio/client/components/dialog-header/dialog-header.component'; -import { GfInvestmentChartModule } from '@ghostfolio/client/components/investment-chart/investment-chart.module'; -import { GfAccountBalancesComponent } from '@ghostfolio/ui/account-balances'; -import { GfActivitiesTableComponent } from '@ghostfolio/ui/activities-table'; -import { GfHoldingsTableComponent } from '@ghostfolio/ui/holdings-table'; -import { GfValueComponent } from '@ghostfolio/ui/value'; - -import { CommonModule } from '@angular/common'; -import { CUSTOM_ELEMENTS_SCHEMA, NgModule } from '@angular/core'; -import { MatButtonModule } from '@angular/material/button'; -import { MatDialogModule } from '@angular/material/dialog'; -import { MatTabsModule } from '@angular/material/tabs'; -import { IonIcon } from '@ionic/angular/standalone'; -import { NgxSkeletonLoaderModule } from 'ngx-skeleton-loader'; - -import { AccountDetailDialog } from './account-detail-dialog.component'; - -@NgModule({ - declarations: [AccountDetailDialog], - imports: [ - CommonModule, - GfAccountBalancesComponent, - GfActivitiesTableComponent, - GfDialogFooterComponent, - GfDialogHeaderComponent, - GfHoldingsTableComponent, - GfInvestmentChartModule, - GfValueComponent, - IonIcon, - MatButtonModule, - MatDialogModule, - MatTabsModule, - NgxSkeletonLoaderModule - ], - schemas: [CUSTOM_ELEMENTS_SCHEMA] -}) -export class GfAccountDetailDialogModule {} diff --git a/apps/client/src/app/pages/accounts/accounts-page.component.ts b/apps/client/src/app/pages/accounts/accounts-page.component.ts index f7030173d..f09901e45 100644 --- a/apps/client/src/app/pages/accounts/accounts-page.component.ts +++ b/apps/client/src/app/pages/accounts/accounts-page.component.ts @@ -1,8 +1,7 @@ import { CreateAccountDto } from '@ghostfolio/api/app/account/create-account.dto'; import { TransferBalanceDto } from '@ghostfolio/api/app/account/transfer-balance.dto'; import { UpdateAccountDto } from '@ghostfolio/api/app/account/update-account.dto'; -import { AccountDetailDialog } from '@ghostfolio/client/components/account-detail-dialog/account-detail-dialog.component'; -import { GfAccountDetailDialogModule } from '@ghostfolio/client/components/account-detail-dialog/account-detail-dialog.module'; +import { GfAccountDetailDialogComponent } from '@ghostfolio/client/components/account-detail-dialog/account-detail-dialog.component'; import { AccountDetailDialogParams } from '@ghostfolio/client/components/account-detail-dialog/interfaces/interfaces'; import { NotificationService } from '@ghostfolio/client/core/notification/notification.service'; import { DataService } from '@ghostfolio/client/services/data.service'; @@ -28,12 +27,7 @@ import { GfTransferBalanceDialogComponent } from './transfer-balance/transfer-ba @Component({ host: { class: 'has-fab page' }, - imports: [ - GfAccountDetailDialogModule, - GfAccountsTableComponent, - MatButtonModule, - RouterModule - ], + imports: [GfAccountsTableComponent, MatButtonModule, RouterModule], selector: 'gf-accounts-page', styleUrls: ['./accounts-page.scss'], templateUrl: './accounts-page.html' @@ -233,7 +227,7 @@ export class GfAccountsPageComponent implements OnDestroy, OnInit { } private openAccountDetailDialog(aAccountId: string) { - const dialogRef = this.dialog.open(AccountDetailDialog, { + const dialogRef = this.dialog.open(GfAccountDetailDialogComponent, { autoFocus: false, data: { accountId: aAccountId, diff --git a/apps/client/src/app/pages/portfolio/allocations/allocations-page.component.ts b/apps/client/src/app/pages/portfolio/allocations/allocations-page.component.ts index 27bf0036c..081e96b99 100644 --- a/apps/client/src/app/pages/portfolio/allocations/allocations-page.component.ts +++ b/apps/client/src/app/pages/portfolio/allocations/allocations-page.component.ts @@ -1,4 +1,4 @@ -import { AccountDetailDialog } from '@ghostfolio/client/components/account-detail-dialog/account-detail-dialog.component'; +import { GfAccountDetailDialogComponent } from '@ghostfolio/client/components/account-detail-dialog/account-detail-dialog.component'; import { AccountDetailDialogParams } from '@ghostfolio/client/components/account-detail-dialog/interfaces/interfaces'; import { GfWorldMapChartComponent } from '@ghostfolio/client/components/world-map-chart/world-map-chart.component'; import { DataService } from '@ghostfolio/client/services/data.service'; @@ -558,7 +558,7 @@ export class GfAllocationsPageComponent implements OnDestroy, OnInit { } private openAccountDetailDialog(aAccountId: string) { - const dialogRef = this.dialog.open(AccountDetailDialog, { + const dialogRef = this.dialog.open(GfAccountDetailDialogComponent, { autoFocus: false, data: { accountId: aAccountId, From 466f31fa28055e86390e071665ba2d7ed377aec4 Mon Sep 17 00:00:00 2001 From: Karel De Smet Date: Thu, 4 Sep 2025 20:13:11 +0200 Subject: [PATCH 23/26] Task/refactor public page component to standalone (#5459) * Refactor public page component to standalone * Update changelog --- CHANGELOG.md | 1 + apps/client/src/app/app-routing.module.ts | 4 +-- .../public/public-page-routing.module.ts | 20 ------------- .../app/pages/public/public-page.component.ts | 29 ++++++++++++++++--- .../app/pages/public/public-page.module.ts | 28 ------------------ .../app/pages/public/public-page.routes.ts | 13 +++++++++ 6 files changed, 40 insertions(+), 55 deletions(-) delete mode 100644 apps/client/src/app/pages/public/public-page-routing.module.ts delete mode 100644 apps/client/src/app/pages/public/public-page.module.ts create mode 100644 apps/client/src/app/pages/public/public-page.routes.ts diff --git a/CHANGELOG.md b/CHANGELOG.md index f66a1875e..8082e11f9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### Changed - Localized the content of the about page +- Refactored the public page to standalone - Refactored the dialog footer component - Refactored the dialog header component - Refactored the account detail dialog component to standalone diff --git a/apps/client/src/app/app-routing.module.ts b/apps/client/src/app/app-routing.module.ts index dae10fbf1..2d4f1b227 100644 --- a/apps/client/src/app/app-routing.module.ts +++ b/apps/client/src/app/app-routing.module.ts @@ -111,9 +111,7 @@ const routes: Routes = [ { path: publicRoutes.public.path, loadChildren: () => - import('./pages/public/public-page.module').then( - (m) => m.PublicPageModule - ) + import('./pages/public/public-page.routes').then((m) => m.routes) }, { path: publicRoutes.register.path, diff --git a/apps/client/src/app/pages/public/public-page-routing.module.ts b/apps/client/src/app/pages/public/public-page-routing.module.ts deleted file mode 100644 index 91fd95348..000000000 --- a/apps/client/src/app/pages/public/public-page-routing.module.ts +++ /dev/null @@ -1,20 +0,0 @@ -import { AuthGuard } from '@ghostfolio/client/core/auth.guard'; - -import { NgModule } from '@angular/core'; -import { RouterModule, Routes } from '@angular/router'; - -import { PublicPageComponent } from './public-page.component'; - -const routes: Routes = [ - { - canActivate: [AuthGuard], - component: PublicPageComponent, - path: ':id' - } -]; - -@NgModule({ - imports: [RouterModule.forChild(routes)], - exports: [RouterModule] -}) -export class PublicPageRoutingModule {} diff --git a/apps/client/src/app/pages/public/public-page.component.ts b/apps/client/src/app/pages/public/public-page.component.ts index 38a147081..8e709d3a9 100644 --- a/apps/client/src/app/pages/public/public-page.component.ts +++ b/apps/client/src/app/pages/public/public-page.component.ts @@ -1,3 +1,4 @@ +import { GfWorldMapChartComponent } from '@ghostfolio/client/components/world-map-chart/world-map-chart.component'; import { DataService } from '@ghostfolio/client/services/data.service'; import { UNKNOWN_KEY } from '@ghostfolio/common/config'; import { prettifySymbol } from '@ghostfolio/common/helper'; @@ -6,8 +7,19 @@ import { PublicPortfolioResponse } from '@ghostfolio/common/interfaces'; import { Market } from '@ghostfolio/common/types'; +import { GfHoldingsTableComponent } from '@ghostfolio/ui/holdings-table/holdings-table.component'; +import { GfPortfolioProportionChartComponent } from '@ghostfolio/ui/portfolio-proportion-chart/portfolio-proportion-chart.component'; +import { GfValueComponent } from '@ghostfolio/ui/value'; -import { ChangeDetectorRef, Component, OnInit } from '@angular/core'; +import { CommonModule } from '@angular/common'; +import { + ChangeDetectorRef, + Component, + CUSTOM_ELEMENTS_SCHEMA, + OnInit +} from '@angular/core'; +import { MatButtonModule } from '@angular/material/button'; +import { MatCardModule } from '@angular/material/card'; import { ActivatedRoute, Router } from '@angular/router'; import { AssetClass } from '@prisma/client'; import { StatusCodes } from 'http-status-codes'; @@ -18,12 +30,21 @@ import { catchError, takeUntil } from 'rxjs/operators'; @Component({ host: { class: 'page' }, + imports: [ + CommonModule, + GfHoldingsTableComponent, + GfPortfolioProportionChartComponent, + GfValueComponent, + GfWorldMapChartComponent, + MatButtonModule, + MatCardModule + ], + schemas: [CUSTOM_ELEMENTS_SCHEMA], selector: 'gf-public-page', styleUrls: ['./public-page.scss'], - templateUrl: './public-page.html', - standalone: false + templateUrl: './public-page.html' }) -export class PublicPageComponent implements OnInit { +export class GfPublicPageComponent implements OnInit { public continents: { [code: string]: { name: string; value: number }; }; diff --git a/apps/client/src/app/pages/public/public-page.module.ts b/apps/client/src/app/pages/public/public-page.module.ts deleted file mode 100644 index 95c0dc281..000000000 --- a/apps/client/src/app/pages/public/public-page.module.ts +++ /dev/null @@ -1,28 +0,0 @@ -import { GfWorldMapChartComponent } from '@ghostfolio/client/components/world-map-chart/world-map-chart.component'; -import { GfHoldingsTableComponent } from '@ghostfolio/ui/holdings-table'; -import { GfPortfolioProportionChartComponent } from '@ghostfolio/ui/portfolio-proportion-chart'; -import { GfValueComponent } from '@ghostfolio/ui/value'; - -import { CommonModule } from '@angular/common'; -import { CUSTOM_ELEMENTS_SCHEMA, NgModule } from '@angular/core'; -import { MatButtonModule } from '@angular/material/button'; -import { MatCardModule } from '@angular/material/card'; - -import { PublicPageRoutingModule } from './public-page-routing.module'; -import { PublicPageComponent } from './public-page.component'; - -@NgModule({ - declarations: [PublicPageComponent], - imports: [ - CommonModule, - GfHoldingsTableComponent, - GfPortfolioProportionChartComponent, - GfValueComponent, - GfWorldMapChartComponent, - MatButtonModule, - MatCardModule, - PublicPageRoutingModule - ], - schemas: [CUSTOM_ELEMENTS_SCHEMA] -}) -export class PublicPageModule {} diff --git a/apps/client/src/app/pages/public/public-page.routes.ts b/apps/client/src/app/pages/public/public-page.routes.ts new file mode 100644 index 000000000..444273137 --- /dev/null +++ b/apps/client/src/app/pages/public/public-page.routes.ts @@ -0,0 +1,13 @@ +import { AuthGuard } from '@ghostfolio/client/core/auth.guard'; + +import { Routes } from '@angular/router'; + +import { GfPublicPageComponent } from './public-page.component'; + +export const routes: Routes = [ + { + canActivate: [AuthGuard], + component: GfPublicPageComponent, + path: ':id' + } +]; From 8398599ae771ce0e6d7cd61346191bc69b2ce484 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Thu, 4 Sep 2025 20:16:26 +0200 Subject: [PATCH 24/26] Release 2.196.0 (#5463) --- CHANGELOG.md | 2 +- package-lock.json | 4 ++-- package.json | 2 +- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8082e11f9..f74ae59d5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -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/), and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). -## Unreleased +## 2.196.0 - 2025-09-04 ### Changed diff --git a/package-lock.json b/package-lock.json index bb0df3845..ec1e49f88 100644 --- a/package-lock.json +++ b/package-lock.json @@ -1,12 +1,12 @@ { "name": "ghostfolio", - "version": "2.195.0", + "version": "2.196.0", "lockfileVersion": 3, "requires": true, "packages": { "": { "name": "ghostfolio", - "version": "2.195.0", + "version": "2.196.0", "hasInstallScript": true, "license": "AGPL-3.0", "dependencies": { diff --git a/package.json b/package.json index 5cd232a44..82501f10f 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "ghostfolio", - "version": "2.195.0", + "version": "2.196.0", "homepage": "https://ghostfol.io", "license": "AGPL-3.0", "repository": "https://github.com/ghostfolio/ghostfolio", From 455325c3be9df8ac9c722d93c0c28d5ee89eb19c Mon Sep 17 00:00:00 2001 From: Kenrick Tandrian <60643640+KenTandrian@users.noreply.github.com> Date: Fri, 5 Sep 2025 22:23:09 +0700 Subject: [PATCH 25/26] Bugfix/data provider status component incorrectly shows "Available" on API Error (#5466) * Reorder map and catchError * Update changelog --- CHANGELOG.md | 6 ++++++ .../data-provider-status/data-provider-status.component.ts | 6 +++--- 2 files changed, 9 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f74ae59d5..293b6e116 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,12 @@ 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/), and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). +## Unreleased + +### Fixed + +- Fixed an issue related to the error handling in the data provider status component + ## 2.196.0 - 2025-09-04 ### Changed diff --git a/apps/client/src/app/components/data-provider-status/data-provider-status.component.ts b/apps/client/src/app/components/data-provider-status/data-provider-status.component.ts index 02cda1056..0f638961c 100644 --- a/apps/client/src/app/components/data-provider-status/data-provider-status.component.ts +++ b/apps/client/src/app/components/data-provider-status/data-provider-status.component.ts @@ -33,12 +33,12 @@ export class GfDataProviderStatusComponent implements OnDestroy, OnInit { this.status$ = this.dataService .fetchDataProviderHealth(this.dataSource) .pipe( - catchError(() => { - return of({ isHealthy: false }); - }), map(() => { return { isHealthy: true }; }), + catchError(() => { + return of({ isHealthy: false }); + }), takeUntil(this.unsubscribeSubject) ); } From 56dc10f1d16ad36677653d00bd2ffaf2cc8f6ec9 Mon Sep 17 00:00:00 2001 From: Thomas Kaul <4159106+dtslvr@users.noreply.github.com> Date: Fri, 5 Sep 2025 17:24:16 +0200 Subject: [PATCH 26/26] Bugfix/fix typo in changelog (#5465) * Fix typo --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 293b6e116..903b651e2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -23,7 +23,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 - Refactored the benchmark comparator component to standalone - Refactored the portfolio summary component to standalone - Refactored the world map chart component to standalone -- Enbabled the trim option in the `extract-i18n` configuration +- Enabled the trim option in the `extract-i18n` configuration - Improved the language localization for German (`de`) - Upgraded the _Stripe_ dependencies - Upgraded `ngx-device-detector` from version `10.0.2` to `10.1.0`