Merge branch 'develop' into v480

* develop: (21 commits)
  Update lock file
  Update change logs and config files.
  Enable norsk, update version of DB
  Various language string updates.
  Norwegian strings.
  Improve installer middleware for Sandstorm.
  Fix some issues with importer #2166
  Other delete thing.
  More debug things.
  Extra debug info for #2159 and some kernel changes.
  Extra debug info for #2159
  Fix #2173
  Rename class and add copyright statement @wrouesnel #2167
  Fix LDAP auth configuration paths.
  Fix some cache issues and a version bump.
  Updated file list.
  Updated list.
  New file list.
  Update composer file.
  Small fix in changelog.
  ...
This commit is contained in:
James Cole 2019-03-17 12:34:36 +01:00
commit 6bd2b4f288
67 changed files with 4405 additions and 908 deletions

View File

@ -7,3 +7,4 @@ nl_NL
pl_PL
pt_BR
ru_RU
nb_NO

View File

@ -1,3 +1,13 @@
# 4.7.17 (API 0.9.2)
- Support for Norwegian!
- Clear cache during install routine.
- Add Firefly III version number to install routine.
- Initial release.
- [Issue 2159](https://github.com/firefly-iii/firefly-iii/issues/2159) Bad redirect due to Laravel upgrade.
- [Issue 2166](https://github.com/firefly-iii/firefly-iii/issues/2166) Importer had some issues with distinguishing double transfers.
- [Issue 2167](https://github.com/firefly-iii/firefly-iii/issues/2167) New LDAP package gave some configuration changes.
- [Issue 2173](https://github.com/firefly-iii/firefly-iii/issues/2173) Missing class when generating 2FA codes.
# 4.7.16 (API 0.9.2)
- 4.7.16 was released to fix a persistent issue with broken user preferences.
- Firefly III now uses Laravel 5.8

File diff suppressed because it is too large Load Diff

View File

@ -15,8 +15,8 @@ const pkgdef :Spk.PackageDefinition = (
manifest = (
appTitle = (defaultText = "Firefly III"),
appVersion = 26,
appMarketingVersion = (defaultText = "4.7.16"),
appVersion = 27,
appMarketingVersion = (defaultText = "4.7.17"),
actions = [
# Define your "new document" handlers here.

View File

@ -24,6 +24,8 @@ sed -i 's/# pt_BR.UTF-8 UTF-8/pt_BR.UTF-8 UTF-8/g' /etc/locale.gen
sed -i 's/# ru_RU.UTF-8 UTF-8/ru_RU.UTF-8 UTF-8/g' /etc/locale.gen
sed -i 's/# zh_TW.UTF-8 UTF-8/zh_TW.UTF-8 UTF-8/g' /etc/locale.gen
sed -i 's/# zh_CN.UTF-8 UTF-8/zh_CN.UTF-8 UTF-8/g' /etc/locale.gen
sed -i 's/# nb_NO.UTF-8 UTF-8/nb_NO.UTF-8 UTF-8/g' /etc/locale.gen
dpkg-reconfigure --frontend=noninteractive locales

View File

@ -1,7 +1,7 @@
sudo: required
language: bash
env:
- VERSION=4.7.16
- VERSION=4.7.17
dist: xenial

View File

@ -147,8 +147,9 @@ class RecurrenceController extends Controller
*/
public function suggest(Request $request): JsonResponse
{
$string = $request->get('date') ?? date('Y-m-d');
$today = new Carbon;
$date = Carbon::createFromFormat('Y-m-d', $request->get('date'));
$date = Carbon::createFromFormat('Y-m-d', $string);
$preSelected = (string)$request->get('pre_select');
$result = [];
if ($date > $today || 'true' === (string)$request->get('past')) {

View File

@ -25,10 +25,13 @@ namespace FireflyIII\Http\Controllers\System;
use Artisan;
use Cache;
use Exception;
use FireflyIII\Http\Controllers\Controller;
use FireflyIII\Support\Facades\Preferences;
use FireflyIII\Support\Http\Controllers\GetConfigurationData;
use Illuminate\Http\JsonResponse;
use Illuminate\Support\Arr;
use Laravel\Passport\Passport;
use Log;
use phpseclib\Crypt\RSA;
@ -75,11 +78,17 @@ class InstallController extends Controller
Log::error($e->getMessage());
Log::error($e->getTraceAsString());
if (strpos($e->getMessage(), 'open_basedir restriction in effect')) {
Cache::clear();
return response()->json(['error' => true, 'message' => self::BASEDIR_ERROR]);
}
return response()->json(['error' => true, 'message' => self::OTHER_ERROR . ' ' . $e->getMessage()]);
}
// clear cache as well.
Cache::clear();
Preferences::mark();
return response()->json(['error' => false, 'message' => 'OK']);
}
@ -91,6 +100,9 @@ class InstallController extends Controller
*/
public function index()
{
// index will set FF3 version.
app('fireflyconfig')->set('ff3_version', (string)config('firefly.version'));
return view('install.index');
}
@ -118,8 +130,12 @@ class InstallController extends Controller
return response()->json(['error' => false, 'message' => 'OK']);
}
file_put_contents($publicKey, array_get($keys, 'publickey'));
file_put_contents($privateKey, array_get($keys, 'privatekey'));
file_put_contents($publicKey, Arr::get($keys, 'publickey'));
file_put_contents($privateKey, Arr::get($keys, 'privatekey'));
// clear cache as well.
Cache::clear();
Preferences::mark();
return response()->json(['error' => false, 'message' => 'OK']);
}
@ -148,6 +164,9 @@ class InstallController extends Controller
return response()->json(['error' => true, 'message' => self::OTHER_ERROR]);
}
// clear cache as well.
Cache::clear();
Preferences::mark();
return response()->json(['error' => false, 'message' => 'OK']);
@ -176,6 +195,10 @@ class InstallController extends Controller
return response()->json(['error' => true, 'message' => self::OTHER_ERROR . ' ' . $e->getMessage()]);
}
// clear cache as well.
Cache::clear();
Preferences::mark();
return response()->json(['error' => false, 'message' => 'OK']);
}
@ -204,6 +227,11 @@ class InstallController extends Controller
return response()->json(['error' => true, 'message' => self::OTHER_ERROR . ' ' . $e->getMessage()]);
}
// clear cache as well.
Cache::clear();
Preferences::mark();
return response()->json(['error' => false, 'message' => 'OK']);
}

View File

@ -221,6 +221,7 @@ class SingleController extends Controller
*/
public function delete(TransactionJournal $journal)
{
Log::debug(sprintf('Start of delete view for journal #%d', $journal->id));
// Covered by another controller's tests
// @codeCoverageIgnoreStart
if ($this->isOpeningBalance($journal)) {
@ -232,6 +233,7 @@ class SingleController extends Controller
$subTitle = (string)trans('firefly.delete_' . $what, ['description' => $journal->description]);
// put previous url in session
Log::debug('Will try to remember previous URI');
$this->rememberPreviousUri('transactions.delete.uri');
return view('transactions.single.delete', compact('journal', 'subTitle', 'what'));

View File

@ -184,7 +184,21 @@ class Kernel extends HttpKernel
'bindings',
],
];
/**
* The priority-sorted list of middleware.
*
* This forces non-global middleware to always be in the given order.
*
* @var array
*/
protected $middlewarePriority
= [
StartFireflySession::class,
ShareErrorsFromSession::class,
Authenticate::class,
Binder::class,
Authorize::class,
];
/**
* The application's route middleware.
*

View File

@ -54,9 +54,11 @@ class Installer
*/
public function handle($request, Closure $next)
{
// ignore installer in test environment.
if ('testing' === config('app.env')) {
return $next($request);
}
// don't run installer when already in installer.
$url = $request->url();
$strpos = stripos($url, '/install');
if (!(false === $strpos)) {
@ -64,37 +66,16 @@ class Installer
return $next($request);
}
// no tables present?
try {
DB::table('users')->count();
} catch (QueryException $e) {
$message = $e->getMessage();
Log::error('Access denied: ' . $message);
if ($this->isAccessDenied($message)) {
throw new FireflyException('It seems your database configuration is not correct. Please verify the username and password in your .env file.');
}
if ($this->noTablesExist($message)) {
// redirect to UpdateController
Log::warning('There are no Firefly III tables present. Redirect to migrate routine.');
return response()->redirectTo(route('installer.index'));
}
throw new FireflyException(sprintf('Could not access the database: %s', $message));
}
// older version in config than database?
$configVersion = (int)config('firefly.db_version');
$dbVersion = (int)app('fireflyconfig')->getFresh('db_version', 1)->data;
if ($configVersion > $dbVersion) {
Log::warning(
sprintf(
'The current installed version (%d) is older than the required version (%d). Redirect to migrate routine.', $dbVersion, $configVersion
)
);
// redirect to migrate routine:
// run installer when no tables are present,
// or when old scheme version
// or when old firefly version
if ($this->hasNoTables() || $this->oldDBVersion() || $this->oldVersion()) {
return response()->redirectTo(route('installer.index'));
}
// update scheme version
// update firefly version
return $next($request);
}
@ -122,4 +103,85 @@ class Installer
{
return !(false === stripos($message, 'Base table or view not found'));
}
/**
* Check if the tables are created and accounted for.
*
* @return bool
* @throws FireflyException
*/
private function hasNoTables(): bool
{
Log::debug('Now in routine hasNoTables()');
try {
DB::table('users')->count();
} catch (QueryException $e) {
$message = $e->getMessage();
Log::error(sprintf('Error message trying to access users-table: %s', $message));
if ($this->isAccessDenied($message)) {
throw new FireflyException('It seems your database configuration is not correct. Please verify the username and password in your .env file.');
}
if ($this->noTablesExist($message)) {
// redirect to UpdateController
Log::warning('There are no Firefly III tables present. Redirect to migrate routine.');
return true;
}
throw new FireflyException(sprintf('Could not access the database: %s', $message));
}
Log::debug('Everything seems OK with the tables.');
return false;
}
/**
* Check if the "db_version" variable is correct.
*
* @return bool
*/
private function oldDBVersion(): bool
{
// older version in config than database?
$configVersion = (int)config('firefly.db_version');
$dbVersion = (int)app('fireflyconfig')->getFresh('db_version', 1)->data;
if ($configVersion > $dbVersion) {
Log::warning(
sprintf(
'The current configured version (%d) is older than the required version (%d). Redirect to migrate routine.', $dbVersion, $configVersion
)
);
return true;
}
Log::info(sprintf('Configured DB version (%d) equals expected DB version (%d)', $dbVersion, $configVersion));
return false;
}
/**
* Check if the "firefly_version" variable is correct.
*
* @return bool
*/
private function oldVersion(): bool
{
// version compare thing.
$configVersion = (string)config('firefly.version');
$dbVersion = (string)app('fireflyconfig')->getFresh('ff3_version', '1.0')->data;
if (1 === version_compare($configVersion, $dbVersion)) {
Log::warning(
sprintf(
'The current configured Firefly III version (%s) is older than the required version (%s). Redirect to migrate routine.', $dbVersion, $configVersion
)
);
return true;
}
Log::info(sprintf('Installed Firefly III version (%s) equals expected Firefly III version (%s)', $dbVersion, $configVersion));
return false;
}
}

View File

@ -24,6 +24,7 @@ namespace FireflyIII\Http\Middleware;
use Illuminate\Http\Request;
use Illuminate\Session\Middleware\StartSession;
use Log;
/**
* Class StartFireflySession.
@ -40,10 +41,18 @@ class StartFireflySession extends StartSession
*/
protected function storeCurrentUrl(Request $request, $session): void
{
$uri = $request->fullUrl();
$strpos = strpos($uri, 'jscript');
if (false === $strpos && 'GET' === $request->method() && !$request->ajax()) {
$uri = $request->fullUrl();
$isScriptPage = strpos($uri, 'jscript');
$isDeletePage = strpos($uri, 'delete');
// also stop remembering "delete" URL's.
if (false === $isScriptPage && false === $isDeletePage && 'GET' === $request->method() && !$request->ajax()) {
$session->setPreviousUrl($uri);
Log::debug(sprintf('Will set previous URL to %s', $uri));
return;
}
Log::debug(sprintf('Will NOT set previous URL to %s', $uri));
}
}

View File

@ -575,21 +575,24 @@ class ImportArrayStorage
++$hits;
Log::debug(sprintf('Source IDs are the same! (%d)', $hits));
}
Log::debug('Source IDs are not the same.');
unset($transferSourceIDs);
// compare source and destination names
$transferSource = [(string)$transfer->account_name, (int)$transfer->opposing_account_name];
$transferSource = [(string)$transfer->account_name, (string)$transfer->opposing_account_name];
sort($transferSource);
/** @noinspection DisconnectedForeachInstructionInspection */
Log::debug('Comparing current transaction source+dest names', $currentSourceNames);
Log::debug('.. with current transfer source+dest names', $transferSource);
if ($currentSourceNames === $transferSource) {
// @codeCoverageIgnoreStart
Log::debug(sprintf('Source names are the same! (%d)', $hits));
++$hits;
Log::debug(sprintf('Source names are the same! (%d)', $hits));
// @codeCoverageIgnoreEnd
}
Log::debug('Source names are not the same.');
$totalHits += $hits;
Log::debug(sprintf('Total hits is now %d, hits is %d', $totalHits, $hits));
if ($totalHits >= $requiredHits) {
return true;
}

View File

@ -242,6 +242,7 @@ class Amount
$currencyPreference = Prefs::getForUser($user, 'currencyPreference', config('firefly.default_currency', 'EUR'));
// at this point the currency preference could be encrypted, if coming from an old version.
Log::debug('Going to try to decrypt users currency preference.');
$currencyCode = $this->tryDecrypt((string)$currencyPreference->data);
// could still be json encoded:
@ -288,7 +289,7 @@ class Amount
try {
$value = Crypt::decrypt($value);
} catch (DecryptException $e) {
Log::debug(sprintf('Could not decrypt. %s', $e->getMessage()));
Log::debug(sprintf('Could not decrypt "%s". %s', $value, $e->getMessage()));
}
return $value;

View File

@ -50,6 +50,7 @@ trait UserNavigation
*/
protected function getPreviousUri(string $identifier): string
{
Log::debug(sprintf('Trying to retrieve URL stored under "%s"', $identifier));
// "forbidden" words for specific identifiers:
// if these are in the previous URI, don't refer back there.
$array = [
@ -66,18 +67,25 @@ trait UserNavigation
'transactions.mass-delete.uri' => '/transactions/show/',
];
$forbidden = $array[$identifier] ?? '/show/';
Log::debug(sprintf('The forbidden word for %s is "%s"', $identifier, $forbidden));
$uri = (string)session($identifier);
Log::debug(sprintf('The URI is %s', $uri));
if (
!(false === strpos($identifier, 'delete'))
&& !(false === strpos($uri, $forbidden))) {
$uri = $this->redirectUri;
Log::debug(sprintf('URI is now %s (identifier contains "delete")', $uri));
}
if (!(false === strpos($uri, 'jscript'))) {
$uri = $this->redirectUri; // @codeCoverageIgnore
Log::debug(sprintf('URI is now %s (uri contains jscript)', $uri));
}
// more debug notes:
Log::debug(sprintf('strpos($identifier, "delete"): %s', var_export(strpos($identifier, 'delete'), true)));
Log::debug(sprintf('strpos($uri, $forbidden): %s', var_export(strpos($uri, $forbidden), true)));
return $uri;
}
@ -147,6 +155,9 @@ trait UserNavigation
$url = app('url')->previous();
session()->put($identifier, $url);
Log::debug(sprintf('Will put previous URI in cache under key %s: %s', $identifier, $url));
return;
}
Log::debug(sprintf('The users session contains errors somehow so we will not remember the URI!: %s', var_export($errors, true)));
}
}

View File

@ -2,13 +2,31 @@
All notable changes to this project will be documented in this file.
This project adheres to [Semantic Versioning](http://semver.org/).
## [4.7.17 (API 0.9.2)] - 2019-03-17
### Added
- Support for Norwegian!
### Changed
- Clear cache during install routine.
- Add Firefly III version number to install routine.
### Removed
- Initial release.
### Fixed
- [Issue 2159](https://github.com/firefly-iii/firefly-iii/issues/2159) Bad redirect due to Laravel upgrade.
- [Issue 2166](https://github.com/firefly-iii/firefly-iii/issues/2166) Importer had some issues with distinguishing double transfers.
- [Issue 2167](https://github.com/firefly-iii/firefly-iii/issues/2167) New LDAP package gave some configuration changes.
- [Issue 2173](https://github.com/firefly-iii/firefly-iii/issues/2173) Missing class when generating 2FA codes.
## [4.7.16 (API 0.9.2)] - 2019-03-08
4.7.16 was released to fix a persistent issue with broken user preferences.
### Changed
- Firefly III now uses Laravel 5.8
- Firefly III now uses Laravel 5.8.
## [4.7.15 (API 0.9.2)] - 2019-03-02

View File

@ -58,17 +58,17 @@
"php": ">=7.2.0",
"ext-bcmath": "*",
"ext-curl": "*",
"ext-gd": "*",
"ext-tokenizer": "*",
"ext-intl": "*",
"ext-xml": "*",
"ext-zip": "*",
"ext-json": "*",
"ext-fileinfo": "*",
"ext-gd": "*",
"ext-intl": "*",
"ext-json": "*",
"ext-openssl": "*",
"ext-simplexml": "*",
"ext-tokenizer": "*",
"ext-xml": "*",
"ext-zip": "*",
"adldap2/adldap2-laravel": "5.*",
"bacon/bacon-qr-code": "2.*",
"bacon/bacon-qr-code": "1.*",
"bunq/sdk_php": "dev-master",
"danhunsaker/laravel-flysystem-others": "1.*",
"davejamesmiller/laravel-breadcrumbs": "5.*",

393
composer.lock generated
View File

@ -4,20 +4,20 @@
"Read more about it at https://getcomposer.org/doc/01-basic-usage.md#installing-dependencies",
"This file is @generated automatically"
],
"content-hash": "e8ba6ad329690fa66b35a2b78e143f9b",
"content-hash": "574b38ec48f5e9c1400138b63f0a3d7d",
"packages": [
{
"name": "adldap2/adldap2",
"version": "v10.0.3",
"version": "v10.0.4",
"source": {
"type": "git",
"url": "https://github.com/Adldap2/Adldap2.git",
"reference": "9e4a41dfd045b6b45b03576e409a99f69dd5dd8e"
"reference": "345631260d5aedbd5e196a88b57eb1bf19e68fd1"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/Adldap2/Adldap2/zipball/9e4a41dfd045b6b45b03576e409a99f69dd5dd8e",
"reference": "9e4a41dfd045b6b45b03576e409a99f69dd5dd8e",
"url": "https://api.github.com/repos/Adldap2/Adldap2/zipball/345631260d5aedbd5e196a88b57eb1bf19e68fd1",
"reference": "345631260d5aedbd5e196a88b57eb1bf19e68fd1",
"shasum": ""
},
"require": {
@ -61,7 +61,7 @@
"ldap",
"windows"
],
"time": "2019-02-20T15:52:32+00:00"
"time": "2019-03-15T15:53:20+00:00"
},
{
"name": "adldap2/adldap2-laravel",
@ -118,35 +118,32 @@
},
{
"name": "bacon/bacon-qr-code",
"version": "2.0.0",
"version": "1.0.3",
"source": {
"type": "git",
"url": "https://github.com/Bacon/BaconQrCode.git",
"reference": "eaac909da3ccc32b748a65b127acd8918f58d9b0"
"reference": "5a91b62b9d37cee635bbf8d553f4546057250bee"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/Bacon/BaconQrCode/zipball/eaac909da3ccc32b748a65b127acd8918f58d9b0",
"reference": "eaac909da3ccc32b748a65b127acd8918f58d9b0",
"url": "https://api.github.com/repos/Bacon/BaconQrCode/zipball/5a91b62b9d37cee635bbf8d553f4546057250bee",
"reference": "5a91b62b9d37cee635bbf8d553f4546057250bee",
"shasum": ""
},
"require": {
"dasprid/enum": "^1.0",
"ext-iconv": "*",
"php": "^7.1"
"php": "^5.4|^7.0"
},
"require-dev": {
"phly/keep-a-changelog": "^1.4",
"phpunit/phpunit": "^6.4",
"squizlabs/php_codesniffer": "^3.1"
"phpunit/phpunit": "^4.8"
},
"suggest": {
"ext-imagick": "to generate QR code images"
"ext-gd": "to generate QR code images"
},
"type": "library",
"autoload": {
"psr-4": {
"BaconQrCode\\": "src/"
"psr-0": {
"BaconQrCode": "src/"
}
},
"notification-url": "https://packagist.org/downloads/",
@ -163,7 +160,7 @@
],
"description": "BaconQrCode is a QR code generator for PHP.",
"homepage": "https://github.com/Bacon/BaconQrCode",
"time": "2018-04-25T17:53:56+00:00"
"time": "2017-10-17T09:59:25+00:00"
},
{
"name": "bunq/sdk_php",
@ -401,48 +398,6 @@
],
"time": "2018-08-13T22:27:45+00:00"
},
{
"name": "dasprid/enum",
"version": "1.0.0",
"source": {
"type": "git",
"url": "https://github.com/DASPRiD/Enum.git",
"reference": "631ef6e638e9494b0310837fa531bedd908fc22b"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/DASPRiD/Enum/zipball/631ef6e638e9494b0310837fa531bedd908fc22b",
"reference": "631ef6e638e9494b0310837fa531bedd908fc22b",
"shasum": ""
},
"require-dev": {
"phpunit/phpunit": "^6.4",
"squizlabs/php_codesniffer": "^3.1"
},
"type": "library",
"autoload": {
"psr-4": {
"DASPRiD\\Enum\\": "src/"
}
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"BSD-2-Clause"
],
"authors": [
{
"name": "Ben Scholzen 'DASPRiD'",
"email": "mail@dasprids.de",
"homepage": "https://dasprids.de/"
}
],
"description": "PHP 7.1 enum implementation",
"keywords": [
"enum",
"map"
],
"time": "2017-10-25T22:45:27+00:00"
},
{
"name": "davejamesmiller/laravel-breadcrumbs",
"version": "5.2.1",
@ -1353,16 +1308,16 @@
},
{
"name": "laravel/framework",
"version": "v5.8.3",
"version": "v5.8.4",
"source": {
"type": "git",
"url": "https://github.com/laravel/framework.git",
"reference": "d36d74acd3added5abbe7e7a84342b54bb0b0521"
"reference": "d651f8bd25c6baf7ae4913bc51f02849fad4e925"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/laravel/framework/zipball/d36d74acd3added5abbe7e7a84342b54bb0b0521",
"reference": "d36d74acd3added5abbe7e7a84342b54bb0b0521",
"url": "https://api.github.com/repos/laravel/framework/zipball/d651f8bd25c6baf7ae4913bc51f02849fad4e925",
"reference": "d651f8bd25c6baf7ae4913bc51f02849fad4e925",
"shasum": ""
},
"require": {
@ -1496,34 +1451,34 @@
"framework",
"laravel"
],
"time": "2019-03-05T13:51:19+00:00"
"time": "2019-03-12T13:33:14+00:00"
},
{
"name": "laravel/passport",
"version": "v7.2.0",
"version": "v7.2.1",
"source": {
"type": "git",
"url": "https://github.com/laravel/passport.git",
"reference": "56330509283d465acaaff842637e539d03bcf9ca"
"reference": "bd8ae09775778f96b6642d87e2f579fea5bf92b5"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/laravel/passport/zipball/56330509283d465acaaff842637e539d03bcf9ca",
"reference": "56330509283d465acaaff842637e539d03bcf9ca",
"url": "https://api.github.com/repos/laravel/passport/zipball/bd8ae09775778f96b6642d87e2f579fea5bf92b5",
"reference": "bd8ae09775778f96b6642d87e2f579fea5bf92b5",
"shasum": ""
},
"require": {
"ext-json": "*",
"firebase/php-jwt": "~3.0|~4.0|~5.0",
"guzzlehttp/guzzle": "~6.0",
"illuminate/auth": "~5.6.0|~5.7.0|~5.8.0",
"illuminate/console": "~5.6.0|~5.7.0|~5.8.0",
"illuminate/container": "~5.6.0|~5.7.0|~5.8.0",
"illuminate/contracts": "~5.6.0|~5.7.0|~5.8.0",
"illuminate/database": "~5.6.0|~5.7.0|~5.8.0",
"illuminate/encryption": "~5.6.0|~5.7.0|~5.8.0",
"illuminate/http": "~5.6.0|~5.7.0|~5.8.0",
"illuminate/support": "~5.6.0|~5.7.0|~5.8.0",
"illuminate/auth": "~5.6.0|~5.7.0|~5.8.0|~5.9.0",
"illuminate/console": "~5.6.0|~5.7.0|~5.8.0|~5.9.0",
"illuminate/container": "~5.6.0|~5.7.0|~5.8.0|~5.9.0",
"illuminate/contracts": "~5.6.0|~5.7.0|~5.8.0|~5.9.0",
"illuminate/database": "~5.6.0|~5.7.0|~5.8.0|~5.9.0",
"illuminate/encryption": "~5.6.0|~5.7.0|~5.8.0|~5.9.0",
"illuminate/http": "~5.6.0|~5.7.0|~5.8.0|~5.9.0",
"illuminate/support": "~5.6.0|~5.7.0|~5.8.0|~5.9.0",
"league/oauth2-server": "^7.0",
"php": ">=7.1",
"phpseclib/phpseclib": "^2.0",
@ -1566,7 +1521,7 @@
"oauth",
"passport"
],
"time": "2019-02-14T16:29:26+00:00"
"time": "2019-03-12T11:42:07+00:00"
},
{
"name": "laravelcollective/html",
@ -1696,16 +1651,16 @@
},
{
"name": "league/commonmark",
"version": "0.18.1",
"version": "0.18.2",
"source": {
"type": "git",
"url": "https://github.com/thephpleague/commonmark.git",
"reference": "e5029f74ba39e043ce4b3ca6c05dc719d8aafd94"
"reference": "ad51c7cafb90e0bbd9f34b71d18d05994547e352"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/thephpleague/commonmark/zipball/e5029f74ba39e043ce4b3ca6c05dc719d8aafd94",
"reference": "e5029f74ba39e043ce4b3ca6c05dc719d8aafd94",
"url": "https://api.github.com/repos/thephpleague/commonmark/zipball/ad51c7cafb90e0bbd9f34b71d18d05994547e352",
"reference": "ad51c7cafb90e0bbd9f34b71d18d05994547e352",
"shasum": ""
},
"require": {
@ -1761,20 +1716,20 @@
"markdown",
"parser"
],
"time": "2018-12-30T01:55:29+00:00"
"time": "2019-03-17T01:41:59+00:00"
},
{
"name": "league/csv",
"version": "9.1.4",
"version": "9.2.0",
"source": {
"type": "git",
"url": "https://github.com/thephpleague/csv.git",
"reference": "9c8ad06fb5d747c149875beb6133566c00eaa481"
"reference": "f3a3c69b6e152417e1b62d995bcad2237b053cc6"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/thephpleague/csv/zipball/9c8ad06fb5d747c149875beb6133566c00eaa481",
"reference": "9c8ad06fb5d747c149875beb6133566c00eaa481",
"url": "https://api.github.com/repos/thephpleague/csv/zipball/f3a3c69b6e152417e1b62d995bcad2237b053cc6",
"reference": "f3a3c69b6e152417e1b62d995bcad2237b053cc6",
"shasum": ""
},
"require": {
@ -1783,7 +1738,7 @@
},
"require-dev": {
"ext-curl": "*",
"friendsofphp/php-cs-fixer": "^2.0",
"friendsofphp/php-cs-fixer": "^2.12",
"phpstan/phpstan": "^0.9.2",
"phpstan/phpstan-phpunit": "^0.9.4",
"phpstan/phpstan-strict-rules": "^0.9.0",
@ -1828,7 +1783,7 @@
"read",
"write"
],
"time": "2018-05-01T18:32:48+00:00"
"time": "2019-03-08T06:56:16+00:00"
},
{
"name": "league/event",
@ -2349,16 +2304,16 @@
},
{
"name": "nesbot/carbon",
"version": "2.14.2",
"version": "2.16.0",
"source": {
"type": "git",
"url": "https://github.com/briannesbitt/Carbon.git",
"reference": "a1f4f9abcde8241ce33bf5090896e9c16d0b4232"
"reference": "dd16fedc022180ea4292a03aabe95e9895677911"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/a1f4f9abcde8241ce33bf5090896e9c16d0b4232",
"reference": "a1f4f9abcde8241ce33bf5090896e9c16d0b4232",
"url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/dd16fedc022180ea4292a03aabe95e9895677911",
"reference": "dd16fedc022180ea4292a03aabe95e9895677911",
"shasum": ""
},
"require": {
@ -2405,7 +2360,7 @@
"datetime",
"time"
],
"time": "2019-02-28T09:07:12+00:00"
"time": "2019-03-12T09:31:40+00:00"
},
{
"name": "opis/closure",
@ -2627,16 +2582,16 @@
},
{
"name": "phpseclib/phpseclib",
"version": "2.0.14",
"version": "2.0.15",
"source": {
"type": "git",
"url": "https://github.com/phpseclib/phpseclib.git",
"reference": "8ebfcadbf30524aeb75b2c446bc2519d5b321478"
"reference": "11cf67cf78dc4acb18dc9149a57be4aee5036ce0"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/phpseclib/phpseclib/zipball/8ebfcadbf30524aeb75b2c446bc2519d5b321478",
"reference": "8ebfcadbf30524aeb75b2c446bc2519d5b321478",
"url": "https://api.github.com/repos/phpseclib/phpseclib/zipball/11cf67cf78dc4acb18dc9149a57be4aee5036ce0",
"reference": "11cf67cf78dc4acb18dc9149a57be4aee5036ce0",
"shasum": ""
},
"require": {
@ -2715,7 +2670,7 @@
"x.509",
"x509"
],
"time": "2019-01-27T19:37:29+00:00"
"time": "2019-03-10T16:53:45+00:00"
},
{
"name": "pragmarx/google2fa",
@ -3239,25 +3194,28 @@
},
{
"name": "swiftmailer/swiftmailer",
"version": "v6.1.3",
"version": "v6.2.0",
"source": {
"type": "git",
"url": "https://github.com/swiftmailer/swiftmailer.git",
"reference": "8ddcb66ac10c392d3beb54829eef8ac1438595f4"
"reference": "6fa3232ff9d3f8237c0fae4b7ff05e1baa4cd707"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/swiftmailer/swiftmailer/zipball/8ddcb66ac10c392d3beb54829eef8ac1438595f4",
"reference": "8ddcb66ac10c392d3beb54829eef8ac1438595f4",
"url": "https://api.github.com/repos/swiftmailer/swiftmailer/zipball/6fa3232ff9d3f8237c0fae4b7ff05e1baa4cd707",
"reference": "6fa3232ff9d3f8237c0fae4b7ff05e1baa4cd707",
"shasum": ""
},
"require": {
"egulias/email-validator": "~2.0",
"php": ">=7.0.0"
"php": ">=7.0.0",
"symfony/polyfill-iconv": "^1.0",
"symfony/polyfill-intl-idn": "^1.10",
"symfony/polyfill-mbstring": "^1.0"
},
"require-dev": {
"mockery/mockery": "~0.9.1",
"symfony/phpunit-bridge": "~3.3@dev"
"symfony/phpunit-bridge": "^3.4.19|^4.1.8"
},
"suggest": {
"ext-intl": "Needed to support internationalized email addresses",
@ -3266,7 +3224,7 @@
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "6.1-dev"
"dev-master": "6.2-dev"
}
},
"autoload": {
@ -3294,7 +3252,7 @@
"mail",
"mailer"
],
"time": "2018-09-11T07:12:52+00:00"
"time": "2019-03-10T07:52:41+00:00"
},
{
"name": "symfony/console",
@ -3859,6 +3817,127 @@
],
"time": "2018-08-06T14:22:27+00:00"
},
{
"name": "symfony/polyfill-iconv",
"version": "v1.10.0",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-iconv.git",
"reference": "97001cfc283484c9691769f51cdf25259037eba2"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/symfony/polyfill-iconv/zipball/97001cfc283484c9691769f51cdf25259037eba2",
"reference": "97001cfc283484c9691769f51cdf25259037eba2",
"shasum": ""
},
"require": {
"php": ">=5.3.3"
},
"suggest": {
"ext-iconv": "For best performance"
},
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.9-dev"
}
},
"autoload": {
"psr-4": {
"Symfony\\Polyfill\\Iconv\\": ""
},
"files": [
"bootstrap.php"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Nicolas Grekas",
"email": "p@tchwork.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"description": "Symfony polyfill for the Iconv extension",
"homepage": "https://symfony.com",
"keywords": [
"compatibility",
"iconv",
"polyfill",
"portable",
"shim"
],
"time": "2018-09-21T06:26:08+00:00"
},
{
"name": "symfony/polyfill-intl-idn",
"version": "v1.10.0",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-intl-idn.git",
"reference": "89de1d44f2c059b266f22c9cc9124ddc4cd0987a"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/symfony/polyfill-intl-idn/zipball/89de1d44f2c059b266f22c9cc9124ddc4cd0987a",
"reference": "89de1d44f2c059b266f22c9cc9124ddc4cd0987a",
"shasum": ""
},
"require": {
"php": ">=5.3.3",
"symfony/polyfill-mbstring": "^1.3",
"symfony/polyfill-php72": "^1.9"
},
"suggest": {
"ext-intl": "For best performance"
},
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.9-dev"
}
},
"autoload": {
"psr-4": {
"Symfony\\Polyfill\\Intl\\Idn\\": ""
},
"files": [
"bootstrap.php"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
},
{
"name": "Laurent Bassin",
"email": "laurent@bassin.info"
}
],
"description": "Symfony polyfill for intl's idn_to_ascii and idn_to_utf8 functions",
"homepage": "https://symfony.com",
"keywords": [
"compatibility",
"idn",
"intl",
"polyfill",
"portable",
"shim"
],
"time": "2018-09-30T16:36:12+00:00"
},
{
"name": "symfony/polyfill-mbstring",
"version": "v1.10.0",
@ -4132,41 +4211,44 @@
},
{
"name": "symfony/psr-http-message-bridge",
"version": "v1.1.0",
"version": "v1.2.0",
"source": {
"type": "git",
"url": "https://github.com/symfony/psr-http-message-bridge.git",
"reference": "53c15a6a7918e6c2ab16ae370ea607fb40cab196"
"reference": "9ab9d71f97d5c7d35a121a7fb69f74fee95cd0ad"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/symfony/psr-http-message-bridge/zipball/53c15a6a7918e6c2ab16ae370ea607fb40cab196",
"reference": "53c15a6a7918e6c2ab16ae370ea607fb40cab196",
"url": "https://api.github.com/repos/symfony/psr-http-message-bridge/zipball/9ab9d71f97d5c7d35a121a7fb69f74fee95cd0ad",
"reference": "9ab9d71f97d5c7d35a121a7fb69f74fee95cd0ad",
"shasum": ""
},
"require": {
"php": "^5.3.3 || ^7.0",
"php": "^7.1",
"psr/http-message": "^1.0",
"symfony/http-foundation": "^2.3.42 || ^3.4 || ^4.0"
"symfony/http-foundation": "^3.4 || ^4.0"
},
"require-dev": {
"symfony/phpunit-bridge": "^3.4 || 4.0"
"nyholm/psr7": "^1.1",
"symfony/phpunit-bridge": "^3.4.20 || ^4.0",
"zendframework/zend-diactoros": "^1.4.1 || ^2.0"
},
"suggest": {
"psr/http-factory-implementation": "To use the PSR-17 factory",
"psr/http-message-implementation": "To use the HttpFoundation factory",
"zendframework/zend-diactoros": "To use the Zend Diactoros factory"
"nyholm/psr7": "For a super lightweight PSR-7/17 implementation"
},
"type": "symfony-bridge",
"extra": {
"branch-alias": {
"dev-master": "1.1-dev"
"dev-master": "1.2-dev"
}
},
"autoload": {
"psr-4": {
"Symfony\\Bridge\\PsrHttpMessage\\": ""
}
},
"exclude-from-classmap": [
"/Tests/"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
@ -4187,9 +4269,10 @@
"keywords": [
"http",
"http-message",
"psr-17",
"psr-7"
],
"time": "2018-08-30T16:28:28+00:00"
"time": "2019-03-11T18:22:33+00:00"
},
{
"name": "symfony/routing",
@ -4419,16 +4502,16 @@
},
{
"name": "tightenco/collect",
"version": "v5.8.3",
"version": "v5.8.4",
"source": {
"type": "git",
"url": "https://github.com/tightenco/collect.git",
"reference": "7a9a1aa3f1478d6baba2d3a95e18d2ad8caaf5c4"
"reference": "c77e52021fa9c04c6bf0c0d15aa61c7a4af27a1f"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/tightenco/collect/zipball/7a9a1aa3f1478d6baba2d3a95e18d2ad8caaf5c4",
"reference": "7a9a1aa3f1478d6baba2d3a95e18d2ad8caaf5c4",
"url": "https://api.github.com/repos/tightenco/collect/zipball/c77e52021fa9c04c6bf0c0d15aa61c7a4af27a1f",
"reference": "c77e52021fa9c04c6bf0c0d15aa61c7a4af27a1f",
"shasum": ""
},
"require": {
@ -4465,7 +4548,7 @@
"collection",
"laravel"
],
"time": "2019-03-05T14:34:11+00:00"
"time": "2019-03-12T16:57:57+00:00"
},
{
"name": "tijsverkoyen/css-to-inline-styles",
@ -4516,16 +4599,16 @@
},
{
"name": "twig/twig",
"version": "v1.37.1",
"version": "v1.38.2",
"source": {
"type": "git",
"url": "https://github.com/twigphp/Twig.git",
"reference": "66be9366c76cbf23e82e7171d47cbfa54a057a62"
"reference": "874adbd9222f928f6998732b25b01b41dff15b0c"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/twigphp/Twig/zipball/66be9366c76cbf23e82e7171d47cbfa54a057a62",
"reference": "66be9366c76cbf23e82e7171d47cbfa54a057a62",
"url": "https://api.github.com/repos/twigphp/Twig/zipball/874adbd9222f928f6998732b25b01b41dff15b0c",
"reference": "874adbd9222f928f6998732b25b01b41dff15b0c",
"shasum": ""
},
"require": {
@ -4540,7 +4623,7 @@
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.37-dev"
"dev-master": "1.38-dev"
}
},
"autoload": {
@ -4578,20 +4661,20 @@
"keywords": [
"templating"
],
"time": "2019-01-14T14:59:29+00:00"
"time": "2019-03-12T18:45:24+00:00"
},
{
"name": "vlucas/phpdotenv",
"version": "v3.3.2",
"version": "v3.3.3",
"source": {
"type": "git",
"url": "https://github.com/vlucas/phpdotenv.git",
"reference": "1ee9369cfbf26cfcf1f2515d98f15fab54e9647a"
"reference": "dbcc609971dd9b55f48b8008b553d79fd372ddde"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/vlucas/phpdotenv/zipball/1ee9369cfbf26cfcf1f2515d98f15fab54e9647a",
"reference": "1ee9369cfbf26cfcf1f2515d98f15fab54e9647a",
"url": "https://api.github.com/repos/vlucas/phpdotenv/zipball/dbcc609971dd9b55f48b8008b553d79fd372ddde",
"reference": "dbcc609971dd9b55f48b8008b553d79fd372ddde",
"shasum": ""
},
"require": {
@ -4630,7 +4713,7 @@
"env",
"environment"
],
"time": "2019-01-30T10:43:17+00:00"
"time": "2019-03-06T09:39:45+00:00"
},
{
"name": "zendframework/zend-diactoros",
@ -6135,16 +6218,16 @@
},
{
"name": "phpunit/phpunit",
"version": "8.0.4",
"version": "8.0.5",
"source": {
"type": "git",
"url": "https://github.com/sebastianbergmann/phpunit.git",
"reference": "a7af0201285445c9c73c4bdf869c486e36b41604"
"reference": "19cbed2120839772c4a00e8b28456b0c77d1a7b4"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/a7af0201285445c9c73c4bdf869c486e36b41604",
"reference": "a7af0201285445c9c73c4bdf869c486e36b41604",
"url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/19cbed2120839772c4a00e8b28456b0c77d1a7b4",
"reference": "19cbed2120839772c4a00e8b28456b0c77d1a7b4",
"shasum": ""
},
"require": {
@ -6163,7 +6246,7 @@
"phpunit/php-code-coverage": "^7.0",
"phpunit/php-file-iterator": "^2.0.1",
"phpunit/php-text-template": "^1.2.1",
"phpunit/php-timer": "^2.0",
"phpunit/php-timer": "^2.1",
"sebastian/comparator": "^3.0",
"sebastian/diff": "^3.0",
"sebastian/environment": "^4.1",
@ -6213,7 +6296,7 @@
"testing",
"xunit"
],
"time": "2019-02-18T09:23:05+00:00"
"time": "2019-03-16T07:33:46+00:00"
},
{
"name": "roave/security-advisories",
@ -6221,12 +6304,12 @@
"source": {
"type": "git",
"url": "https://github.com/Roave/SecurityAdvisories.git",
"reference": "4e04718428742618a4bf24dafca45b8645c9320d"
"reference": "3521da8036ce31b11490433aaae47f9601774191"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/Roave/SecurityAdvisories/zipball/4e04718428742618a4bf24dafca45b8645c9320d",
"reference": "4e04718428742618a4bf24dafca45b8645c9320d",
"url": "https://api.github.com/repos/Roave/SecurityAdvisories/zipball/3521da8036ce31b11490433aaae47f9601774191",
"reference": "3521da8036ce31b11490433aaae47f9601774191",
"shasum": ""
},
"conflict": {
@ -6363,7 +6446,7 @@
"theonedemon/phpwhois": "<=4.2.5",
"titon/framework": ">=0,<9.9.99",
"truckersmp/phpwhois": "<=4.3.1",
"twig/twig": "<1.20",
"twig/twig": "<1.38|>=2,<2.7",
"typo3/cms": ">=6.2,<6.2.30|>=7,<7.6.32|>=8,<8.7.23|>=9,<9.5.4",
"typo3/cms-core": ">=8,<8.7.23|>=9,<9.5.4",
"typo3/flow": ">=1,<1.0.4|>=1.1,<1.1.1|>=2,<2.0.1|>=2.3,<2.3.16|>=3,<3.0.10|>=3.1,<3.1.7|>=3.2,<3.2.7|>=3.3,<3.3.5",
@ -6417,7 +6500,7 @@
}
],
"description": "Prevents installation of composer packages with known security vulnerabilities: no API, simply require it",
"time": "2019-02-26T21:14:50+00:00"
"time": "2019-03-12T13:04:55+00:00"
},
{
"name": "sebastian/code-unit-reverse-lookup",
@ -7235,15 +7318,15 @@
"php": ">=7.2.0",
"ext-bcmath": "*",
"ext-curl": "*",
"ext-gd": "*",
"ext-tokenizer": "*",
"ext-intl": "*",
"ext-xml": "*",
"ext-zip": "*",
"ext-json": "*",
"ext-fileinfo": "*",
"ext-gd": "*",
"ext-intl": "*",
"ext-json": "*",
"ext-openssl": "*",
"ext-simplexml": "*"
"ext-simplexml": "*",
"ext-tokenizer": "*",
"ext-xml": "*",
"ext-zip": "*"
},
"platform-dev": []
}

View File

@ -93,9 +93,9 @@ return [
'is_demo_site' => false,
],
'encryption' => null === env('USE_ENCRYPTION') || env('USE_ENCRYPTION') === true,
'version' => '4.7.16',
'version' => '4.7.17',
'api_version' => '0.9.2',
'db_version' => 9,
'db_version' => 10,
'maxUploadSize' => 15242880,
'send_error_message' => env('SEND_ERROR_MESSAGE', true),
'site_owner' => env('SITE_OWNER', ''),
@ -276,7 +276,7 @@ return [
'zh_TW' => ['name_locale' => 'Chinese Traditional', 'name_english' => 'Chinese Traditional'], // 100%
'zh_CN' => ['name_locale' => 'Chinese Simplified', 'name_english' => 'Chinese Simplified'], // 99%
//'tr_TR' => ['name_locale' => 'Türkçe', 'name_english' => 'Turkish'], // 71%
//'nb_NO' => ['name_locale' => 'Norwegian', 'name_english' => 'Norwegian'], // 52%
'nb_NO' => ['name_locale' => 'Norsk', 'name_english' => 'Norwegian'],
//'ca_ES' => ['name_locale' => 'Catalan', 'name_english' => 'Catalan'], // 0%
//'ja_JA' => ['name_locale' => 'Japanese', 'name_english' => 'Japanese'], // 0%
//'cs_CZ' => ['name_locale' => 'Czech', 'name_english' => 'Czech'], // 35%

View File

@ -143,7 +143,7 @@ return [
'scopes' => $scopes,
'usernames' => [
'identifiers' => [
/*
|--------------------------------------------------------------------------
@ -173,8 +173,8 @@ return [
'ldap' => [
'discover' => envNonEmpty('ADLDAP_DISCOVER_FIELD', 'userprincipalname'),
'authenticate' => envNonEmpty('ADLDAP_AUTH_FIELD', 'distinguishedname'),
'locate_users_by' => envNonEmpty('ADLDAP_DISCOVER_FIELD', 'userprincipalname'),
'bind_users_by' => envNonEmpty('ADLDAP_AUTH_FIELD', 'distinguishedname'),
],

View File

@ -0,0 +1,64 @@
<?php
/**
* 2019_03_11_223700_fix_ldap_configuration.php
* Copyright (c) 2019 https://github.com/wrouesnel
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
/**
* Class FixLdapConfiguration
*/
class FixLdapConfiguration extends Migration
{
/**
* Reverse the migrations.
*
* @return void
*/
public function down(): void
{
Schema::table(
'users', function (Blueprint $table) {
$table->dropColumn(['objectguid']);
}
);
}
/**
* Run the migrations.
*
* @return void
*/
public function up(): void
{
/**
* ADLdap2 appears to require the ability to store an objectguid for LDAP users
* now. To support this, we add the column.
*/
Schema::table(
'users', function (Blueprint $table) {
$table->uuid('objectguid')->nullable()->after('id');
}
);
}
}

View File

@ -32,7 +32,7 @@ class ConfigSeeder extends Seeder
/**
* Run the database seeds.
*/
public function run()
public function run(): void
{
$entry = Configuration::where('name', 'db_version')->first();
if (null === $entry) {

View File

@ -36,7 +36,7 @@ return [
'newBill' => 'Nueva factura',
'edit_bill' => 'Editar factura ":name"',
'delete_bill' => 'Eliminar factura ":name"',
'reports' => 'Reportes',
'reports' => 'Informes',
'search_result' => 'Resultados de la búsqueda para ":query"',
'withdrawal_list' => 'Gastos',
'deposit_list' => 'Ganancia, ingresos y depósitos',

View File

@ -28,5 +28,5 @@ return [
// bills:
'not_expected_period' => 'Período inesperado',
'not_or_not_yet' => 'No (o todavía no)',
'not_or_not_yet' => 'No (todavía)',
];

View File

@ -26,17 +26,17 @@ return [
'html_language' => 'es',
'locale' => 'es, Spanish, es_ES.utf8, es_ES.UTF-8',
'month' => '%B %Y',
'month_and_day' => '%B %e, %Y',
'month_and_date_day' => '%A %B %e, %Y',
'month_and_day_no_year' => '%B %e',
'date_time' => '%B %e, %Y, @ %T',
'month_and_day' => '%e de %B %Y',
'month_and_date_day' => '%A %e de %B %Y',
'month_and_day_no_year' => '%e %B',
'date_time' => '%e de %B %Y a las %T',
'specific_day' => '%e %B %Y',
'week_in_year' => 'Semana %W, %Y',
'year' => '%Y',
'half_year' => '%B %Y',
'month_js' => 'MMMM YYYY',
'month_and_day_js' => 'MMMM Do, YYYY',
'date_time_js' => 'MMMM Do, YYYY, @ HH:mm:ss',
'month_and_day_js' => 'D MMM YYYY',
'date_time_js' => 'D MMMM YYYY, HH:mm:ss',
'specific_day_js' => 'D MMMM YYYY',
'week_in_year_js' => '[Week] w, YYYY',
'year_js' => 'YYYY',

View File

@ -33,7 +33,7 @@ return [
'last_seven_days' => 'Últimos siete días',
'last_thirty_days' => 'Últimos treinta días',
'welcomeBack' => '¿Qué está pasando?',
'welcome_back' => 'What\'s playing?',
'welcome_back' => '¿Qué está pasando?',
'everything' => 'Todo',
'today' => 'hoy',
'customRange' => 'Rango personalizado',
@ -110,25 +110,25 @@ return [
'expenses_by_category' => 'Gastos por categoría',
'expenses_by_budget' => 'Gastos por presupuesto',
'income_by_category' => 'Ingresos por categoría',
'expenses_by_asset_account' => 'Gastos por cuenta de ingresos',
'expenses_by_expense_account' => 'Gastos por cuenta de egresos',
'cannot_redirect_to_account' => 'Firefly III no puede redirigirlo a la pagina correcta. Disculpas.',
'expenses_by_asset_account' => 'Gastos por cuenta de activos',
'expenses_by_expense_account' => 'Gastos por cuenta de gastos',
'cannot_redirect_to_account' => 'Firefly III no puede redirigirlo a la página correcta. Disculpas.',
'sum_of_expenses' => 'Total gastos',
'sum_of_income' => 'Total ingresos',
'liabilities' => 'Pasivos',
'spent_in_specific_budget' => 'Gastado en el presupuesto ":budget"',
'sum_of_expenses_in_budget' => 'Gastar todo en el presupuesto ":budget"',
'left_in_budget_limit' => 'Saldo para gastar acorde con el presupuesto',
'sum_of_expenses_in_budget' => 'Total gastado en el presupuesto ":budget"',
'left_in_budget_limit' => 'Saldo restante para gastar según presupuesto',
'current_period' => 'Período actual',
'show_the_current_period_and_overview' => 'Mostrar el período actual y el resumen',
'pref_languages_locale' => 'Para que un idioma distinto al inglés funcione correctamente, su sistema operativo debe disponer de la información regional correcta. Si no está disponible, los datos de divisas, fechas y cantidades pueden tener un formato incorrecto.',
'budget_in_period' => 'Todas las transacciones para presupuesto ":name"entre:start y :end',
'chart_budget_in_period' => 'Recuadro para todas las transacciones de presupuesto:name entre:start y:end',
'chart_account_in_period' => 'Recuadro para todas las transacciones de presupuesto ":name"entre :start y:end',
'chart_category_in_period' => 'Recuadro para todas las transacciones por categoria ":name"entre:start y :end',
'chart_category_all' => 'Recuadro para todas las transacciones por categoria ":name"',
'clone_withdrawal' => 'Clonar este retiro',
'clone_deposit' => 'Clonar este deposito',
'budget_in_period' => 'Todas las transacciones del presupuesto ":name" entre :start y :end',
'chart_budget_in_period' => 'Gráfico para las transacciones del presupuesto ":name" entre :start y :end',
'chart_account_in_period' => 'Gráfico para las transacciones de la cuenta ":name" entre :start y :end',
'chart_category_in_period' => 'Gráfico para las transacciones de la categoría ":name" entre :start y :end',
'chart_category_all' => 'Gráfico para las transacciones de la categoría ":name"',
'clone_withdrawal' => 'Duplicar este retiro',
'clone_deposit' => 'Duplicar este depósito',
'clone_transfer' => 'Duplicar esta transferencia',
'multi_select_no_selection' => 'Ninguno seleccionado',
'multi_select_select_all' => 'Seleccionar todo',
@ -138,7 +138,7 @@ return [
'intro_next_label' => 'Siguiente',
'intro_prev_label' => 'Anterior',
'intro_skip_label' => 'Saltar',
'intro_done_label' => 'Listo',
'intro_done_label' => 'Hecho',
'between_dates_breadcrumb' => 'Entre :start y :end',
'all_journals_without_budget' => 'Todas las transacciones sin presupuesto',
'journals_without_budget' => 'Transacciones sin un presupuesto',
@ -152,7 +152,7 @@ return [
'all_transactions' => 'Todas las transacciones',
'title_withdrawal_between' => 'Todos los gastos entre :start y :end',
'all_deposit' => 'Todos los ingresos',
'title_deposit_between' => 'Toda ganancia entre :start y :end',
'title_deposit_between' => 'Todos los ingresos entre :start y :end',
'all_transfers' => 'Todas las transferencias',
'title_transfers_between' => 'Todas las transferencias entre :start y :end',
'all_transfer' => 'Todas las transferencias',

View File

@ -43,7 +43,7 @@ return [
'budgets_index_see_expenses_bar' => 'Gastar dinero irá llenando poco a poco esta barra.',
'budgets_index_navigate_periods' => 'Navega a través de períodos para configurar fácilmente presupuestos con anticipación.',
'budgets_index_new_budget' => 'Crea nuevos presupuestos como mejor te parezca.',
'budgets_index_list_of_budgets' => 'Use esta tabla para establecer las cantidades para cada presupuesto y ver cómo está haciendo.',
'budgets_index_list_of_budgets' => 'Use esta tabla para establecer las cantidades para cada presupuesto y ver cómo lo está haciendo.',
'budgets_index_outro' => 'Para aprender mas acerca de los presupuestos, revise el icono de ayuda en el tope de la esquina derecha.',
// reports (index)
@ -106,7 +106,7 @@ return [
'bills_create_intro' => 'Use facturas para rastrear la cantidad de dinero correspondiente a cada período. Piense en gastos como renta, seguro o pagos de hipoteca.',
'bills_create_name' => 'Use un nombre descriptivo como "alquiler" o "seguro de salud".',
//'bills_create_match' => 'To match transactions, use terms from those transactions or the expense account involved. All words must match.',
'bills_create_amount_min_holder' => 'Seleccione un monto mínimo y uno máximo para esta factura.',
'bills_create_amount_min_holder' => 'Seleccione un importe mínimo y máximo para esta factura.',
'bills_create_repeat_freq_holder' => 'La mayoría de facturas se repiten mensualmente, pero usted puede establecer otra frecuencia aquí.',
'bills_create_skip_holder' => 'Si una cuenta se repite cada 2 semanas, el campo "saltar" debe estar marcado como "1" para saltar una semana y generar el gasto cada 2.',

View File

@ -25,8 +25,8 @@ declare(strict_types=1);
return [
'password' => 'Las contraseñas deben tener al menos seis caracteres y coincidir entre sí.',
'user' => 'No podemos encontrar un usuario con esa dirección de correo electrónico.',
'token' => 'Este token para reestablecer la contraseña no es válido.',
'sent' => 'Te enviamos un correo con el link para reestablecer tu contraseña!',
'token' => 'Este token para restablecer la contraseña no es válido.',
'sent' => '¡Te hemos enviado un correo con el enlace para restablecer tu contraseña!',
'reset' => 'Tu contraseña fue reestablecida!',
'blocked' => 'Buen intento.',
];

View File

@ -33,7 +33,7 @@ return [
'last_seven_days' => '7 Derniers Jours',
'last_thirty_days' => 'Trente derniers jours',
'welcomeBack' => 'Que se passe-t-il ?',
'welcome_back' => 'What\'s playing?',
'welcome_back' => 'Que se passe-t-il ?',
'everything' => 'Tout',
'today' => 'aujourd\'hui',
'customRange' => 'Etendue personnalisée',

View File

@ -33,7 +33,7 @@ return [
'last_seven_days' => 'Ultimi sette giorni',
'last_thirty_days' => 'Ultimi trenta giorni',
'welcomeBack' => 'La tua situazione finanziaria',
'welcome_back' => 'What\'s playing?',
'welcome_back' => 'La tua situazione finanziaria',
'everything' => 'Tutto',
'today' => 'oggi',
'customRange' => 'Intervallo personalizzato',

View File

@ -0,0 +1,28 @@
<?php
/**
* auth.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
'failed' => 'Vi kunne ikke finne noen konto som har de oppgitte detaljene.',
'throttle' => 'For mange innloggingsforsøk. Vennligst prøv igjen om :seconds sekunder.',
];

View File

@ -0,0 +1,26 @@
<?php
/**
* bank.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
];

View File

@ -0,0 +1,57 @@
<?php
/**
* breadcrumbs.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
'home' => 'Hjem',
'edit_currency' => 'Rediger valuta ":name"',
'delete_currency' => 'Slett valuta ":name"',
'newPiggyBank' => 'Lag en ny sparegris',
'edit_piggyBank' => 'Rediger sparegris ":name"',
'preferences' => 'Innstillinger',
'profile' => 'Profil',
'changePassword' => 'Endre passord',
'change_email' => 'Endre din epostadresse',
'bills' => 'Regninger',
'newBill' => 'Ny regning',
'edit_bill' => 'Rediger regning ":name"',
'delete_bill' => 'Slett regning ":name"',
'reports' => 'Rapporter',
'search_result' => 'Søkeresultater for ":query"',
'withdrawal_list' => 'Utgifter',
'deposit_list' => 'Inntekter og innskudd',
'transfer_list' => 'Overføringer',
'transfers_list' => 'Overføringer',
'reconciliation_list' => 'Avstemminger',
'create_withdrawal' => 'Opprett nytt uttak',
'create_deposit' => 'Opprett nytt innskudd',
'create_transfer' => 'Opprett ny overføring',
'edit_journal' => 'Rediger transaksjon ":description"',
'edit_reconciliation' => 'Endre ":description"',
'delete_journal' => 'Slett transaksjon ":description"',
'tags' => 'Tagger',
'createTag' => 'Opprett ny tagg',
'edit_tag' => 'Rediger tagg ":tag"',
'delete_tag' => 'Slett tagg ":tag"',
'delete_journal_link' => 'Slett kobling mellom transaksjoner',
];

View File

@ -0,0 +1,32 @@
<?php
/**
* components.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
// profile
'personal_access_tokens' => 'Personlige tilgangsnøkler',
// bills:
'not_expected_period' => 'Ikke forventet denne perioden',
'not_or_not_yet' => 'Ikke (ennå)',
];

View File

@ -0,0 +1,51 @@
<?php
/**
* config.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
'html_language' => 'no',
'locale' => 'no, nb, Norsk, nb_NO, nb_NO.utf8, nb_NO.UTF-8',
'month' => '%B %Y',
'month_and_day' => '%e %B, %Y',
'month_and_date_day' => '%A %B. %e, %Y',
'month_and_day_no_year' => '%B. %e',
'date_time' => '%e. %B, %Y @ %T',
'specific_day' => '%e. %B %Y',
'week_in_year' => 'Uke %W, %Y',
'year' => '%Y',
'half_year' => '%B %Y',
'month_js' => 'MMMM YYYY',
'month_and_day_js' => 'MMMM Do, YYYY',
'date_time_js' => 'MMMM Do, YYYY, @ HH:mm:ss',
'specific_day_js' => 'D MMMM YYYY',
'week_in_year_js' => '[Week] w, YYYY',
'year_js' => 'YYYY',
'half_year_js' => 'Q YYYY',
'dow_1' => 'Mandag',
'dow_2' => 'Tirsdag',
'dow_3' => 'Onsdag',
'dow_4' => 'Torsdag',
'dow_5' => 'Fredag',
'dow_6' => 'Lørdag',
'dow_7' => 'Søndag',
];

View File

@ -0,0 +1,26 @@
<?php
/**
* csv.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
];

View File

@ -0,0 +1,38 @@
<?php
/**
* demo.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
'no_demo_text' => 'Beklager, det finnes ingen ekstra demoforklaring for <abbr title=":route">denne siden</abbr>.',
'see_help_icon' => 'Imidlertid kan <i class="fa fa-question-circle"></i>-ikonet øverst i høyre hjørne fortelle deg mer.',
'index' => 'Velkommen til <strong>Firefly III</strong>! På denne siden får du en rask oversikt over økonomien din. For mer informasjon, sjekk ut Kontoer &rarr; <a href=":asset">Eiendelskontoer</a> og selvfølgelig <a href=":budgets">Budsjetter</a> og <a href=":reports">Rapporter</a>. Eller bare ta en titt rundt og se hvor du ender opp.',
'accounts-index' => 'Brukskontoer er dine personlige bankkontoer. Kostnadskontoer er kontoene du bruker penger på, for eksempel butikker og venner. Inntektskontoer er kontoer du mottar penger fra, for eksempel jobben din, det offentlige eller andre inntektskilder. På denne siden kan du redigere eller fjerne dem.',
'budgets-index' => 'Denne siden viser en oversikt over budsjettene dine. Den øverste linjen viser beløpet som er tilgjengelig for budsjettering. Dette kan tilpasses for enhver periode ved å klikke på beløpet til høyre. Beløpet du faktisk har brukt, vises i linjen under. Under det er kostnadene per budsjett og hva du har budsjettert for dem.',
'reports-index-start' => 'Firefly III støtter en rekke typer rapporter. Les om dem ved å klikke på <i class="fa fa-question-circle"></i>-ikonet øverst i høyre hjørne.',
'reports-index-examples' => 'Husk å sjekke ut disse eksemplene: <a href=":one">månedlig finansiell oversikt</a>, <a href=":two">årlig finansiell oversikt</a> og <a href=":three">budsjettoversikt</a>.',
'currencies-index' => 'Firefly III støtter flere valutaer. Selv om Euro er standard, kan det settes til norske kroner, eller en av mange andre valutaer. Som du kan se, så er et lite utvalg valutaer allerede lagt inn, men du kan legge til flere hvis du vil. Hvis du endrer standardvalutaen, endres ikke valutaen for eksisterende transaksjoner, men Firefly III støtter bruken av flere valutaer samtidig.',
'transactions-index' => 'Disse utgiftene, innskuddene og overføringene er ikke særlig fantasifulle. De har blitt generert automatisk.',
'piggy-banks-index' => 'Som du kan se, finnes det tre spargriser. Bruk pluss- og minus-knappene til å påvirke mengden penger i hver sparegris. Klikk på navnet til spargrisen for å administrere hver spargris.',
'import-index' => 'Alle CSV-filer kan importeres til Firefly III. Den støtter også import av data fra bunq og Spectre. Andre banker og finansielle aggregatorer vil bli implementert i fremtiden. Men som en demo-bruker kan du bare se en "falsk"-leverandør i aksjon. Den vil generere noen tilfeldige transaksjoner for å vise hvordan prosessen fungerer.',
'profile-index' => 'Vær oppmerksom at demoen tilbakestilles hver fjerde time. Din tilgang kan trekkes tilbake når som helst. Dette skjer automatisk og er ikke en feil.',
];

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,259 @@
<?php
/**
* form.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
// new user:
'bank_name' => 'Navn på bank',
'bank_balance' => 'Saldo',
'savings_balance' => 'Sparesaldo',
'credit_card_limit' => 'Kredittkortgrense',
'automatch' => 'Finn automatisk',
'skip' => 'Hopp over',
'enabled' => 'Aktivert',
'name' => 'Navn',
'active' => 'Aktiv',
'amount_min' => 'Minimumsbeløp',
'amount_max' => 'Maksimumsbeløp',
'match' => 'Treff på',
'strict' => 'Streng modus',
'repeat_freq' => 'Gjentas',
'journal_currency_id' => 'Valuta',
'currency_id' => 'Valuta',
'transaction_currency_id' => 'Valuta',
'external_ip' => 'Serverens eksterne IP',
'attachments' => 'Vedlegg',
'journal_amount' => 'Beløp',
'journal_source_name' => 'Inntektskonto (kilde)',
'keep_bill_id' => 'Regning',
'journal_source_id' => 'Brukskonto (kilde)',
'BIC' => 'BIC',
'verify_password' => 'Bekreft passordsikkerhet',
'source_account' => 'Kildekonto',
'destination_account' => 'Målkonto',
'journal_destination_id' => 'Brukskonto (destinasjon)',
'asset_destination_account' => 'Destinasjonskonto',
'include_net_worth' => 'Inkluder i formue',
'asset_source_account' => 'Kildekonto',
'journal_description' => 'Beskrivelse',
'note' => 'Notater',
'split_journal' => 'Del opp denne transaksjonen',
'split_journal_explanation' => 'Del denne transaksjonen opp i flere deler',
'currency' => 'Valuta',
'account_id' => 'Aktivakonto',
'budget_id' => 'Busjett',
'openingBalance' => 'Startsaldo',
'tagMode' => 'Taggmodus',
'tag_position' => 'Stedtagg',
'virtualBalance' => 'Virtuell balanse',
'targetamount' => 'Målbeløp',
'accountRole' => 'Kontorolle',
'openingBalanceDate' => 'Startsaldodato',
'ccType' => 'Betalingsplan for kredittkort',
'ccMonthlyPaymentDate' => 'Månedlig betalingsdato for kredittkort',
'piggy_bank_id' => 'Sparegris',
'returnHere' => 'Gå tilbake hit',
'returnHereExplanation' => 'Gå tilbake hit etter lagring for å legge til på nytt.',
'returnHereUpdateExplanation' => 'Gå tilbake hit etter endring.',
'description' => 'Beskrivelse',
'expense_account' => 'Utgiftskonto',
'revenue_account' => 'Inntektskonto',
'decimal_places' => 'Desimaler',
'exchange_rate_instruction' => 'Utenlandske valutaer',
'source_amount' => 'Beløp (kilde)',
'destination_amount' => 'Beløp (destinasjon)',
'native_amount' => 'Opprinnelig beløp',
'new_email_address' => 'Ny epostadresse',
'verification' => 'Bekreftelse',
'api_key' => 'API-nøkkel',
'remember_me' => 'Husk meg',
'liability_type_id' => 'Gjeldstype',
'interest' => 'Rente',
'interest_period' => 'Renteperiode',
'source_account_asset' => 'Kildekonto (aktivakonto)',
'destination_account_expense' => 'Destinasjonskonto (utgiftskonto)',
'destination_account_asset' => 'Destinasjonskonto (aktivakonto)',
'source_account_revenue' => 'Kildekonto (inntektskonto)',
'type' => 'Type',
'convert_Withdrawal' => 'Konverter uttak',
'convert_Deposit' => 'Konverter innskudd',
'convert_Transfer' => 'Konverter overføring',
'amount' => 'Beløp',
'foreign_amount' => 'Utenlandske beløp',
'existing_attachments' => 'Eksisterende vedlegg',
'date' => 'Dato',
'interest_date' => 'Rentedato',
'book_date' => 'Bokføringsdato',
'process_date' => 'Prosesseringsdato',
'category' => 'Kategori',
'tags' => 'Tagger',
'deletePermanently' => 'Slett permanent',
'cancel' => 'Avbryt',
'targetdate' => 'Måldato',
'startdate' => 'Startdato',
'tag' => 'Tagg',
'under' => 'Under',
'symbol' => 'Symbol',
'code' => 'Kode',
'iban' => 'IBAN',
'accountNumber' => 'Kontonummer',
'creditCardNumber' => 'Kredittkortnummer',
'has_headers' => 'Overskrifter',
'date_format' => 'Datoformat',
'specifix' => 'Bank- eller filspesifikke rettelser',
'attachments[]' => 'Vedlegg',
'store_new_withdrawal' => 'Lagre nytt uttak',
'store_new_deposit' => 'Lagre nytt innskudd',
'store_new_transfer' => 'Lagre ny overføring',
'add_new_withdrawal' => 'Opprett nytt uttak',
'add_new_deposit' => 'Opprett nytt innskudd',
'add_new_transfer' => 'Opprett ny overføring',
'title' => 'Tittel',
'notes' => 'Notater',
'filename' => 'Filnavn',
'mime' => 'Mime-type',
'size' => 'Størrelse',
'trigger' => 'Utløser',
'stop_processing' => 'Stopp prosessering',
'start_date' => 'Startgrense',
'end_date' => 'Sluttgrense',
'export_start_range' => 'Start på eksportgrense',
'export_end_range' => 'Slutt på eksportgrense',
'export_format' => 'Filformat',
'include_attachments' => 'Ta med opplastede vedlegg',
'include_old_uploads' => 'Ta med importert data',
'accounts' => 'Eksporter transaksjoner fra disse kontoene',
'delete_account' => 'Slett konto ":name"',
'delete_bill' => 'Slett regning ":name"',
'delete_budget' => 'Slett budsjett ":name"',
'delete_category' => 'Slett kategori ":name"',
'delete_currency' => 'Slett valuta ":name"',
'delete_journal' => 'Slett transaksjon med beskrivelse ":description"',
'delete_attachment' => 'Slett vedlegg ":name"',
'delete_rule' => 'Slett regel ":title"',
'delete_rule_group' => 'Slett regelgruppe ":title"',
'delete_link_type' => 'Slett lenketype ":name"',
'delete_user' => 'Slett bruker ":email"',
'delete_recurring' => 'Slett gjentakende transaksjon ":title"',
'user_areYouSure' => 'Hvis du sletter brukeren ":email", vil alt bli borte. Det er ikke mulig å angre eller gjenopprette brukeren. Hvis du sletter din egen bruker, vil du miste tilgangen til Firefly III.',
'attachment_areYouSure' => 'Er du sikker på at du vil slette vedlegget ved navn ":name"?',
'account_areYouSure' => 'Er du sikker på at du vil slette brukeren ved navn ":name"?',
'bill_areYouSure' => 'Er du sikker på at du vil slette regningen ved navn ":name"?',
'rule_areYouSure' => 'Er du sikker på at du vil slette regelen ved navn ":title"?',
'ruleGroup_areYouSure' => 'Er du sikker på at du vil slette regelgruppen ved navn ":title"?',
'budget_areYouSure' => 'Er du sikker på at du vil slette budsjettet ved navn ":name"?',
'category_areYouSure' => 'Er du sikker på at du vil slette kategorien ved navn ":name"?',
'recurring_areYouSure' => 'Er du sikker på at du vil slette gjentakende transaksjonen ved navn ":title"?',
'currency_areYouSure' => 'Er du sikker på at du vil slette valutaen ved navn ":name"?',
'piggyBank_areYouSure' => 'Er du sikker på at du vil slette sparegrisen ved navn ":name"?',
'journal_areYouSure' => 'Er du sikker på at du vil slette transaksjonen med beskrivelse ":description"?',
'mass_journal_are_you_sure' => 'Er du sikker på at du vil slette disse transaksjonene?',
'tag_areYouSure' => 'Er du sikker på at du vil slette taggen ":tag"?',
'journal_link_areYouSure' => 'Er du sikker på at du vil slette koblingen mellom <a href=":source_link">:source</a> og <a href=":destination_link">:destination</a>?',
'linkType_areYouSure' => 'Er du sikker på at du vil slette koblingstypen ":name" (":inward" / ":outward")?',
'permDeleteWarning' => 'Sletting av data fra Firefly III er permanent, og kan ikke angres.',
'mass_make_selection' => 'Du kan fortsatt forhindre at elementer slettes ved å fjerne avkrysningen.',
'delete_all_permanently' => 'Slett valgte elementer permanent',
'update_all_journals' => 'Oppdater disse transaksjonene',
'also_delete_transactions' => 'Den ene transaksjonen som er koblet til denne kontoen, vil også bli slettet. | Alle :count transaksjoner som er koblet til denne kontoen, slettes også.',
'also_delete_connections' => 'Den ene transaksjonen som er knyttet til denne koblingstypen, vil miste denne forbindelsen. | Alle :count transaksjoner knyttet til denne koblingstypen vil miste forbindelsen.',
'also_delete_rules' => 'Den ene regelen som er knyttet til denne regelgruppen, vil også bli slettet. | Alle de :count reglene som er knyttet til denne regelgruppen slettes også.',
'also_delete_piggyBanks' => 'Den ene sparegrisen som er koblet til denne kontoen, vil også bli slettet. | Alle de :count sparegrisene knyttet til denne kontoen slettes også.',
'bill_keep_transactions' => 'Ingen transaksjoner knyttet til denne regningen blir slettet.|Ingen av de :count transaksjonene knyttet til denne regningen vil bli slettet.',
'budget_keep_transactions' => 'Ingen transaksjoner knyttet til dette budsjettet blir slettet.|Ingen av de :count transaksjonene knyttet til dette budsjettet vil bli slettet.',
'category_keep_transactions' => 'Ingen transaksjoner knyttet til denne kategorien blir slettet.|Ingen av de :count transaksjonene knyttet til denne kategorien vil bli slettet.',
'recurring_keep_transactions' => 'Ingen transaksjoner knyttet til denne gjentakende transaksjonen blir slettet.|Ingen av de :count transaksjonene knyttet til denne gjentakende transaksjonen vil bli slettet.',
'tag_keep_transactions' => 'Ingen transaksjoner knyttet til denne tag blir slettet.|Ingen av de :count transaksjonene knyttet til denne tag vil bli slettet.',
'check_for_updates' => 'Se etter oppdateringer',
'email' => 'Epostadresse',
'password' => 'Passord',
'password_confirmation' => 'Passord (gjenta)',
'blocked' => 'Er sperret?',
'blocked_code' => 'Årsak til sperring',
'login_name' => 'Logg inn',
// import
'apply_rules' => 'Bruk regler',
'artist' => 'Artist',
'album' => 'Album',
'song' => 'Sang',
// admin
'domain' => 'Domene',
'single_user_mode' => 'Deaktiver brukerregistrering',
'is_demo_site' => 'Er demonettsted',
// import
'import_file' => 'Importer fil',
'configuration_file' => 'Konfigurasjonsfil',
'import_file_type' => 'Importer filtype',
'csv_comma' => 'Et komma (,)',
'csv_semicolon' => 'Et semikolon (;)',
'csv_tab' => 'En tabulator (usynlig)',
'csv_delimiter' => 'CSV-feltskilletegn',
'csv_import_account' => 'Standard importkonto',
'csv_config' => 'CSV-importkonfigurasjon',
'client_id' => 'Klient-ID',
'service_secret' => 'Service-hemmelighet',
'app_secret' => 'App-hemmelighet',
'app_id' => 'App ID',
'secret' => 'Secret',
'public_key' => 'Offentlig nøkkel',
'country_code' => 'Landskode',
'provider_code' => 'Bank eller dataleverandør',
'fints_url' => 'FinTS API URL',
'fints_port' => 'Port',
'fints_bank_code' => 'Bankkode',
'fints_username' => 'Brukernavn',
'fints_password' => 'PIN / Passord',
'fints_account' => 'FinTS konto',
'local_account' => 'Firefly III konto',
'from_date' => 'Dato fra',
'to_date' => 'Dato til',
'due_date' => 'Forfallsdato',
'payment_date' => 'Betalingsdato',
'invoice_date' => 'Fakturadato',
'internal_reference' => 'Intern referanse',
'inward' => 'Innvendig beskrivelse',
'outward' => 'Utvendig beskrivelse',
'rule_group_id' => 'Regelgruppe',
'transaction_description' => 'Transaksjonsbeskrivelse',
'first_date' => 'Første dato',
'transaction_type' => 'Transaksjonstype',
'repeat_until' => 'Gjenta til',
'recurring_description' => 'Gjentakende transaksjonsbeskrivelse',
'repetition_type' => 'Type repetisjon',
'foreign_currency_id' => 'Utenlandsk valuta',
'repetition_end' => 'Repetisjon slutter',
'repetitions' => 'Repetisjoner',
'calendar' => 'Kalender',
'weekend' => 'Helg',
'client_secret' => 'Client Secret',
];

View File

@ -0,0 +1,309 @@
<?php
/**
* import.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
// ALL breadcrumbs and subtitles:
'index_breadcrumb' => 'Importer data til Firefly III',
'prerequisites_breadcrumb_fake' => 'Forutsetninger for falsk import leverandør',
'prerequisites_breadcrumb_spectre' => 'Forutsetninger for Spectre',
'prerequisites_breadcrumb_bunq' => 'Forutsetninger for Bunq',
'prerequisites_breadcrumb_ynab' => 'Forutsetninger for YNAB',
'job_configuration_breadcrumb' => 'Konfigurasjon for ":key"',
'job_status_breadcrumb' => 'Importstatus for ":key"',
'disabled_for_demo_user' => 'deaktivert i demo',
// index page:
'general_index_intro' => 'Velkommen til Firefly IIIs importrutine. Det er flere måter å importere data på i Firefly III, vist her som knapper.',
// import provider strings (index):
'button_fake' => 'Utfør fake import',
'button_file' => 'Importer fil',
'button_bunq' => 'Importer fra bunq',
'button_spectre' => 'Importer med Spectre',
'button_plaid' => 'Importer med Plaid',
'button_yodlee' => 'Importer med Yodlee',
'button_quovo' => 'Importer med Quovo',
'button_ynab' => 'Importer fra You Need A Budget',
'button_fints' => 'Importer med FinTS',
// prerequisites box (index)
'need_prereq_title' => 'Import forutsetninger',
'need_prereq_intro' => 'Noen import metoder krever tilsyn før de kan bli benyttet. F. eks. at de krever en API nøkkel eller annen form for autentisering. DU kan konfigurere de her. Ikonet angir om forutsetningene har blitt oppfylt.',
'do_prereq_fake' => 'Forutsetninger for falsk leverandør',
'do_prereq_file' => 'Forutsetninger for fil import',
'do_prereq_bunq' => 'Forutsetninger for import fra bunq',
'do_prereq_spectre' => 'Forutsetninger for import fra Spectre',
'do_prereq_plaid' => 'Forutsetninger for import fra Plaid',
'do_prereq_yodlee' => 'Forutsetninger for import fra Yodlee',
'do_prereq_quovo' => 'Forutsetninger for import fra Quovo',
'do_prereq_ynab' => 'Forutsetninger for import fra YNAB',
// prerequisites:
'prereq_fake_title' => 'Forutsetninger for import fra falsk leverandør',
'prereq_fake_text' => 'Denne falske leverandøren krever en falsk API-nøkkel. Det må være 32 tegn. Du kan bruke denne: 123456789012345678901234567890AA',
'prereq_spectre_title' => 'Forutsetninger for å importere med Spectre API',
'prereq_spectre_text' => 'For å importere data ved hjelp av Spectre API (v4), må du angi Firefly III to nøkkel verdier. De kan finnes på <a href="https://www.saltedge.com/clients/profile/secrets">secrets page</a>.',
'prereq_spectre_pub' => 'Spectre API må også vite fellesnøkkelen du ser nedenfor. Uten den, vil den ikke gjenkjenne deg. Angi denne offentlige nøkkelen fra din <a href="https://www.saltedge.com/clients/profile/secrets">secrets page</a>.',
'prereq_bunq_title' => 'Forutsetninger for å importere med bunq',
'prereq_bunq_text' => 'For å importere fra bunq må du skaffe en API-nøkkel. Du kan gjøre dette gjennom appen. Vær oppmerksom på at importfunksjonen i bunq er i BETA. Den har kun blitt testet mot sandbox API\'et.',
'prereq_bunq_ip' => 'bunq krever din eksterne (internett) IP-adresse. Firefly III har forsøkt å fylle dette ved å bruke <a href="https://www.ipify.org/">ipify service</a>. Kontroller at IP-adressen er riktig, hvis ikke vil importen mislykkes.',
'prereq_ynab_title' => 'Forutsetninger for import fra YNAB',
'prereq_ynab_text' => 'For å kunne laste ned transaksjoner fra YNAB, vennligst opprett en ny applikasjon på din <a href="https://app.youneedabudget.com/settings/developer">Developer Settings Page</a> og angi client ID og nøkkel/secret fra denne siden.',
'prereq_ynab_redirect' => 'For å fullføre konfigurasjonen, oppgi følgende URL på <a href="https://app.youneedabudget.com/settings/developer">Developer Settings Page</a> under "Redirect URI(s)".',
'callback_not_tls' => 'Firefly III har oppdaget følgende callback URI. Det ser ut som serveren din er ikke konfigurert til å godta TLS-tilkoblinger (https). YNAB vil ikke godta denne URI. Du kan fortsette med importen (fordi Firefly III kan ta feil), men vær obs.',
// prerequisites success messages:
'prerequisites_saved_for_fake' => 'Falsk API-nøkkel lagret riktig!',
'prerequisites_saved_for_spectre' => 'App ID og secret lagret!',
'prerequisites_saved_for_bunq' => 'API-nøkkel og IP lagret!',
'prerequisites_saved_for_ynab' => 'YNAB klient-ID og secret lagret!',
// job configuration:
'job_config_apply_rules_title' => 'Jobb konfigurasjon - iverksette dine regler?',
'job_config_apply_rules_text' => 'Når den falske leverandøren har kjørt, kan reglene bli brukt på transaksjonene. Dette vil legge til ekstra tid på import jobben.',
'job_config_input' => 'Ditt innspill',
// job configuration for the fake provider:
'job_config_fake_artist_title' => 'Skriv inn albumnavn',
'job_config_fake_artist_text' => 'Noen import rutiner har konfigurasjonstrinn må du gå gjennom. I den falske import leverandøren må du svare på noen rare spørsmål. I dette tilfellet angi "David Bowie" for å fortsette.',
'job_config_fake_song_title' => 'Skriv inn sangtittel',
'job_config_fake_song_text' => 'Nevn sangen "Gylne år" for å fortsette med den falske importen.',
'job_config_fake_album_title' => 'Skriv inn albumnavn',
'job_config_fake_album_text' => 'Noen import rutiner krever tilleggsdata midt i import prosessen. I den falske import leverandøren må du svare noen rare spørsmål. Angi «Station to Station» for å fortsette.',
// job configuration form the file provider
'job_config_file_upload_title' => 'Importoppsett (1/4) - Last opp filen din',
'job_config_file_upload_text' => 'Denne rutinen vil hjelpe deg med å importere filer fra banken din til Firefly III. ',
'job_config_file_upload_help' => 'Velg fil. Husk å kontroller at filen er UTF-8-kodet.',
'job_config_file_upload_config_help' => 'Hvis du tidligere har importert data til Firefly III, kan du ha en konfigurasjonsfil liggende som har forhåndsfylte konfigurasjonsverdier for deg. For enkelte banker har andre brukere lagt ut konfigurasjonsfiler, se <a href="https://github.com/firefly-iii/import-configurations/wiki">konfigurasjonen fil</a>',
'job_config_file_upload_type_help' => 'Velg type fil du vil laste opp',
'job_config_file_upload_submit' => 'Last opp filer',
'import_file_type_csv' => 'CSV (kommaseparerte verdier)',
'import_file_type_ofx' => 'OFX',
'file_not_utf8' => 'Filen du har lastet opp er ikke kodet som UTF-8 eller ASCII. Firefly III kan ikke håndtere slike filer. Bruk Notepad ++ eller Sublime for å konvertere filen til UTF-8.',
'job_config_uc_title' => 'Importoppsett (2/4) - Grunnleggende fil oppsett',
'job_config_uc_text' => 'For å kunne importere filen riktig vennligst valider alternativene nedenfor.',
'job_config_uc_header_help' => 'Merk av denne boksen hvis den første raden i CSV-filen din består av kolonnetitler.',
'job_config_uc_date_help' => 'Datoformat for tiden i filen. Bruk formatet <a href="https://secure.php.net/manual/en/datetime.createfromformat.php#refsect1-datetime.createfromformat-parameters">denne side</a> angir. Standardverdien vil parse datoene til å se slik ut: :dateExample.',
'job_config_uc_delimiter_help' => 'Velg feltskilletegnet som brukes i filen din. Hvis du ikke er sikker så er komma det tryggeste alternativet.',
'job_config_uc_account_help' => 'Hvis filen IKKE inneholder informasjon om dine bruks/aktiva konto(er), bruk denne rullegardinlisten til å velge hvilken konto transaksjonene i filen tilhører.',
'job_config_uc_apply_rules_title' => 'Utfør regler',
'job_config_uc_apply_rules_text' => 'Utfører dine regler på alle importerte transaksjoner. Merk at dette gjør importen betydelig tregere.',
'job_config_uc_specifics_title' => 'Bank-spesifikke alternativer',
'job_config_uc_specifics_txt' => 'Enkelte banker gir dårlig formaterte filer. Firefly III kan fikse disse automatisk. Hvis banken din leverer slike filer men er ikke oppført her, vennligst lag en sak på GitHub.',
'job_config_uc_submit' => 'Fortsett',
'invalid_import_account' => 'Du har valgt en ugyldig konto å importere til.',
'import_liability_select' => 'Gjeld',
// job configuration for Spectre:
'job_config_spectre_login_title' => 'Velg innlogging',
'job_config_spectre_login_text' => 'Firefly III har funnet :count eksisterende innlogginger på din Spectre konto. Hvilken vil du importere fra?',
'spectre_login_status_active' => 'Aktiv',
'spectre_login_status_inactive' => 'Inaktiv',
'spectre_login_status_disabled' => 'Deaktivert',
'spectre_login_new_login' => 'Logg inn med annen bank, eller en av disse bankene med forskjellig legitimasjon.',
'job_config_spectre_accounts_title' => 'Velg kontoer å importere fra',
'job_config_spectre_accounts_text' => 'Du har valgt ":name" (:country). Du har :count tilgjengelige kontorer fra denne leverandøren. Velg Firefly III bruks/aktiva kontoen(e) der transaksjonene fra disse kontoene skal lagres. Husk, for å importere data fra Firefly III kontoen og ":name"-kontoen må begge ha samme valuta.',
'spectre_do_not_import' => '(Ikke importer)',
'spectre_no_mapping' => 'Du har ikke valgt noen kontoer å importere fra.',
'imported_from_account' => 'Importert fra ":account"',
'spectre_account_with_number' => 'Konto :number',
'job_config_spectre_apply_rules' => 'Bruk regler',
'job_config_spectre_apply_rules_text' => 'Som standard vil reglene brukes på transaksjoner som er opprettet under denne importrutinen. Hvis du ikke ønsker at dette skal skje må du avhuke valget.',
// job configuration for bunq:
'job_config_bunq_accounts_title' => 'bunq-kontoer',
'job_config_bunq_accounts_text' => 'Dette er kontoene knyttet til din bunq-konto. Vennligst velg kontoene du vil importere fra, og hvilken konto transaksjonene skal importeres til.',
'bunq_no_mapping' => 'Du har ikke valgt noen kontoer.',
'should_download_config' => 'Du bør laste ned <a href=":route">konfigurasjonen filen</a> for denne jobben. Dette vil gjøre fremtidige import jobber lettere.',
'share_config_file' => 'Hvis du har importert data fra en offentlig bank bør du <a href="https://github.com/firefly-iii/import-configurations/wiki">dele din konfigurasjons fil</a> slik at det blir lettere for andre brukere å importere sin data. Å dele din konfigurasjons fil vil ikke eksponere dine finanisielle data eller verdier.',
'job_config_bunq_apply_rules' => 'Bruk regler',
'job_config_bunq_apply_rules_text' => 'Som standard vil reglene brukes på transaksjoner som er opprettet under denne importrutinen. Hvis du ikke ønsker at dette skal skje må du avhuke valget.',
'bunq_savings_goal' => 'Spare mål: :amount (:percentage%)',
'bunq_account_status_CANCELLED' => 'Stengt bunq konto',
'ynab_account_closed' => 'Konto er stengt!',
'ynab_account_deleted' => 'Konto er slettet!',
'ynab_account_type_savings' => 'sparekonto',
'ynab_account_type_checking' => 'brukskonto',
'ynab_account_type_cash' => 'kontantkonto',
'ynab_account_type_creditCard' => 'kredittkort',
'ynab_account_type_lineOfCredit' => 'kredittgrense',
'ynab_account_type_otherAsset' => 'annen aktivakonto',
'ynab_account_type_otherLiability' => 'andre gjeld',
'ynab_account_type_payPal' => 'PayPal',
'ynab_account_type_merchantAccount' => 'selgerkonto',
'ynab_account_type_investmentAccount' => 'investerings konto',
'ynab_account_type_mortgage' => 'pant',
'ynab_do_not_import' => '(Ikke importer)',
'job_config_ynab_apply_rules' => 'Bruk regler',
'job_config_ynab_apply_rules_text' => 'Som standard vil reglene brukes på transaksjoner som er opprettet under denne importrutinen. Hvis du ikke ønsker at dette skal skje må du avhuke valget.',
// job configuration for YNAB:
'job_config_ynab_select_budgets' => 'Velg ditt budsjett',
'job_config_ynab_select_budgets_text' => 'Du har :count budsjett lagret hos YNAB. Vennligst velg en som Firefly III kan importere transaksjonene til.',
'job_config_ynab_no_budgets' => 'Det er ingen budsjett tilgjengelig å importere fra.',
'ynab_no_mapping' => 'Du har ikke valgt noen kontoer å importere fra.',
'job_config_ynab_bad_currency' => 'Du kan ikke importere fra følgende budsjett, fordi du har ingen kontoer med samme valuta som disse budsjettene.',
'job_config_ynab_accounts_title' => 'Velg konto',
'job_config_ynab_accounts_text' => 'Du har følgende kontoer tilgjengelig i dette budsjettet. Vennligst velg hvilken konto du vil importere og hvor transaksjonene skal lagres.',
// keys from "extra" array:
'spectre_extra_key_iban' => 'IBAN',
'spectre_extra_key_swift' => 'SWIFT',
'spectre_extra_key_status' => 'Status',
'spectre_extra_key_card_type' => 'Korttype',
'spectre_extra_key_account_name' => 'Kontonavn',
'spectre_extra_key_client_name' => 'Klientnavn',
'spectre_extra_key_account_number' => 'Kontonummer',
'spectre_extra_key_blocked_amount' => 'Blokkert beløp',
'spectre_extra_key_available_amount' => 'Tilgjengelig beløp',
'spectre_extra_key_credit_limit' => 'Kredittgrense',
'spectre_extra_key_interest_rate' => 'Rentesats',
'spectre_extra_key_expiry_date' => 'Utløpsdato',
'spectre_extra_key_open_date' => 'Åpningsdato',
'spectre_extra_key_current_time' => 'Gjeldende tid',
'spectre_extra_key_current_date' => 'Gjeldende dato',
'spectre_extra_key_cards' => 'Kort',
'spectre_extra_key_units' => 'Enheter',
'spectre_extra_key_unit_price' => 'Enhetspris',
'spectre_extra_key_transactions_count' => 'Transaksjonsantall',
//job configuration for finTS
'fints_connection_failed' => 'En feil oppsto ved tilkobling til din bank. Vennligst verifiser at all data du har skrevet inn er korrekt. Feilmelding: :originalError',
'job_config_fints_url_help' => 'F.eks. https://banking-dkb.s-fints-pt-dkb.de/fints30',
'job_config_fints_username_help' => 'For mange banker er dette konto nummeret ditt.',
'job_config_fints_port_help' => 'Standard porten er 443.',
'job_config_fints_account_help' => 'Velg bank kontoen du ønsker å importere transaksjoner til.',
'job_config_local_account_help' => 'Velg Firefly III kontoen knyttet til din bank konto valgt ovenfor.',
// specifics:
'specific_ing_name' => 'ING NL',
'specific_ing_descr' => 'Lag bedre beskrivelser i ING eksporter',
'specific_sns_name' => 'SNS / Volksbank NL',
'specific_sns_descr' => 'Trim tekst fra SNS / Volksbank eksport filer',
'specific_abn_name' => 'ABN AMRO NL',
'specific_abn_descr' => 'Fikser potensielle problemer med ABN AMRO filer',
'specific_rabo_name' => 'Rabobank NL',
'specific_rabo_descr' => 'Fikser potensielle problemer med Rabobank filer',
'specific_pres_name' => 'President\'s Choice Financial CA',
'specific_pres_descr' => 'Fikser potensielle problemer med PC filer',
// job configuration for file provider (stage: roles)
'job_config_roles_title' => 'Importoppsett (3/4) - Definer hver kolonnes rolle',
'job_config_roles_text' => 'Hver kolonne i CSV filen inneholder visse data. Vennligst indiker hvilken type data importen kan forvente. "Map" valget indikerer at du vil knytte hver oppføring funnet i kolonnen til en verdi in databasen. En ofte knyttet kolonne is kolonnen som inneholder IBAN til motstående konto. Dette kan enkelt matches mot IBAN verdier som er i databasen allerede.',
'job_config_roles_submit' => 'Fortsett',
'job_config_roles_column_name' => 'Navn på kolonne',
'job_config_roles_column_example' => 'Kolonneeksempeldata',
'job_config_roles_column_role' => 'Kolonne forklaring',
'job_config_roles_do_map_value' => 'Sammenkoble disse verdiene',
'job_config_roles_no_example' => 'Ingen eksempeldata tilgjengelig',
'job_config_roles_fa_warning' => 'Hvis du merker en kolonne som inneholder et beløp i en fremmed valuta, må du også angi kolonnen som inneholder hvilken valuta det er.',
'job_config_roles_rwarning' => 'I det minste, merk én kolonne som beløps-kolonnen. Det anbefales også velge en kolonne for beskrivelse, dato og motstående konto.',
'job_config_roles_colum_count' => 'Kolonne',
// job config for the file provider (stage: mapping):
'job_config_map_title' => 'Importoppsett (4/4) - Koble importdata til Firefly III-data',
'job_config_map_text' => 'I følgende tabeller viser verdien til venstre informasjonen funnet i den opplastede filen. Det er din oppgave å knytte denne verdien, hvis mulig, til en eksisterende verdi i databasen. Firefly vil holde seg til denne tilordningen. Hvis det er ingen verdi å knytte til, eller du ikke ønsker å knytte den, velg ingenting.',
'job_config_map_nothing' => 'Det finnes ingen data i filen som du kan koble til eksisterende verdier. Vennligst trykk "Start import" for å fortsette.',
'job_config_field_value' => 'Feltverdi',
'job_config_field_mapped' => 'Koblet til',
'map_do_not_map' => '(ikke koble til)',
'job_config_map_submit' => 'Start importen',
// import status page:
'import_with_key' => 'Importer med nøkkel \':key \'',
'status_wait_title' => 'Vennligst vent...',
'status_wait_text' => 'Denne boksen vil forsvinne om et øyeblikk.',
'status_running_title' => 'Importen kjører',
'status_job_running' => 'Vennligst vent, kjører import...',
'status_job_storing' => 'Vennligst vent, lagrer data...',
'status_job_rules' => 'Vennligst vent, kjører regler...',
'status_fatal_title' => 'Uopprettelig feil',
'status_fatal_text' => 'Det har oppstått en feil som importen ikke kunne gjenopprette seg fra. Beklager!',
'status_fatal_more' => 'Denne (muligens meget krytpiske) feilmeldingen suppleres av loggfiler, som du finner på harddisken eller i Docker container der du kjører Firefly III fra.',
'status_finished_title' => 'Import fullført',
'status_finished_text' => 'Importen er ferdig.',
'finished_with_errors' => 'Det oppstod enkelte feil under import. Vennligst les disse nøye.',
'unknown_import_result' => 'Ukjent import resultat',
'result_no_transactions' => 'Ingen transaksjoner er importert. Kanskje var alle duplikater eller så var det ingen transaksjoner tilstede som kunne importeres. Loggfilene kan gi en bedre indikering på hva som har oppstått. Hvis du importerer data regelmessig vil dette være normalt.',
'result_one_transaction' => 'Nøyaktig én transaksjon er importert. Den er lagret under tag <a href=":route" class="label label-success" style="font-size:100%;font-weight:normal;">:tag</a> hvor kan du undersøke videre.',
'result_many_transactions' => 'Firefly III har importert :count transaksjoner. De er lagret under tag <a href=":route" class="label label-success" style="font-size:100%;font-weight:normal;">:tag</a> hvor du kan undersøke dem videre.',
// general errors and warnings:
'bad_job_status' => 'For å få adgang til denne siden kan ikke import jobben ha status ":status".',
// column roles for CSV import:
'column__ignore' => '(ignorer denne kolonnen)',
'column_account-iban' => 'Aktivakonto (IBAN)',
'column_account-id' => 'Aktivakonto-ID (koblet til FF3)',
'column_account-name' => 'Aktivakonto (navn)',
'column_account-bic' => 'Aktivakonto (BIC)',
'column_amount' => 'Beløp',
'column_amount_foreign' => 'Beløp (i utenlandsk valuta)',
'column_amount_debit' => 'Beløp (debetkolonne)',
'column_amount_credit' => 'Beløp (kredittkolonne)',
'column_amount_negated' => 'Beløp (invers kolonne)',
'column_amount-comma-separated' => 'Beløp (komma som desimaltegn)',
'column_bill-id' => 'Regning-ID (koblet til FF3)',
'column_bill-name' => 'Regningsnavn',
'column_budget-id' => 'Budsjett-ID (koblet til FF3)',
'column_budget-name' => 'Budsjettnavn',
'column_category-id' => 'Kategori-ID (samsvarer FF3)',
'column_category-name' => 'Kategorinavn',
'column_currency-code' => 'Valutakode (ISO 4217)',
'column_foreign-currency-code' => 'Utenlandsk valutakode (ISO 4217)',
'column_currency-id' => 'Valuta-ID (samsvarer FF3)',
'column_currency-name' => 'Valutanavn (samsvarer FF3)',
'column_currency-symbol' => 'Valuta symbol (samsvarer FF3)',
'column_date-interest' => 'Renteberegningsdato',
'column_date-book' => 'Bokføringsdato for transaksjon',
'column_date-process' => 'Prosesseringsdato for transaksjon',
'column_date-transaction' => 'Dato',
'column_date-due' => 'Forfallsdato for transaksjon',
'column_date-payment' => 'Betalingsdato for transaksjon',
'column_date-invoice' => 'Fakturadato for transaksjon',
'column_description' => 'Beskrivelse',
'column_opposing-iban' => 'Motkonto (IBAN)',
'column_opposing-bic' => 'Motkonto (BIC)',
'column_opposing-id' => 'Motstående konto ID (samsvarer FF3)',
'column_external-id' => 'Ekstern ID',
'column_opposing-name' => 'Motstående konto (navn)',
'column_rabo-debit-credit' => 'Rabobank spesifikk debet/kreditt indikator',
'column_ing-debit-credit' => 'ING spesifikk debet/kreditt indikator',
'column_generic-debit-credit' => 'Generisk bank debet/kreditt indikator',
'column_sepa-ct-id' => 'SEPA ende-til-ende identifikator',
'column_sepa-ct-op' => 'SEPA Motstående kontoidentifikator',
'column_sepa-db' => 'SEPA Mandat identifikator',
'column_sepa-cc' => 'SEPA klareringskode',
'column_sepa-ci' => 'SEPA kreditoridentifikator',
'column_sepa-ep' => 'SEPA Eksternt formål',
'column_sepa-country' => 'SEPA landskode',
'column_sepa-batch-id' => 'SEPA sats/parti ID',
'column_tags-comma' => 'Tagger (kommaseparerte)',
'column_tags-space' => 'Tagger (oppdelt med mellomrom)',
'column_account-number' => 'Aktivakonto (kontonummer)',
'column_opposing-number' => 'Motkonto (kontonummer)',
'column_note' => 'Notat(er)',
'column_internal-reference' => 'Intern referanse',
];

View File

@ -0,0 +1,138 @@
<?php
/**
* intro.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
// index
'index_intro' => 'Velkommen til forsiden til Firefly III. Ta deg tid til å gå gjennom denne introen for å få en følelse av hvordan Firefly III fungerer.',
'index_accounts-chart' => 'Dette diagrammet viser gjeldende saldo på aktivakontoene dine. Du kan velge kontoene som er synlige her under innstillinger.',
'index_box_out_holder' => 'Denne lille boksen og boksene ved siden av gir deg rask oversikt over din økonomiske situasjon.',
'index_help' => 'Hvis du trenger hjelp til en side eller et skjema, trykker du på denne knappen.',
'index_outro' => 'De fleste sidene av Firefly III vil starte med en liten gjennomgang slik som denne. Ta kontakt med meg hvis du har spørsmål eller kommentarer. Sett igang!',
'index_sidebar-toggle' => 'For å opprette nye transaksjoner, kontoer eller andre ting, bruk menyen under dette ikonet.',
// create account:
'accounts_create_iban' => 'Gi kontoene dine en gyldig IBAN. Dette gjør dataimport lettere i fremtiden.',
'accounts_create_asset_opening_balance' => 'Aktivakontoer kan ha en "åpningssaldo" som indikerer starten på denne kontoens historie i Firefly III.',
'accounts_create_asset_currency' => 'Firefly III støtter flere valutaer. Aktivakontoer har en hovedvaluta, som du må sette her.',
'accounts_create_asset_virtual' => 'Det kan noen ganger hjelpe å gi kontoen din en virtuell saldo: et ekstra beløp blir alltid lagt til eller fjernet fra den faktiske saldoen.',
// budgets index
'budgets_index_intro' => 'Budsjetter brukes til å styre din økonomi og er en av kjernefunksjonene i Firefly III.',
'budgets_index_set_budget' => 'Sett ditt totale budsjett for hver periode, så Firefly III kan fortelle deg om du har budsjettert med alle tilgjengelige penger.',
'budgets_index_see_expenses_bar' => 'Når du bruker penger vil denne linjen fylles opp.',
'budgets_index_navigate_periods' => 'Naviger gjennom perioder for å enkelt sette budsjetter på forhånd.',
'budgets_index_new_budget' => 'Opprett nye budsjetter etter behov.',
'budgets_index_list_of_budgets' => 'Bruk denne tabellen til å angi beløp for hvert budsjett og se hvordan du klarer deg.',
'budgets_index_outro' => 'Hvis du vil vite mer om budsjettering, trykk på hjelp-ikonet øverst til høyre.',
// reports (index)
'reports_index_intro' => 'Bruk disse rapportene for å få detaljert innsikt i din økonomi.',
'reports_index_inputReportType' => 'Velg en rapporttype. Sjekk ut hjelpesidene for å se hva hver rapport viser deg.',
'reports_index_inputAccountsSelect' => 'Du kan ekskludere eller inkludere aktivakontoer etter eget ønske.',
'reports_index_inputDateRange' => 'Den valgte datoperioden er helt opp til deg: fra en dag, og opptil 10 år.',
'reports_index_extra-options-box' => 'Avhengig av hvilken rapport du har valgt, kan du velge ekstra filtre og alternativer her. Følg med på denne boksen når du endrer rapporttyper.',
// reports (reports)
'reports_report_default_intro' => 'Denne rapporten gir deg en rask og omfattende oversikt over økonomien din. Hvis du ønsker å se noe annet her, ikke nøl med å kontakte meg!',
'reports_report_audit_intro' => 'Denne rapporten gir deg detaljert innsikt i aktivakontoene dine.',
'reports_report_audit_optionsBox' => 'Bruk disse avkrysningssboksene for å vise eller skjule kolonnene du er interessert i.',
'reports_report_category_intro' => 'Denne rapporten gir deg innblikk i en eller flere kategorier.',
'reports_report_category_pieCharts' => 'Disse diagrammene gir deg innblikk i utgifter og inntekt per kategori eller per konto.',
'reports_report_category_incomeAndExpensesChart' => 'Dette diagrammet viser dine utgifter og inntekter per kategori.',
'reports_report_tag_intro' => 'Denne rapporten gir deg innblikk i en eller flere tagger.',
'reports_report_tag_pieCharts' => 'Disse diagrammene gir deg innblikk i utgifter og inntekter per tagg, konto, kategori eller budsjett.',
'reports_report_tag_incomeAndExpensesChart' => 'Dette diagrammet viser dine utgifter og inntekter per tagg.',
'reports_report_budget_intro' => 'Denne rapporten gir deg innblikk i ett eller flere budsjetter.',
'reports_report_budget_pieCharts' => 'Disse diagrammene gir deg innblikk i utgifter og inntekter per budsjett eller per konto.',
'reports_report_budget_incomeAndExpensesChart' => 'Dette diagrammet viser dine utgifter per budsjett.',
// create transaction
'transactions_create_switch_box' => 'Bruk disse knappene for å raskt bytte til den typen transaksjon du vil lagre.',
'transactions_create_ffInput_category' => 'Du kan fritt skrive inn dette feltet. Tidligere opprettede kategorier vil bli foreslått.',
'transactions_create_withdrawal_ffInput_budget' => 'Koble uttaket ditt til et budsjett for bedre økonomisk kontroll.',
'transactions_create_withdrawal_currency_dropdown_amount' => 'Bruk denne rullegardinmenyen når uttaket ditt er i en annen valuta.',
'transactions_create_deposit_currency_dropdown_amount' => 'Bruk denne rullegardinmenyen når innskuddet ditt er i en annen valuta.',
'transactions_create_transfer_ffInput_piggy_bank_id' => 'Velg en sparegris og knytt denne overføringen til din sparing.',
// piggy banks index:
'piggy-banks_index_saved' => 'Dette feltet viser hvor mye du har spart i hver sparegris.',
'piggy-banks_index_button' => 'Ved siden av denne fremdriftslinjen er det to knapper (+ og -) for å legge til eller fjerne penger fra hver sparegris.',
'piggy-banks_index_accountStatus' => 'For hver aktivakonto med minst en sparegris er statusen oppført i denne tabellen.',
// create piggy
'piggy-banks_create_name' => 'Hva er ditt mål? En ny sofa, et kamera, penger til uforutsette utgifter?',
'piggy-banks_create_date' => 'Du kan angi en måldato eller en frist for din sparegris.',
// show piggy
'piggy-banks_show_piggyChart' => 'Dette diagrammet viser historikken til denne sparegrisen.',
'piggy-banks_show_piggyDetails' => 'Noen detaljer om sparegrisen din',
'piggy-banks_show_piggyEvents' => 'Eventuelle tillegg eller flyttinger er også oppført her.',
// bill index
'bills_index_rules' => 'Her ser du hvilke regler som vil sjekke om denne regningen passer',
'bills_index_paid_in_period' => 'Dette feltet angir når regningen sist ble betalt.',
'bills_index_expected_in_period' => 'Dette feltet angir for hver regning om og når neste regning forventes å komme.',
// show bill
'bills_show_billInfo' => 'Denne tabellen viser generell informasjon om denne regningen.',
'bills_show_billButtons' => 'Bruk denne knappen til å skanne gamle transaksjoner på nytt, slik at de blir riktig koblet opp med denne regningen.',
'bills_show_billChart' => 'Dette diagrammet viser transaksjoner knyttet til denne regningen.',
// create bill
'bills_create_intro' => 'Bruk regninger for å spore hvor mange penger du skal betale for hver periode. Tenk på utgifter som leie, forsikring eller nedbetaling av boliglån.',
'bills_create_name' => 'Bruk et beskrivende navn som "Leie" eller "Helseforsikring".',
//'bills_create_match' => 'To match transactions, use terms from those transactions or the expense account involved. All words must match.',
'bills_create_amount_min_holder' => 'Velg minimum og maksimumsbeløp for denne regningen.',
'bills_create_repeat_freq_holder' => 'De fleste regninger gjentas månedlig, men du kan angi en annen frekvens her.',
'bills_create_skip_holder' => 'Hvis en regning gjentas hver andre uke, skal "hopp over" -feltet settes til "1" for å hoppe over annenhver uke.',
// rules index
'rules_index_intro' => 'Firefly III lar deg administrere regler som automatisk vil bli brukt på alle transaksjoner du oppretter eller redigerer.',
'rules_index_new_rule_group' => 'Du kan kombinere regler i grupper for enklere håndtering.',
'rules_index_new_rule' => 'Lag så mange regler som du vil.',
'rules_index_prio_buttons' => 'Legg dem i den rekkefølgen du synes passer best.',
'rules_index_test_buttons' => 'Du kan teste reglene dine eller bruke dem på eksisterende transaksjoner.',
'rules_index_rule-triggers' => 'Regler har "utløsere" og "handlinger" som du kan bytte rekkefølge på ved å dra og slippe.',
'rules_index_outro' => 'Husk å sjekke ut hjelpesidene ved å bruke (?) -ikonet øverst til høyre!',
// create rule:
'rules_create_mandatory' => 'Velg en beskrivende tittel, og bestem når regelen skal utløses.',
'rules_create_ruletriggerholder' => 'Legg til så mange utløsere som du vil, men husk at ALLE utløsere må samsvare før noen handlinger settes i gang.',
'rules_create_test_rule_triggers' => 'Bruk denne knappen for å se hvilke eksisterende transaksjoner som samsvarer med regelen din.',
'rules_create_actions' => 'Sett så mange handlinger som du vil.',
// preferences
'preferences_index_tabs' => 'Flere alternativer er tilgjengelig bak disse fanene.',
// currencies
'currencies_index_intro' => 'Firefly III støtter flere valutaer, som du kan endre på denne siden.',
'currencies_index_default' => 'Firefly III har en standard valuta.',
'currencies_index_buttons' => 'Bruk disse knappene for å endre standard valuta eller aktivere andre valutaer.',
// create currency
'currencies_create_code' => 'Denne koden bør være ISO-kompatibel (Søk på Google for å finne ISO-koden).',
];

View File

@ -0,0 +1,136 @@
<?php
/**
* list.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
'buttons' => 'Knapper',
'icon' => 'Ikon',
'id' => 'ID',
'create_date' => 'Opprettet',
'update_date' => 'Oppdatert',
'updated_at' => 'Oppdatert',
'balance_before' => 'Saldo før',
'balance_after' => 'Saldo etter',
'name' => 'Navn',
'role' => 'Rolle',
'currentBalance' => 'Nåværende saldo',
'linked_to_rules' => 'Relevante regler',
'active' => 'Er aktiv?',
'lastActivity' => 'Siste aktivitet',
'balanceDiff' => 'Saldodifferanse',
'matchesOn' => 'Traff på',
'account_type' => 'Kontotype',
'created_at' => 'Opprettet',
'account' => 'Konto',
'matchingAmount' => 'Beløp',
'split_number' => 'Del #',
'destination' => 'Mål',
'source' => 'Kilde',
'next_expected_match' => 'Neste forventede treff',
'automatch' => 'Automatisk treff?',
'repeat_freq' => 'Gjentas',
'description' => 'Beskrivelse',
'amount' => 'Beløp',
'internal_reference' => 'Intern referanse',
'date' => 'Dato',
'interest_date' => 'Rentedato',
'book_date' => 'Bokføringsdato',
'process_date' => 'Prosesseringsdato',
'due_date' => 'Forfallsdato',
'payment_date' => 'Betalingsdato',
'invoice_date' => 'Fakturadato',
'interal_reference' => 'Intern referanse',
'notes' => 'Notater',
'from' => 'Fra',
'piggy_bank' => 'Sparegris',
'to' => 'Til',
'budget' => 'Busjett',
'category' => 'Kategori',
'bill' => 'Regning',
'withdrawal' => 'Uttak',
'deposit' => 'Innskudd',
'transfer' => 'Overføring',
'type' => 'Type',
'completed' => 'Ferdig',
'iban' => 'IBAN',
'paid_current_period' => 'Betalt denne perioden',
'email' => 'Epost',
'registered_at' => 'Registrert den',
'is_blocked' => 'Er sperret',
'is_admin' => 'Er admin',
'has_two_factor' => 'Har 2FA',
'blocked_code' => 'Blokkert kode',
'source_account' => 'Kildekonto',
'destination_account' => 'Målkonto',
'accounts_count' => 'Antall kontoer',
'journals_count' => 'Antall transaksjoner',
'attachments_count' => 'Antall vedlegg',
'bills_count' => 'Antall regninger',
'categories_count' => 'Antall kategorier',
'export_jobs_count' => 'Antall eksportjobber',
'import_jobs_count' => 'Antall importjobber',
'budget_count' => 'Antall budsjetter',
'rule_and_groups_count' => 'Antall regler og regelgrupper',
'tags_count' => 'Antall tagger',
'tags' => 'Tagger',
'inward' => 'Innvendig beskrivelse',
'outward' => 'Utvendig beskrivelse',
'number_of_transactions' => 'Antall transaksjoner',
'total_amount' => 'Totalbeløp',
'sum' => 'Sum',
'sum_excluding_transfers' => 'Sum (unntatt overføringer)',
'sum_withdrawals' => 'Sum av uttak',
'sum_deposits' => 'Sum av innskudd',
'sum_transfers' => 'Sum av overføringer',
'reconcile' => 'Avstem',
'account_on_spectre' => 'Konto (Spectre)',
'account_on_ynab' => 'Konto (YNAB)',
'do_import' => 'Importer fra denne kontoen',
'sepa-ct-id' => 'SEPA ende-til-ende-identifikator',
'sepa-ct-op' => 'SEPA Motkonto-identifikator',
'sepa-db' => 'SEPA Mandat-identifikator',
'sepa-country' => 'SEPA-land',
'sepa-cc' => 'SEPA-klareringskode',
'sepa-ep' => 'SEPA Eksternt formål',
'sepa-ci' => 'SEPA kreditoridentifikator',
'sepa-batch-id' => 'SEPA sats/parti ID',
'external_id' => 'Ekstern ID',
'account_at_bunq' => 'Konto med bunq',
'file_name' => 'Filnavn',
'file_size' => 'Filstørrelse',
'file_type' => 'Filtype',
'attached_to' => 'Knyttet til',
'file_exists' => 'Filen eksisterer',
'spectre_bank' => 'Bank',
'spectre_last_use' => 'Siste innlogging',
'spectre_status' => 'Status',
'bunq_payment_id' => 'bunq betalings ID',
'repetitions' => 'Repetisjoner',
'title' => 'Tittel',
'transaction_s' => 'Transaksjoner',
'field' => 'Felt',
'value' => 'Verdi',
'interest' => 'Renter',
'interest_period' => 'renteperiode',
'liability_type' => 'Type gjeld',
];

View File

@ -0,0 +1,28 @@
<?php
/**
* pagination.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
'previous' => '&laquo; Forrige',
'next' => 'Neste &raquo;',
];

View File

@ -0,0 +1,32 @@
<?php
/**
* passwords.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
'password' => 'Passord må være minst seks tegn og samsvare med bekreftelsen.',
'user' => 'Vi finner ikke noen bruker med denne epostadressen.',
'token' => 'Passord-nullstillingskoden er ikke gyldig.',
'sent' => 'Passord-nullstillingslenke sendt!',
'reset' => 'Passordet er tilbakestilt!',
'blocked' => 'Du skal ha for forsøket.',
];

View File

@ -0,0 +1,167 @@
<?php
/**
* validation.php
* Copyright (c) 2018 thegrumpydictator@gmail.com
*
* This file is part of Firefly III.
*
* Firefly III is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Firefly III is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Firefly III. If not, see <http://www.gnu.org/licenses/>.
*/
declare(strict_types=1);
return [
'iban' => 'Dette er ikke en gyldig IBAN.',
'zero_or_more' => 'Verdien kan ikke være negativ.',
'date_or_time' => 'Verdien må være et gyldig dato- eller klokkeslettformat (ISO 8601).',
'source_equals_destination' => 'Kildekontoen er lik destinasjonskonto.',
'unique_account_number_for_user' => 'Det ser ut som dette kontonummeret er allerede i bruk.',
'unique_iban_for_user' => 'Det ser ut som dette IBAN er allerede i bruk.',
'deleted_user' => 'På grunn av sikkerhetsbegrensninger kan du ikke registreres med denne e-postadresse.',
'rule_trigger_value' => 'Denne verdien er ugyldig for den valgte triggeren.',
'rule_action_value' => 'Denne verdien er ugyldig for den valgte handlingen.',
'file_already_attached' => 'Opplastede fil ":name" er allerede knyttet til dette objektet.',
'file_attached' => 'Opplasting av fil ":name" var vellykket.',
'must_exist' => 'IDen i feltet :attribute finnes ikke i databasen.',
'all_accounts_equal' => 'Alle kontoer i dette feltet må være like.',
'invalid_selection' => 'Dine valg er ugyldig.',
'belongs_user' => 'Denne verdien er ugyldig for dette feltet.',
'at_least_one_transaction' => 'Trenger minst én transaksjon.',
'at_least_one_repetition' => 'Trenger minst en gjentagelse.',
'require_repeat_until' => 'Krever enten et antall repetisjoner eller en slutt dato (gjentas til). Ikke begge.',
'require_currency_info' => 'Innholdet i dette feltet er ugyldig uten valutainformasjon.',
'equal_description' => 'Transaksjonsbeskrivelsen bør ikke være lik global beskrivelse.',
'file_invalid_mime' => 'Kan ikke akseptere fil ":name" av typen ":mime" for opplasting.',
'file_too_large' => '":name"-filen er for stor.',
'belongs_to_user' => 'Verdien av :attribute er ukjent.',
'accepted' => ':attribute må bli godtatt.',
'bic' => 'Dette er ikke en gyldig BIC.',
'at_least_one_trigger' => 'Regel må ha minst en trigger.',
'at_least_one_action' => 'Regel må ha minst en aksjon.',
'base64' => 'Dette er ikke godkjent base64 kodet data.',
'model_id_invalid' => 'Den angitte ID er ugyldig for denne modellen.',
'more' => ':attribute må være større enn null.',
'less' => ':attribute må være mindre enn 10,000,000',
'active_url' => ':attribute er ikke en gyldig URL.',
'after' => ':attribute må være en dato etter :date.',
'alpha' => ':attribute kan kun inneholde bokstaver.',
'alpha_dash' => ':attribute kan bare inneholde bokstaver, tall og bindestreker.',
'alpha_num' => ':attribute kan bare inneholde bokstaver og tall.',
'array' => ':attribute må være en liste.',
'unique_for_user' => 'Det finnes allerede en forekomst med :attribute.',
'before' => ':attribute må være en dato før :date.',
'unique_object_for_user' => 'Dette navnet er allerede i bruk.',
'unique_account_for_user' => 'Dette konto navnet er allerede i bruk.',
'between.numeric' => ':attribute må være en verdi mellom :min og :max.',
'between.file' => ':attribute må være mellom :min og :max kilobyte.',
'between.string' => ':attribute må være mellom :min og :max tegn.',
'between.array' => ':attribute må ha mellom :min og :max elementer.',
'boolean' => ':attribute må være sann eller usann.',
'confirmed' => ':attribute bekreftelsen stemmer ikke overens.',
'date' => ':attribute er ikke en gyldig dato.',
'date_format' => ':attribute samsvarer ikke med formatet :format.',
'different' => ':attribute og :other må være forskjellig.',
'digits' => ':attribute må være :digits sifre.',
'digits_between' => ':attribute må være mellom :min og :max sifre.',
'email' => ':attribute må være en gyldig epostaddresse.',
'filled' => ':attribute må fylles ut.',
'exists' => 'Den valgte :attribute er ikke gyldig.',
'image' => ':attribute må være et bilde.',
'in' => 'Den valgte :attribute er ikke gyldig.',
'integer' => ':attribute må være et heltall.',
'ip' => ':attribute må være en gyldig IP-addresse.',
'json' => ':attribute må være en gyldig JSON streng.',
'max.numeric' => ':attribute ikke kan være større enn :max.',
'max.file' => ':attribute ikke kan være større enn :max kilobytes.',
'max.string' => ':attribute ikke kan være større enn :max tegn.',
'max.array' => ':attribute kan ikke inneholde mer enn :max elementer.',
'mimes' => ':attribute må være en fil av type: :values.',
'min.numeric' => ':attribute må være minst :min.',
'lte.numeric' => ':attribute må være mindre enn eller lik :value.',
'min.file' => ':attribute må være minst :min kilobytes.',
'min.string' => ':attribute må være minst :min tegn.',
'min.array' => ':attribute må inneholde minst :min elementer.',
'not_in' => 'Den valgte :attribute er ikke gyldig.',
'numeric' => ':attribute må være et tall.',
'numeric_native' => 'Den normale beløpet må være et nummer.',
'numeric_destination' => 'Destinasjons beløpet må være et nummer.',
'numeric_source' => 'Kilde beløpet må være et nummer.',
'regex' => ':attribute formatet er ugyldig.',
'required' => ':attribute feltet må fylles ut.',
'required_if' => ':attribute feltet er påkrevd når :other er :value.',
'required_unless' => ':attribute feltet er påkrevd hvis ikke :other er i :values.',
'required_with' => ':attribute feltet er nødvendig når :values er tilstede.',
'required_with_all' => ':attribute feltet er nødvendig når :values er tilstede.',
'required_without' => ':attribute er påkrevd når :values ikke er definert.',
'required_without_all' => ':attribute er påkrevd når ingen av :values er definert.',
'same' => ':attribute og :other må være like.',
'size.numeric' => ':attribute må være :size.',
'amount_min_over_max' => 'Minimumsbeløpet kan ikke være større enn maksimumsbeløpet.',
'size.file' => ':attribute må være :size kilobyte.',
'size.string' => ':attribute må være :size tegn.',
'size.array' => ':attribute må inneholde :size elementer.',
'unique' => ':attribute har allerede blitt tatt.',
'string' => ':attribute må være en streng.',
'url' => ':attribute formatet er ugyldig.',
'timezone' => ':attribute må være en gyldig tidssone.',
'2fa_code' => ':attribute formatet er ugyldig.',
'dimensions' => ':attribute har ugyldig bilde dimensjoner.',
'distinct' => ':attribute feltet har en duplikatverdi.',
'file' => ':attribute må være en fil.',
'in_array' => 'Feltet :attribute finnes ikke i :other.',
'present' => ':attribute feltet må være definert.',
'amount_zero' => 'Totalbeløpet kan ikke være null.',
'unique_piggy_bank_for_user' => 'Navnet på sparegris må være unik.',
'secure_password' => 'Dette er ikke et sikkert passord. Vennligst prøv igjen. For mer informasjon, se https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => 'Ugyldig repetisjons type for gjentakende transaksjoner.',
'valid_recurrence_rep_moment' => 'Ugyldig repetisjons tid for denne type repetisjon.',
'invalid_account_info' => 'Ugyldig konto informasjon.',
'attributes' => [
'email' => 'epostadresse',
'description' => 'beskrivelse',
'amount' => 'beløp',
'name' => 'navn',
'piggy_bank_id' => 'sparegris ID',
'targetamount' => 'målbeløp',
'openingBalanceDate' => 'åpningssaldo dato',
'openingBalance' => 'åpningssaldo',
'match' => 'match',
'amount_min' => 'minimumsbeløp',
'amount_max' => 'maksimumsbeløp',
'title' => 'tittel',
'tag' => 'tag',
'transaction_description' => 'transaksjonsbeskrivelse',
'rule-action-value.1' => 'regel aksjonsverdi #1',
'rule-action-value.2' => 'regel aksjonsverdi #2',
'rule-action-value.3' => 'regel aksjonsverdi #3',
'rule-action-value.4' => 'regel aksjonsverdi #4',
'rule-action-value.5' => 'regel aksjonsverdi #5',
'rule-action.1' => 'regel aksjon#1',
'rule-action.2' => 'regel aksjon#2',
'rule-action.3' => 'regel aksjon#3',
'rule-action.4' => 'regel aksjon#4',
'rule-action.5' => 'regel aksjon#5',
'rule-trigger-value.1' => 'regel trigger verdi #1',
'rule-trigger-value.2' => 'regel trigger verdi #2',
'rule-trigger-value.3' => 'regel trigger verdi #3',
'rule-trigger-value.4' => 'regel trigger verdi #4',
'rule-trigger-value.5' => 'regel trigger verdi #5',
'rule-trigger.1' => 'regel trigger #1',
'rule-trigger.2' => 'regel trigger #2',
'rule-trigger.3' => 'regel trigger #3',
'rule-trigger.4' => 'regel trigger #4',
'rule-trigger.5' => 'regel trigger #5',
],
];

View File

@ -33,7 +33,7 @@ return [
'last_seven_days' => 'Ostatnie 7 dni',
'last_thirty_days' => 'Ostanie 30 dni',
'welcomeBack' => 'Co jest grane?',
'welcome_back' => 'What\'s playing?',
'welcome_back' => 'Co jest grane?',
'everything' => 'Wszystko',
'today' => 'dzisiaj',
'customRange' => 'Niestandardowy zakres',

View File

@ -140,18 +140,18 @@ return [
'bunq_savings_goal' => 'Cel oszczędzania: :amount (:percentage%)',
'bunq_account_status_CANCELLED' => 'Zamknięte konto bunq',
'ynab_account_closed' => 'Account is closed!',
'ynab_account_closed' => 'Konto jest zamknięte!',
'ynab_account_deleted' => 'Konto usunięte!',
'ynab_account_type_savings' => 'konto oszczędnościowe',
'ynab_account_type_checking' => 'checking account',
'ynab_account_type_checking' => 'sprawdzanie konta',
'ynab_account_type_cash' => 'konto gotówkowe',
'ynab_account_type_creditCard' => 'karta kredytowa',
'ynab_account_type_lineOfCredit' => 'line of credit',
'ynab_account_type_otherAsset' => 'other asset account',
'ynab_account_type_otherLiability' => 'inne zobowiązania',
'ynab_account_type_payPal' => 'PayPal',
'ynab_account_type_merchantAccount' => 'merchant account',
'ynab_account_type_investmentAccount' => 'investment account',
'ynab_account_type_merchantAccount' => 'konto handlowe',
'ynab_account_type_investmentAccount' => 'konto inwestycyjne',
'ynab_account_type_mortgage' => 'mortgage',
'ynab_do_not_import' => '(do not import)',
'job_config_ynab_apply_rules' => 'Zastosuj reguły',
@ -192,17 +192,17 @@ return [
'fints_connection_failed' => 'An error occurred while trying to connecting to your bank. Please make sure that all the data you entered is correct. Original error message: :originalError',
'job_config_fints_url_help' => 'E.g. https://banking-dkb.s-fints-pt-dkb.de/fints30',
'job_config_fints_username_help' => 'For many banks this is your account number.',
'job_config_fints_username_help' => 'Dla wielu banków jest to numer twojego konta.',
'job_config_fints_port_help' => 'The default port is 443.',
'job_config_fints_account_help' => 'Choose the bank account for which you want to import transactions.',
'job_config_local_account_help' => 'Choose the Firefly III account corresponding to your bank account chosen above.',
'job_config_fints_account_help' => 'Wybierz konto bankowe, dla którego chcesz importować transakcje.',
'job_config_local_account_help' => 'Wybierz konto Firefly III odpowiadające wybranemu powyżej kontu bankowemu.',
// specifics:
'specific_ing_name' => 'ING NL',
'specific_ing_descr' => 'Create better descriptions in ING exports',
'specific_sns_name' => 'SNS / Volksbank NL',
'specific_sns_descr' => 'Trim quotes from SNS / Volksbank export files',
'specific_sns_descr' => 'Usuwa cudzysłowy z plików eksportów SNS / Volksbank',
'specific_abn_name' => 'ABN AMRO NL',
'specific_abn_descr' => 'Fixes potential problems with ABN AMRO files',
'specific_abn_descr' => 'Napraw potencjalne problemy z plikami ABN AMRO',
'specific_rabo_name' => 'Rabobank NL',
'specific_rabo_descr' => 'Fixes potential problems with Rabobank files',
'specific_pres_name' => 'President\'s Choice Financial CA',
@ -279,7 +279,7 @@ return [
'column_date-book' => 'Data księgowania transakcji',
'column_date-process' => 'Data przetworzenia transakcji',
'column_date-transaction' => 'Data',
'column_date-due' => 'Transaction due date',
'column_date-due' => 'Data transakcji',
'column_date-payment' => 'Transaction payment date',
'column_date-invoice' => 'Transaction invoice date',
'column_description' => 'Opis',

View File

@ -108,9 +108,9 @@ return [
'do_import' => 'Importuj z tego konta',
'sepa-ct-id' => 'Identyfikator end-to-end SEPA',
'sepa-ct-op' => 'Identyfikator przeciwnego konta SEPA',
'sepa-db' => 'SEPA Mandate Identifier',
'sepa-db' => 'Identyfikator mandatu SEPA',
'sepa-country' => 'Kraj SEPA',
'sepa-cc' => 'SEPA Clearing Code',
'sepa-cc' => 'Kod rozliczeniowy SEPA',
'sepa-ep' => 'SEPA External Purpose',
'sepa-ci' => 'SEPA Creditor Identifier',
'sepa-batch-id' => 'ID paczki SEPA',

View File

@ -34,5 +34,5 @@ return [
'transactions-index' => 'Estas despesas, depósitos e transferências não são fantasiosas. Elas foram geradas automaticamente.',
'piggy-banks-index' => 'Como você pode ver, existem três cofrinhos. Use o sinal de mais e menos botões para influenciar a quantidade de dinheiro em cada cofrinho. Clique no nome do cofrinho para ver a administração de cada cofrinho.',
'import-index' => 'Qualquer arquivo CSV pode ser importado para o Firefly III. Importações de dados de bunq e Specter também são suportadas. Outros bancos e agregadores financeiros serão implementados futuramente. Como usuário de demonstração, no entanto, você só pode ver o provedor "falso" em ação. Ele irá gerar transações aleatórias para lhe mostrar como funciona o processo.',
'profile-index' => 'Nao te esquecas que a plataforma demo reinicia a cada 4 horas. O teu acesso pode ser revogado a qualquer altura. Isto acontece automaticamente e nao e um problema na plataforma.',
'profile-index' => 'Tenha em mente que o site de demonstração reinicia a cada 4 horas. Seu acesso pode ser revogado a qualquer momento. Isso acontece automaticamente e não é um erro.',
];

View File

@ -33,7 +33,7 @@ return [
'last_seven_days' => 'Últimos sete dias',
'last_thirty_days' => 'Últimos 30 dias',
'welcomeBack' => 'O que está passando?',
'welcome_back' => 'What\'s playing?',
'welcome_back' => 'O que está passando?',
'everything' => 'Tudo',
'today' => 'hoje',
'customRange' => 'Intervalo Personalizado',
@ -115,7 +115,7 @@ return [
'cannot_redirect_to_account' => 'Firefly III não pode redirecioná-lo para a página correta. Minhas desculpas.',
'sum_of_expenses' => 'Soma das despesas',
'sum_of_income' => 'Soma da renda',
'liabilities' => 'Responsabilidades',
'liabilities' => 'Passivos',
'spent_in_specific_budget' => 'Gasto no orçamento ":budget"',
'sum_of_expenses_in_budget' => 'Gasto total no orçamento ":budget"',
'left_in_budget_limit' => 'Restante para gastar de acordo com o orçamento',
@ -180,10 +180,10 @@ return [
'reset_button' => 'Redefinir',
'want_to_login' => 'Eu quero fazer o login',
'login_page_title' => 'Login no Firefly III',
'register_page_title' => 'Registar no Firefly III',
'forgot_pw_page_title' => 'Esqueceste a password do Firefly III',
'reset_pw_page_title' => 'Reiniciar a password do Firefly III',
'cannot_reset_demo_user' => 'Nao podes reiniciar a password do utilizador de demonstracao.',
'register_page_title' => 'Registrar no Firefly III',
'forgot_pw_page_title' => 'Esqueceu sua senha do Firefly III',
'reset_pw_page_title' => 'Redefinir sua senha para Firefly III',
'cannot_reset_demo_user' => 'Você não pode redefinir a senha do usuário demo.',
'button_register' => 'Registrar',
'authorization' => 'Autorização',
'active_bills_only' => 'apenas faturas ativas',
@ -218,27 +218,27 @@ return [
// search
'search' => 'Pesquisa',
'search_query' => 'Pedido',
'search_found_transactions' => 'Firefly III found :count transaction(s) in :time seconds.',
'search_for_query' => 'Firefly III is searching for transactions with all of these words in them: <span class="text-info">:query</span>',
'search_modifier_amount_is' => 'Amount is exactly :value',
'search_modifier_amount' => 'Amount is exactly :value',
'search_modifier_amount_max' => 'Amount is at most :value',
'search_modifier_amount_min' => 'Amount is at least :value',
'search_modifier_amount_less' => 'Amount is less than :value',
'search_modifier_amount_more' => 'Amount is more than :value',
'search_modifier_source' => 'Source account is :value',
'search_modifier_destination' => 'Destination account is :value',
'search_modifier_category' => 'Category is :value',
'search_modifier_budget' => 'Budget is :value',
'search_modifier_bill' => 'Bill is :value',
'search_modifier_type' => 'Transaction type is :value',
'search_modifier_date' => 'Transaction date is :value',
'search_modifier_date_before' => 'Transaction date is before :value',
'search_modifier_date_after' => 'Transaction date is after :value',
'search_modifier_on' => 'Transaction date is :value',
'search_modifier_before' => 'Transaction date is before :value',
'search_modifier_after' => 'Transaction date is after :value',
'modifiers_applies_are' => 'The following modifiers are applied to the search as well:',
'search_found_transactions' => 'Firefly III encontrou :count transação(ões) em :time segundo(s).',
'search_for_query' => 'Firefly III está procurando transações com todas estas palavras neles: <span class="text-info">:query</span>',
'search_modifier_amount_is' => 'Valor é exatamente :value',
'search_modifier_amount' => 'Valor é exatamente :value',
'search_modifier_amount_max' => 'Valor é no máximo :value',
'search_modifier_amount_min' => 'Valor é pelo menos :value',
'search_modifier_amount_less' => 'Valor é menor que :value',
'search_modifier_amount_more' => 'Valor é maior que :value',
'search_modifier_source' => 'Conta de origem é :value',
'search_modifier_destination' => 'Conta de destino é :value',
'search_modifier_category' => 'Categoria é :value',
'search_modifier_budget' => 'Orçamento é :value',
'search_modifier_bill' => 'Fatura é :value',
'search_modifier_type' => 'Tipo de transação é :value',
'search_modifier_date' => 'Data da transação é :value',
'search_modifier_date_before' => 'Data da transação é antes de :value',
'search_modifier_date_after' => 'Data da transação é após :value',
'search_modifier_on' => 'Data da transação é :value',
'search_modifier_before' => 'Data da transação é antes de :value',
'search_modifier_after' => 'Data da transação é após :value',
'modifiers_applies_are' => 'Os seguintes modificadores são aplicados também à busca:',
'general_search_error' => 'Ocorreu um erro durante a pesquisa. Verifique os arquivos de log para obter mais informações.',
'search_box' => 'Pesquisar',
'search_box_intro' => 'Bem-vindo à função de pesquisa do Firefly III. Digite sua consulta de pesquisa na caixa. Certifique-se de verificar o arquivo de ajuda porque a pesquisa é bastante avançada.',
@ -480,7 +480,7 @@ return [
'without_date' => 'Sem data',
'result' => 'Resultado',
'sums_apply_to_range' => 'Todas as somas aplicam-se ao intervalo selecionado',
'mapbox_api_key' => 'To use map, get an API key from <a href="https://www.mapbox.com/">Mapbox</a>. Open your <code>.env</code> file and enter this code after <code>MAPBOX_API_KEY=</code>.',
'mapbox_api_key' => 'Para usar o mapa, obtenha uma chave API do <a href="https://www.mapbox.com/">Mapbox</a>. Abra seu arquivo <code>.env</code> e insira este código <code>MAPBOX_API_KEY=</code>.',
'press_tag_location' => 'Clique com o botão direito ou pressione longamente para definir a localização da tag.',
'clear_location' => 'Limpar localização',
@ -562,13 +562,13 @@ return [
'invalid_password' => 'Senha inválida!',
'what_is_pw_security' => 'O que é "verificar a segurança da senha"?',
'secure_pw_title' => 'Como escolher uma senha segura',
'secure_pw_history' => 'Not a week goes by that you read in the news about a site losing the passwords of its users. Hackers and thieves use these passwords to try to steal your private information. This information is valuable.',
'secure_pw_ff' => 'Do you use the same password all over the internet? If one site loses your password, hackers have access to all your data. Firefly III relies on you to choose a strong and unique password to protect your financial records.',
'secure_pw_check_box' => 'To help you do that Firefly III can check if the password you want to use has been stolen in the past. If this is the case, Firefly III advises you NOT to use that password.',
'secure_pw_working_title' => 'How does it work?',
'secure_pw_working' => 'By checking the box, Firefly III will send the first five characters of the SHA1 hash of your password to <a href="https://www.troyhunt.com/introducing-306-million-freely-downloadable-pwned-passwords/">the website of Troy Hunt</a> to see if it is on the list. This will stop you from using unsafe passwords as is recommended in the latest <a href="https://pages.nist.gov/800-63-3/sp800-63b.html">NIST Special Publication</a> on this subject.',
'secure_pw_history' => 'Não é toda semana que você lê notícias sobre site que perde as senhas de seus usuários. Hackers e ladrões usam essas senhas para tentar roubar suas informações privadas. Esta informação é valiosa.',
'secure_pw_ff' => 'Você usa a mesma senha em toda a internet? Se um site perder sua senha, os hackers terão acesso a todos os seus dados. O Firefly III depende de você para escolher uma senha forte e única para proteger seus registros financeiros.',
'secure_pw_check_box' => 'Para ajudá-lo o Firefly III pode verificar se a senha que você deseja usar foi roubada anteriormente. Se for esse o caso, o Firefly III aconselha a você NÃO utilizar essa senha.',
'secure_pw_working_title' => 'Como isso funciona?',
'secure_pw_working' => 'Ao marcar a caixa de seleção, o Firefly III enviará os cinco primeiros caracteres do hash SHA1 de sua senha <a href="https://www.troyhunt.com/introducing-306-million-freely-downloadable-pwned-passwords/">ao site Troy Hunt</a>, para verificar se ela está na lista. Isso impede que você use senhas inseguras, como recomendado na última <a href="https://pages.nist.gov/800-63-3/sp800-63b.html">publicação NIST Special</a> sobre esse assunto.',
'secure_pw_should' => 'Devo verificar a caixa?',
'secure_pw_long_password' => 'Yes. Always verify your password is safe.',
'secure_pw_long_password' => 'Sim. Sempre verificar se sua senha é segura.',
'command_line_token' => 'Token de linha de comando',
'explain_command_line_token' => 'Você precisa desse token para executar opções de linha de comando, como importar ou exportar dados. Sem isso, tais comandos sensíveis não funcionarão. Não compartilhe seu token de acesso. Ninguém pedirá por este token, nem mesmo eu. Se você tem medo de perder isso, ou quando você se preocupar, regenere esse token usando o botão.',
'regenerate_command_line_token' => 'Regenerar token de linha de comando',
@ -786,13 +786,13 @@ return [
'updated_account' => 'Conta ":name" atualizada',
'credit_card_options' => 'Opções de cartão de crédito',
'no_transactions_account' => 'Não há transações (neste período) para a conta ativa ":name".',
'no_transactions_period' => 'There are no transactions (in this period).',
'no_transactions_period' => 'Não há transações (neste período).',
'no_data_for_chart' => 'Não há informações suficientes (ainda) para gerar este gráfico.',
'select_at_least_one_account' => 'Por favor selecciona, pelo menos, uma conta de activos',
'select_at_least_one_category' => 'Por favor selecciona, pelo menos, uma categoria',
'select_at_least_one_budget' => 'Por favor selecciona, pelo menos, um orcamento',
'select_at_least_one_tag' => 'Por favor selecciona, pelo menos, uma tag',
'select_at_least_one_expense' => 'Please select at least one combination of expense/revenue accounts. If you have none (the list is empty) this report is not available.',
'select_at_least_one_account' => 'Por favor, selecione pelo menos uma conta de ativo',
'select_at_least_one_category' => 'Por favor selecione, pelo menos, uma categoria',
'select_at_least_one_budget' => 'Por favor, selecione pelo menos um orçamento',
'select_at_least_one_tag' => 'Por favor, selecione pelo menos uma tag',
'select_at_least_one_expense' => 'Por favor, selecione pelo menos uma combinação de contas de despesas/receitas. Se você não tem nenhuma (a lista está vazia) este relatório não está disponível.',
'account_default_currency' => 'Esta será a moeda padrão associada a esta conta.',
'reconcile_has_more' => 'Seu registro do Firefly III tem mais dinheiro nele do que o seu banco afirma que você deveria ter. Existem várias opções. Escolha o que fazer. Em seguida, pressione "Confirmar reconciliação".',
'reconcile_has_less' => 'Seu registro do Firefly III tem menos dinheiro nele do que o seu banco afirma que você deveria ter. Existem várias opções. Escolha o que fazer. Em seguida, pressione "Confirmar reconciliação".',
@ -861,7 +861,7 @@ return [
'no_bulk_budget' => 'Não atualize o orçamento',
'no_bulk_tags' => 'Não atualize a(s) tag(s)',
'bulk_edit' => 'Editar vários',
'cannot_edit_other_fields' => 'Você não pode editar em massa outros campos que não esse aqui, porque não há espaço para mostrá-los. Por favor siga o link e editá-los por um por um, se você precisar editar esses campos.',
'cannot_edit_other_fields' => 'Você não pode editar em massa outros campos que não esses aqui, porque não há espaço para mostrá-los. Por favor siga o link e editá-los por um por um, se você precisar editar esses campos.',
'no_budget' => '(sem orçamento)',
'no_budget_squared' => '(sem orçamento)',
'perm-delete-many' => 'Exclusão de muitos itens de uma só vez pode ser muito perturbador. Por favor, seja cauteloso.',
@ -881,7 +881,7 @@ return [
'notes' => 'Notas',
'unknown_journal_error' => 'A transação não pôde ser armazenada. Por favor, verifique os arquivos de log.',
'attachment_not_found' => 'O anexo não foi encontrado.',
'journal_link_bill' => 'This transaction is linked to bill <a href=":route">:name</a>. To remove the connection, uncheck the checkbox. Use rules to connect it to another bill.',
'journal_link_bill' => 'Esta transação está ligada à conta <a href=":route">:name</a>. Para remover a conexão, desmarque a caixa de seleção. Use as regras para conectá-la a outra conta.',
// new user:
'welcome' => 'Bem Vindo ao Firefly III!',
@ -900,13 +900,13 @@ return [
// home page:
'yourAccounts' => 'Suas contas',
'your_accounts' => 'Your account overview',
'category_overview' => 'Category overview',
'expense_overview' => 'Expense account overview',
'revenue_overview' => 'Revenue account overview',
'your_accounts' => 'Visão geral da sua conta',
'category_overview' => 'Visão geral da categoria',
'expense_overview' => 'Visão geral da conta de despesa',
'revenue_overview' => 'Visão geral da conta de receita',
'budgetsAndSpending' => 'Orçamentos e despesas',
'budgets_and_spending' => 'Budgets and spending',
'go_to_budget' => 'Go to budget "{budget}"',
'budgets_and_spending' => 'Orçamentos e despesas',
'go_to_budget' => 'Ir para o orçamento "{budget}"',
'savings' => 'Poupanças',
'newWithdrawal' => 'Nova despesa',
'newDeposit' => 'Novo depósito',
@ -924,10 +924,10 @@ return [
'searchPlaceholder' => 'Pesquisar...',
'version' => 'Versão',
'dashboard' => 'Painel de Controle',
'available_budget' => 'Available budget ({currency})',
'available_budget' => 'Orçamento disponível ({currency})',
'currencies' => 'Moedas',
'activity' => 'Activity',
'usage' => 'Usage',
'activity' => 'Atividade',
'usage' => 'Utilização',
'accounts' => 'Contas',
'Asset account' => 'Conta de ativo',
'Default account' => 'Conta de ativo',
@ -946,11 +946,11 @@ return [
'income' => 'Receita / Renda',
'transfers' => 'Transferências',
'moneyManagement' => 'Gerenciamento de Dinheiro',
'money_management' => 'Money management',
'tools' => 'Tools',
'money_management' => 'Gestão Monetária',
'tools' => 'Ferramentas',
'piggyBanks' => 'Cofrinhos',
'piggy_banks' => 'Piggy banks',
'amount_x_of_y' => '{current} of {total}',
'piggy_banks' => 'Cofrinhos',
'amount_x_of_y' => '{current} de {total}',
'bills' => 'Faturas',
'withdrawal' => 'Retirada',
'opening_balance' => 'Saldo inicial',
@ -985,11 +985,11 @@ return [
'report_budget' => 'Relatório de orçamento entre :start e :end',
'report_tag' => 'Relatório de tag entre :start e :end',
'quick_link_reports' => 'Ligações rápidas',
'quick_link_examples' => 'These are just some example links to get you started. Check out the help pages under the (?)-button for information on all reports and the magic words you can use.',
'quick_link_examples' => 'Estes são apenas alguns links de exemplo para você começar. Confira as páginas de ajuda com o botão (?) para obter informações sobre todos os relatórios e as palavras mágicas que você pode usar.',
'quick_link_default_report' => 'Relatório financeiro padrão',
'quick_link_audit_report' => 'Visão geral do histórico de transação',
'report_this_month_quick' => 'Mês atual, todas as contas',
'report_last_month_quick' => 'Last month, all accounts',
'report_last_month_quick' => 'Mês passado, todas as contas',
'report_this_year_quick' => 'Ano atual, todas as contas',
'report_this_fiscal_year_quick' => 'Ano fiscal atual, todas as contas',
'report_all_time_quick' => 'Todos os tempos, todas as contas',
@ -1101,11 +1101,11 @@ return [
'period' => 'Período',
'balance' => 'Saldo',
'sum' => 'Soma',
'summary' => 'Summary',
'summary' => 'Resumo',
'average' => 'Média',
'balanceFor' => 'Saldo para ":name"',
'no_tags_for_cloud' => 'No tags to generate cloud',
'tag_cloud' => 'Tag cloud',
'no_tags_for_cloud' => 'Sem tags para gerar nuvem',
'tag_cloud' => 'Nuvem de Tags',
// piggy banks:
'add_money_to_piggy' => 'Adicionar dinheiro ao cofrinho ":name"',
@ -1287,7 +1287,7 @@ return [
'no_accounts_imperative_revenue' => 'As contas de receita são criadas automaticamente quando você cria transações, mas você também pode criar uma manualmente, se desejar. Vamos criar um agora:',
'no_accounts_create_revenue' => 'Criar uma conta de receita',
'no_accounts_title_liabilities' => 'Vamos criar um passivo!',
'no_accounts_intro_liabilities' => 'You have no liabilities yet. Liabilities are the accounts that register your (student) loans and other debts.',
'no_accounts_intro_liabilities' => 'Você ainda não tem responsabilidades. As habilidades são as contas que registram seus empréstimos e outras dívidas.',
'no_accounts_imperative_liabilities' => 'Você não precisa usar esse recurso, mas pode ser útil se você quer controlar esse tipo de coisas.',
'no_accounts_create_liabilities' => 'Criar um passivo',
'no_budgets_title_default' => 'Vamos criar um orçamento',
@ -1325,7 +1325,7 @@ return [
// recurring transactions
'recurrences' => 'Transações recorrentes',
'recurring_calendar_view' => 'Calendar',
'recurring_calendar_view' => 'Calendário',
'no_recurring_title_default' => 'Vamos criar uma transação recorrente!',
'no_recurring_intro_default' => 'Você ainda não tem nenhuma transação recorrente. Você pode usá-las para que o Firefly III crie transações para você automaticamente.',
'no_recurring_imperative_default' => 'Essa é uma função bastante avançada, mas pode ser muito útil. Leia a documentação (ícone (?) no canto superior direito) antes de continuar.',
@ -1339,12 +1339,12 @@ return [
'overview_for_recurrence' => 'Visão geral da transação recorrente ":title"',
'warning_duplicates_repetitions' => 'Em raras ocasiões, as datas aparecem duas vezes na lista. Isso pode acontecer quando várias repetições colidem. Firefly III sempre irá gerar uma transação por dia.',
'created_transactions' => 'Transações relacionadas',
'expected_withdrawals' => 'Expected withdrawals',
'expected_deposits' => 'Expected deposits',
'expected_transfers' => 'Expected transfers',
'created_withdrawals' => 'Created withdrawals',
'created_deposits' => 'Created deposits',
'created_transfers' => 'Created transfers',
'expected_withdrawals' => 'Retiradas previstas',
'expected_deposits' => 'Depósitos previstos',
'expected_transfers' => 'Transferências previstas',
'created_withdrawals' => 'Retiradas criadas',
'created_deposits' => 'Depósitos criados',
'created_transfers' => 'Transferências criadas',
'created_from_recurrence' => 'Criado a partir da transação recorrente ":title" (#:id)',
'recurring_never_cron' => 'Parece que o cron job necessário para dar suporte a transações recorrentes nunca foi executado. Isso é normal quando você acabou de instalar o Firefly III, mas deve ser configurado o quanto antes. Por favor, veja as páginas de ajuda usando o ícone (?) no canto superior direito da página.',
'recurring_cron_long_ago' => 'Faz mais de 36 horas que o cron job que dá suporte a transações recorrentes foi acionado pela última vez. Tem certeza de que foi configurado corretamente? Por favor, veja as páginas de ajuda usando o ícone (?) no canto superior direito da página.',
@ -1370,20 +1370,20 @@ return [
'recurring_skips_one' => 'Intercalado',
'recurring_skips_more' => 'Pular :count ocorrências',
'store_new_recurrence' => 'Salvar transação recorrente',
'stored_new_recurrence' => 'Recurring transaction ":title" stored successfully.',
'edit_recurrence' => 'Edit recurring transaction ":title"',
'recurring_repeats_until' => 'Repeats until :date',
'recurring_repeats_forever' => 'Repetir para sempre',
'stored_new_recurrence' => 'Transação recorrente ":title" armazenada com sucesso.',
'edit_recurrence' => 'Editar transação recorrente ":title"',
'recurring_repeats_until' => 'Repetir até :date',
'recurring_repeats_forever' => 'Repetir sempre',
'recurring_repeats_x_times' => 'Repetir :count vez(es)',
'update_recurrence' => 'Alterar transaccao recorrente',
'updated_recurrence' => 'Alterar transaccao recorrente ":title"',
'recurrence_is_inactive' => 'This recurring transaction is not active and will not generate new transactions.',
'delete_recurring' => 'Delete recurring transaction ":title"',
'new_recurring_transaction' => 'New recurring transaction',
'help_weekend' => 'What should Firefly III do when the recurring transaction falls on a Saturday or Sunday?',
'do_nothing' => 'Just create the transaction',
'skip_transaction' => 'Skip the occurence',
'jump_to_friday' => 'Create the transaction on the previous Friday instead',
'update_recurrence' => 'Atualizar transação recorrente',
'updated_recurrence' => 'Atualizar transação recorrente ":title"',
'recurrence_is_inactive' => 'Esta transação recorrente não está ativa e não gerará novas transações.',
'delete_recurring' => 'Apagar transação recorrente ":title"',
'new_recurring_transaction' => 'Nova transação recorrente',
'help_weekend' => 'O que o Firefly III deve fazer quando a transação recorrente cai em um sábado ou domingo?',
'do_nothing' => 'Apenas criar a transação',
'skip_transaction' => 'Pular a ocorrência',
'jump_to_friday' => 'Criar a transação na segunda-feira seguinte',
'jump_to_monday' => 'Criar a transação na segunda-feira seguinte',
'will_jump_friday' => 'Será criada na sexta-feira em vez de nos finais de semana.',
'will_jump_monday' => 'Será criada na segunda-feira em vez de nos finais de semana.',

View File

@ -45,13 +45,13 @@ return [
'attachments' => 'Anexos',
'journal_amount' => 'Quantia',
'journal_source_name' => 'Conta de receita (origem)',
'keep_bill_id' => 'Factura',
'journal_source_id' => 'Conta de activos (origem)',
'keep_bill_id' => 'Fatura',
'journal_source_id' => 'Conta de ativo (origem)',
'BIC' => 'BIC',
'verify_password' => 'Verificação da segurança da senha',
'source_account' => 'Conta de origem',
'destination_account' => 'Conta de destino',
'journal_destination_id' => 'Conta de activos (destino)',
'journal_destination_id' => 'Conta de ativo (destino)',
'asset_destination_account' => 'Conta de destino',
'include_net_worth' => 'Incluir no patrimonio liquido',
'asset_source_account' => 'Conta de origem',
@ -87,9 +87,9 @@ return [
'verification' => 'Verificação',
'api_key' => 'Chave da API',
'remember_me' => 'Lembrar-me',
'liability_type_id' => 'Tipo de responsabilidade',
'interest' => 'Juro',
'interest_period' => 'Periodo de juros',
'liability_type_id' => 'Tipo de passivo',
'interest' => 'Juros',
'interest_period' => 'Período de juros',
'source_account_asset' => 'Conta de origem (conta de ativo)',
'destination_account_expense' => 'Conta de destino (conta de despesa)',
@ -156,7 +156,7 @@ return [
'delete_rule_group' => 'Exclua o grupo de regras ":title"',
'delete_link_type' => 'Excluir tipo de link ":name"',
'delete_user' => 'Excluir o usuário ":email"',
'delete_recurring' => 'Apagar transaccao recorrente ":title"',
'delete_recurring' => 'Apagar transação recorrente ":title"',
'user_areYouSure' => 'Se você excluir o usuário ":email", tudo desaparecerá. Não será possível desfazer a ação. Se excluir você mesmo, você perderá acesso total a essa instância do Firefly III.',
'attachment_areYouSure' => 'Tem certeza que deseja excluir o anexo denominado ":name"?',
'account_areYouSure' => 'Tem certeza que deseja excluir a conta denominada ":name"?',
@ -165,7 +165,7 @@ return [
'ruleGroup_areYouSure' => 'Tem certeza que deseja excluir o grupo de regras intitulado ":title"?',
'budget_areYouSure' => 'Tem certeza que deseja excluir o orçamento chamado ":name"?',
'category_areYouSure' => 'Tem certeza que deseja excluir a categoria com o nome ":name"?',
'recurring_areYouSure' => 'Tens a certeza que pretendes apagar a transaccao recorrente chamada ":title"?',
'recurring_areYouSure' => 'Tem certeza que deseja excluir o grupo de regras intitulado ":title"?',
'currency_areYouSure' => 'Tem certeza que deseja excluir a moeda chamada ":name"?',
'piggyBank_areYouSure' => 'Tem certeza que deseja excluir o cofrinho chamado ":name"?',
'journal_areYouSure' => 'Tem certeza que deseja excluir a transação descrita ":description"?',
@ -181,11 +181,11 @@ return [
'also_delete_connections' => 'A única transação relacionada com este tipo de link vai perder a conexão. | Todas as transações de :count ligadas com este tipo de link vão perder sua conexão.',
'also_delete_rules' => 'A única regra que ligado a este grupo de regras será excluída também.|Todos as :count regras ligadas a este grupo de regras serão excluídas também.',
'also_delete_piggyBanks' => 'O único cofrinho conectado a essa conta será excluído também.|Todos os :count cofrinhos conectados a esta conta serão excluídos também.',
'bill_keep_transactions' => 'A unica transaccao vinculada a esta factura nao vai ser apagada.|Todas as :count transaccoes vinculadas a esta factura nao vao ser apagadas.',
'budget_keep_transactions' => 'A unica transaccao vinculada a este orcamento nao vai ser apagada.|Todas as :count transaccoes vinculadas a este orcamento nao vao ser apagadas.',
'category_keep_transactions' => 'A unica transaccao vinculada a esta categoria nao vai ser apagada.|Todas as :count transaccoes vinculadas a esta categoria nao vao ser apagadas.',
'recurring_keep_transactions' => 'A unica transaccao criada a partir desta transaccao recorrente nao vai ser apagada.|Todas as :count transaccoes criadas a partir desta transaccao recorrente nao vao ser apagadas.',
'tag_keep_transactions' => 'A unica transaccao vinculada a esta tag nao vai ser apagada.|Todas as :count transaccoes vinculadas a esta tag nao vao ser apagadas.',
'bill_keep_transactions' => 'A única transação conectada a esta fatura não será excluída.|Todas as :count transações conectadas a esta fatura não serão excluídas.',
'budget_keep_transactions' => 'A única transação conectada a este orçamento não será excluída.|Todas as :count transações conectadas a este orçamento não serão excluídas.',
'category_keep_transactions' => 'A única transação conectada a esta categoria não será excluída.|Todas as :count transações conectadas a esta categoria não serão excluídas.',
'recurring_keep_transactions' => 'A única transação criada por esta transação recorrente não será excluída.|Todas as :count transações criadas por esta transação recorrente não serão excluídas.',
'tag_keep_transactions' => 'A única transação conectada a esta tag não será excluída.|Todas as :count transações conectadas a esta tag não serão excluídas.',
'check_for_updates' => 'Buscar atualizações',
'email' => 'E-mail',
@ -198,8 +198,8 @@ return [
// import
'apply_rules' => 'Aplicar Regras',
'artist' => 'Artista',
'album' => 'Album',
'song' => 'Musica',
'album' => 'Álbum',
'song' => 'Música',
// admin
@ -225,15 +225,15 @@ return [
'public_key' => 'Chave pública',
'country_code' => 'Código do país',
'provider_code' => 'Banco ou provedor de dados',
'fints_url' => 'URL da API FinTS',
'fints_url' => 'URL da API do FinTS',
'fints_port' => 'Porta',
'fints_bank_code' => 'Codigo do banco',
'fints_username' => 'Utilizador',
'fints_password' => 'PIN / Password',
'fints_account' => 'Conta FinTS',
'local_account' => 'Conta Firefly III',
'from_date' => 'Data desde',
'to_date' => 'Data ate',
'fints_bank_code' => 'Código do banco',
'fints_username' => 'Usuário',
'fints_password' => 'PIN / Senha',
'fints_account' => 'Conta no FinTS',
'local_account' => 'Conta no Firefly III',
'from_date' => 'Data inicial',
'to_date' => 'Data final',
'due_date' => 'Data de vencimento',
@ -243,17 +243,17 @@ return [
'inward' => 'Descrição interna',
'outward' => 'Descrição externa',
'rule_group_id' => 'Grupo de regras',
'transaction_description' => 'Descricao da transaccao',
'transaction_description' => 'Descrição da transação',
'first_date' => 'Primeira data',
'transaction_type' => 'Tipo de transaccao',
'repeat_until' => 'Repetir ate',
'recurring_description' => 'Descricao da transaccao recorrente',
'repetition_type' => 'Tipo de repeticao',
'foreign_currency_id' => 'Divisa estrangeira',
'repetition_end' => 'Repetica termina',
'repetitions' => 'Repeticoes',
'calendar' => 'Calendario',
'weekend' => 'Fim de semana',
'client_secret' => 'Segredo do cliente',
'transaction_type' => 'Tipo de transação',
'repeat_until' => 'Repetir até',
'recurring_description' => 'Descrição da transação recorrente',
'repetition_type' => 'Tipo de repetição',
'foreign_currency_id' => 'Moeda estrangeira',
'repetition_end' => 'Repetição termina',
'repetitions' => 'Repetições',
'calendar' => 'Calendário',
'weekend' => 'Fim de Semana',
'client_secret' => 'Chave secreta',
];

View File

@ -118,7 +118,7 @@ return [
'job_config_spectre_login_text' => 'Firefly III has found :count existing login(s) in your Spectre account. Which one would you like to use to import from?',
'spectre_login_status_active' => 'Activo',
'spectre_login_status_inactive' => 'Inactivo',
'spectre_login_status_disabled' => 'Desactivado',
'spectre_login_status_disabled' => 'Desabilitado',
'spectre_login_new_login' => 'Login with another bank, or one of these banks with different credentials.',
'job_config_spectre_accounts_title' => 'Seleccionar as contas de onde vai importar',
'job_config_spectre_accounts_text' => 'You have selected ":name" (:country). You have :count account(s) available from this provider. Please select the Firefly III asset account(s) where the transactions from these accounts should be stored. Remember, in order to import data both the Firefly III account and the ":name"-account must have the same currency.',
@ -140,9 +140,9 @@ return [
'bunq_savings_goal' => 'Savings goal: :amount (:percentage%)',
'bunq_account_status_CANCELLED' => 'Closed bunq account',
'ynab_account_closed' => 'A conta esta fechada!',
'ynab_account_deleted' => 'A conta esta apagada!',
'ynab_account_type_savings' => 'contas poupanca',
'ynab_account_closed' => 'Conta fechada!',
'ynab_account_deleted' => 'Conta excluída!',
'ynab_account_type_savings' => 'conta poupança',
'ynab_account_type_checking' => 'checking account',
'ynab_account_type_cash' => 'conta de dinheiro',
'ynab_account_type_creditCard' => 'cartao de credito',
@ -174,12 +174,12 @@ return [
'spectre_extra_key_card_type' => 'Tipo de cartao',
'spectre_extra_key_account_name' => 'Nome da conta',
'spectre_extra_key_client_name' => 'Nome do cliente',
'spectre_extra_key_account_number' => 'Numero da conta',
'spectre_extra_key_blocked_amount' => 'Montante bloqueado',
'spectre_extra_key_available_amount' => 'Montante disponivel',
'spectre_extra_key_credit_limit' => 'Limite de credito',
'spectre_extra_key_account_number' => 'Número da conta',
'spectre_extra_key_blocked_amount' => 'Valor bloqueado',
'spectre_extra_key_available_amount' => 'Valor disponível',
'spectre_extra_key_credit_limit' => 'Limite de crédito',
'spectre_extra_key_interest_rate' => 'Taxa de juros',
'spectre_extra_key_expiry_date' => 'Data de validade',
'spectre_extra_key_expiry_date' => 'Data de vencimento',
'spectre_extra_key_open_date' => 'Data de abertura',
'spectre_extra_key_current_time' => 'Hora actual',
'spectre_extra_key_current_date' => 'Data actual',

View File

@ -63,7 +63,7 @@ return [
'notes' => 'Notas',
'from' => 'De',
'piggy_bank' => 'Cofrinho',
'to' => 'Até',
'to' => 'Para',
'budget' => 'Orçamento',
'category' => 'Categoria',
'bill' => 'Fatura',

View File

@ -25,7 +25,7 @@ declare(strict_types=1);
return [
'iban' => 'Este não é um válido IBAN.',
'zero_or_more' => 'O valor não pode ser negativo.',
'date_or_time' => 'The value must be a valid date or time value (ISO 8601).',
'date_or_time' => 'O valor deve ser uma data válida (ISO 8601).',
'source_equals_destination' => 'A conta de origem é igual à conta de destino.',
'unique_account_number_for_user' => 'Parece que este número de conta já está em uso.',
'unique_iban_for_user' => 'Parece que este IBAN já está em uso.',
@ -124,7 +124,7 @@ return [
'present' => 'O campo :attribute deve estar presente.',
'amount_zero' => 'O montante total não pode ser zero.',
'unique_piggy_bank_for_user' => 'O nome do cofrinho deve ser único.',
'secure_password' => 'Esta nao e uma password segura. Tenta de novo por favor. Para mais informacoes visita https://bit.ly/FF3-password-security',
'secure_password' => 'Esta não é uma senha segura. Por favor, tente novamente. Para mais informações, visite https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => 'Tipo de repetição inválido para transações recorrentes.',
'valid_recurrence_rep_moment' => 'Momento de repetição inválido para esse tipo de repetição.',
'invalid_account_info' => 'Informação de conta inválida.',

View File

@ -33,7 +33,7 @@ return [
'last_seven_days' => 'Последние 7 дней',
'last_thirty_days' => 'Последние 30 дней',
'welcomeBack' => 'Что происходит с моими финансами?',
'welcome_back' => 'What\'s playing?',
'welcome_back' => 'Что происходит с моими финансами?',
'everything' => 'Всё',
'today' => 'сегодня',
'customRange' => 'Другой интервал',
@ -218,19 +218,19 @@ return [
// search
'search' => 'Поиск',
'search_query' => 'Запрос',
'search_found_transactions' => 'Firefly III found :count transaction(s) in :time seconds.',
'search_for_query' => 'Firefly III is searching for transactions with all of these words in them: <span class="text-info">:query</span>',
'search_modifier_amount_is' => 'Amount is exactly :value',
'search_modifier_amount' => 'Amount is exactly :value',
'search_modifier_amount_max' => 'Amount is at most :value',
'search_modifier_amount_min' => 'Amount is at least :value',
'search_modifier_amount_less' => 'Amount is less than :value',
'search_modifier_amount_more' => 'Amount is more than :value',
'search_modifier_source' => 'Source account is :value',
'search_modifier_destination' => 'Destination account is :value',
'search_modifier_category' => 'Category is :value',
'search_modifier_budget' => 'Budget is :value',
'search_modifier_bill' => 'Bill is :value',
'search_found_transactions' => 'Firefly III нашёл :count транзакций за :time секунд.',
'search_for_query' => 'Firefly III ищет транзакции со всеми этими словами: <span class="text-info">:query</span>',
'search_modifier_amount_is' => 'Сумма точно равна :value',
'search_modifier_amount' => 'Сумма точно равна :value',
'search_modifier_amount_max' => 'Сумма больше, чем :value',
'search_modifier_amount_min' => 'Сумма не менее, чем :value',
'search_modifier_amount_less' => 'Сумма меньше, чем :value',
'search_modifier_amount_more' => 'Сумма больше, чем :value',
'search_modifier_source' => 'Счёт-источник = :value',
'search_modifier_destination' => 'Счёт назначения = :value',
'search_modifier_category' => 'Категория = :value',
'search_modifier_budget' => 'Бюджет = :value',
'search_modifier_bill' => 'Счёт на оплату = :value',
'search_modifier_type' => 'Transaction type is :value',
'search_modifier_date' => 'Transaction date is :value',
'search_modifier_date_before' => 'Transaction date is before :value',
@ -453,12 +453,12 @@ return [
'rule_action_link_to_bill_choice' => 'Ссылка на счёт к оплате..',
'rule_action_link_to_bill' => 'Ссылка на счёт к оплате ":action_value"',
'rule_action_set_notes' => 'Назначить примечания ":action_value"',
'rule_action_convert_deposit_choice' => 'Convert the transaction to a deposit',
'rule_action_convert_deposit' => 'Convert the transaction to a deposit from ":action_value"',
'rule_action_convert_withdrawal_choice' => 'Convert the transaction to a withdrawal',
'rule_action_convert_withdrawal' => 'Convert the transaction to a withdrawal to ":action_value"',
'rule_action_convert_transfer_choice' => 'Convert the transaction to a transfer',
'rule_action_convert_transfer' => 'Convert the transaction to a transfer with ":action_value"',
'rule_action_convert_deposit_choice' => 'Преобразовать транзакцию в доход',
'rule_action_convert_deposit' => 'Преобразовать транзакцию в доход с помощью ":action_value"',
'rule_action_convert_withdrawal_choice' => 'Преобразовать транзакцию в расход',
'rule_action_convert_withdrawal' => 'Преобразовать транзакцию в расход с помощью ":action_value"',
'rule_action_convert_transfer_choice' => 'Преобразовать транзакцию в перевод',
'rule_action_convert_transfer' => 'Преобразовать транзакцию в перевод с помощью ":action_value"',
'rules_have_read_warning' => 'Вы прочитали предупреждение?',
'apply_rule_warning' => 'Предупреждение: запуск правила (группы) при большом числе выбранных транзакций может занять много времени, и это может привести к тайм-ауту. Если это произойдёт, правило (группа) будут применены к неизвестной части ваших транзакций. Это может серьёзно повредить вашему управлению финансами. Пожалуйста, будьте осторожны.',
@ -786,9 +786,9 @@ return [
'updated_account' => 'Обновить счёт ":name"',
'credit_card_options' => 'Параметры кредитной карты',
'no_transactions_account' => 'Для основного счёта ":name" нет транзакций (в этом периоде).',
'no_transactions_period' => 'There are no transactions (in this period).',
'no_transactions_period' => 'Нет транзакций (в этот период).',
'no_data_for_chart' => 'Недостаточно информации (пока) для построения этой диаграммы.',
'select_at_least_one_account' => 'Please select at least one asset account',
'select_at_least_one_account' => 'Выберите хотя бы один счёт',
'select_at_least_one_category' => 'Пожалуйста, выберите по крайней мере одну категорию',
'select_at_least_one_budget' => 'Пожалуйста, выберите по крайней мере один бюджет',
'select_at_least_one_tag' => 'Пожалуйста, выберите по крайней мере одну метку',
@ -881,7 +881,7 @@ return [
'notes' => 'Заметки',
'unknown_journal_error' => 'Не удалось сохранить транзакцию. Пожалуйста, проверьте log-файлы.',
'attachment_not_found' => 'Вложение не найдено.',
'journal_link_bill' => 'This transaction is linked to bill <a href=":route">:name</a>. To remove the connection, uncheck the checkbox. Use rules to connect it to another bill.',
'journal_link_bill' => 'Эта транзакция связана со счётом на оплату <a href=":route">:name</a>. Чтобы удалить эту связь, снимите галочку. Используйте правила для связи с другим счётом на оплату.',
// new user:
'welcome' => 'Добро пожаловать в Firefly III!',
@ -950,7 +950,7 @@ return [
'tools' => 'Инструменты',
'piggyBanks' => 'Копилки',
'piggy_banks' => 'Копилки',
'amount_x_of_y' => '{current} of {total}',
'amount_x_of_y' => '{current} из {total}',
'bills' => 'Счета к оплате',
'withdrawal' => 'Расход',
'opening_balance' => 'Начальный баланс',
@ -1101,11 +1101,11 @@ return [
'period' => 'Период',
'balance' => 'Бaлaнc',
'sum' => 'Сумма',
'summary' => 'Summary',
'summary' => 'Сводка',
'average' => 'Среднее значение',
'balanceFor' => 'Баланс для :name',
'no_tags_for_cloud' => 'No tags to generate cloud',
'tag_cloud' => 'Tag cloud',
'no_tags_for_cloud' => 'Нет тегов для создания облака',
'tag_cloud' => 'Облако тегов',
// piggy banks:
'add_money_to_piggy' => 'Добавить деньги в копилку ":name"',
@ -1339,15 +1339,15 @@ return [
'overview_for_recurrence' => 'Обзор повторяющейся транзакции ":title"',
'warning_duplicates_repetitions' => 'In rare instances, dates appear twice in this list. This can happen when multiple repetitions collide. Firefly III will always generate one transaction per day.',
'created_transactions' => 'Связанные транзакции',
'expected_withdrawals' => 'Expected withdrawals',
'expected_deposits' => 'Expected deposits',
'expected_transfers' => 'Expected transfers',
'created_withdrawals' => 'Created withdrawals',
'created_deposits' => 'Created deposits',
'created_transfers' => 'Created transfers',
'expected_withdrawals' => 'Просроченные расходы',
'expected_deposits' => 'Просроченные доходы',
'expected_transfers' => 'Просроченные переводы',
'created_withdrawals' => 'Расходы созданы',
'created_deposits' => 'Доходы созданы',
'created_transfers' => 'Переводы созданы',
'created_from_recurrence' => 'Создано из повторяющейся транзакции ":title" (#:id)',
'recurring_never_cron' => 'It seems the cron job that is necessary to support recurring transactions has never run. This is of course normal when you have just installed Firefly III, but this should be something to set up as soon as possible. Please check out the help-pages using the (?)-icon in the top right corner of the page.',
'recurring_cron_long_ago' => 'It looks like it has been more than 36 hours since the cron job to support recurring transactions has fired for the last time. Are you sure it has been set up correctly? Please check out the help-pages using the (?)-icon in the top right corner of the page.',
'recurring_never_cron' => 'Похоже, что задание cron, которое необходимо для работы повторяющихся транзакций, никогда не запускалось. Это совершенно нормально, если вы только что установили Firefly III, но возможно стоит проверить кое-какие настройки как можно скорее. Пожалуйста, перечитайте страницу справки, используя значок (?) в верхнем правом углу этой страницы.',
'recurring_cron_long_ago' => 'Похоже, что прошло более 36 часов с того времени, когда задание cron должно было быть выполнено в последний раз. Вы уверены, что всё настроено правильно? Пожалуйста, перечитайте страницу справки, используя значок (?) в верхнем правом углу этой страницы.',
'recurring_meta_field_tags' => 'Метки',
'recurring_meta_field_notes' => 'Примечания',
@ -1378,14 +1378,14 @@ return [
'update_recurrence' => 'Обновить повторяющуюся транзакцию',
'updated_recurrence' => 'Повторяющаяся транзакция ":title" обновлена',
'recurrence_is_inactive' => 'Эта повторяющаяся транзакция не активна и не создаёт новые транзакции.',
'delete_recurring' => 'Delete recurring transaction ":title"',
'new_recurring_transaction' => 'New recurring transaction',
'help_weekend' => 'What should Firefly III do when the recurring transaction falls on a Saturday or Sunday?',
'do_nothing' => 'Just create the transaction',
'skip_transaction' => 'Skip the occurence',
'jump_to_friday' => 'Create the transaction on the previous Friday instead',
'jump_to_monday' => 'Create the transaction on the next Monday instead',
'will_jump_friday' => 'Will be created on Friday instead of the weekends.',
'delete_recurring' => 'Удалить повторяющуюся транзакцию ":title"',
'new_recurring_transaction' => 'Новая запланированная транзакция',
'help_weekend' => 'Что должен сделать Firefly III, когда повторяющаяся транзакция попадает на субботу или воскресенье?',
'do_nothing' => 'Просто создать транзакцию',
'skip_transaction' => 'Не создавать транзакцию',
'jump_to_friday' => 'Создать транзакцию в предшествующую пятницу',
'jump_to_monday' => 'Создать транзакцию в следующий понедельник',
'will_jump_friday' => 'Будет создана в пятницу, а не в выходной день.',
'will_jump_monday' => 'Будет создана в понедельник, а не в выходной день.',
'except_weekends' => 'Исключить выходные дни',
'recurrence_deleted' => 'Повторяющаяся транзакция ":title" удалена',

View File

@ -153,7 +153,7 @@ return [
'ynab_account_type_merchantAccount' => 'merchant account',
'ynab_account_type_investmentAccount' => 'investment account',
'ynab_account_type_mortgage' => 'ипотека',
'ynab_do_not_import' => '(do not import)',
'ynab_do_not_import' => '(не импортировать)',
'job_config_ynab_apply_rules' => 'Применить правила',
'job_config_ynab_apply_rules_text' => 'By default, your rules will be applied to the transactions created during this import routine. If you do not want this to happen, deselect this checkbox.',
@ -163,7 +163,7 @@ return [
'job_config_ynab_no_budgets' => 'There are no budgets available to be imported from.',
'ynab_no_mapping' => 'It seems you have not selected any accounts to import from.',
'job_config_ynab_bad_currency' => 'You cannot import from the following budget(s), because you do not have accounts with the same currency as these budgets.',
'job_config_ynab_accounts_title' => 'Select accounts',
'job_config_ynab_accounts_title' => 'Выберите аккаунты',
'job_config_ynab_accounts_text' => 'You have the following accounts available in this budget. Please select from which accounts you want to import, and where the transactions should be stored.',
@ -171,9 +171,9 @@ return [
'spectre_extra_key_iban' => 'IBAN',
'spectre_extra_key_swift' => 'SWIFT',
'spectre_extra_key_status' => 'Статус',
'spectre_extra_key_card_type' => 'Card type',
'spectre_extra_key_account_name' => 'Account name',
'spectre_extra_key_client_name' => 'Client name',
'spectre_extra_key_card_type' => 'Тип карты',
'spectre_extra_key_account_name' => 'Название счёта',
'spectre_extra_key_client_name' => 'Имя клиента',
'spectre_extra_key_account_number' => 'Account number',
'spectre_extra_key_blocked_amount' => 'Blocked amount',
'spectre_extra_key_available_amount' => 'Available amount',

View File

@ -25,7 +25,7 @@ declare(strict_types=1);
return [
'iban' => 'Это некорректный IBAN.',
'zero_or_more' => 'Это значение не может быть отрицательным.',
'date_or_time' => 'The value must be a valid date or time value (ISO 8601).',
'date_or_time' => 'Значение должно быть корректной датой или временем (ISO 8601).',
'source_equals_destination' => 'Счёт источник и счёт назначения совпадают.',
'unique_account_number_for_user' => 'Этот номер счёта уже используется.',
'unique_iban_for_user' => 'Этот IBAN уже используется.',

View File

@ -24,5 +24,5 @@ declare(strict_types=1);
return [
'failed' => '憑證與系統記錄不符。',
'throttle' => '過多登入嘗試,請於 :seconds 秒後重試。',
'throttle' => '登入嘗試太多,請於 :seconds 秒後重試。',
];

View File

@ -24,9 +24,9 @@ declare(strict_types=1);
return [
// profile
'personal_access_tokens' => '個人訪問權杖',
'personal_access_tokens' => '個人存取權杖',
// bills:
'not_expected_period' => '本期未預期',
'not_expected_period' => '未預期在此時期內',
'not_or_not_yet' => '(還) 沒有',
];

View File

@ -23,16 +23,16 @@
declare(strict_types=1);
return [
'no_demo_text' => '抱歉,沒有額外的展示說明文字可供 <abbr title=":route">此頁</abbr>。',
'see_help_icon' => '不過,右上角的這個 <i class="fa fa-question-circle"></i>-圖示或許可以告訴你更多資訊。',
'index' => '歡迎來到 <strong>Firefly III</strong>!您可在此頁快速概覽您的財務狀況。如需更多資, 請前往帳戶 &rarr; <a href=":asset">資產帳戶</a> 亦或是 <a href=":budgets">預算</a> 以及 <a href=":reports">報表</a> 頁面。您也可以繼續瀏覽此頁。',
'accounts-index' => '資產帳戶是您的個人銀行帳戶。支出帳戶是您花費金錢的帳戶,如商家或其他友人。收入帳戶是您獲得收入的地方,如您的工作、政府或其他收入源。債務是您的借貸,如信用卡帳單或學生貸款。在此頁面您可以編輯或刪除這些項目。',
'budgets-index' => '此頁顯示您的預算概覽。上方橫條顯示可用預算額,它可隨時透過點選右方的總額進行客製化。您已花費的額度則顯示在下方橫條,而以下則是每條預算的支出以及您已編列的預算。',
'reports-index-start' => 'Firefly III 支援數種不同的報表形式,您可以點選右上方的 <i class="fa fa-question-circle"></i>-圖示獲得更多資訊。',
'reports-index-examples' => '請確認您以檢閱過以下範例<a href=":one">月財務概覽</a>、<a href=":two">年度財務概覽</a> 及 <a href=":three">預算概覽</a>。',
'currencies-index' => 'Firefly III 支援多種貨幣,即便預設為歐元,亦可設成美金或其他貨幣。如您所見,系統已包含了一小部分的貨幣種類,但您也可自行新增其他貨幣。修改預設貨幣並不會改變既有交易的貨幣種類,且 Firefly III 支援同時使用不同貨幣。',
'transactions-index' => '這些支出、儲蓄與轉帳並非蓄意虛構,而是自動產生的。',
'piggy-banks-index' => '如您所見目前有3個小豬撲滿。使用 + 號與 - 號按鈕可改變每個小豬撲滿的總額,而點選小豬撲滿的名稱則可管理該撲滿。',
'import-index' => '任何 CSV 格式的檔案都可匯入 Firefly III本程式也支援來自 bunq 與 Spectre 的檔案格式,其他銀行與金融機構則會在未來提供支援。而作為一名展示使用者,你只會看到「假的」供應者,系統會隨機產生交易紀錄以告知您如何運作。',
'profile-index' => '請謹記本展示網站每四小時會自動重新啟用,您的訪問憑證可能隨時被撤銷,這是自動發生而非錯誤。',
'no_demo_text' => '抱歉,<abbr title=":route">此頁</abbr>未提供額外的展示說明。',
'see_help_icon' => '不過,右上角的 <i class="fa fa-question-circle"></i> 圖示也許會給您一點資訊。',
'index' => '歡迎使用 <strong>Firefly III</strong>!此頁可讓您快速概覽財務狀況。至於詳細資料,可見 帳戶 &rarr; <a href=":asset">資產帳戶</a>,另見 <a href=":budgets">預算</a> 和 <a href=":reports">報表</a> 頁面。當然,您也可以到處逛逛看。',
'accounts-index' => '資產帳戶比如是您的銀行個人帳戶。支出帳戶是您花錢的帳戶,如商家或其他友人。收入帳戶是您的財源,如工作、政府或其他收入來源。債務是您的借貸,如信用卡帳單或學生貸款。這些都可在此頁編輯或刪除。',
'budgets-index' => '此頁顯示您的預算概覽。上方橫條顯示可用預算額,按一下右方的總額就可自訂該時期的預算額。您已花費的額度則在下方橫條顯示,隨後是每一預算的支出及編製預算額。',
'reports-index-start' => 'Firefly III 支援數種不同類型的報表,按一下右上方的 <i class="fa fa-question-circle"></i> 圖示可查看更多資訊。',
'reports-index-examples' => '舉例說<a href=":one">月財務概覽</a>、<a href=":two">年度財務概覽</a> 及 <a href=":three">預算概覽</a>,記得去看看。',
'currencies-index' => 'Firefly III 支援多種貨幣,預設為歐元但亦可設成美元或其他貨幣。您可見到系統已預設包含一些貨幣種類但您也可自行新增其他貨幣。修改預設貨幣並不會改變現有交易的貨幣種類Firefly III 是支援同時使用多種貨幣的。',
'transactions-index' => '這些支出、存款與轉帳談不上別出心裁:這些範例是自動產生的。',
'piggy-banks-index' => '您可見到有 3 個小豬撲滿。使用 + 號、- 號按鈕控制每個小豬撲滿的存款額,按一下小豬撲滿的名稱則可查看管理詳情。',
'import-index' => '任何 CSV 格式的檔案都可匯入 Firefly III也支援自 bunq 與 Spectre 匯入資料,日後或會支援其他銀行與金融機構。展示使用者只會看到「虛擬」提供者的示範,系統會隨機產生交易紀錄以示範操作過程。',
'profile-index' => '請注意,本展示網站每 4 小時會自動重設,存取權限可能隨時撤銷。這是自動安排的,不是錯誤。',
];

View File

@ -33,7 +33,7 @@ return [
'last_seven_days' => '最近7天',
'last_thirty_days' => '最近30天',
'welcomeBack' => '吃飽沒?',
'welcome_back' => 'What\'s playing?',
'welcome_back' => '吃飽沒?',
'everything' => '所有',
'today' => '今天',
'customRange' => '自訂範圍',
@ -46,7 +46,7 @@ return [
'help_translating' => '此說明尚欠奉中文版,<a href="https://crowdin.com/project/firefly-iii-help">要協助翻譯嗎?</a>',
'showEverything' => '全部顯示',
'never' => '未有資料',
'no_results_for_empty_search' => '您的搜尋為空,找不到任何東西。',
'no_results_for_empty_search' => '您的搜尋空白,結果也是空白。',
'removed_amount' => '已移除 :amount',
'added_amount' => '已新增 :amount',
'asset_account_role_help' => '選擇後如有額外選項,可稍後設定。',
@ -70,25 +70,25 @@ return [
'new_liabilities_account' => '新債務',
'new_budget' => '新預算',
'new_bill' => '新帳單',
'block_account_logout' => '你已被登出。被封鎖的帳號不能使用本網站,您沒有以有效的電子郵件地址註冊嗎?',
'block_account_logout' => '您已被登出。被封鎖的帳號無法使用本網站,您是以有效的電子郵件地址註冊嗎?',
'flash_success' => '成功!',
'flash_info' => '訊息',
'flash_warning' => '警告!',
'flash_error' => '錯誤!',
'flash_info_multiple' => '有1個訊息|有 :count 個訊息',
'flash_error_multiple' => '有1個錯誤|有 :count 個錯誤',
'flash_info_multiple' => '有 1 個訊息|有 :count 個訊息',
'flash_error_multiple' => '有 1 個錯誤|有 :count 個錯誤',
'net_worth' => '淨值',
'route_has_no_help' => '此處尚未提供說明。',
'help_for_this_page' => '本頁說明',
'no_help_could_be_found' => '找不到說明文本。',
'no_help_title' => '不好意思,發生一個錯誤。',
'two_factor_welcome' => ':user 您好!',
'two_factor_enter_code' => '若要繼續,請輸入你的兩步驟驗證 (two factor authentication) 代碼,您的應用程式可為您產生。',
'two_factor_enter_code' => '如要繼續,請輸入您的兩步驟驗證 (two factor authentication) 代碼,您的應用程式可為您產生。',
'two_factor_code_here' => '在此輸入代碼',
'two_factor_title' => '兩步驟驗證',
'authenticate' => '驗證',
'two_factor_forgot_title' => '遺失兩步驟驗證',
'two_factor_forgot' => '往忘記我的兩步驟什麼的。',
'two_factor_forgot' => '啥兩步驟我忘了。',
'two_factor_lost_header' => '遺失您的兩步驟驗證嗎?',
'two_factor_lost_intro' => '可惜,網頁介面並不提供重設。以下方法請二擇其一。',
'two_factor_lost_fix_self' => '若您自行架構 Firefly III請查閱 <code>storage/logs</code> 中日誌檔內的指示。',
@ -163,11 +163,11 @@ return [
'chart_all_journals_for_budget' => '預算 :name 的所有交易圖表',
'journals_in_period_for_category' => '分類 :name 自 :start 至 :end 的所有交易',
'journals_in_period_for_tag' => '標籤 :tag 自 :start 至 :end 的所有交易',
'not_available_demo_user' => '您欲使用的功能並無開放給展示使用者',
'not_available_demo_user' => '此功能未開放予展示使用者。',
'exchange_rate_instructions' => '資產帳戶「@name」僅接受以 @native_currency 交易,若您希望使用 @foreign_currency請確認對應 @native_currency 的總額:',
'transfer_exchange_rate_instructions' => '來源資產帳戶「@source_name」僅接受以 @source_currency 交易,目標資產帳戶「@dest_name」僅接受以 @dest_currency 交易,您必須提供對應兩種貨幣的轉帳總額。',
'transaction_data' => '交易資料',
'invalid_server_configuration' => '無效伺服器組態',
'invalid_server_configuration' => '伺服器組態無效',
'invalid_locale_settings' => 'Firefly III 無法格式化金額,因為伺服器缺少必要套件。請參閱 <a href="https://github.com/firefly-iii/help/wiki/Missing-locale-packages">相關指示</a>。',
'quickswitch' => '快速切換',
'sign_in_to_start' => '登入以開始您的連線階段',
@ -185,7 +185,7 @@ return [
'reset_pw_page_title' => '重設您 Firefly III 的密碼',
'cannot_reset_demo_user' => '您不能重設 展示使用者 的密碼。',
'button_register' => '註冊帳號',
'authorization' => '身份認',
'authorization' => '身份認',
'active_bills_only' => '僅限使用中帳單',
'average_per_bill' => '每張帳單的平均數',
'expected_total' => '預期總數',
@ -194,7 +194,7 @@ return [
'authorization_request_intro' => '<strong>:client</strong> 正要求權限存取您的財務管理,您是否願意授權 <strong>:client</strong> 存取這些紀錄?',
'scopes_will_be_able' => '此應用程式可以:',
'button_authorize' => '授權',
'none_in_select_list' => '(空)',
'none_in_select_list' => '(空)',
'name_in_currency' => ':name 於 :currency',
'paid_in_currency' => '以 :currency 支付',
'unpaid_in_currency' => '未以 :currency 支付',
@ -203,7 +203,7 @@ return [
'update_check_title' => '檢查更新',
'admin_update_check_title' => '自動檢查更新',
'admin_update_check_explain' => 'Firefly III 可以自動檢查更新。啟用此設定時,將會自動連接 Github 查看是否有新版本可用,並在可用時顯示一則通知。您可使用右方按鈕測試通知功能,並於下方表示您是否希望 Firefly III 檢查更新。',
'check_for_updates_permission' => 'Firefly III 可自動檢查更新,但此功能需要您的許可。請轉至 <a href=":link">後臺管理</a> 表明您是否需要啟用此功能。',
'check_for_updates_permission' => 'Firefly III 可以自動檢查更新,但需要您先許可。請前往 <a href=":link">系統管理</a> 表示您是否想啟用此功能。',
'updates_ask_me_later' => '稍後再詢問',
'updates_do_not_check' => '不檢查更新',
'updates_enable_check' => '啟用更新檢查',
@ -496,18 +496,18 @@ return [
'pref_6M' => '6個月',
'pref_1Y' => '1年',
'pref_languages' => '語言',
'pref_languages_help' => 'Firefly III 支援多種語言,您傾向使用何者',
'pref_languages_help' => 'Firefly III 支援多種語言,您想顯示哪一種',
'pref_custom_fiscal_year' => '財政年度設定',
'pref_custom_fiscal_year_label' => '已啟用',
'pref_custom_fiscal_year_help' => '在使用1月1日至12月31日以外作為會計年度的國家,您可開啟此功能並指定財政年度的起迄日。',
'pref_custom_fiscal_year_help' => '有些國家/地區採用的會計年度有別於每年 1 月 1 日至 12 月 31 日,您可開啟此功能並指定財政年度的起迄日。',
'pref_fiscal_year_start_label' => '財政年度開始日期',
'pref_two_factor_auth' => '兩步驟驗證',
'pref_two_factor_auth_help' => '當您啟用兩步驟驗證 (亦稱為雙重驗證),便為您的帳號增加了一層安全保護。您以已知的方式 (密碼) 以及既有物 (認證碼) 登入,認證碼係由您的手機產生,如 Authy 或 Google 身份驗證器。',
'pref_two_factor_auth_help' => '啟用兩步驟驗證 (亦稱為雙重驗證) 可為您的帳號增添一重安全保障,登入時需憑您腦海的記憶 (密碼) 加上一個手持的憑證 (認證碼),認證碼由手機應用程式產生,例如 Authy 或 Google Authenticator。',
'pref_enable_two_factor_auth' => '啟用兩步驟驗證',
'pref_two_factor_auth_disabled' => '兩步驟驗證碼已刪除且停用',
'pref_two_factor_auth_remove_it' => '別忘記自您的驗證應用程式上刪除帳號!',
'pref_two_factor_auth_disabled' => '兩步驟驗證碼已移除並停用',
'pref_two_factor_auth_remove_it' => '別忘記在您的驗證應用程式上刪除此帳號!',
'pref_two_factor_auth_code' => '驗證碼',
'pref_two_factor_auth_code_help' => '使用手機上的應用程式,如 Authy 或 Google 身分驗證器,掃描 QR 碼並輸入自動產生之代碼。',
'pref_two_factor_auth_code_help' => '使用您手機上的應用程式 (如 Authy 或 Google Authenticator) 掃描 QR 碼並輸入自動產生之代碼。',
'pref_two_factor_auth_reset_code' => '重設認證碼',
'pref_two_factor_auth_disable_2fa' => '停用兩步驟驗證',
'2fa_use_secret_instead' => '如果您無法掃描 QR 碼,請使用密鑰: :secret。',
@ -526,7 +526,7 @@ return [
'list_page_size_label' => '頁面大小',
'between_dates' => '(:start 與 :end)',
'pref_optional_fields_transaction' => '交易的選填欄位',
'pref_optional_fields_transaction_help' => '預設狀況下,建立一筆新交易 (由於叢集關係) 時,並非所有欄位都是啟用的。以下,您可啟用您覺得對您有用的欄位。當然,任何已鍵入卻停用的欄位,仍是可見的,與設定無關。',
'pref_optional_fields_transaction_help' => '建立新交易時,預設不會啟用全部欄位 (以免版面空間不敷應用)。您可在下方啟用您覺得有用的欄位。當然,若欄位本身停用卻已填入資料,則不論設定如何均會顯示。',
'optional_tj_date_fields' => '日期欄位',
'optional_tj_business_fields' => '商務欄位',
'optional_tj_attachment_fields' => '附加檔案欄位',
@ -536,60 +536,60 @@ return [
'pref_optional_tj_due_date' => '截止日期',
'pref_optional_tj_payment_date' => '付款日期',
'pref_optional_tj_invoice_date' => '發票日期',
'pref_optional_tj_internal_reference' => '內部參',
'pref_optional_tj_notes' => '',
'pref_optional_tj_internal_reference' => '內部參',
'pref_optional_tj_notes' => '註',
'pref_optional_tj_attachments' => '附加檔案',
'optional_field_meta_dates' => '日期',
'optional_field_meta_business' => '商務',
'optional_field_attachments' => '附加檔案',
'optional_field_meta_data' => '可選後設資料',
'optional_field_meta_data' => '可選中繼資料',
// profile:
'change_your_password' => '更改您的密碼',
'delete_account' => '移除帳',
'delete_account' => '移除帳',
'current_password' => '目前密碼',
'new_password' => '新密碼',
'new_password_again' => '新密碼 (再輸入一次)',
'delete_your_account' => '刪除您的帳',
'delete_your_account_help' => '刪除您的帳戶亦將刪除任何帳戶、交易、<em>任何</em> 您可能存再 Firefly III 的東西,均將消逝。',
'delete_your_account' => '刪除您的帳',
'delete_your_account_help' => '刪除您的帳號,將一併刪除任何帳戶、交易,<em>一切</em> 您可能儲存在 Firefly III 上的資料,都將<strong>一去不復返</strong>。',
'delete_your_account_password' => '輸入您的密碼以繼續。',
'password' => '密碼',
'are_you_sure' => '是否確定?您無法還原此操作。',
'delete_account_button' => '刪除您的帳戶',
'are_you_sure' => '您確定嗎?您無法還原此操作。',
'delete_account_button' => '*刪除* 您的帳號',
'invalid_current_password' => '無效的目前密碼!',
'password_changed' => '已變更密碼!',
'should_change' => '我們的想法是更改您的密碼。',
'should_change' => '建議您變更密碼。',
'invalid_password' => '無效密碼!',
'what_is_pw_security' => '何謂 "驗證密碼安全"',
'secure_pw_title' => '如何選擇安全密碼',
'secure_pw_history' => '每週無不見有關網站遺失使用者密碼的相關新聞,駭客與竊賊使用這些帳號密碼企圖竊取您的個人資訊,這些資訊是很有價值的。',
'secure_pw_ff' => '您在網路上都使用一樣的密碼嗎如果一個網站遺失您的密碼駭客將可通行您的所有資料。Firefly III 需要您選擇強大且獨特的密碼以保護您的財務紀錄。',
'secure_pw_check_box' => '為了協助您達成安全密碼的目的Firefly III 可自動檢查您的密碼過去是否已被盜用。若然Firefly III 建議您避免使用此密碼。',
'secure_pw_working_title' => '它是如何運作的',
'secure_pw_working' => '藉由勾選此方塊Firefly III 會傳送您密碼產生的SHA1 hash 的前5字元至 <a href="https://www.troyhunt.com/introducing-306-million-freely-downloadable-pwned-passwords/">特洛伊獵殺網站</a> 以檢查是否上榜。如最新的 <a href="https://pages.nist.gov/800-63-3/sp800-63b.html">NIST 特殊刊物</a> 與此相關的主題所建議的,結果將制止您使用不安全的密碼。',
'secure_pw_should' => '我應該勾選這個方塊嗎?',
'secure_pw_long_password' => '是,永遠驗證您的密碼是安全的。',
'secure_pw_title' => '如何選擇安全密碼',
'secure_pw_history' => '翻閱新聞,屢屢可見有網站遺失使用者密碼,駭客與竊賊利用這些密碼企圖竊取個人資料,這些資訊是有價的。',
'secure_pw_ff' => '您在網路上都用同一個密碼走天涯嗎如果一個網站遺失您的密碼駭客就可存取您所有的資料。Firefly III 倚賴您選擇一個強而獨特的密碼以保護您的財務紀錄。',
'secure_pw_check_box' => '為Firefly III 可協助您檢查選用的密碼過去是否曾被竊取。若然如此Firefly III 建議您<strong>避免</strong>使用此密碼。',
'secure_pw_working_title' => '這是如何運作',
'secure_pw_working' => '若您勾選此方塊Firefly III 將以您的密碼產生一個 SHA1 湊合,並將首 5 個字元傳送到 <a href="https://www.troyhunt.com/introducing-306-million-freely-downloadable-pwned-passwords/">Troy Hunt 的網站</a> 比對一個清單,避免您使用一些已知不安全的密碼,遵從最近 <a href="https://pages.nist.gov/800-63-3/sp800-63b.html">NIST Special Publication</a> 有關此課題的建議。',
'secure_pw_should' => '我該勾選此方塊嗎?',
'secure_pw_long_password' => '是,好以驗證您的密碼是安全的。',
'command_line_token' => '指令列權杖',
'explain_command_line_token' => '您需要此權杖以執行指令列選項,如匯入或匯出資料。若無權杖,部分機敏指令則無法運行。請勿分享您的指令列權杖,包括我,沒有人會問你權杖為何。如果您擔心遺失或驚慌時,請使用按鈕重新產生權杖。',
'explain_command_line_token' => '您需要此權杖以執行指令列選項,如匯入或匯出資料。部分機敏指令若無此權仗將無法執行。切勿分享您的指令列權杖。沒有人 (包括我) 會向您索取權仗。若您擔心曾遺失權仗或感到不放心,可按一下此按鈕重新產生權杖。',
'regenerate_command_line_token' => '重新產生指令列權杖',
'token_regenerated' => '產生了新的指令列權杖',
'change_your_email' => '更改您的電子郵件地址',
'email_verification' => '一封電子郵件將發送到您的舊的和新的電子郵件地址。出於安全考量,在驗證新的電子郵件地址之前,您將無法登入。如果您不確定您的 Firefly III 安裝是否能夠發送電子郵件,請不要使用此功能。如果您是管理員,可以在 <a href="/admin">後台管理</a> 中對此進行測試。',
'email_changed_logout' => '在驗證您的電子郵件地址之前,您無法登入。',
'email_verification' => '將同時寄送一封電子郵件到您的舊<strong>和</strong>新的電子郵件地址。顧及安全考慮,在驗證新的電子郵件地址之前,您將無法登入。如果您不確定您的 Firefly III 安裝是否能夠發送電子郵件,請勿使用此功能。如果您是管理員,可以在 <a href="/admin">系統管理</a> 中對此進行測試。',
'email_changed_logout' => '在驗證您的電子郵件地址之前,您無法登入。',
'login_with_new_email' => '現在,您可以使用新的電子郵件地址登入。',
'login_with_old_email' => '現在,您可以再次使用舊的電子郵件地址登入。',
'login_provider_local_only' => '當藉由 ":login_provider" 驗證時,此動作不可用。',
'delete_local_info_only' => '由於您以 ":login_provider" 驗證,僅會刪除本機 Firefly III 資訊。',
// attachments
'nr_of_attachments' => '1個附加檔案|:count 個附加檔案',
'nr_of_attachments' => '̇1 個附加檔案|:count 個附加檔案',
'attachments' => '附加檔案',
'edit_attachment' => '編輯附加檔案 ":name"',
'update_attachment' => '更新附加檔案',
'delete_attachment' => '刪除附加檔案 ":name"',
'attachment_deleted' => '已刪除附加檔案 ":name"',
'attachment_updated' => '已更新附加檔案 ":name',
'upload_max_file_size' => '最大檔案尺寸: :size',
'upload_max_file_size' => '最大檔案大小: :size',
'list_all_attachments' => '全部附加檔案清單',
// transaction index
@ -656,7 +656,7 @@ return [
'created_currency' => ':name 貨幣已建立',
'could_not_store_currency' => '無法儲存新貨幣',
'updated_currency' => ':name 貨幣已更新',
'ask_site_owner' => '請詢問 :owner 以新增、刪除或編輯貨幣。',
'ask_site_owner' => '請要求 :owner 新增、刪除或編輯貨幣。',
'currencies_intro' => 'Firefly III 支援多種貨幣,您可在此設定並啟用。',
'make_default_currency' => '設為預設',
'default_currency' => '預設',
@ -695,7 +695,7 @@ return [
'available_amount_indication' => '使用這些金額以獲得您總預算可能為何的指標',
'suggested' => '建議',
'average_between' => '自 :start 至 :end 的平均',
'over_budget_warn' => '<i class="fa fa-money"> 通常您的每日預算為 :amount此為每日 :over_amount。',
'over_budget_warn' => '<i class="fa fa-money"></i> 您每日通常預算約 :amount此為每日 :over_amount。',
// bills:
'match_between_amounts' => '帳單配合自 :low 至 :high 的交易。',
@ -703,7 +703,7 @@ return [
'repeats' => '重複',
'connected_journals' => '已連接交易',
'auto_match_on' => '由 Firefly III 自動配對',
'auto_match_off' => '由 Firefly III 自動配對',
'auto_match_off' => '由 Firefly III 自動配對',
'next_expected_match' => '下一個預期配對',
'delete_bill' => '刪除帳單 ":name"',
'deleted_bill' => '已刪除帳單 ":name"',
@ -726,7 +726,7 @@ return [
'list_inactive_rule' => '未啟用的規則',
// accounts:
'account_missing_transaction' => '帳戶 #:id (":name") 無法直接被檢視,但 Firefly 找不到重新轉向資訊。',
'account_missing_transaction' => '帳戶 #:id (":name") 無法直接檢視,惟 Firefly 找不到重新導向資訊。',
'details_for_asset' => '資產帳戶 ":name" 的詳細資訊',
'details_for_expense' => '支出帳戶 ":name" 的詳細資訊',
'details_for_revenue' => '收入帳戶 ":name" 的詳細資訊',
@ -767,7 +767,7 @@ return [
'start_of_reconcile_period' => '對帳區間開始: :period',
'start_balance' => '初始餘額',
'end_balance' => '結束餘額',
'update_balance_dates_instruction' => '與您的銀行帳單配對您的帳戶及日期,請按下 "開始對帳"',
'update_balance_dates_instruction' => '與您的銀行帳單配對上述金額及日期,並按一下 "開始對帳"',
'select_transactions_instruction' => '選擇您銀行帳單上顯示的交易',
'select_range_and_balance' => '請驗證日期範圍與餘額,然後按下 "開始對帳"',
'date_change_instruction' => '如果您現在變更日期範圍,任何進度均將遺失。',
@ -800,7 +800,7 @@ return [
'create_pos_reconcile_transaction' => '清除選擇交易,並建立校正,新增 :amount 至此資產帳戶。',
'create_neg_reconcile_transaction' => '清除選擇交易,並建立校正,自此資產帳戶移除 :amount。',
'reconcile_do_nothing' => '刪除選擇交易,但不校正。',
'reconcile_go_back' => '您可之後再編輯或刪除較正。',
'reconcile_go_back' => '您可稍後再編輯或刪除校正。',
'must_be_asset_account' => '您只可以對帳資產帳戶。',
'reconciliation_stored' => '已儲存對帳',
'reconcilliation_transaction_title' => '對帳 (:from 至 :to)',
@ -839,14 +839,14 @@ return [
'update_transfer' => '更新轉帳',
'updated_withdrawal' => '已更新提款 “:description“',
'updated_deposit' => '已更新存款 ”:description“',
'updated_transfer' => '已更新轉帳 :description',
'delete_withdrawal' => '刪除提款 ”:description“',
'updated_transfer' => '已更新轉帳 “:description”',
'delete_withdrawal' => '刪除提款 “:description”',
'delete_deposit' => '刪除存款 “:description”',
'delete_transfer' => '刪除轉帳 ”:description“',
'deleted_withdrawal' => '已成功刪除提款 ”:description“',
'deleted_deposit' => '已成功刪除存款 ”:description“',
'deleted_transfer' => '已成功刪除轉帳 ”:description“',
'stored_journal' => '已成功建立新交易 ”:description“',
'delete_transfer' => '刪除轉帳 “:description”',
'deleted_withdrawal' => '已成功刪除提款 “:description”',
'deleted_deposit' => '已成功刪除存款 “:description”',
'deleted_transfer' => '已成功刪除轉帳 “:description”',
'stored_journal' => '已成功建立新交易 “:description”',
'select_transactions' => '選擇交易',
'rule_group_select_transactions' => '套用 ”:title“ 至交易',
'rule_select_transactions' => '套用 ”:title“ 至交易',
@ -855,13 +855,13 @@ return [
'mass_delete_journals' => '刪除數個交易',
'mass_edit_journals' => '編輯數個交易',
'mass_bulk_journals' => '批次編輯數個交易',
'mass_bulk_journals_explain' => '使用大量編輯功能時,若您不想一步一步變更您的交易,您可一次性地進行更新。只要在下方的欄位選擇想要的分類、標籤或預算,所有表格內的交易都會被更新。',
'bulk_set_new_values' => '用下方的輸入欄位設定新的值。若您留空,則全部皆會為空值。此外,請注意僅有提款會被賦予預算。',
'mass_bulk_journals_explain' => '使用大量編輯功能時,若您不想逐一變更您的交易,您可一次過更新所有交易。只要在以下欄位選擇要更新的分類、標籤或預算,表格內所有交易都將會更新。',
'bulk_set_new_values' => '在下方的輸入欄位設定新值。若您留空,則全部皆會為空白值。此外,請注意僅有提款會被賦予預算。',
'no_bulk_category' => '不更新分類',
'no_bulk_budget' => '不更新預算',
'no_bulk_tags' => '不更新標籤',
'bulk_edit' => '批次編輯',
'cannot_edit_other_fields' => '由於畫面空間限制,除了此處所示的欄位以外,您無法大量編輯其他欄位。若您需要編輯其他欄位,請依連結並按部就班編輯之。',
'cannot_edit_other_fields' => '受版面空間所限,您僅能大量編輯此處顯示的欄位。若您需要編輯其他欄位,請按一下連結並逐一編輯。',
'no_budget' => '(無預算)',
'no_budget_squared' => '(無預算)',
'perm-delete-many' => '一次刪除多個項目係非常危險的,請審慎考慮。',
@ -878,7 +878,7 @@ return [
'opt_group_l_Debt' => '債務: 欠款',
'opt_group_l_Mortgage' => '債務: 抵押',
'opt_group_l_Credit card' => '債務: 信用卡',
'notes' => '',
'notes' => '註',
'unknown_journal_error' => '無法儲存交易,請檢視日誌檔。',
'attachment_not_found' => '此附加檔案無法被找到。',
'journal_link_bill' => '此交易已與帳單 <a href=":route">:name</a> 鏈結。如要移除鏈結,取消核選方塊,使用規則將它與其他帳單鏈結。',
@ -921,7 +921,7 @@ return [
'preferences' => '偏好設定',
'logout' => '登出',
'toggleNavigation' => '切換導覽',
'searchPlaceholder' => '搜尋…',
'searchPlaceholder' => '搜尋…',
'version' => '版本',
'dashboard' => '監控面板',
'available_budget' => '可用預算 ({currency})',

View File

@ -25,7 +25,7 @@ declare(strict_types=1);
return [
// ALL breadcrumbs and subtitles:
'index_breadcrumb' => '匯入資料到 Firefly III',
'prerequisites_breadcrumb_fake' => '假匯入供應商的先決條件',
'prerequisites_breadcrumb_fake' => '虛擬匯入提供者的先決條件',
'prerequisites_breadcrumb_spectre' => 'Spectre 的先決條件',
'prerequisites_breadcrumb_bunq' => 'bunq 的先決條件',
'prerequisites_breadcrumb_ynab' => 'YNAB 的先決條件',
@ -34,13 +34,13 @@ return [
'disabled_for_demo_user' => '在展示中不啟用',
// index page:
'general_index_intro' => '歡迎來到 Firefly III 的匯入例行。有幾種方法可以將資料匯入 Firefly III 中,在此以按鈕表示。',
'general_index_intro' => '歡迎使用 Firefly III 的匯入流程。資料匯入 Firefly III 有幾種途徑,各以按鈕表示。',
// import provider strings (index):
'button_fake' => '假造匯入',
'button_fake' => '模擬匯入',
'button_file' => '匯入檔案',
'button_bunq' => '自 bunq 匯入',
'button_spectre' => ' Spectre 匯入',
'button_spectre' => '使用 Spectre 匯入',
'button_plaid' => '使用 Plait 匯入',
'button_yodlee' => '使用 Yodlee 匯入',
'button_quovo' => '使用 Quovo 匯入',
@ -50,8 +50,8 @@ return [
// prerequisites box (index)
'need_prereq_title' => '匯入先決條件',
'need_prereq_intro' => '部分匯入方式您得先在使用前注意一下。比方說,他們可能需要特別的串接秘鑰或應用程式金鑰,您可在此設定。此圖示表示所屬的先決條件已經媒合。',
'do_prereq_fake' => '假匯入供應商的先決條件',
'need_prereq_intro' => '部分匯入方式在使用前需要您的注意。例如,可能需要特別的 API 金鑰或應用程式秘鑰,您可在此設定。圖示表示是否已滿足這些先決條件。',
'do_prereq_fake' => '虛擬提供者的先決條件',
'do_prereq_file' => '檔案匯入的先決條件',
'do_prereq_bunq' => '從 bunq 匯入的先決條件',
'do_prereq_spectre' => '使用 Spectre 匯入的先決條件',
@ -61,40 +61,40 @@ return [
'do_prereq_ynab' => '從 YNAB 匯入的先決條件',
// prerequisites:
'prereq_fake_title' => '自假的匯入供應商匯入的先決條件',
'prereq_fake_text' => '這個假的供應商需要一個假的 API 金鑰必須是32個字元長。您可以使用此12446809901236890123690124444466990aa',
'prereq_fake_title' => '自虛擬匯入提供者匯入的先決條件',
'prereq_fake_text' => '虛擬提供者需要一個虛構 API 金鑰,長度須為 32 個字元。可選用此範例123456789012345678901234567890AA',
'prereq_spectre_title' => '使用 Spectre API 匯入的先決條件',
'prereq_spectre_text' => '為使用 Spectre API (v4) 匯入資料,您必須提供 Firefly III 兩個秘密數值,可於 <a href="https://www.saltedge.com/clients/profile/secrets">密鑰頁面</a> 找到。',
'prereq_spectre_pub' => '同理Spectre API 也會需要您下方看見的公鑰。若無此公鑰,服務供應商無法辨認您,請於您的 <a href="https://www.saltedge.com/clients/profile/secrets">密鑰頁面</a> 鍵入您的公鑰。',
'prereq_bunq_title' => '從 bunq 匯入的先決條件',
'prereq_bunq_text' => '為自 bunq 匯入,您需要獲得一組 API 金鑰,您可以從應用程式著手。請注意自 bunq 匯入的功能仍是測試版本,僅在沙盒 API 內完成測試而已。',
'prereq_bunq_ip' => 'bunq 需要您的對外 IP 位址。Firefly III 已嘗試使用 <a href="https://www.ipify.org/">ipify 服務</a> 自動填入,請確認此 IP 係正確的,否則匯入將失敗。',
'prereq_bunq_text' => '如要自 bunq 匯入,您需要先取得一組 API 金鑰,可從相關的手機應用程式取得。請注意,自 bunq 匯入的功能仍屬測試版本,僅以沙盒 API 作過測試。',
'prereq_bunq_ip' => 'bunq 需要您的對外 IP 位址。Firefly III 已嘗試以 <a href="https://www.ipify.org/">ipify 服務</a> 自動填入此欄,請確認此 IP 位置正確,否則匯入將失敗。',
'prereq_ynab_title' => '從 YNAB 匯入的先決條件',
'prereq_ynab_text' => '為了能夠從 YNAB 下載交易,請在您的 <a href="https://app.youneedabudget.com/settings/developer"> 開發人員設置頁 </a> 上建立一個新的應用程式,並在此頁面上輸入客戶端 ID 和密碼。',
'prereq_ynab_redirect' => '若要完成設定,前往以下位於 <a href="https://app.youneedabudget.com/settings/developer">開發者設定頁面</a> 中 "Redirect URI(s)" 的網址。',
'callback_not_tls' => 'Firefly III 偵測到以下回呼 URI。您的伺服器似乎沒有設定成 TLS-連接 (HTTP)。YNAB 不會接受此 URI你可以繼續匯入 (因為 Firefly III 可能是錯的),但請記住這一點。',
'prereq_ynab_redirect' => '若要完成設定,前往 <a href="https://app.youneedabudget.com/settings/developer">開發者設定頁面</a> 並在 "Redirect URI(s)" 輸入以下網址。',
'callback_not_tls' => 'Firefly III 偵測到以下回呼 URI。您的伺服器設定似乎未接受 TLS 連接 (https)。YNAB 不會接受此 URI您可以繼續匯入 (也許 Firefly III 是錯的),但請留意此點。',
// prerequisites success messages:
'prerequisites_saved_for_fake' => '假 API 金鑰存儲成功!',
'prerequisites_saved_for_fake' => '虛構 API 金鑰儲存成功!',
'prerequisites_saved_for_spectre' => '應用程式 ID 與密鑰已儲存!',
'prerequisites_saved_for_bunq' => 'API 金鑰與 IP 已儲存!',
'prerequisites_saved_for_ynab' => 'YNAB 客戶 ID 與密鑰已儲存!',
// job configuration:
'job_config_apply_rules_title' => '工作設定 - 套用您的規則?',
'job_config_apply_rules_text' => '一旦假供應商執行,您的規則可用於交易這將為匯入增加時間。',
'job_config_input' => '您的輸入',
'job_config_apply_rules_text' => '虛擬提供者一旦執行,交易就會相應套用您的規則。匯入時間或會因而延長。',
'job_config_input' => '輸入',
// job configuration for the fake provider:
'job_config_fake_artist_title' => '輸入專輯名稱',
'job_config_fake_artist_text' => '許多匯入慣常程序都有幾個必須經過的配置步驟。在假匯入供應商的情況下,你必須回答一些奇怪的問題。在這種情況下,請輸入 "David Bowie" 繼續。',
'job_config_fake_artist_text' => '許多匯入流程都有數個必經的配置步驟。至於虛擬匯入提供者,就準備了一些古怪問題須要您回答。這條請輸入 "David Bowie" 繼續。',
'job_config_fake_song_title' => '輸入歌曲名稱',
'job_config_fake_song_text' => '請鍵入 "Golden years" 以繼續假匯入。',
'job_config_fake_song_text' => '請鍵入 "Golden years" 繼續虛擬匯入。',
'job_config_fake_album_title' => '輸入專輯名稱',
'job_config_fake_album_text' => '某些匯入慣常程序在匯入過程中需要額外的資料。在假匯入供應商的情況下,你必須回答一些奇怪的問題。請輸入 "Station to station" 繼續。',
'job_config_fake_album_text' => '一些匯入流程半路需要額外的資料。至於虛擬匯入提供者,就準備了一些古怪問題須要您回答。請輸入 "Station to station" 繼續。',
// job configuration form the file provider
'job_config_file_upload_title' => '匯入設定 (1/4) - 上傳您的檔案',
'job_config_file_upload_text' => '此慣常程序將協助您從您銀行將檔案匯入 Firefly III。',
'job_config_file_upload_help' => '選擇您的檔案,請確定檔案 UTF-8 編碼。',
'job_config_file_upload_config_help' => '如果您之前已匯入過檔案至 Firefly III您可能已有可提供預設值的設定檔案。就部分銀行其他使用者業已慷慨地提供了他們的 <a href="https://github.com/firefly-iii/import-configurations/wiki">設定檔</a>。',
'job_config_file_upload_text' => '此流程協助您匯入來自銀行的檔案到 Firefly III。',
'job_config_file_upload_help' => '選擇您的檔案,請確定檔案使用 UTF-8 編碼。',
'job_config_file_upload_config_help' => '如果您先前曾匯入資料到 Firefly III您可能已有相關的設定檔可預設組態值。至於一些銀行的檔案其他使用者已慷慨提供他們的 <a href="https://github.com/firefly-iii/import-configurations/wiki">設定檔</a>。',
'job_config_file_upload_type_help' => '選擇要上傳的檔案類型',
'job_config_file_upload_submit' => '上傳檔案',
'import_file_type_csv' => 'CSV (以逗號分隔值)',
@ -102,41 +102,41 @@ return [
'file_not_utf8' => '您上傳的檔案並非以 UTF-8 或 ASCII 編碼Firefly III 無法處理此類檔案,請使用 Notepad++ 或 Sublime 轉換您的檔案成 UTF-8 格式。',
'job_config_uc_title' => '匯入設定 (2/4) - 基本檔案設定',
'job_config_uc_text' => '若要正確匯入您的檔案,請驗證以下選項。',
'job_config_uc_header_help' => '若您的 CSV 檔案第一列為欄標題,請核選此選項。',
'job_config_uc_date_help' => '檔案內的日期格式。請依循 <a href="https://secure.php.net/manual/en/datetime.createfromformat.php#refsect1-datetime.createfromformat-parameters">本頁</a> 所示的格式,預設值將以 :dateExample 形式呈現日期。',
'job_config_uc_delimiter_help' => '選擇您檔案所使用的欄位分隔符號,若不確定,逗號係最為安全的選項。',
'job_config_uc_account_help' => '若您的檔案不包含資產帳戶的資訊,使用此下拉式選單選擇此檔案內交易所屬的帳戶。',
'job_config_uc_header_help' => '若您的 CSV 檔案第一列為欄標題,請核選此選項。',
'job_config_uc_date_help' => '檔案內的日期時間格式。請依循 <a href="https://secure.php.net/manual/en/datetime.createfromformat.php#refsect1-datetime.createfromformat-parameters">此頁</a> 所示的格式,預設形式為::dateExample。',
'job_config_uc_delimiter_help' => '選擇輸入檔案所使用的欄位分隔符號,若不確定,逗號會最為穩妥。',
'job_config_uc_account_help' => '若您的檔案<strong>不包含</strong>資產帳戶資訊,請在此下拉式選單選擇檔案內的交易屬於哪個帳戶。',
'job_config_uc_apply_rules_title' => '套用規則',
'job_config_uc_apply_rules_text' => '套用規則至每一個匯入的交易,請注意此功能會顯著地降低匯入速度。',
'job_config_uc_apply_rules_text' => '套用您的規則至每一筆匯入的交易,請注意匯入會顯著減慢。',
'job_config_uc_specifics_title' => '特定銀行選項',
'job_config_uc_specifics_txt' => '部分銀行提供格式殘不佳的檔案Firefly III 可以自動修復這個問題。如果銀行提供了不佳的檔案,又沒有列在這邊,請至 GitHub 開啟新的討論。',
'job_config_uc_specifics_txt' => '一些銀行提供的檔案格式有欠理想Firefly III 可以自動修復這些問題。如果您的銀行提供了不佳的檔案,又沒有在此列出,請到 GitHub 開新報告。',
'job_config_uc_submit' => '繼續',
'invalid_import_account' => '您選擇了一個無效帳號來匯入。',
'invalid_import_account' => '您選擇了匯入到無效的帳戶。',
'import_liability_select' => '債務',
// job configuration for Spectre:
'job_config_spectre_login_title' => '選擇您的登入',
'job_config_spectre_login_text' => 'Firefly III 已在您的 Spectre 帳戶找到 :count 筆既存登入,哪一個是您想要匯入的呢',
'job_config_spectre_login_text' => 'Firefly III 在您的 Spectre 帳戶找到 :count 個現存登入,匯入時您想使用何者',
'spectre_login_status_active' => '啟用',
'spectre_login_status_inactive' => '未啟用',
'spectre_login_status_disabled' => '停用',
'spectre_login_new_login' => '使用其他銀行登入,或其中一間具有不同憑證的銀行。',
'spectre_login_new_login' => '登入其他銀行,或使用不同的憑證登入。',
'job_config_spectre_accounts_title' => '選擇欲匯入的帳戶',
'job_config_spectre_accounts_text' => '您以選擇 ":name" (:country)。您在這個供應商有 :count 個可用帳戶,請在 Firefly III 的資產帳戶中選擇這些交易應被儲存的帳戶。請記得若要匯入資料Firefly III 與 ":name"-帳戶兩者均需使用相同貨幣。',
'job_config_spectre_accounts_text' => '您已選擇 ":name" (:country)。您在此提供者有 :count 個帳戶可用,請選擇這些交易要儲存到 Firefly III 哪些資產帳戶。記得 Firefly III 與 ":name" 帳戶兩者均需使用相同貨幣,才能匯入資料。',
'spectre_do_not_import' => '(不匯入)',
'spectre_no_mapping' => '您似乎沒有選擇任何欲匯入的帳戶。',
'imported_from_account' => '已自 ":account" 匯入',
'imported_from_account' => '匯入自 ":account"',
'spectre_account_with_number' => '帳戶 :number',
'job_config_spectre_apply_rules' => '套用規則',
'job_config_spectre_apply_rules_text' => '預設下,您的規則會被套用至此次匯入慣常程序中所建立的交易。若您不希望如此,請取消選取此核選方塊。',
'job_config_spectre_apply_rules_text' => '您的規則預設會套用至此匯入流程中所建立的交易。若您不希望如此,請取消選取此核選方塊。',
// job configuration for bunq:
'job_config_bunq_accounts_title' => 'bunq 帳戶',
'job_config_bunq_accounts_text' => '這些是與您 bunq 帳戶關聯的帳戶,請選擇您所欲匯入的帳戶以及其必須匯入的交易。',
'job_config_bunq_accounts_text' => '這些是在您 bunq 帳戶上的帳戶,請選擇您欲匯入的帳戶,以及欲把交易匯入到哪個帳戶。',
'bunq_no_mapping' => '您似乎沒有選擇任何帳戶。',
'should_download_config' => '您應該為此工作下載 <a href=":route">設定檔</a>,可更俾利為來匯入。',
'share_config_file' => '如果您已自公有銀行匯入資料,您應該 <a href="https://github.com/firefly-iii/import-configurations/wiki">分享您的設定檔</a> 俾利其他使用者匯入他們的資料。分享您的設定檔並不會暴露您的財務細節。',
'should_download_config' => '您該下載此工作的 <a href=":route">設定檔</a>,好方便日後再匯入。',
'share_config_file' => '如果您是從公共銀行匯入資料,您應該 <a href="https://github.com/firefly-iii/import-configurations/wiki">分享您的設定檔</a> 好方便其他使用者匯入他們的資料。分享您的設定檔並不會暴露您的財務細節。',
'job_config_bunq_apply_rules' => '套用規則',
'job_config_bunq_apply_rules_text' => '預設下,您的規則會被套用至此次匯入慣常程序中所建立的交易。若您不希望如此,請取消選取此核選方塊。',
'job_config_bunq_apply_rules_text' => '您的規則預設會套用至此匯入流程中所建立的交易。若您不希望如此,請取消選取此核選方塊。',
'bunq_savings_goal' => '儲蓄目標::amount (:percentage%)',
'bunq_account_status_CANCELLED' => '已關閉 bunq 帳號',
@ -153,25 +153,25 @@ return [
'ynab_account_type_merchantAccount' => '商業帳戶',
'ynab_account_type_investmentAccount' => '投資帳戶',
'ynab_account_type_mortgage' => '抵押',
'ynab_do_not_import' => '(不入)',
'ynab_do_not_import' => '(不入)',
'job_config_ynab_apply_rules' => '套用規則',
'job_config_ynab_apply_rules_text' => '預設下,您的規則會被套用至此次匯入慣常程序中所建立的交易。若您不希望如此,請取消選取此核選方塊。',
'job_config_ynab_apply_rules_text' => '您的規則預設會套用至此匯入流程中所建立的交易。若您不希望如此,請取消選取此核選方塊。',
// job configuration for YNAB:
'job_config_ynab_select_budgets' => '選擇您的預算',
'job_config_ynab_select_budgets_text' => '您有 :count 筆儲存於 YNAB 的預算,請選擇以供 Firefly III 匯入其中交易紀錄。',
'job_config_ynab_no_budgets' => '沒有可匯入的預算。',
'job_config_ynab_select_budgets_text' => '您有 :count 筆儲存於 YNAB 的預算,請選擇要從哪個匯入交易紀錄。',
'job_config_ynab_no_budgets' => '沒有可匯入的預算。',
'ynab_no_mapping' => '您似乎沒有選擇任何欲匯入的帳戶。',
'job_config_ynab_bad_currency' => '您無法自以下預算匯入,因為您沒有與這些預算使用相同貨幣的帳戶。',
'job_config_ynab_bad_currency' => '您無法匯入以下預算,因為您的帳戶不是使用這些預算的相同貨幣。',
'job_config_ynab_accounts_title' => '選擇帳戶',
'job_config_ynab_accounts_text' => '以下有您可用於此預算的帳戶,請選擇您欲匯入的帳戶以及交易資料儲存的地方。',
'job_config_ynab_accounts_text' => '這預算中有以下帳戶可用,請選擇您欲匯入的帳戶以及欲儲存交易紀錄的地方。',
// keys from "extra" array:
'spectre_extra_key_iban' => '國際銀行帳戶號碼 (IBAN)',
'spectre_extra_key_swift' => 'SWIFT',
'spectre_extra_key_status' => '狀態',
'spectre_extra_key_card_type' => '卡片種類',
'spectre_extra_key_card_type' => '卡類',
'spectre_extra_key_account_name' => '帳戶名稱',
'spectre_extra_key_client_name' => '客戶名稱',
'spectre_extra_key_account_number' => '帳戶號碼',
@ -183,17 +183,17 @@ return [
'spectre_extra_key_open_date' => '開始日期',
'spectre_extra_key_current_time' => '目前時間',
'spectre_extra_key_current_date' => '目前日期',
'spectre_extra_key_cards' => '卡',
'spectre_extra_key_cards' => '卡',
'spectre_extra_key_units' => '單位',
'spectre_extra_key_unit_price' => '單價',
'spectre_extra_key_transactions_count' => '交易數',
//job configuration for finTS
'fints_connection_failed' => '嘗試連接至您的銀行時發生1個錯誤,請確定您所有鍵入的資料均正確。原錯誤訊息::originalError',
'fints_connection_failed' => '嘗試連接至您的銀行時發生錯誤,請確定您所有鍵入的資料均正確。原錯誤訊息::originalError',
'job_config_fints_url_help' => '例如 https://banking-dkb.s-fints-pt-dkb.de/fints30',
'job_config_fints_username_help' => '對多數銀行而言,這是你的帳號。',
'job_config_fints_port_help' => '預設埠為 443。',
'job_config_fints_port_help' => '預設埠為 443。',
'job_config_fints_account_help' => '選擇您欲匯入交易的銀行帳戶。',
'job_config_local_account_help' => '選擇對應您上方所選銀行帳戶的 Firefly III 帳戶。',
// specifics:
@ -216,11 +216,11 @@ return [
'job_config_roles_column_role' => '欄資料涵義',
'job_config_roles_do_map_value' => '映射這些數值',
'job_config_roles_no_example' => '無範例資料可用',
'job_config_roles_fa_warning' => '如果您將一個欄標記為外幣金額、您亦須設定該欄外幣為何。',
'job_config_roles_rwarning' => '請至少將一個欄標示為金額-欄,亦建議為描述、日期與對應帳戶選擇欄。',
'job_config_roles_fa_warning' => '如果您將一個欄標記為外幣金額,您亦須設定該欄是哪一外幣。',
'job_config_roles_rwarning' => '請至少將一個欄標示為金額欄,亦建議選擇描述、日期與對應帳戶的欄。',
'job_config_roles_colum_count' => '欄',
// job config for the file provider (stage: mapping):
'job_config_map_title' => '匯入設定 (4/) - 連接匯入資料與 Firefly III 資料',
'job_config_map_title' => '匯入設定 (4/4) - 連接匯入資料與 Firefly III 資料',
'job_config_map_text' => '在下方的表格中左邊值顯示在您上傳的檔案中所找到的資訊而映射這些值是您當前的任務。如果可能請映射至呈現在您資料庫既有的值Firefly III 會依此映射。若無可供映射的值,或您不希望映射特定值,請別選取。',
'job_config_map_nothing' => '您檔案中並無可映射至既有數值的資料,請點選 "開始匯入" 以繼續。',
'job_config_field_value' => '欄位數值',
@ -239,18 +239,18 @@ return [
'status_job_rules' => '請稍候,執行規則…',
'status_fatal_title' => '重大錯誤',
'status_fatal_text' => '此次匯入遇到了無法回復的錯誤,抱歉!',
'status_fatal_more' => '此一訊息 (可能非常加密) 是由日誌檔所補完,您可在硬碟內或您運行的 Firefly III 空間中找到日誌檔。',
'status_fatal_more' => '這一 (也許語焉不明的) 錯誤訊息有記錄檔補充, 可在硬碟或執行 Firefly III 的 Docker 容器中找到。',
'status_finished_title' => '匯入完成',
'status_finished_text' => '匯入已完成',
'status_finished_text' => '匯入已完成',
'finished_with_errors' => '執行匯入時有些錯誤,請仔細複審。',
'unknown_import_result' => '未知的匯入結果',
'result_no_transactions' => '沒有匯入任何交易紀錄,或許是因為均為重複記錄或無紀錄可供匯入。日誌檔也許能告訴你來龍去脈,若您定期匯入資料,這是正常的。',
'result_one_transaction' => '僅有1筆交易被匯入並儲存在 <a href=":route" class="label label-success" style="font-size:100%;font-weight:normal;">:tag</a>您之後可進一步檢視。',
'result_many_transactions' => 'Firefly III 已匯入 :count 筆交易,並儲存 <a href=":route" class="label label-success" style="font-size:100%;font-weight:normal;">:tag</a> 標籤下,您之後可進一步檢視。',
'result_no_transactions' => '沒有匯入任何交易紀錄。也許是全部均為重複紀錄,或無紀錄可供匯入,日誌檔或會說明原委。若您定期匯入資料,這也是不出奇的。',
'result_one_transaction' => '僅匯入了 1 筆交易,並儲存在標籤 <a href=":route" class="label label-success" style="font-size:100%;font-weight:normal;">:tag</a>,可進一步檢視。',
'result_many_transactions' => 'Firefly III 已匯入 :count 筆交易,並儲存在標籤 <a href=":route" class="label label-success" style="font-size:100%;font-weight:normal;">:tag</a> 下,可進一步檢視。',
// general errors and warnings:
'bad_job_status' => '欲通行此頁,您的匯入工作不能有 ":status" 狀態。',
'bad_job_status' => '如要存取此頁,您的匯入工作不能有 ":status" 狀態。',
// column roles for CSV import:
'column__ignore' => '(忽略此欄)',
@ -263,7 +263,7 @@ return [
'column_amount_debit' => '金額 (債務欄)',
'column_amount_credit' => '金額 (信用欄)',
'column_amount_negated' => '金額 (正負交換欄)',
'column_amount-comma-separated' => '金額 (以逗號作為進位分隔符號)',
'column_amount-comma-separated' => '金額 (逗號作小數點分隔)',
'column_bill-id' => '帳單 ID (與 FF3 相符)',
'column_bill-name' => '帳單名稱',
'column_budget-id' => '預算 ID (與 FF3 相符)',
@ -304,6 +304,6 @@ return [
'column_account-number' => '資產帳戶 (帳戶號碼)',
'column_opposing-number' => '相對帳戶 (帳戶號碼)',
'column_note' => '備註',
'column_internal-reference' => '內部參',
'column_internal-reference' => '內部參',
];

View File

@ -24,18 +24,18 @@ declare(strict_types=1);
return [
// index
'index_intro' => '歡迎來到 Firefly III 的首頁。請花時間參觀一下這個介紹,瞭解 Firefly III 是如何運作的。',
'index_accounts-chart' => '此圖表顯示您的資產帳戶的目前餘額,您可以在偏好設定中選擇此處可見的帳戶。',
'index_box_out_holder' => '這個小盒子和這個旁邊的盒子會提供您財務狀況的快速概覽。',
'index_intro' => '歡迎來到 Firefly III 首頁。誠邀您花一點時間,看看這介紹,瞭解一下 Firefly III 如何運作。',
'index_accounts-chart' => '此圖表顯示資產帳戶的目前餘額,哪些帳戶在此顯示,可在偏好設定中選擇。',
'index_box_out_holder' => '這小方塊 (以及旁邊的) 給您一個財務狀況的快速概覽。',
'index_help' => '如果您需要有關頁面或表單的説明,請按此按鈕。',
'index_outro' => 'Firefly III 大多數頁面將以這樣的小介紹開始,如有問題或意見,不妨與我聯繫。祝您順心使用!',
'index_outro' => 'Firefly III 大部分頁面會以這樣的小介紹開始,如有問題或意見,不妨與我聯繫。祝您使用得心應手',
'index_sidebar-toggle' => '若要建立新的交易記錄、帳戶或其他內容,請使用此圖示下的選單。',
// create account:
'accounts_create_iban' => '給您的帳戶一個有效的 IBAN可俾利未來資料匯入。',
'accounts_create_iban' => '帳戶若設定有效的 IBAN有助日後匯入資料。',
'accounts_create_asset_opening_balance' => '資產帳戶可以設定一個 "初始餘額",表示此帳戶在 Firefly III 中開始時的紀錄。',
'accounts_create_asset_currency' => 'Fireflly III 支援多種貨幣。資產帳戶有一種主要貨幣,須在此設定。',
'accounts_create_asset_virtual' => '有時,您或會想給予帳戶一個虛擬額度:一個在實際餘額之上加減的定額。',
'accounts_create_asset_virtual' => '有時,您或會想給予帳戶一個虛擬額度:即在實際餘額之上加減一個定額。',
// budgets index
'budgets_index_intro' => '預算用來管理您的財務,是 Firefly III
@ -49,7 +49,7 @@ return [
// reports (index)
'reports_index_intro' => '從這些報表洞察您的詳細財務狀況。',
'reports_index_inputReportType' => '選擇報表類型。查看説明頁面以瞭解每個報表向您顯示的內容。',
'reports_index_inputReportType' => '挑一種報表。查看說明頁面瞭解各報表展示的內容。',
'reports_index_inputAccountsSelect' => '您可以根據需要排除或包括資產帳戶。',
'reports_index_inputDateRange' => '所選日期範圍完全由您決定從1天到10年不等。',
'reports_index_extra-options-box' => '根據您選擇的報表,您可以在此處選擇額外的篩選標準和選項。更改報表類型時,請查看此區塊。',
@ -59,17 +59,17 @@ return [
'reports_report_audit_intro' => '這份報表可讓您洞悉資產帳戶的詳細狀況。',
'reports_report_audit_optionsBox' => '在這些選取方塊勾選您感興趣想顯示的欄。',
'reports_report_category_intro' => '此報表將提供您一個或多個類別洞察報告。',
'reports_report_category_pieCharts' => '這些圖表將提供您每個類別或每個帳戶中,支出和所得的洞察報告。',
'reports_report_category_incomeAndExpensesChart' => '此圖表顯示您的每個類別的支出和所得。',
'reports_report_category_intro' => '此報表可讓您洞悉一或多個分類的詳細狀況。',
'reports_report_category_pieCharts' => '這些圖表可讓您洞悉按分類或帳戶的收支詳細狀況。',
'reports_report_category_incomeAndExpensesChart' => '此圖表按分類顯示您的收支。',
'reports_report_tag_intro' => '此報表將提供您一個或多個標籤洞察報告。',
'reports_report_tag_pieCharts' => '這些圖表將提供您每個類別、帳戶、分類或預算中,支出和所得的洞察報告。',
'reports_report_tag_incomeAndExpensesChart' => '此圖表顯示您的每個標籤的支出和所得。',
'reports_report_tag_intro' => '此報表可讓您洞悉一或多個標籤的詳細狀況。',
'reports_report_tag_pieCharts' => '這些圖表可讓您洞悉按標籤、帳戶、分類或預算的收支詳細狀況。',
'reports_report_tag_incomeAndExpensesChart' => '此圖表按標籤顯示您的收支。',
'reports_report_budget_intro' => '此報表將提供您一個或多個預算的洞察報告。',
'reports_report_budget_pieCharts' => '這些圖表將提供您每個預算或每個帳戶中,支出的洞察報告。',
'reports_report_budget_incomeAndExpensesChart' => '此圖表顯示您的每個預算的支出。',
'reports_report_budget_intro' => '此報表可讓您洞悉一或多個預算的詳細狀況。',
'reports_report_budget_pieCharts' => '這些圖表可讓您洞悉按預算或帳戶的支出詳細狀況。',
'reports_report_budget_incomeAndExpensesChart' => '此圖表按預算顯示您的支出。',
// create transaction
'transactions_create_switch_box' => '使用這些按鈕可以快速切換要保存的交易類型。',
@ -82,21 +82,21 @@ return [
// piggy banks index:
'piggy-banks_index_saved' => '此欄位顯示您在每個小豬撲滿中保存了多少。',
'piggy-banks_index_button' => '進度橫條旁有兩個按鈕 (+ 和-),可以在每個小豬撲滿中加減金額。',
'piggy-banks_index_accountStatus' => '此表中列出了每一個至少有一個小豬撲滿的資產帳戶的狀態。',
'piggy-banks_index_accountStatus' => '有小豬撲滿的資產帳戶,會在此表格中列出狀態。',
// create piggy
'piggy-banks_create_name' => '您的目標為何?一張新沙發、一台相機,還是應急備用?',
'piggy-banks_create_date' => '您可以為小豬撲滿設定目標日期或截止日期。',
'piggy-banks_create_date' => '您可以設定小豬撲滿的目標日期或期限。',
// show piggy
'piggy-banks_show_piggyChart' => '這張圖表將顯示這個小豬撲滿的歷史。',
'piggy-banks_show_piggyDetails' => '關於的小豬撲滿的一些細節',
'piggy-banks_show_piggyEvents' => '處還列出了任何增加或刪除。',
'piggy-banks_show_piggyChart' => '此圖表顯示小豬撲滿的歷程紀錄。',
'piggy-banks_show_piggyDetails' => '關於的小豬撲滿的一些細節',
'piggy-banks_show_piggyEvents' => '過去的金額加減會在此列出。',
// bill index
'bills_index_rules' => '在此可檢視此帳單是否觸及某些規則',
'bills_index_paid_in_period' => '此欄位表示上次支付帳單的時間。',
'bills_index_expected_in_period' => '如果(以及何時)下期帳單即將到期,此欄位將顯示每一筆的帳單。',
'bills_index_expected_in_period' => '每張帳單是否及何時下次到期,會在此欄位顯示。',
// show bill
'bills_show_billInfo' => '此表格顯示了有關該帳單的一般資訊。',
@ -104,36 +104,36 @@ return [
'bills_show_billChart' => '此圖表顯示與此帳單連結的交易記錄。',
// create bill
'bills_create_intro' => '使用帳單來跟蹤你每個區間到期的金額。想想租金、保險或抵押貸款等支出。',
'bills_create_name' => '使用描述性名稱, 如 "租金" 或 "健康保險"。',
'bills_create_intro' => '使用帳單來追蹤您每段時期到期的金額,比如是租金、保險或抵押貸款等支出。',
'bills_create_name' => '訂下一個顧名思義的名稱,如 "租金" 或 "健康保險"。',
//'bills_create_match' => 'To match transactions, use terms from those transactions or the expense account involved. All words must match.',
'bills_create_amount_min_holder' => '選擇此帳單的最小和最大金額。',
'bills_create_repeat_freq_holder' => '大多數帳單每月重複一次,但你可以在這裡設定另一個頻次。',
'bills_create_skip_holder' => '如果帳單每2週重複一次則應將 "略過" 欄位設定為 "1",以便每隔一週跳一次。',
'bills_create_repeat_freq_holder' => '大部分帳單每月重複一次,但頻率可在此另設。',
'bills_create_skip_holder' => '如果帳單每兩週重複一次,"略過" 欄位則應設為 "1",以便每隔一週跳一次。',
// rules index
'rules_index_intro' => 'Firefly III 允許您管理規則,這些規則將魔幻自動地應用於您建立或編輯的任何交易。',
'rules_index_intro' => 'Firefly III 讓您管理一些規則,在建立或編輯交易時就會神乎其技地套用。',
'rules_index_new_rule_group' => '您可以將規則整併為群組,以便於管理。',
'rules_index_new_rule' => '建立任意數量的規則。',
'rules_index_prio_buttons' => '以你認為合適的任何方式排序它們。',
'rules_index_test_buttons' => '您可以測試規則將其套用至現有交易。',
'rules_index_rule-triggers' => '規則具有 "觸發器" 和 "操作",您可以通過拖放進行排序。',
'rules_index_outro' => '請務必使用右上角的 (?) 圖示查看説明頁面!',
'rules_index_new_rule' => '規則多寡,隨您喜歡。',
'rules_index_prio_buttons' => '排序方式不拘。',
'rules_index_test_buttons' => '您可以測試或套用規則至現有交易。',
'rules_index_rule-triggers' => '規則的 "觸發器" 和 "動作" 可拖放排序。',
'rules_index_outro' => '記得按下右上角的 (?) 圖示查看説明頁面!',
// create rule:
'rules_create_mandatory' => '選擇一個描述性標題,並設定應觸發規則的時機。',
'rules_create_ruletriggerholder' => '增加任意數量的觸發器,但請記住在任一動作啟用前,所有觸發器必須配對。',
'rules_create_mandatory' => '訂下一個適切描述的標題,並設定規則觸發的時機。',
'rules_create_ruletriggerholder' => '觸發器隨意增加,惟需謹記,必須符合<strong>所有</strong>觸發器,動作才會觸發。',
'rules_create_test_rule_triggers' => '使用此按鈕可以查看哪些交易記錄將配對您的規則。',
'rules_create_actions' => '設定任意數量的動作。',
'rules_create_actions' => '隨您設定多少動作。',
// preferences
'preferences_index_tabs' => '這些標籤頁尚有更多選項可用。',
'preferences_index_tabs' => '這些標籤頁尚有更多可用選項。',
// currencies
'currencies_index_intro' => 'Firefly III 支援多種貨幣,您可以在此頁面上更改。',
'currencies_index_intro' => 'Firefly III 支援多種貨幣,可在此頁變更。',
'currencies_index_default' => 'Firefly III 有一種預設貨幣。',
'currencies_index_buttons' => '使用這些按鈕可以更改預設貨幣或啟用其他貨幣。',
// create currency
'currencies_create_code' => '此代碼應符合 ISO 標準 (可 Google 您的新貨幣)。',
'currencies_create_code' => '此應為 ISO 標準代碼 (新貨幣代碼可線上搜尋)。',
];

View File

@ -51,7 +51,7 @@ return [
'repeat_freq' => '重複',
'description' => '描述',
'amount' => '金額',
'internal_reference' => '內部參',
'internal_reference' => '內部參',
'date' => '日期',
'interest_date' => '利率日期',
'book_date' => '登記日期',
@ -59,7 +59,7 @@ return [
'due_date' => '到期日',
'payment_date' => '付款日期',
'invoice_date' => '發票日期',
'interal_reference' => '內部參',
'interal_reference' => '內部參',
'notes' => '備註',
'from' => '自',
'piggy_bank' => '小豬撲滿',
@ -78,8 +78,8 @@ return [
'registered_at' => '註冊於',
'is_blocked' => '被封鎖',
'is_admin' => '是管理員',
'has_two_factor' => '有雙重身份驗證 (2FA)',
'blocked_code' => '區塊代碼',
'has_two_factor' => '有兩步驟驗證 (2FA)',
'blocked_code' => '封鎖代碼',
'source_account' => '來源帳戶',
'destination_account' => '目標帳戶',
'accounts_count' => '帳戶數量',
@ -93,8 +93,8 @@ return [
'rule_and_groups_count' => '規則及規則群組數量',
'tags_count' => '標籤數量',
'tags' => '標籤',
'inward' => '向內描述',
'outward' => '外向描述',
'inward' => '流入描述',
'outward' => '流出描述',
'number_of_transactions' => '交易數量',
'total_amount' => '總金額',
'sum' => '總和',

View File

@ -23,10 +23,10 @@
declare(strict_types=1);
return [
'password' => '密碼至少需要六個字元,並與確認欄中的密碼相同。',
'user' => '我們找不到使用該電郵地址的用戶。',
'token' => '該密碼重置碼已經失效。',
'sent' => '我們已經將密碼重置連結發送至您的電郵',
'reset' => '你的密碼已經被重置',
'blocked' => '很好的嘗試。',
'password' => '密碼至少需要 6 個字元,並重複輸入一次確認。',
'user' => '找不到使用該電子郵件地址的使用者。',
'token' => '此密碼重設碼已失效。',
'sent' => '密碼重設連結已寄送到您的電子郵件地址',
'reset' => '您的密碼已重設',
'blocked' => '算是試過運氣了。',
];

View File

@ -24,28 +24,28 @@ declare(strict_types=1);
return [
'iban' => '這不是有效的 IBAN。',
'zero_or_more' => '此數值不能為負數',
'date_or_time' => '此數值為有效的日期或時間值 (ISO 8601)。',
'zero_or_more' => '此數值不能為負數',
'date_or_time' => '此數值為有效的日期或時間值 (ISO 8601)。',
'source_equals_destination' => '來源帳戶與目標帳戶相同。',
'unique_account_number_for_user' => '看起來此帳戶號碼已在使用。',
'unique_iban_for_user' => '看起來此IBAN已在使用。',
'deleted_user' => '基於安全限制,你無法使用此電子郵件註冊。',
'rule_trigger_value' => '此值不能用於所選擇的觸發器。',
'rule_action_value' => '此值不能用於所選擇的動作。',
'unique_account_number_for_user' => '此帳戶號碼似乎已在使用。',
'unique_iban_for_user' => ' IBAN 似乎已在使用。',
'deleted_user' => '受安全限制,您無法使用此電子郵件地址註冊。',
'rule_trigger_value' => '此值不適用於選取的觸發器。',
'rule_action_value' => '此值不適用於選取的動作。',
'file_already_attached' => '上傳的檔案 ":name" 已附加到該物件上。',
'file_attached' => '已成功上傳檔案 ":name"。',
'must_exist' => '欄位 :attribute 的 ID 不存在於資料庫。',
'all_accounts_equal' => '此欄位中的所有帳戶必須相等。',
'invalid_selection' => '您的選擇無效。',
'belongs_user' => '此值對此欄位無效。',
'belongs_user' => '此欄位不接受此值。',
'at_least_one_transaction' => '至少需要一個交易。',
'at_least_one_repetition' => '至少需要一次重複。',
'require_repeat_until' => '僅需重複次數或結束日期 (repeat_until) 即可,不需兩者均備。',
'require_currency_info' => '無貨幣資訊,此欄位內容無效。',
'require_repeat_until' => '要嘛重複次數,要嘛結束日期 (repeat_until),須二擇其一。',
'require_currency_info' => '此欄位內容須要貨幣資訊。',
'equal_description' => '交易描述不應等同全域描述。',
'file_invalid_mime' => '檔案 ":name" 類型為 ":mime"允許上載的類型。',
'file_invalid_mime' => '檔案 ":name" 類型為 ":mime",不允許上載。',
'file_too_large' => '檔案 ":name" 過大。',
'belongs_to_user' => ':attribute 的值未知。',
'belongs_to_user' => ':attribute 的值未知。',
'accepted' => ':attribute 必須被接受。',
'bic' => '這不是有效的 BIC。',
'at_least_one_trigger' => '規則必須至少有一個觸發器。',
@ -54,20 +54,20 @@ return [
'model_id_invalid' => '指定的 ID 對於此模型似乎無效。',
'more' => ':attribute 必須大於零。',
'less' => ':attribute 必須小於 10,000,000。',
'active_url' => ':attribute 不是有效的URL。',
'active_url' => ':attribute 不是有效的 URL。',
'after' => ':attribute 必須是一個在 :date 之後的日期。',
'alpha' => ':attribute 只能包含字母。',
'alpha_dash' => ':attribute 只能包含字母、數字和破折號。',
'alpha_num' => ':attribute 只允許包含數字和字母。',
'alpha_num' => ':attribute 只包含數字和字母。',
'array' => ':attribute 必須是一個陣列。',
'unique_for_user' => '包括 :attribute 的紀錄已存在。',
'before' => ':attribute 必須是一個在 :date 之前的日期。',
'unique_object_for_user' => '這個名稱已被使用。',
'unique_account_for_user' => '這個帳戶名稱已被使用。',
'between.numeric' => ':attribute 必須介於 :min 和 :max 之間。',
'between.file' => ':attribute 必須介於 :min kB 到 :max kB之間。',
'between.string' => ':attribute 必須介於 :min 到 :max 字元之間。',
'between.array' => ':attribute 必須介於 :min 到 :max 項目之間。',
'between.file' => ':attribute 必須介於 :min kB 到 :max kB 之間。',
'between.string' => ':attribute 必須介於 :min 到 :max 字元之間。',
'between.array' => ':attribute 必須介於 :min 到 :max 項目之間。',
'boolean' => ':attribute 欄位必須為 true 或 false。',
'confirmed' => ':attribute 的確認並不相符。',
'date' => ':attribute 不是一個有效的日期。',
@ -85,14 +85,14 @@ return [
'json' => ':attribute 必須是一個有效的 JSON 字串。',
'max.numeric' => ':attribute 不能大於 :max。',
'max.file' => ':attribute 不能大於 :max kB。',
'max.string' => ':attribute 不能大於 :max 字元。',
'max.string' => ':attribute 不能大於 :max 字元。',
'max.array' => ':attribute 不能多於 :max 個項目。',
'mimes' => ':attribute 的檔案類型必須是 :values 。',
'min.numeric' => ':attribute 至少需要 :min。',
'lte.numeric' => ':attribute 必須小於或等於 :value。',
'min.file' => ':attribute 必須至少為 :min kB。',
'min.string' => ':attribute 最少需要有 :min 個字元。',
'min.array' => ':attribute 至少需要有 :min 項目。',
'min.array' => ':attribute 至少需要有 :min 項目。',
'not_in' => '所選的 :attribute 無效。',
'numeric' => ':attribute 必須是數字。',
'numeric_native' => '本地金額必須是數字。',
@ -100,12 +100,12 @@ return [
'numeric_source' => '來源金額必須是數字。',
'regex' => ':attribute 格式無效。',
'required' => ':attribute 欄位是必填的。',
'required_if' => ':attribute 欄位在 :other 是 :value 時是必填的。',
'required_unless' => '除非 :other 是 :values否則 :attribute 是必填的。',
'required_with' => '當 :values 存在時, :attribute 是必填的。',
'required_with_all' => '當 :values 存在時, :attribute 是必填的。',
'required_without' => '當 :values 不存在時, :attribute 是必填的。',
'required_without_all' => '當沒有任何 :values 存在時, :attribute 為必填。',
'required_if' => '當 :other 為 :value 時,欄位 :attribute 是必填的。',
'required_unless' => '除非 :other 為 :values否則欄位 :attribute 是必填的。',
'required_with' => '當 :values 存在時,欄位 :attribute 是必填的。',
'required_with_all' => '當 :values 存在時,欄位 :attribute 是必填的。',
'required_without' => '當 :values 不存在時,欄位 :attribute 是必填的。',
'required_without_all' => '當沒有任何 :values 存在時,欄位 :attribute 是必填的。',
'same' => ':attribute 和 :other 必須相符。',
'size.numeric' => ':attribute 必須是 :size。',
'amount_min_over_max' => '最小金額不能大於最大金額。',
@ -115,18 +115,18 @@ return [
'unique' => ':attribute 已被使用。',
'string' => ':attribute 必須是字串。',
'url' => ':attribute 格式無效。',
'timezone' => ':attribute 必須是有效的。',
'2fa_code' => ':attribute 欄位是無效。',
'dimensions' => ':attribute 具有無效圖片尺寸。',
'distinct' => ':attribute 欄位有重複值。',
'timezone' => ':attribute 必須是有效的區。',
'2fa_code' => '欄位 :attribute 無效。',
'dimensions' => ':attribute 圖片尺寸無效。',
'distinct' => '欄位 :attribute 有重複值。',
'file' => ':attribute 必須是檔案。',
'in_array' => ':attribute 欄位不存在於 :other。',
'in_array' => '欄位 :attribute 不存在於 :other。',
'present' => ':attribute 欄位必須存在。',
'amount_zero' => '總金額不能為零。',
'unique_piggy_bank_for_user' => '小豬撲滿的名稱必須是獨一無二的。',
'secure_password' => '這不是一個安全的密碼,請重試一次。如需更多訊息,請訪問 https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => '定期重複交易是無效的重複類型。',
'valid_recurrence_rep_moment' => '對此重複類型是無效的重複時刻。',
'secure_password' => '此密碼不安全,請再試一遍。如需更多資訊,請瀏覽 https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => '定期重複交易的重複類型無效。',
'valid_recurrence_rep_moment' => '重複時刻在此重複類型無效。',
'invalid_account_info' => '無效的帳戶資訊。',
'attributes' => [
'email' => '電子郵件地址',

View File

@ -20,7 +20,7 @@
var upgradeUri = '{{ route('installer.upgrade') }}';
var verifyUri = '{{ route('installer.verify') }}';
var decryptUri = '{{ route('installer.decrypt') }}';
var homeUri = '{{ route('home') }}';
var homeUri = '{{ route('flush') }}';
</script>
<script type="text/javascript" src="v1/js/ff/install/index.js"></script>
{% endblock %}